From 6223830708342f3cab9d9a342553c58bc3e99cae Mon Sep 17 00:00:00 2001
From: Amadeo Alex <68441479+amadeo-alex@users.noreply.github.com>
Date: Sat, 1 Jul 2023 22:54:06 +0200
Subject: [PATCH 1/7] added sensor stub
---
.../SingleValue/ActiveDesktopSensor.cs | 48 +++++++++++++++++++
1 file changed, 48 insertions(+)
create mode 100644 src/HASS.Agent.Staging/HASS.Agent.Shared/HomeAssistant/Sensors/GeneralSensors/SingleValue/ActiveDesktopSensor.cs
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/HomeAssistant/Sensors/GeneralSensors/SingleValue/ActiveDesktopSensor.cs b/src/HASS.Agent.Staging/HASS.Agent.Shared/HomeAssistant/Sensors/GeneralSensors/SingleValue/ActiveDesktopSensor.cs
new file mode 100644
index 00000000..db9c98ed
--- /dev/null
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/HomeAssistant/Sensors/GeneralSensors/SingleValue/ActiveDesktopSensor.cs
@@ -0,0 +1,48 @@
+using System;
+using System.Runtime.InteropServices;
+using System.Text;
+using HASS.Agent.Shared.Models.HomeAssistant;
+
+namespace HASS.Agent.Shared.HomeAssistant.Sensors.GeneralSensors.SingleValue
+{
+ ///
+ /// Sensor containing the ID of the currently active virtual desktop
+ /// Optionally the virtual desktop name is returned in sensor attributes
+ ///
+ public class ActiveDesktopSensor : AbstractSingleValueSensor
+ {
+ private const string _defaultName = "activedesktop";
+
+ private string _desktopName = default;
+
+ public ActiveDesktopSensor(int? updateInterval = null, string name = _defaultName, string friendlyName = _defaultName, string id = default) : base(name ?? _defaultName, friendlyName ?? null, updateInterval ?? 15, id) { }
+
+ public override DiscoveryConfigModel GetAutoDiscoveryConfig()
+ {
+ if (Variables.MqttManager == null) return null;
+
+ var deviceConfig = Variables.MqttManager.GetDeviceConfigModel();
+ if (deviceConfig == null) return null;
+
+ return AutoDiscoveryConfigModel ?? SetAutoDiscoveryConfigModel(new SensorDiscoveryConfigModel()
+ {
+ Name = Name,
+ FriendlyName = FriendlyName,
+ Unique_id = Id,
+ Device = deviceConfig,
+ State_topic = $"{Variables.MqttManager.MqttDiscoveryPrefix()}/{Domain}/{deviceConfig.Name}/{ObjectId}/state",
+ Icon = "mdi:monitor",
+ Availability_topic = $"{Variables.MqttManager.MqttDiscoveryPrefix()}/{Domain}/{deviceConfig.Name}/availability"
+ });
+ }
+
+ public override string GetState()
+ {
+ return "";
+ }
+
+ public override string GetAttributes() => string.Empty;
+
+
+ }
+}
From 420556149c8d2b151628b85d80d8af4068a4ccbf Mon Sep 17 00:00:00 2001
From: Amadeo Alex <68441479+amadeo-alex@users.noreply.github.com>
Date: Sat, 1 Jul 2023 22:56:37 +0200
Subject: [PATCH 2/7] bumped all projects to target 10.0.19041.0 and support at
minimum 10.0.17763.0
---
.../HASS.Agent.Satellite.Service.csproj | 3 +-
.../HASS.Agent.Shared.csproj | 3 +-
.../HASS.Agent/HASS.Agent.csproj | 31 ++++++-------------
3 files changed, 13 insertions(+), 24 deletions(-)
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Satellite.Service/HASS.Agent.Satellite.Service.csproj b/src/HASS.Agent.Staging/HASS.Agent.Satellite.Service/HASS.Agent.Satellite.Service.csproj
index 334c6ed7..1612359a 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Satellite.Service/HASS.Agent.Satellite.Service.csproj
+++ b/src/HASS.Agent.Staging/HASS.Agent.Satellite.Service/HASS.Agent.Satellite.Service.csproj
@@ -1,7 +1,7 @@
- net6.0-windows
+ net6.0-windows10.0.19041.0
true
enable
enable
@@ -20,6 +20,7 @@
hass.ico
+ 10.0.17763.0
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/HASS.Agent.Shared.csproj b/src/HASS.Agent.Staging/HASS.Agent.Shared/HASS.Agent.Shared.csproj
index 77d48d7e..f67e0de7 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/HASS.Agent.Shared.csproj
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/HASS.Agent.Shared.csproj
@@ -1,7 +1,7 @@
- netstandard2.1
+ net6.0-windows10.0.19041.0
AnyCPU;x64
HASS.Agent.Shared
HASS.Agent.Shared
@@ -21,6 +21,7 @@
True
disable
full
+ 10.0.17763.0
diff --git a/src/HASS.Agent.Staging/HASS.Agent/HASS.Agent.csproj b/src/HASS.Agent.Staging/HASS.Agent/HASS.Agent.csproj
index fc31cf84..634a3bcf 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/HASS.Agent.csproj
+++ b/src/HASS.Agent.Staging/HASS.Agent/HASS.Agent.csproj
@@ -2,7 +2,7 @@
WinExe
- net6.0-windows10.0.17763.0
+ net6.0-windows10.0.19041.0
disable
true
true
@@ -25,6 +25,7 @@
2022.15.0
2022.15.0
HASS.Agent
+ 10.0.17763.0
@@ -108,27 +109,13 @@
UserControl
-
- Form
-
-
- Form
-
-
- Form
-
-
- Form
-
-
- Form
-
-
- Form
-
-
- Form
-
+
+
+
+
+
+
+
True
True
From d9660bcdfb33f7d9512050e523dc1effd62ca0e4 Mon Sep 17 00:00:00 2001
From: Amadeo Alex <68441479+amadeo-alex@users.noreply.github.com>
Date: Sat, 1 Jul 2023 22:58:49 +0200
Subject: [PATCH 3/7] added VirtualDesktop nuget package
---
.../HASS.Agent.Shared/HASS.Agent.Shared.csproj | 1 +
1 file changed, 1 insertion(+)
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/HASS.Agent.Shared.csproj b/src/HASS.Agent.Staging/HASS.Agent.Shared/HASS.Agent.Shared.csproj
index f67e0de7..4c87518e 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/HASS.Agent.Shared.csproj
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/HASS.Agent.Shared.csproj
@@ -44,6 +44,7 @@
+
From 546837de48105b85fdaca17055a370498f522ee6 Mon Sep 17 00:00:00 2001
From: Amadeo Alex <68441479+amadeo-alex@users.noreply.github.com>
Date: Mon, 3 Jul 2023 16:04:38 +0200
Subject: [PATCH 4/7] poc
---
.../HASS.Agent.Shared/Enums/CommandType.cs | 6 +-
.../HASS.Agent.Shared/Enums/SensorType.cs | 4 +
.../HASS.Agent.Shared.csproj | 1 -
.../SingleValue/ActiveDesktopSensor.cs | 48 -
.../Localization/Languages.Designer.cs | 18 +
.../Resources/Localization/Languages.resx | 5579 +++++++++--------
.../HASS.Agent/Commands/CommandsManager.cs | 9 +
.../HASS.Agent/Forms/Main.cs | 12 +
.../HASS.Agent/HASS.Agent.csproj | 1 +
.../CustomCommands/SwitchDesktopCommand.cs | 92 +
.../SingleValue/ActiveDesktopSensor.cs | 81 +
.../Localization/Languages.Designer.cs | 29 +-
.../Resources/Localization/Languages.resx | 15 +-
.../HASS.Agent/Sensors/SensorsManager.cs | 7 +
.../HASS.Agent/Settings/StoredCommands.cs | 3 +
.../HASS.Agent/Settings/StoredSensors.cs | 3 +
16 files changed, 3077 insertions(+), 2831 deletions(-)
delete mode 100644 src/HASS.Agent.Staging/HASS.Agent.Shared/HomeAssistant/Sensors/GeneralSensors/SingleValue/ActiveDesktopSensor.cs
create mode 100644 src/HASS.Agent.Staging/HASS.Agent/HomeAssistant/Commands/CustomCommands/SwitchDesktopCommand.cs
create mode 100644 src/HASS.Agent.Staging/HASS.Agent/HomeAssistant/Sensors/GeneralSensors/SingleValue/ActiveDesktopSensor.cs
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Enums/CommandType.cs b/src/HASS.Agent.Staging/HASS.Agent.Shared/Enums/CommandType.cs
index 42080577..87d5d3ac 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Enums/CommandType.cs
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Enums/CommandType.cs
@@ -89,6 +89,10 @@ public enum CommandType
[EnumMember(Value = "SendWindowToFrontCommand")]
SendWindowToFrontCommand,
+ [LocalizedDescription("CommandType_SwitchDesktopCommand", typeof(Languages))]
+ [EnumMember(Value = "SwitchDesktopCommand")]
+ SwitchDesktopCommand,
+
[LocalizedDescription("CommandType_SetVolumeCommand", typeof(Languages))]
[EnumMember(Value = "SetVolumeCommand")]
SetVolumeCommand,
@@ -103,6 +107,6 @@ public enum CommandType
[LocalizedDescription("CommandType_WebViewCommand", typeof(Languages))]
[EnumMember(Value = "WebViewCommand")]
- WebViewCommand
+ WebViewCommand,
}
}
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Enums/SensorType.cs b/src/HASS.Agent.Staging/HASS.Agent.Shared/Enums/SensorType.cs
index 647a4d50..dff0ac0c 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Enums/SensorType.cs
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Enums/SensorType.cs
@@ -15,6 +15,10 @@ public enum SensorType
[EnumMember(Value = "ActiveWindowSensor")]
ActiveWindowSensor,
+ [LocalizedDescription("SensorType_ActiveDesktopSensor", typeof(Languages))]
+ [EnumMember(Value = "ActiveDesktopSensor")]
+ ActiveDesktopSensor,
+
[LocalizedDescription("SensorType_AudioSensors", typeof(Languages))]
[EnumMember(Value = "AudioSensors")]
AudioSensors,
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/HASS.Agent.Shared.csproj b/src/HASS.Agent.Staging/HASS.Agent.Shared/HASS.Agent.Shared.csproj
index 4c87518e..f67e0de7 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/HASS.Agent.Shared.csproj
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/HASS.Agent.Shared.csproj
@@ -44,7 +44,6 @@
-
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/HomeAssistant/Sensors/GeneralSensors/SingleValue/ActiveDesktopSensor.cs b/src/HASS.Agent.Staging/HASS.Agent.Shared/HomeAssistant/Sensors/GeneralSensors/SingleValue/ActiveDesktopSensor.cs
deleted file mode 100644
index db9c98ed..00000000
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/HomeAssistant/Sensors/GeneralSensors/SingleValue/ActiveDesktopSensor.cs
+++ /dev/null
@@ -1,48 +0,0 @@
-using System;
-using System.Runtime.InteropServices;
-using System.Text;
-using HASS.Agent.Shared.Models.HomeAssistant;
-
-namespace HASS.Agent.Shared.HomeAssistant.Sensors.GeneralSensors.SingleValue
-{
- ///
- /// Sensor containing the ID of the currently active virtual desktop
- /// Optionally the virtual desktop name is returned in sensor attributes
- ///
- public class ActiveDesktopSensor : AbstractSingleValueSensor
- {
- private const string _defaultName = "activedesktop";
-
- private string _desktopName = default;
-
- public ActiveDesktopSensor(int? updateInterval = null, string name = _defaultName, string friendlyName = _defaultName, string id = default) : base(name ?? _defaultName, friendlyName ?? null, updateInterval ?? 15, id) { }
-
- public override DiscoveryConfigModel GetAutoDiscoveryConfig()
- {
- if (Variables.MqttManager == null) return null;
-
- var deviceConfig = Variables.MqttManager.GetDeviceConfigModel();
- if (deviceConfig == null) return null;
-
- return AutoDiscoveryConfigModel ?? SetAutoDiscoveryConfigModel(new SensorDiscoveryConfigModel()
- {
- Name = Name,
- FriendlyName = FriendlyName,
- Unique_id = Id,
- Device = deviceConfig,
- State_topic = $"{Variables.MqttManager.MqttDiscoveryPrefix()}/{Domain}/{deviceConfig.Name}/{ObjectId}/state",
- Icon = "mdi:monitor",
- Availability_topic = $"{Variables.MqttManager.MqttDiscoveryPrefix()}/{Domain}/{deviceConfig.Name}/availability"
- });
- }
-
- public override string GetState()
- {
- return "";
- }
-
- public override string GetAttributes() => string.Empty;
-
-
- }
-}
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.Designer.cs b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.Designer.cs
index 10d1a41d..2e52c784 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.Designer.cs
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.Designer.cs
@@ -1293,6 +1293,15 @@ internal static string CommandType_SleepCommand {
}
}
+ ///
+ /// Looks up a localized string similar to SwitchDesktop.
+ ///
+ internal static string CommandType_SwitchDesktopCommand {
+ get {
+ return ResourceManager.GetString("CommandType_SwitchDesktopCommand", resourceCulture);
+ }
+ }
+
///
/// Looks up a localized string similar to WebView.
///
@@ -6429,6 +6438,15 @@ internal static string SensorsMod_WmiTestFailed {
}
}
+ ///
+ /// Looks up a localized string similar to ActiveDesktop.
+ ///
+ internal static string SensorType_ActiveDesktopSensor {
+ get {
+ return ResourceManager.GetString("SensorType_ActiveDesktopSensor", resourceCulture);
+ }
+ }
+
///
/// Looks up a localized string similar to ActiveWindow.
///
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.resx b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.resx
index e4ae07d5..1c93c1af 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.resx
@@ -1,385 +1,404 @@
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- text/microsoft-resx
-
-
- 1.3
-
-
- System.Resources.ResXResourceReader, System.Windows.Forms, Version=2.0.3500.0, Culture=neutral, PublicKeyToken=b77a5c561934e089
-
-
- System.Resources.ResXResourceWriter, System.Windows.Forms, Version=2.0.3500.0, Culture=neutral, PublicKeyToken=b77a5c561934e089
-
-
- This page allows you to configure bindings with external tools.
-
-
- Clear Image Cache
-
-
- Open Folder
-
-
- Image Cache Location
-
-
- days
-
-
- Port
-
-
- Show Test Notification
-
-
- Execute Port Reservation
-
-
- Note: 5115 is the default port, only change it if you changed it in Home Assistant.
-
-
- Yes, accept notifications on port
-
-
- HASS.Agent can receive notifications from Home Assistant, using text and/or images.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ text/microsoft-resx
+
+
+ 2.0
+
+
+ System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089
+
+
+ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089
+
+
+ This page allows you to configure bindings with external tools.
+
+
+ Clear Image Cache
+
+
+ Open Folder
+
+
+ Image Cache Location
+
+
+ days
+
+
+ Port
+
+
+ Show Test Notification
+
+
+ Execute Port Reservation
+
+
+ Note: 5115 is the default port, only change it if you changed it in Home Assistant.
+
+
+ Yes, accept notifications on port
+
+
+ HASS.Agent can receive notifications from Home Assistant, using text and/or images.
Do you want to enable this function?
-
-
- HASS.Agent-Notifier GitHub Page
-
-
- Make sure you follow these steps:
+
+
+ HASS.Agent-Notifier GitHub Page
+
+
+ Make sure you follow these steps:
- Install HASS.Agent-Notifier integration
- Restart Home Assistant
- Configure a notifier entity
- Restart Home Assistant
-
-
- To use notifications, you need to install and configure the HASS.Agent-notifier integration in
+
+
+ To use notifications, you need to install and configure the HASS.Agent-notifier integration in
Home Assistant.
This is very easy using HACS but may also be installed manually, visit the link below for more
information.
-
-
- Name
-
-
- Type
-
-
- Apply
-
-
- Stored!
-
-
- Name
-
-
- Type
-
-
- HASS.Agent Port Reservation
-
-
- HASS.Agent Post Update
-
-
- HASS.Agent Restarter
-
-
- Name
-
-
- Type
-
-
- Type
-
-
- Domain
-
-
- Entity
-
-
- Action
-
-
- Hotkey
-
-
- Description
-
-
- Domain
-
-
- enable hotkey
-
-
- Name
-
-
- Type
-
-
- Sensors Configuration
-
-
- setting 1
-
-
- Setting 2
-
-
- Setting 3
-
-
- Type
-
-
- General
-
-
- MQTT
-
-
- Commands
-
-
- Sensors
-
-
- General
-
-
- External Tools
-
-
- Home Assistant API
-
-
- Hotkey
-
-
- Local Storage
-
-
- Logging
-
-
- MQTT
-
-
- Notifications
-
-
- Satellite Service
-
-
- Startup
-
-
- Updates
-
-
- Browse HASS.Agent documentation and usage examples.
-
-
- Show HASS.Agent
-
-
- Show Quick Actions
-
-
- Configuration
-
-
- Manage Quick Actions
-
-
- Manage Local Sensors
-
-
- Manage Commands
-
-
- Check for Updates
-
-
- Donate
-
-
- Help && Contact
-
-
- About
-
-
- Exit HASS.Agent
-
-
- Loading..
-
-
- Loading..
-
-
- notification api:
-
-
- HASS.Agent Onboarding
-
-
- Fetching info, please wait..
-
-
- Execute a custom command.
+
+
+ Name
+
+
+ Type
+
+
+ Apply
+
+
+ Stored!
+
+
+ Name
+
+
+ Type
+
+
+ HASS.Agent Port Reservation
+
+
+ HASS.Agent Post Update
+
+
+ HASS.Agent Restarter
+
+
+ Name
+
+
+ Type
+
+
+ Type
+
+
+ Domain
+
+
+ Entity
+
+
+ Action
+
+
+ Hotkey
+
+
+ Description
+
+
+ Domain
+
+
+ enable hotkey
+
+
+ Name
+
+
+ Type
+
+
+ Sensors Configuration
+
+
+ setting 1
+
+
+ Setting 2
+
+
+ Setting 3
+
+
+ Type
+
+
+ General
+
+
+ MQTT
+
+
+ Commands
+
+
+ Sensors
+
+
+ General
+
+
+ External Tools
+
+
+ Home Assistant API
+
+
+ Hotkey
+
+
+ Local Storage
+
+
+ Logging
+
+
+ MQTT
+
+
+ Notifications
+
+
+ Satellite Service
+
+
+ Startup
+
+
+ Updates
+
+
+ Browse HASS.Agent documentation and usage examples.
+
+
+ Show HASS.Agent
+
+
+ Show Quick Actions
+
+
+ Configuration
+
+
+ Manage Quick Actions
+
+
+ Manage Local Sensors
+
+
+ Manage Commands
+
+
+ Check for Updates
+
+
+ Donate
+
+
+ Help && Contact
+
+
+ About
+
+
+ Exit HASS.Agent
+
+
+ Loading..
+
+
+ Loading..
+
+
+ notification api:
+
+
+ HASS.Agent Onboarding
+
+
+ Fetching info, please wait..
+
+
+ Execute a custom command.
These commands run without special elevation. To run elevated, create a Scheduled Task, and use 'schtasks /Run /TN "TaskName"' as the command to execute your task.
Or enable 'run as low integrity' for even stricter execution.
-
-
- Executes the command through the configured custom executor (in Configuration -> External Tools).
+
+
+ Executes the command through the configured custom executor (in Configuration -> External Tools).
Your command is provided as an argument 'as is', so you have to supply your own quotes etc. if necessary.
-
-
- Sets the machine in hibernation.
-
-
- Simulates a single keypress.
+
+
+ Sets the machine in hibernation.
+
+
+ Simulates a single keypress.
Click on the 'keycode' textbox and press the key you want simulated. The corresponding keycode will be entered for you.
If you need more keys and/or modifiers like CTRL, use the MultipleKeys command.
-
-
- Launches the provided URL, by default in your default browser.
+
+
+ Launches the provided URL, by default in your default browser.
To use 'incognito', provide a specific browser in Configuration -> External Tools.
If you just want a window with a specific URL (not an entire browser), use a 'WebView' command.
-
-
- Locks the current session.
-
-
- Logs off the current session.
-
-
- Simulates 'Mute' key.
-
-
- Simulates 'Media Next' key.
-
-
- Simulates 'Media Pause/Play' key.
-
-
- Simulates 'Media Previous' key.
-
-
- Simulates 'Volume Down' key.
-
-
- Simulates 'Volume Up' key.
-
-
- Simulates pressing mulitple keys.
+
+
+ Locks the current session.
+
+
+ Logs off the current session.
+
+
+ Simulates 'Mute' key.
+
+
+ Simulates 'Media Next' key.
+
+
+ Simulates 'Media Pause/Play' key.
+
+
+ Simulates 'Media Previous' key.
+
+
+ Simulates 'Volume Down' key.
+
+
+ Simulates 'Volume Up' key.
+
+
+ Simulates pressing mulitple keys.
You need to put [ ] between every key, otherwise HASS.Agent can't tell them apart. So say you want to press X TAB Y SHIFT-Z, it'd be [X] [{TAB}] [Y] [+Z].
@@ -394,803 +413,803 @@ There are a few tricks you can use:
- For multiple presses, use {z 15}, which means Z will get pressed 15 times.
More info: https://docs.microsoft.com/en-us/dotnet/api/system.windows.forms.sendkeys
-
-
- Execute a Powershell command or script.
+
+
+ Execute a Powershell command or script.
You can either provide the location of a script (*.ps1), or a single-line command.
This will run without special elevation.
-
-
- Resets all sensor checks, forcing all sensors to process and send their value.
+
+
+ Resets all sensor checks, forcing all sensors to process and send their value.
Useful for example if you want to force HASS.Agent to update all your sensors after a HA reboot.
-
-
- Restarts the machine after one minute.
+
+
+ Restarts the machine after one minute.
Tip: Accidentally triggered? Run 'shutdown /a' to abort shutdown.
-
-
- Shuts down the machine after one minute.
+
+
+ Shuts down the machine after one minute.
Tip: Accidentally triggered? Run 'shutdown /a' to abort shutdown.
-
-
- Puts the machine to sleep.
+
+
+ Puts the machine to sleep.
Note: due to a limitation in Windows, this only works if hibernation is disabled, otherwise it will just hibernate.
You can use something like NirCmd (http://www.nirsoft.net/utils/nircmd.html) to circumvent this.
-
-
- Please enter the location of your browser's binary! (.exe file)
-
-
- The browser binary provided could not be found, please ensure the path is correct and try again.
-
-
- No incognito arguments were provided so the browser will likely launch normally.
+
+
+ Please enter the location of your browser's binary! (.exe file)
+
+
+ The browser binary provided could not be found, please ensure the path is correct and try again.
+
+
+ No incognito arguments were provided so the browser will likely launch normally.
Do you want to continue?
-
-
- Something went wrong while launching your browser in incognito mode!
+
+
+ Something went wrong while launching your browser in incognito mode!
Please check the logs for more information.
-
-
- Please enter a valid API key!
-
-
- Please enter a value for your Home Assistant's URI.
-
-
- Unable to connect, the following error was returned:
+
+
+ Please enter a valid API key!
+
+
+ Please enter a value for your Home Assistant's URI.
+
+
+ Unable to connect, the following error was returned:
{0}
-
-
- Connection OK!
+
+
+ Connection OK!
Home Assistant version: {0}
-
-
- Image cache has been cleared!
-
-
- Cleaning..
-
-
- Notifications are currently disabled, please enable them and restart the HASS.Agent, then try again.
-
-
- The test notification should have appeared, if you did not receive it please check the logs or consult the documentation for troubleshooting tips.
+
+
+ Image cache has been cleared!
+
+
+ Cleaning..
+
+
+ Notifications are currently disabled, please enable them and restart the HASS.Agent, then try again.
+
+
+ The test notification should have appeared, if you did not receive it please check the logs or consult the documentation for troubleshooting tips.
Note: This only tests locally whether notifications can be shown!
-
-
- This is a test notification!
-
-
- Executing, please wait..
-
-
- Something went wrong whilst reserving the port!
+
+
+ This is a test notification!
+
+
+ Executing, please wait..
+
+
+ Something went wrong whilst reserving the port!
Manual execution is required and a command has been copied to your clipboard, please open an elevated terminal and paste the command.
Additionally, remember to change your Firewall Rules port!
-
-
- Not Installed
-
-
- Disabled
-
-
- Running
-
-
- Stopped
-
-
- Failed
-
-
- Something went wrong whilst stopping the service, did you allow the UAC prompt?
+
+
+ Not Installed
+
+
+ Disabled
+
+
+ Running
+
+
+ Stopped
+
+
+ Failed
+
+
+ Something went wrong whilst stopping the service, did you allow the UAC prompt?
Check the HASS.Agent (not the service) logs for more information.
-
-
- The service is set to 'disabled', so it cannot be started.
+
+
+ The service is set to 'disabled', so it cannot be started.
Please enable the service first and try again.
-
-
- Something went wrong whilst starting the service, did you allow the UAC prompt?
+
+
+ Something went wrong whilst starting the service, did you allow the UAC prompt?
Check the HASS.Agent (not the service) logs for more information.
-
-
- Something went wrong whilst disabling the service, did you allow the UAC prompt?
+
+
+ Something went wrong whilst disabling the service, did you allow the UAC prompt?
Check the HASS.Agent (not the service) logs for more information.
-
-
- Something went wrong whilst enabling the service, did you allow the UAC prompt?
+
+
+ Something went wrong whilst enabling the service, did you allow the UAC prompt?
Check the HASS.Agent (not the service) logs for more information.
-
-
- Something went wrong whilst reinstalling the service, did you allow the UAC prompt?
+
+
+ Something went wrong whilst reinstalling the service, did you allow the UAC prompt?
Check the HASS.Agent (not the service) logs for more information.
-
-
- Something went wrong whilst disabling Start-on-Login, please check the logs for more information.
-
-
- Something went wrong whilst disabling Start-on-Login, please check the logs for more information.
-
-
- Enabled
-
-
- Disable Start-on-Login
-
-
- Disabled
-
-
- Enable Start-on-Login
-
-
- Start-on-Login has been activated!
-
-
- Do you want to enable Start-on-Login now?
-
-
- Start-on-Login is already activated, all set!
-
-
- Activating Start-on-Login..
-
-
- Something went wrong. You can try again, or skip to the next page and retry after HASS.Agent's restart.
-
-
- Enable Start-on-Login
-
-
- Please provide a valid API key.
-
-
- Please enter your Home Assistant's URI.
-
-
- Unable to connect, the following error was returned:
+
+
+ Something went wrong whilst disabling Start-on-Login, please check the logs for more information.
+
+
+ Something went wrong whilst disabling Start-on-Login, please check the logs for more information.
+
+
+ Enabled
+
+
+ Disable Start-on-Login
+
+
+ Disabled
+
+
+ Enable Start-on-Login
+
+
+ Start-on-Login has been activated!
+
+
+ Do you want to enable Start-on-Login now?
+
+
+ Start-on-Login is already activated, all set!
+
+
+ Activating Start-on-Login..
+
+
+ Something went wrong. You can try again, or skip to the next page and retry after HASS.Agent's restart.
+
+
+ Enable Start-on-Login
+
+
+ Please provide a valid API key.
+
+
+ Please enter your Home Assistant's URI.
+
+
+ Unable to connect, the following error was returned:
{0}
-
-
- Connection OK!
+
+
+ Connection OK!
Home Assistant version: {0}
-
-
- Testing..
-
-
- An error occurred whilst saving your commands, please check the logs for more information.
-
-
- Storing and registering, please wait..
-
-
- Connecting with satellite service, please wait..
-
-
- Connecting to the service has failed!
-
-
- The service hasn't been found! You can install and manage it from the configuration panel.
+
+
+ Testing..
+
+
+ An error occurred whilst saving your commands, please check the logs for more information.
+
+
+ Storing and registering, please wait..
+
+
+ Connecting with satellite service, please wait..
+
+
+ Connecting to the service has failed!
+
+
+ The service hasn't been found! You can install and manage it from the configuration panel.
When it's up and running, come back here to configure the commands and sensors.
-
-
- Communicating with the service has failed!
-
-
- Unable to communicate with the service. Check the logs for more info.
+
+
+ Communicating with the service has failed!
+
+
+ Unable to communicate with the service. Check the logs for more info.
You can open the logs and manage the service from the configuration panel.
-
-
- Unauthorized
-
-
- You are not authorized to contact the service.
+
+
+ Unauthorized
+
+
+ You are not authorized to contact the service.
If you have the correct auth ID, you can set it now and try again.
-
-
- Fetching settings failed!
-
-
- The service returned an error while requesting its settings. Check the logs for more info.
+
+
+ Fetching settings failed!
+
+
+ The service returned an error while requesting its settings. Check the logs for more info.
You can open the logs and manage the service from the configuration panel.
-
-
- Fetching MQTT settings failed!
-
-
- The service returned an error while requesting its MQTT settings. Check the logs for more info.
+
+
+ Fetching MQTT settings failed!
+
+
+ The service returned an error while requesting its MQTT settings. Check the logs for more info.
You can open the logs and manage the service from the configuration panel.
-
-
- Fetching configured commands failed!
-
-
- The service returned an error while requesting its configured commands. Check the logs for more info.
+
+
+ Fetching configured commands failed!
+
+
+ The service returned an error while requesting its configured commands. Check the logs for more info.
You can open the logs and manage the service from the configuration panel.
-
-
- Fetching configured sensors failed!
-
-
- The service returned an error while requesting its configured sensors. Check the logs for more info.
+
+
+ Fetching configured sensors failed!
+
+
+ The service returned an error while requesting its configured sensors. Check the logs for more info.
You can open the logs and manage the service from the configuration panel.
-
-
- Storing an empty auth ID will allow all HASS.Agent to access the service.
+
+
+ Storing an empty auth ID will allow all HASS.Agent to access the service.
Are you sure you want this?
-
-
- An error occurred whilst saving, check the logs for more information.
-
-
- Please provide a device name!
-
-
- Please select an executor first. (Tip: Double click to Browse)
-
-
- The selected executor could not be found, please ensure the path provided is correct and try again.
-
-
- Set an auth ID if you don't want every instance of HASS.Agent on this PC to connect with the satellite service.
+
+
+ An error occurred whilst saving, check the logs for more information.
+
+
+ Please provide a device name!
+
+
+ Please select an executor first. (Tip: Double click to Browse)
+
+
+ The selected executor could not be found, please ensure the path provided is correct and try again.
+
+
+ Set an auth ID if you don't want every instance of HASS.Agent on this PC to connect with the satellite service.
Only the instances that have the correct ID, can connect.
Leave empty to allow all to connect.
-
-
- This is the name with which the satellite service registers itself on Home Assistant.
+
+
+ This is the name with which the satellite service registers itself on Home Assistant.
By default, it's your PC's name plus '-satellite'.
-
-
- The amount of time the satellite service will wait before reporting a lost connection to the MQTT broker.
-
-
- Error fetching status, please check logs for information.
-
-
- An error occurred whilst saving the configuration, please check the logs for more information.
-
-
- Storing and registering, please wait..
-
-
- An error occurred whilst saving the sensors, please check the logs for more information.
-
-
- Storing and registering, please wait..
-
-
- Not all steps completed succesfully. Please consult the logs for more information.
-
-
- Not all steps completed succesfully. Please consult the logs for more information.
-
-
- HASS.Agent is still active after {0} seconds. Please close all instances and restart manually.
+
+
+ The amount of time the satellite service will wait before reporting a lost connection to the MQTT broker.
+
+
+ Error fetching status, please check logs for information.
+
+
+ An error occurred whilst saving the configuration, please check the logs for more information.
+
+
+ Storing and registering, please wait..
+
+
+ An error occurred whilst saving the sensors, please check the logs for more information.
+
+
+ Storing and registering, please wait..
+
+
+ Not all steps completed succesfully. Please consult the logs for more information.
+
+
+ Not all steps completed succesfully. Please consult the logs for more information.
+
+
+ HASS.Agent is still active after {0} seconds. Please close all instances and restart manually.
Check the logs for more info, and optionally inform the developers.
-
-
- Not all steps completed successfully, please check the logs for more information.
-
-
- Enable Satellite Service
-
-
- Disable Satellite Service
-
-
- Start Satellite Service
-
-
- Stop Satellite Service
-
-
- Something went wrong while processing the desired service state.
+
+
+ Not all steps completed successfully, please check the logs for more information.
+
+
+ Enable Satellite Service
+
+
+ Disable Satellite Service
+
+
+ Start Satellite Service
+
+
+ Stop Satellite Service
+
+
+ Something went wrong while processing the desired service state.
Please consult the logs for more information.
-
-
- Topic copied to clipboard!
-
-
- Storing and registering, please wait..
-
-
- An error occurred whilst saving commands, please check the logs for more information.
-
-
- New Command
-
-
- Mod Command
-
-
- Please select a command type!
-
-
- Please select a valid command type!
-
-
- Select a valid entity type first.
-
-
- Please provide a name!
-
-
- A command with that name already exists, are you sure you want to continue?
-
-
- If a command is not provided, you may only use this entity with an 'action' value via Home Assistant, running it as-is will have no action.
+
+
+ Topic copied to clipboard!
+
+
+ Storing and registering, please wait..
+
+
+ An error occurred whilst saving commands, please check the logs for more information.
+
+
+ New Command
+
+
+ Mod Command
+
+
+ Please select a command type!
+
+
+ Please select a valid command type!
+
+
+ Select a valid entity type first.
+
+
+ Please provide a name!
+
+
+ A command with that name already exists, are you sure you want to continue?
+
+
+ If a command is not provided, you may only use this entity with an 'action' value via Home Assistant, running it as-is will have no action.
Are you sure you want to proceed?
-
-
- If you don't enter a command or script, you can only use this entity with an 'action' value through Home Assistant. Running it as-is won't do anything.
+
+
+ If you don't enter a command or script, you can only use this entity with an 'action' value through Home Assistant. Running it as-is won't do anything.
Are you sure you want this?
-
-
- Please enter a key code!
-
-
- Checking keys failed: {0}
-
-
- If a URL is not provided, you may only use this entity with an 'action' value via Home Assistant, running it as-is will have no action.
+
+
+ Please enter a key code!
+
+
+ Checking keys failed: {0}
+
+
+ If a URL is not provided, you may only use this entity with an 'action' value via Home Assistant, running it as-is will have no action.
Are you sure you want to proceed?
-
-
- Command
-
-
- Command or Script
-
-
- Keycode
-
-
- Keycodes
-
-
- Launch in Incognito Mode
-
-
- Browser: Default
+
+
+ Command
+
+
+ Command or Script
+
+
+ Keycode
+
+
+ Keycodes
+
+
+ Launch in Incognito Mode
+
+
+ Browser: Default
Please configure a custom browser to enable incognito mode.
-
-
- URL
-
-
- Browser: {0}
-
-
- Executor: None
+
+
+ URL
+
+
+ Browser: {0}
+
+
+ Executor: None
Please configure an executor or your command will not run.
-
-
- Executor: {0}
-
-
- Low integrity means your command will be executed with restricted privileges.
-
-
- This means it will only be able to save and modify files in certain locations,
-
-
- such as the '%USERPROFILE%\AppData\LocalLow' folder or
-
-
- the 'HKEY_CURRENT_USER\Software\AppDataLow' registry key.
-
-
- You should test your command to make sure it's not influenced by this!
-
-
- {0} only!
-
-
- The MQTT manager hasn't been configured properly, or hasn't yet completed its startup.
-
-
- Unable to fetch your entities because of missing config, please enter the required values in the config screen.
-
-
- There was an error trying to fetch your entities!
-
-
- New Quick Action
-
-
- Mod Quick Action
-
-
- Unable to fetch your entities because of missing config, please enter the required values in the config screen.
-
-
- There was an error trying to fetch your entities.
-
-
- Please select an entity!
-
-
- Unknown action, please select a valid one.
-
-
- Storing and registering, please wait..
-
-
- An error occurred whilst saving the sensors, please check the logs for more information.
-
-
- New Sensor
-
-
- Mod Sensor
-
-
- Window Name
-
-
- WMI Query
-
-
- WMI Scope (optional)
-
-
- Category
-
-
- Counter
-
-
- Instance (optional)
-
-
- Process
-
-
- Service
-
-
- Please select a sensor type!
-
-
- Please select a valid sensor type!
-
-
- Please provide a name!
-
-
- A single-value sensor already exists with that name, are you sure you want to proceed?
-
-
- A multi-value sensor already exists with that name, are you sure you want to proceed?
-
-
- Please provide an interval between 1 and 43200 (12 hours)!
-
-
- Please enter a window name!
-
-
- Please enter a query!
-
-
- Please enter a category and instance!
-
-
- Please enter the name of a process!
-
-
- Please enter the name of a service!
-
-
- {0} only!
-
-
- You've changed your device's name.
+
+
+ Executor: {0}
+
+
+ Low integrity means your command will be executed with restricted privileges.
+
+
+ This means it will only be able to save and modify files in certain locations,
+
+
+ such as the '%USERPROFILE%\AppData\LocalLow' folder or
+
+
+ the 'HKEY_CURRENT_USER\Software\AppDataLow' registry key.
+
+
+ You should test your command to make sure it's not influenced by this!
+
+
+ {0} only!
+
+
+ The MQTT manager hasn't been configured properly, or hasn't yet completed its startup.
+
+
+ Unable to fetch your entities because of missing config, please enter the required values in the config screen.
+
+
+ There was an error trying to fetch your entities!
+
+
+ New Quick Action
+
+
+ Mod Quick Action
+
+
+ Unable to fetch your entities because of missing config, please enter the required values in the config screen.
+
+
+ There was an error trying to fetch your entities.
+
+
+ Please select an entity!
+
+
+ Unknown action, please select a valid one.
+
+
+ Storing and registering, please wait..
+
+
+ An error occurred whilst saving the sensors, please check the logs for more information.
+
+
+ New Sensor
+
+
+ Mod Sensor
+
+
+ Window Name
+
+
+ WMI Query
+
+
+ WMI Scope (optional)
+
+
+ Category
+
+
+ Counter
+
+
+ Instance (optional)
+
+
+ Process
+
+
+ Service
+
+
+ Please select a sensor type!
+
+
+ Please select a valid sensor type!
+
+
+ Please provide a name!
+
+
+ A single-value sensor already exists with that name, are you sure you want to proceed?
+
+
+ A multi-value sensor already exists with that name, are you sure you want to proceed?
+
+
+ Please provide an interval between 1 and 43200 (12 hours)!
+
+
+ Please enter a window name!
+
+
+ Please enter a query!
+
+
+ Please enter a category and instance!
+
+
+ Please enter the name of a process!
+
+
+ Please enter the name of a service!
+
+
+ {0} only!
+
+
+ You've changed your device's name.
All your sensors and commands will now be unpublished, and HASS.Agent will restart afterwards to republish them.
Don't worry, they'll keep their current names, so your automations or scripts will keep working.
Note: the name will get 'sanitized', which means everything except letters, digits and whitespace get replaced by an underscore. This is required by HA.
-
-
- You've changed the local API's port. This new port needs to be reserved.
+
+
+ You've changed the local API's port. This new port needs to be reserved.
You'll get an UAC request to do so, please approve.
-
-
- Something went wrong!
+
+
+ Something went wrong!
Please manually execute the required command. It has been copied onto your clipboard, you just need to paste it into an elevated command prompt.
Remember to change your firewall rule's port as well.
-
-
- The port has succesfully been reserved!
+
+
+ The port has succesfully been reserved!
HASS.Agent will now restart to activate the new configuration.
-
-
- Something went wrong while preparing to restart.
+
+
+ Something went wrong while preparing to restart.
Please restart manually.
-
-
- Your configuration has been saved. Most changes require HASS.Agent to restart before they take effect.
+
+
+ Your configuration has been saved. Most changes require HASS.Agent to restart before they take effect.
Do you want to restart now?
-
-
- Something went wrong while loading your settings.
+
+
+ Something went wrong while loading your settings.
Check appsettings.json in the 'config' subfolder, or just delete it to start fresh.
-
-
- There was an error launching HASS.Agent.
+
+
+ There was an error launching HASS.Agent.
Please check the logs and make a bug report on GitHub.
-
-
- &Sensors
-
-
- &Commands
-
-
- Checking..
-
-
- You're running the latest version: {0}{1}
-
-
- There's a new BETA release available:
-
-
- HASS.Agent BETA Update
-
-
- Do you want to &download and launch the installer?
-
-
- Do you want to &navigate to the release page?
-
-
- Install Update
-
-
- Install Beta Release
-
-
- Open Release Page
-
-
- Open Beta Release Page
-
-
- Processing request, please wait..
-
-
- Processing..
-
-
- HASS.Agent Onboarding: Start [{0}/{1}]
-
-
- HASS.Agent Onboarding: Startup [{0}/{1}]
-
-
- HASS.Agent Onboarding: Notifications [{0}/{1}]
-
-
- HASS.Agent Onboarding: Integration [{0}/{1}]
-
-
- HASS.Agent Onboarding: API [{0}/{1}]
-
-
- HASS.Agent Onboarding: MQTT [{0}/{1}]
-
-
- HASS.Agent Onboarding: HotKey [{0}/{1}]
-
-
- HASS.Agent Onboarding: Updates [{0}/{1}]
-
-
- HASS.Agent Onboarding: Completed [{0}/{1}]
-
-
- Are you sure you want to abort the onboarding process?
+
+
+ &Sensors
+
+
+ &Commands
+
+
+ Checking..
+
+
+ You're running the latest version: {0}{1}
+
+
+ There's a new BETA release available:
+
+
+ HASS.Agent BETA Update
+
+
+ Do you want to &download and launch the installer?
+
+
+ Do you want to &navigate to the release page?
+
+
+ Install Update
+
+
+ Install Beta Release
+
+
+ Open Release Page
+
+
+ Open Beta Release Page
+
+
+ Processing request, please wait..
+
+
+ Processing..
+
+
+ HASS.Agent Onboarding: Start [{0}/{1}]
+
+
+ HASS.Agent Onboarding: Startup [{0}/{1}]
+
+
+ HASS.Agent Onboarding: Notifications [{0}/{1}]
+
+
+ HASS.Agent Onboarding: Integration [{0}/{1}]
+
+
+ HASS.Agent Onboarding: API [{0}/{1}]
+
+
+ HASS.Agent Onboarding: MQTT [{0}/{1}]
+
+
+ HASS.Agent Onboarding: HotKey [{0}/{1}]
+
+
+ HASS.Agent Onboarding: Updates [{0}/{1}]
+
+
+ HASS.Agent Onboarding: Completed [{0}/{1}]
+
+
+ Are you sure you want to abort the onboarding process?
Your progress will not be saved, and it will not be shown again on next launch.
-
-
- Error fetching info, please check logs for more information.
-
-
- Unable to prepare downloading the update, check the logs for more info.
+
+
+ Error fetching info, please check logs for more information.
+
+
+ Unable to prepare downloading the update, check the logs for more info.
The release page will now open instead.
-
-
- Unable to download the update, check the logs for more info.
+
+
+ Unable to download the update, check the logs for more info.
The release page will now open instead.
-
-
- The downloaded file FAILED the certificate check.
+
+
+ The downloaded file FAILED the certificate check.
This could be a technical error, but also a tampered file!
Please check the logs, and post a ticket with the findings.
-
-
- Unable to launch the installer (did you approve the UAC prompt?), check the logs for more info.
+
+
+ Unable to launch the installer (did you approve the UAC prompt?), check the logs for more info.
The release page will now open instead.
-
-
- HASS API: Connection setup failed.
-
-
- HASS API: Initial connection failed.
-
-
- HASS API: Connection failed.
-
-
- Client certificate file not found.
-
-
- Unable to connect, check URI.
-
-
- Unable to fetch configuration, please check API key.
-
-
- Unable to connect, please check URI and configuration.
-
-
- quick action: action failed, check the logs for info
-
-
- quick action: action failed, entity not found
-
-
- MQTT: Error while connecting
-
-
- MQTT: Failed to connect
-
-
- MQTT: Disconnected
-
-
- Error trying to bind the API to port {0}.
+
+
+ HASS API: Connection setup failed.
+
+
+ HASS API: Initial connection failed.
+
+
+ HASS API: Connection failed.
+
+
+ Client certificate file not found.
+
+
+ Unable to connect, check URI.
+
+
+ Unable to fetch configuration, please check API key.
+
+
+ Unable to connect, please check URI and configuration.
+
+
+ quick action: action failed, check the logs for info
+
+
+ quick action: action failed, entity not found
+
+
+ MQTT: Error while connecting
+
+
+ MQTT: Failed to connect
+
+
+ MQTT: Disconnected
+
+
+ Error trying to bind the API to port {0}.
Make sure no other instance of HASS.Agent is running and the port is available and registered.
-
-
- Provides the title of the current active window.
-
-
- Provides information various aspects of your device's audio:
+
+
+ Provides the title of the current active window.
+
+
+ Provides information various aspects of your device's audio:
Current peak volume level (can be used as a simple 'is something playing' value).
Default audio device: name, state and volume.
Summary of your audio sessions: application name, muted state, volume and current peak volume.
-
-
- Provides a sensor with the current charging status, estimated amount of minutes on a full charge, remaining charge as a percentage, remaining charge in minutes and the powerline status.
-
-
- Provides the current load of the first CPU as a percentage.
-
-
- Provides the current clockspeed of the first CPU.
-
-
- Provides the current volume level as a percentage.
+
+
+ Provides a sensor with the current charging status, estimated amount of minutes on a full charge, remaining charge as a percentage, remaining charge in minutes and the powerline status.
+
+
+ Provides the current load of the first CPU as a percentage.
+
+
+ Provides the current clockspeed of the first CPU.
+
+
+ Provides the current volume level as a percentage.
Currently takes the volume of your default device.
-
-
- Provides a sensor with the amount of displays, name of the primary display, and per display its name, resolution and bits per pixel.
-
-
- Dummy sensor for testing purposes, sends a random integer value between 0 and 100.
-
-
- Provides the current load of the first GPU as a percentage.
-
-
- Provides the current temperature of the first GPU.
-
-
- Provides a datetime value containing the last moment the user provided any input.
-
-
- Provides a datetime value containing the last moment the system (re)booted.
+
+
+ Provides a sensor with the amount of displays, name of the primary display, and per display its name, resolution and bits per pixel.
+
+
+ Dummy sensor for testing purposes, sends a random integer value between 0 and 100.
+
+
+ Provides the current load of the first GPU as a percentage.
+
+
+ Provides the current temperature of the first GPU.
+
+
+ Provides a datetime value containing the last moment the user provided any input.
+
+
+ Provides a datetime value containing the last moment the system (re)booted.
Important: Windows' FastBoot option can throw this value off, because that's a form of hibernation. You can disable it through Power Options -> 'Choose what the power buttons do' -> uncheck 'Turn on fast start-up'. It doesn't make much difference for modern machines with SSDs, but disabling makes sure you get a clean state after rebooting.
-
-
- Provides the last system state change:
+
+
+ Provides the last system state change:
ApplicationStarted, Logoff, SystemShutdown, Resume, Suspend, ConsoleConnect, ConsoleDisconnect, RemoteConnect, RemoteDisconnect, SessionLock, SessionLogoff, SessionLogon, SessionRemoteControl and SessionUnlock.
-
-
- Returns the name of the currently logged user.
+
+
+ Returns the name of the currently logged user.
This will only show active users, and falls back to 'Empty' if there are none. If there are multiple, the first will be used.
-
-
- Returns a json-formatted list of currently logged users.
+
+
+ Returns a json-formatted list of currently logged users.
This will also contain users that aren't active. If you only want the current active user, use the LoggedUser sensor instead.
-
-
- Provides the amount of used memory as a percentage.
-
-
- Provides a bool value based on whether the microphone is currently being used.
+
+
+ Provides the amount of used memory as a percentage.
+
+
+ Provides a bool value based on whether the microphone is currently being used.
Note: if used in the satellite service, it won't detect userspace applications.
-
-
- Provides an ON/OFF value based on whether the window is currently open (doesn't have to be active).
-
-
- Provides card info, configuration, transfer- & package statistics and addresses (ip, mac, dhcp, dns) of the selected network card(s).
+
+
+ Provides an ON/OFF value based on whether the window is currently open (doesn't have to be active).
+
+
+ Provides card info, configuration, transfer- & package statistics and addresses (ip, mac, dhcp, dns) of the selected network card(s).
This is a multi-value sensor.
-
-
- Provides the values of a performance counter.
+
+
+ Provides the values of a performance counter.
For example, the built-in CPU load sensor uses these values:
@@ -1199,415 +1218,415 @@ Counter: % Processor Time
Instance: _Total
You can explore the counters through Windows' 'perfmon.exe' tool.
-
-
- Provides the number of active instances of the process.
+
+
+ Provides the number of active instances of the process.
Note: don't add the extension (eg. notepad.exe becomes notepad).
-
-
- Returns the state of the provided service: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending or Paused.
+
+
+ Returns the state of the provided service: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending or Paused.
Make sure to provide the 'Service name', not the 'Display name'.
-
-
- Provides the current session state:
+
+
+ Provides the current session state:
Locked, Unlocked or Unknown.
Use a LastSystemStateChangeSensor to monitor session state changes.
-
-
- Provides the labels, total size (MB), available space (MB), used space (MB) and file system of all present non-removable disks.
-
-
- Provides the current user state:
+
+
+ Provides the labels, total size (MB), available space (MB), used space (MB) and file system of all present non-removable disks.
+
+
+ Provides the current user state:
NotPresent, Busy, RunningDirect3dFullScreen, PresentationMode, AcceptsNotifications, QuietTime or RunningWindowsStoreApp.
Can for instance be used to determine whether to send notifications or TTS messages.
-
-
- Provides a bool value based on whether the webcam is currently being used.
+
+
+ Provides a bool value based on whether the webcam is currently being used.
Note: if used in the satellite service, it won't detect userspace applications.
-
-
- Provides a sensor with the amount of pending driver updates, a sensor with the amount of pending software updates, a sensor containing all pending driver updates information (title, kb article id's, hidden, type and categories) and a sensor containing the same for pending software updates.
+
+
+ Provides a sensor with the amount of pending driver updates, a sensor with the amount of pending software updates, a sensor containing all pending driver updates information (title, kb article id's, hidden, type and categories) and a sensor containing the same for pending software updates.
This is a costly request, so the recommended interval is 15 minutes (900 seconds). But it's capped at 10 minutes, if you provide a lower value, you'll get the last known list.
-
-
- Provides the result of the WMI query.
-
-
- Error loading settings:
+
+
+ Provides the result of the WMI query.
+
+
+ Error loading settings:
{0}
-
-
- Error storing initial settings:
+
+
+ Error storing initial settings:
{0}
-
-
- Error storing settings:
+
+
+ Error storing settings:
{0}
-
-
- Error loading commands:
+
+
+ Error loading commands:
{0}
-
-
- Error storing commands:
+
+
+ Error storing commands:
{0}
-
-
- Error loading quick actions:
+
+
+ Error loading quick actions:
{0}
-
-
- Error storing quick actions:
+
+
+ Error storing quick actions:
{0}
-
-
- Error loading sensors:
+
+
+ Error loading sensors:
{0}
-
-
- Error storing sensors:
+
+
+ Error storing sensors:
{0}
-
-
- Wiki
-
-
- Busy, please wait..
-
-
- Finish
-
-
- Connected
-
-
- Connecting..
-
-
- Configuration missing
-
-
- Disconnected
-
-
- Error
-
-
- Custom
-
-
- CustomExecutor
-
-
- Hibernate
-
-
- Key
-
-
- LaunchUrl
-
-
- Lock
-
-
- LogOff
-
-
- MediaMute
-
-
- MediaNext
-
-
- MediaPlayPause
-
-
- MediaPrevious
-
-
- MediaVolumeDown
-
-
- MediaVolumeUp
-
-
- MultipleKeys
-
-
- Powershell
-
-
- PublishAllSensors
-
-
- Restart
-
-
- Shutdown
-
-
- Sleep
-
-
- Button
-
-
- Light
-
-
- Lock
-
-
- Siren
-
-
- Switch
-
-
- Locked
-
-
- Unknown
-
-
- Unlocked
-
-
- ActiveWindow
-
-
- Audio
-
-
- Battery
-
-
- CpuLoad
-
-
- CurrentClockSpeed
-
-
- CurrentVolume
-
-
- Display
-
-
- Dummy
-
-
- GpuLoad
-
-
- GpuTemperature
-
-
- LastActive
-
-
- LastBoot
-
-
- LastSystemStateChange
-
-
- LoggedUser
-
-
- LoggedUsers
-
-
- MemoryUsage
-
-
- MicrophoneActive
-
-
- NamedWindow
-
-
- Network
-
-
- PerformanceCounter
-
-
- ProcessActive
-
-
- ServiceState
-
-
- SessionState
-
-
- Storage
-
-
- UserNotification
-
-
- WebcamActive
-
-
- WindowsUpdates
-
-
- WmiQuery
-
-
- ApplicationStarted
-
-
- Logoff
-
-
- SystemShutdown
-
-
- Resume
-
-
- Suspend
-
-
- ConsoleConnect
-
-
- ConsoleDisconnect
-
-
- RemoteConnect
-
-
- RemoteDisconnect
-
-
- SessionLock
-
-
- SessionLogoff
-
-
- SessionLogon
-
-
- SessionRemoteControl
-
-
- SessionUnlock
-
-
- NotPresent
-
-
- Busy
-
-
- RunningDirect3dFullScreen
-
-
- PresentationMode
-
-
- AcceptsNotifications
-
-
- QuietTime
-
-
- RunningWindowsStoreApp
-
-
- On
-
-
- Off
-
-
- Open
-
-
- Close
-
-
- Play
-
-
- Pause
-
-
- Stop
-
-
- Toggle
-
-
- Automation
-
-
- Climate
-
-
- Cover
-
-
- InputBoolean
-
-
- Light
-
-
- MediaPlayer
-
-
- Scene
-
-
- Script
-
-
- Switch
-
-
- Connecting..
-
-
- Failed
-
-
- Loading..
-
-
- Running
-
-
- Stopped
-
-
- Disabled
-
-
- It looks like your scope is malformed, it should probably start like this:
+
+
+ Wiki
+
+
+ Busy, please wait..
+
+
+ Finish
+
+
+ Connected
+
+
+ Connecting..
+
+
+ Configuration missing
+
+
+ Disconnected
+
+
+ Error
+
+
+ Custom
+
+
+ CustomExecutor
+
+
+ Hibernate
+
+
+ Key
+
+
+ LaunchUrl
+
+
+ Lock
+
+
+ LogOff
+
+
+ MediaMute
+
+
+ MediaNext
+
+
+ MediaPlayPause
+
+
+ MediaPrevious
+
+
+ MediaVolumeDown
+
+
+ MediaVolumeUp
+
+
+ MultipleKeys
+
+
+ Powershell
+
+
+ PublishAllSensors
+
+
+ Restart
+
+
+ Shutdown
+
+
+ Sleep
+
+
+ Button
+
+
+ Light
+
+
+ Lock
+
+
+ Siren
+
+
+ Switch
+
+
+ Locked
+
+
+ Unknown
+
+
+ Unlocked
+
+
+ ActiveWindow
+
+
+ Audio
+
+
+ Battery
+
+
+ CpuLoad
+
+
+ CurrentClockSpeed
+
+
+ CurrentVolume
+
+
+ Display
+
+
+ Dummy
+
+
+ GpuLoad
+
+
+ GpuTemperature
+
+
+ LastActive
+
+
+ LastBoot
+
+
+ LastSystemStateChange
+
+
+ LoggedUser
+
+
+ LoggedUsers
+
+
+ MemoryUsage
+
+
+ MicrophoneActive
+
+
+ NamedWindow
+
+
+ Network
+
+
+ PerformanceCounter
+
+
+ ProcessActive
+
+
+ ServiceState
+
+
+ SessionState
+
+
+ Storage
+
+
+ UserNotification
+
+
+ WebcamActive
+
+
+ WindowsUpdates
+
+
+ WmiQuery
+
+
+ ApplicationStarted
+
+
+ Logoff
+
+
+ SystemShutdown
+
+
+ Resume
+
+
+ Suspend
+
+
+ ConsoleConnect
+
+
+ ConsoleDisconnect
+
+
+ RemoteConnect
+
+
+ RemoteDisconnect
+
+
+ SessionLock
+
+
+ SessionLogoff
+
+
+ SessionLogon
+
+
+ SessionRemoteControl
+
+
+ SessionUnlock
+
+
+ NotPresent
+
+
+ Busy
+
+
+ RunningDirect3dFullScreen
+
+
+ PresentationMode
+
+
+ AcceptsNotifications
+
+
+ QuietTime
+
+
+ RunningWindowsStoreApp
+
+
+ On
+
+
+ Off
+
+
+ Open
+
+
+ Close
+
+
+ Play
+
+
+ Pause
+
+
+ Stop
+
+
+ Toggle
+
+
+ Automation
+
+
+ Climate
+
+
+ Cover
+
+
+ InputBoolean
+
+
+ Light
+
+
+ MediaPlayer
+
+
+ Scene
+
+
+ Script
+
+
+ Switch
+
+
+ Connecting..
+
+
+ Failed
+
+
+ Loading..
+
+
+ Running
+
+
+ Stopped
+
+
+ Disabled
+
+
+ It looks like your scope is malformed, it should probably start like this:
\\.\ROOT\
@@ -1618,1586 +1637,1592 @@ The scope you entered:
Tip: make sure you haven't switched the scope and query fields around.
Do you still want to use the current values?
-
-
- Enter a WMI query first.
-
-
- Query succesfully executed, result value:
+
+
+ Enter a WMI query first.
+
+
+ Query succesfully executed, result value:
{0}
-
-
- The query failed to execute:
+
+
+ The query failed to execute:
{0}
Do you want to open the logs folder?
-
-
- Enter a category and counter first.
-
-
- Test succesfully executed, result value:
+
+
+ Enter a category and counter first.
+
+
+ Test succesfully executed, result value:
{0}
-
-
- The test failed to execute:
+
+
+ The test failed to execute:
{0}
Do you want to open the logs folder?
-
-
- Test WMI Query
-
-
- Test Performance Counter
-
-
- GeoLocation
-
-
- All
-
-
- Network Card
-
-
- Last Known Value
-
-
- SendWindowToFront
-
-
- Cleaning..
-
-
- The audio cache has been cleared!
-
-
- Cleaning..
-
-
- The WebView cache has been cleared!
-
-
- WebView
-
-
- Looks for the specified process, and tries to send its main window to the front.
+
+
+ Test WMI Query
+
+
+ Test Performance Counter
+
+
+ GeoLocation
+
+
+ All
+
+
+ Network Card
+
+
+ Last Known Value
+
+
+ SendWindowToFront
+
+
+ Cleaning..
+
+
+ The audio cache has been cleared!
+
+
+ Cleaning..
+
+
+ The WebView cache has been cleared!
+
+
+ WebView
+
+
+ Looks for the specified process, and tries to send its main window to the front.
If the application is minimized, it'll get restored.
Example: if you want to send VLC to the foreground, use 'vlc'.
-
-
- Shows a window with the provided URL.
+
+
+ Shows a window with the provided URL.
This differs from the 'LaunchUrl' command in that it doesn't load a full-fledged browser, just the provided URL in its own window.
You can use this to for instance quickly show Home Assistant's dashboard.
By default, it stores cookies indefinitely so you only have to log in once.
-
-
- Unable to load the stored command settings, resetting to default.
-
-
- If you do not configure the command, you may only use this entity with an 'action' value via Home Assistant and it will appear using the default settings, running it as-is will have no action.
+
+
+ Unable to load the stored command settings, resetting to default.
+
+
+ If you do not configure the command, you may only use this entity with an 'action' value via Home Assistant and it will appear using the default settings, running it as-is will have no action.
Are you sure you want to do this?
-
-
- Please select an domain!
-
-
- HASS.Agent Commands
-
-
- It looks like you're using an alternative scaling. This may result in some parts of HASS.Agent not looking as intended.
+
+
+ Please select an domain!
+
+
+ HASS.Agent Commands
+
+
+ It looks like you're using an alternative scaling. This may result in some parts of HASS.Agent not looking as intended.
Please report any unusable aspects on GitHub. Thanks!
Note: this message only shows once.
-
-
- Your device name contained some characters that are not allowed by HA (only letters, digits and whitespace).
+
+
+ Your device name contained some characters that are not allowed by HA (only letters, digits and whitespace).
The final name is: {0}
Do you want to use that version?
-
-
- No keys found
-
-
- brackets missing, start and close all keys with [ ]
-
-
- Error while parsing keys, please check the logs for more information.
-
-
- Your input language '{0}' is known to collide with the default CTRL-ALT-Q hotkey. Please set your own.
-
-
- Your input language '{0}' is unknown, and might collide with the default CTRL-ALT-Q hotkey. Please check to be sure. If it does, consider opening a ticket on GitHub so it can be added to the list.
-
-
- The number of open brackets ('[') does not correspond to the number of closed brackets. (']')! ({0} to {1})
-
-
- &Hide
-
-
- Browser Name
-
-
- Browser Binary
-
-
- Additional Launch Arguments
-
-
- Custom Executor Binary
-
-
- Tip: Double-click to Browse
-
-
- &Test
-
-
- Seconds
-
-
- Disconnected Grace &Period
-
-
- This page contains general configuration settings, for more settings you can browse the tabs on the left.
-
-
- Device &Name
-
-
- Interface &Language
-
-
- Tip: Double-click this field to browse
-
-
- Client &Certificate
-
-
- Use &automatic client certificate selection
-
-
- &Test Connection
-
-
- &API Token
-
-
- Server &URI
-
-
- &Clear
-
-
- An easy way to pull up your quick actions is to use a global hotkey.
+
+
+ No keys found
+
+
+ brackets missing, start and close all keys with [ ]
+
+
+ Error while parsing keys, please check the logs for more information.
+
+
+ Your input language '{0}' is known to collide with the default CTRL-ALT-Q hotkey. Please set your own.
+
+
+ Your input language '{0}' is unknown, and might collide with the default CTRL-ALT-Q hotkey. Please check to be sure. If it does, consider opening a ticket on GitHub so it can be added to the list.
+
+
+ The number of open brackets ('[') does not correspond to the number of closed brackets. (']')! ({0} to {1})
+
+
+ &Hide
+
+
+ Browser Name
+
+
+ Browser Binary
+
+
+ Additional Launch Arguments
+
+
+ Custom Executor Binary
+
+
+ Tip: Double-click to Browse
+
+
+ &Test
+
+
+ Seconds
+
+
+ Disconnected Grace &Period
+
+
+ This page contains general configuration settings, for more settings you can browse the tabs on the left.
+
+
+ Device &Name
+
+
+ Interface &Language
+
+
+ Tip: Double-click this field to browse
+
+
+ Client &Certificate
+
+
+ Use &automatic client certificate selection
+
+
+ &Test Connection
+
+
+ &API Token
+
+
+ Server &URI
+
+
+ &Clear
+
+
+ An easy way to pull up your quick actions is to use a global hotkey.
This way, whatever you're doing on your machine, you can always interact with Home Assistant.
-
-
- &Enable Quick Actions Hotkey
-
-
- &Hotkey Combination
-
-
- &Port
-
-
- Execute Port &Reservation
-
-
- &Enable Local API
-
-
- To be able to listen to the requests, HASS.Agent needs to have its port reserved and opened in your firewall. You can use this button to have it done for you.
-
-
- Image Cache Location
-
-
- days
-
-
- Some items like images shown in notifications have to be temporarily stored locally. You can
+
+
+ &Enable Quick Actions Hotkey
+
+
+ &Hotkey Combination
+
+
+ &Port
+
+
+ Execute Port &Reservation
+
+
+ &Enable Local API
+
+
+ To be able to listen to the requests, HASS.Agent needs to have its port reserved and opened in your firewall. You can use this button to have it done for you.
+
+
+ Image Cache Location
+
+
+ days
+
+
+ Some items like images shown in notifications have to be temporarily stored locally. You can
configure the amount of days they should be kept before HASS.Agent deletes them.
Enter '0' to keep them permanently.
-
-
- Keep images for
-
-
- Keep audio for
-
-
- Clear Audio Cache
-
-
- Audio Cache Location
-
-
- Clear WebView Cache
-
-
- WebView Cache Location
-
-
- Clear cache every
-
-
- Extended logging provides more verbose and in-depth logging, in case the default logging isn't
+
+
+ Keep images for
+
+
+ Keep audio for
+
+
+ Clear Audio Cache
+
+
+ Audio Cache Location
+
+
+ Clear WebView Cache
+
+
+ WebView Cache Location
+
+
+ Clear cache every
+
+
+ Extended logging provides more verbose and in-depth logging, in case the default logging isn't
sufficient. Please note that enabling this can cause the logfiles to grow large, and should only be
used when you suspect something's wrong with HASS.Agent itself or when asked by the
developers.
-
-
- &Enable Extended Logging
-
-
- &Open Logs Folder
-
-
- Media Player &Documentation
-
-
- &Enable Media Player Functionality
-
-
- Tip: Double-click these fields to browse
-
-
- Client Certificate
-
-
- Root Certificate
-
-
- Use &Retain Flag
-
-
- &Allow Untrusted Certificates
-
-
- &Clear Configuration
-
-
- (leave default if unsure)
-
-
- Discovery Prefix
-
-
- &TLS
-
-
- Password
-
-
- Username
-
-
- Port
-
-
- Broker IP Address or Hostname
-
-
- (leave empty to auto generate)
-
-
- Client ID
-
-
- Notifications &Documentation
-
-
- &Accept Notifications
-
-
- &Ignore certificate errors for images
-
-
- The local API is disabled however the media player requires it in order to function.
-
-
- Service Status:
-
-
- S&tart Service
-
-
- &Disable Service
-
-
- &Stop Service
-
-
- &Enable Service
-
-
- &Reinstall Service
-
-
- If you do not configure the service, it won't do anything. However, you can still decide to disable it as well.
+
+
+ &Enable Extended Logging
+
+
+ &Open Logs Folder
+
+
+ Media Player &Documentation
+
+
+ &Enable Media Player Functionality
+
+
+ Tip: Double-click these fields to browse
+
+
+ Client Certificate
+
+
+ Root Certificate
+
+
+ Use &Retain Flag
+
+
+ &Allow Untrusted Certificates
+
+
+ &Clear Configuration
+
+
+ (leave default if unsure)
+
+
+ Discovery Prefix
+
+
+ &TLS
+
+
+ Password
+
+
+ Username
+
+
+ Port
+
+
+ Broker IP Address or Hostname
+
+
+ (leave empty to auto generate)
+
+
+ Client ID
+
+
+ Notifications &Documentation
+
+
+ &Accept Notifications
+
+
+ &Ignore certificate errors for images
+
+
+ The local API is disabled however the media player requires it in order to function.
+
+
+ Service Status:
+
+
+ S&tart Service
+
+
+ &Disable Service
+
+
+ &Stop Service
+
+
+ &Enable Service
+
+
+ &Reinstall Service
+
+
+ If you do not configure the service, it won't do anything. However, you can still decide to disable it as well.
The installer will leave the disabled service alone(if you remove the service, the installer will reinstall it).
-
-
- You can try reinstalling the service if it's not working correctly.
+
+
+ You can try reinstalling the service if it's not working correctly.
Your configuration and entities won't be removed.
-
-
- Open Service &Logs Folder
-
-
- If the service still fails after reinstalling, please open a ticket and send the content of the latest log.
-
-
- HASS.Agent can start when you login by creating an entry in your user profile's registry.
+
+
+ Open Service &Logs Folder
+
+
+ If the service still fails after reinstalling, please open a ticket and send the content of the latest log.
+
+
+ HASS.Agent can start when you login by creating an entry in your user profile's registry.
Since HASS.Agent is user based, if you want to launch for another user, just install and config
HASS.Agent there.
-
-
- &Enable Start-on-Login
-
-
- Start-on-Login Status:
-
-
- Control the behaviour of the tray icon when it is right-clicked.
-
-
- Show &Default Menu
-
-
- Show &WebView
-
-
- &WebView URL (For instance, your Home Assistant Dashboard URL)
-
-
- Size (px)
-
-
- Show &Preview
-
-
- &Keep page loaded in the background
-
-
- (This uses extra resources, but reduces loading time.)
-
-
- Notify me of &beta releases
-
-
- When a new update is available, HASS.Agent can download the installer and launch it for you.
+
+
+ &Enable Start-on-Login
+
+
+ Start-on-Login Status:
+
+
+ Control the behaviour of the tray icon when it is right-clicked.
+
+
+ Show &Default Menu
+
+
+ Show &WebView
+
+
+ &WebView URL (For instance, your Home Assistant Dashboard URL)
+
+
+ Size (px)
+
+
+ Show &Preview
+
+
+ &Keep page loaded in the background
+
+
+ (This uses extra resources, but reduces loading time.)
+
+
+ Notify me of &beta releases
+
+
+ When a new update is available, HASS.Agent can download the installer and launch it for you.
The certificate of the downloaded file will get checked before running,you will still get to review the release notes and manually approve the update.
-
-
- Automatically &download future updates
-
-
- HASS.Agent checks for updates in the background if enabled.
+
+
+ Automatically &download future updates
+
+
+ HASS.Agent checks for updates in the background if enabled.
You will be sent a push notification if a new update is discovered, letting you know a
new version is ready to be installed.
-
-
- Notify me when a new &release is available
-
-
- Welcome to the HASS.Agent! It looks like this is the first time you are launching the agent.
+
+
+ Notify me when a new &release is available
+
+
+ Welcome to the HASS.Agent! It looks like this is the first time you are launching the agent.
To assist you with a first time setup, proceed with the configuration steps below
or alternatively, click 'Close'.
-
-
- The device name is used to identify your machine on Home Assistant, it is also used as a suggested prefix for your commands and sensors.
-
-
- Device &Name
-
-
- Interface &Language
-
-
- Yes, &start HASS.Agent on System Login
-
-
- HASS.Agent can start with your system, this allows for any sensors and data transmission between your device and Home Assistant to begin as soon as you login.
+
+
+ The device name is used to identify your machine on Home Assistant, it is also used as a suggested prefix for your commands and sensors.
+
+
+ Device &Name
+
+
+ Interface &Language
+
+
+ Yes, &start HASS.Agent on System Login
+
+
+ HASS.Agent can start with your system, this allows for any sensors and data transmission between your device and Home Assistant to begin as soon as you login.
This setting can be changed any time later in the HASS.Agent configuration window.
-
-
- Fetching current state, please wait..
-
-
- Note: 5115 is the default port, only change it if you changed it in Home Assistant.
-
-
- Yes, &enable the local API on port
-
-
- HASS.Agent has its own internal API, so Home Assistant can send requests (like notifications or text-to-speech).
+
+
+ Fetching current state, please wait..
+
+
+ Note: 5115 is the default port, only change it if you changed it in Home Assistant.
+
+
+ Yes, &enable the local API on port
+
+
+ HASS.Agent has its own internal API, so Home Assistant can send requests (like notifications or text-to-speech).
Do you want to enable it?
-
-
- Enable &Notifications
-
-
- Enable &Media Player and text-to-speech (TTS)
-
-
- You can choose what modules you want to enable. They require HA integrations, but don't worry, the next page will give you more info on how to set them up.
-
-
- To use notifications, you need to install and configure the HASS.Agent-notifier integration in
+
+
+ Enable &Notifications
+
+
+ Enable &Media Player and text-to-speech (TTS)
+
+
+ You can choose what modules you want to enable. They require HA integrations, but don't worry, the next page will give you more info on how to set them up.
+
+
+ To use notifications, you need to install and configure the HASS.Agent-notifier integration in
Home Assistant.
This is very easy using HACS, but you can also install manually. Visit the link below for more
information.
-
-
- HASS.Agent-MediaPlayer GitHub Page
-
-
- The same goes for the media player, this integration allows you to control your device as a media_player entity, see what's playing and send text-to-speech.
-
-
- API &Token
-
-
- Server &URI (should be ok like this)
-
-
- Test &Connection
-
-
- Tip: Specialized settings can be found in the Configuration Window.
-
-
- &TLS
-
-
- Discovery Prefix
-
-
- (leave default if not sure)
-
-
- Tip: Specialized settings can be found in the Configuration Window.
-
-
- &Hotkey Combination
-
-
- An easy way to pull up your quick actions is to use a global hotkey.
+
+
+ HASS.Agent-MediaPlayer GitHub Page
+
+
+ The same goes for the media player, this integration allows you to control your device as a media_player entity, see what's playing and send text-to-speech.
+
+
+ API &Token
+
+
+ Server &URI (should be ok like this)
+
+
+ Test &Connection
+
+
+ Tip: Specialized settings can be found in the Configuration Window.
+
+
+ &TLS
+
+
+ Discovery Prefix
+
+
+ (leave default if not sure)
+
+
+ Tip: Specialized settings can be found in the Configuration Window.
+
+
+ &Hotkey Combination
+
+
+ An easy way to pull up your quick actions is to use a global hotkey.
This way, whatever you're doing on your machine, you can always interact with Home Assistant.
-
-
- &Clear
-
-
- Yes, notify me on new &updates
-
-
- Yes, &download and launch the installer for me
-
-
- HASS.Agent GitHub page
-
-
- Low Integrity
-
-
- &Remove
-
-
- &Modify
-
-
- &Add New
-
-
- &Send && Activate Commands
-
-
- commands stored!
-
-
- &Apply
-
-
- Auth &ID
-
-
- Authenticate
-
-
- Connect with service
-
-
- Connecting satellite service, please wait..
-
-
- Fetch Configuration
-
-
- (leave empty to auto generate)
-
-
- Client ID
-
-
- Tip: Double-click these fields to browse
-
-
- Client Certificate
-
-
- Root Certificate
-
-
- Use &Retain Flag
-
-
- &Allow Untrusted Certificates
-
-
- &Clear Configuration
-
-
- (leave default if not sure)
-
-
- Commands and sensors are sent through MQTT. Please provide credentials for your server. If you're using the HA addon,
+
+
+ &Clear
+
+
+ Yes, notify me on new &updates
+
+
+ Yes, &download and launch the installer for me
+
+
+ HASS.Agent GitHub page
+
+
+ Low Integrity
+
+
+ &Remove
+
+
+ &Modify
+
+
+ &Add New
+
+
+ &Send && Activate Commands
+
+
+ commands stored!
+
+
+ &Apply
+
+
+ Auth &ID
+
+
+ Authenticate
+
+
+ Connect with service
+
+
+ Connecting satellite service, please wait..
+
+
+ Fetch Configuration
+
+
+ (leave empty to auto generate)
+
+
+ Client ID
+
+
+ Tip: Double-click these fields to browse
+
+
+ Client Certificate
+
+
+ Root Certificate
+
+
+ Use &Retain Flag
+
+
+ &Allow Untrusted Certificates
+
+
+ &Clear Configuration
+
+
+ (leave default if not sure)
+
+
+ Commands and sensors are sent through MQTT. Please provide credentials for your server. If you're using the HA addon,
you can probably use the preset address.
-
-
- Discovery Prefix
-
-
- &TLS
-
-
- Password
-
-
- Username
-
-
- Port
-
-
- Broker IP Address or Hostname
-
-
- &Send && Activate Configuration
-
-
- Copy from &HASS.Agent
-
-
- Configuration stored!
-
-
- Status
-
-
- Querying..
-
-
- Refresh
-
-
- &Remove
-
-
- &Add New
-
-
- &Modify
-
-
- &Send && Activate Sensors
-
-
- Sensors stored!
-
-
- Please wait a bit while the task is performed ..
-
-
- Create API Port Binding
-
-
- Set Firewall Rule
-
-
- Please wait a bit while some post-update tasks are performed ..
-
-
- Configuring Satellite Service
-
-
- Create API Port Binding
-
-
- Please wait while HASS.Agent restarts..
-
-
- Waiting for previous instance to close..
-
-
- Relaunch HASS.Agent
-
-
- Please wait while the satellite service is re-installed..
-
-
- Remove Satellite Service
-
-
- Install Satellite Service
-
-
- HASS.Agent Reinstall Satellite Service
-
-
- Please wait while the satellite service is configured..
-
-
- Enable Satellite Service
-
-
- HASS.Agent Configure Satellite Service
-
-
- &Close
-
-
- This is the MQTT topic on which you can publish action commands:
-
-
- Copy &to Clipboard
-
-
- help and examples
-
-
- MQTT Action Topic
-
-
- &Save
-
-
- Drag and resize this window to set the size and location of your webview command.
-
-
- &URL
-
-
- Size
-
-
- Location
-
-
- Show the window's &title bar
-
-
- &Always show centered in screen
-
-
- Set window as 'Always on &Top'
-
-
- Tip: Press ESCAPE to close a WebView.
-
-
- WebView Configuration
-
-
- &Remove
-
-
- &Modify
-
-
- &Add New
-
-
- &Store and Activate Commands
-
-
- Low Integrity
-
-
- Action
-
-
- Commands Config
-
-
- &Store Command
-
-
- &Configuration
-
-
- &Name
-
-
- Description
-
-
- &Run as 'Low Integrity'
-
-
- What's this?
-
-
- Service
-
-
- agent
-
-
- Configure Command &Parameters
-
-
- Command
-
-
- Retrieving entities, please wait..
-
-
- Quick Actions
-
-
- &Store Quick Actions
-
-
- &Add New
-
-
- &Modify
-
-
- &Remove
-
-
- &Preview
-
-
- Hotkey Enabled
-
-
- Quick Actions Configuration
-
-
- &Store Quick Action
-
-
- &Entity
-
-
- Desired &Action
-
-
- &Description
-
-
- Retrieving entities, please wait..
-
-
- &hotkey combination
-
-
- (optional, will be used instead of entity name)
-
-
- Quick Action
-
-
- &Remove
-
-
- &Modify
-
-
- &Add New
-
-
- &Store && Activate Sensors
-
-
- Refresh
-
-
- &Store Sensor
-
-
- Selected Type
-
-
- &Name
-
-
- &Update every
-
-
- seconds
-
-
- Description
-
-
- Agent
-
-
- Service
-
-
- HASS.Agent only!
-
-
- &Test
-
-
- Sensor
-
-
- Satellite Service Configuration
-
-
- &Close
-
-
- A Windows-based client for the Home Assistant platform.
-
-
- This application is open source and completely free, please check the project pages of
+
+
+ Discovery Prefix
+
+
+ &TLS
+
+
+ Password
+
+
+ Username
+
+
+ Port
+
+
+ Broker IP Address or Hostname
+
+
+ &Send && Activate Configuration
+
+
+ Copy from &HASS.Agent
+
+
+ Configuration stored!
+
+
+ Status
+
+
+ Querying..
+
+
+ Refresh
+
+
+ &Remove
+
+
+ &Add New
+
+
+ &Modify
+
+
+ &Send && Activate Sensors
+
+
+ Sensors stored!
+
+
+ Please wait a bit while the task is performed ..
+
+
+ Create API Port Binding
+
+
+ Set Firewall Rule
+
+
+ Please wait a bit while some post-update tasks are performed ..
+
+
+ Configuring Satellite Service
+
+
+ Create API Port Binding
+
+
+ Please wait while HASS.Agent restarts..
+
+
+ Waiting for previous instance to close..
+
+
+ Relaunch HASS.Agent
+
+
+ Please wait while the satellite service is re-installed..
+
+
+ Remove Satellite Service
+
+
+ Install Satellite Service
+
+
+ HASS.Agent Reinstall Satellite Service
+
+
+ Please wait while the satellite service is configured..
+
+
+ Enable Satellite Service
+
+
+ HASS.Agent Configure Satellite Service
+
+
+ &Close
+
+
+ This is the MQTT topic on which you can publish action commands:
+
+
+ Copy &to Clipboard
+
+
+ help and examples
+
+
+ MQTT Action Topic
+
+
+ &Save
+
+
+ Drag and resize this window to set the size and location of your webview command.
+
+
+ &URL
+
+
+ Size
+
+
+ Location
+
+
+ Show the window's &title bar
+
+
+ &Always show centered in screen
+
+
+ Set window as 'Always on &Top'
+
+
+ Tip: Press ESCAPE to close a WebView.
+
+
+ WebView Configuration
+
+
+ &Remove
+
+
+ &Modify
+
+
+ &Add New
+
+
+ &Store and Activate Commands
+
+
+ Low Integrity
+
+
+ Action
+
+
+ Commands Config
+
+
+ &Store Command
+
+
+ &Configuration
+
+
+ &Name
+
+
+ Description
+
+
+ &Run as 'Low Integrity'
+
+
+ What's this?
+
+
+ Service
+
+
+ agent
+
+
+ Configure Command &Parameters
+
+
+ Command
+
+
+ Retrieving entities, please wait..
+
+
+ Quick Actions
+
+
+ &Store Quick Actions
+
+
+ &Add New
+
+
+ &Modify
+
+
+ &Remove
+
+
+ &Preview
+
+
+ Hotkey Enabled
+
+
+ Quick Actions Configuration
+
+
+ &Store Quick Action
+
+
+ &Entity
+
+
+ Desired &Action
+
+
+ &Description
+
+
+ Retrieving entities, please wait..
+
+
+ &hotkey combination
+
+
+ (optional, will be used instead of entity name)
+
+
+ Quick Action
+
+
+ &Remove
+
+
+ &Modify
+
+
+ &Add New
+
+
+ &Store && Activate Sensors
+
+
+ Refresh
+
+
+ &Store Sensor
+
+
+ Selected Type
+
+
+ &Name
+
+
+ &Update every
+
+
+ seconds
+
+
+ Description
+
+
+ Agent
+
+
+ Service
+
+
+ HASS.Agent only!
+
+
+ &Test
+
+
+ Sensor
+
+
+ Satellite Service Configuration
+
+
+ &Close
+
+
+ A Windows-based client for the Home Assistant platform.
+
+
+ This application is open source and completely free, please check the project pages of
the used components for their individual licenses:
-
-
- A big 'thank you' to the developers of these projects, who were kind enough to share
+
+
+ A big 'thank you' to the developers of these projects, who were kind enough to share
their hard work with the rest of us mere mortals.
-
-
- And of course; thanks to Paulus Shoutsen and the entire team of developers that
+
+
+ And of course; thanks to Paulus Shoutsen and the entire team of developers that
created and maintain Home Assistant :-)
-
-
- Created with love by
-
-
- or
-
-
- About
-
-
- Local API
-
-
- Media Player
-
-
- Tray Icon
-
-
- &About
-
-
- &Help && Contact
-
-
- &Save Configuration
-
-
- Close &Without Saving
-
-
- Configuration
-
-
- What would you like to do?
-
-
- &Restart
-
-
- &Hide
-
-
- &Exit
-
-
- Exit Dialog
-
-
- &Close
-
-
- If you are having trouble with HASS.Agent and require support
+
+
+ Created with love by
+
+
+ or
+
+
+ About
+
+
+ Local API
+
+
+ Media Player
+
+
+ Tray Icon
+
+
+ &About
+
+
+ &Help && Contact
+
+
+ &Save Configuration
+
+
+ Close &Without Saving
+
+
+ Configuration
+
+
+ What would you like to do?
+
+
+ &Restart
+
+
+ &Hide
+
+
+ &Exit
+
+
+ Exit Dialog
+
+
+ &Close
+
+
+ If you are having trouble with HASS.Agent and require support
with any sensors, commands, or for general support and feedback,
there are few ways you can reach us:
-
-
- About
-
-
- Home Assistant Forum
-
-
- GitHub Issues
-
-
- Bit of everything, with the addition that other
+
+
+ About
+
+
+ Home Assistant Forum
+
+
+ GitHub Issues
+
+
+ Bit of everything, with the addition that other
HA users can help you out too!
-
-
- Report bugs, post feature requests, see latest changes, etc.
-
-
- Get help with setting up and using HASS.Agent,
+
+
+ Report bugs, post feature requests, see latest changes, etc.
+
+
+ Get help with setting up and using HASS.Agent,
report bugs or get involved in general chit-chat!
-
-
- Documentation and Usage Examples
-
-
- Documentation
-
-
- Help
-
-
- Manage Satellite Service
-
-
- Controls
-
-
- S&atellite Service
-
-
- C&onfiguration
-
-
- &Quick Actions
-
-
- System Status
-
-
- Satellite Service:
-
-
- MQTT:
-
-
- Commands:
-
-
- Sensors:
-
-
- Quick Actions:
-
-
- Home Assistant API:
-
-
- Local API:
-
-
- Check for &Updates
-
-
- &Next
-
-
- &Close
-
-
- &Previous
-
-
- HASS.Agent Onboarding
-
-
- There's a new release available:
-
-
- Release notes
-
-
- &Ignore Update
-
-
- Release Page
-
-
- HASS.Agent Update
-
-
- WebView
-
-
- By default HASS.Agent will launch URLs using your default browser. You can also configure
+
+
+ Documentation and Usage Examples
+
+
+ Documentation
+
+
+ Help
+
+
+ Manage Satellite Service
+
+
+ Controls
+
+
+ S&atellite Service
+
+
+ C&onfiguration
+
+
+ &Quick Actions
+
+
+ System Status
+
+
+ Satellite Service:
+
+
+ MQTT:
+
+
+ Commands:
+
+
+ Sensors:
+
+
+ Quick Actions:
+
+
+ Home Assistant API:
+
+
+ Local API:
+
+
+ Check for &Updates
+
+
+ &Next
+
+
+ &Close
+
+
+ &Previous
+
+
+ HASS.Agent Onboarding
+
+
+ There's a new release available:
+
+
+ Release notes
+
+
+ &Ignore Update
+
+
+ Release Page
+
+
+ HASS.Agent Update
+
+
+ WebView
+
+
+ By default HASS.Agent will launch URLs using your default browser. You can also configure
a specific browser to be used instead along with launch arguments to run in private mode.
-
-
- Make sure you follow these steps:
+
+
+ Make sure you follow these steps:
- Install the HASS.Agent-Notifier and / or HASS.Agent-MediaPlayer integration
- Restart Home Assistant
-Configure a notifier and / or media_player entity
-Restart Home Assistant
-
-
- To learn which entities you have configured and to send quick actions, HASS.Agent uses
+
+
+ To learn which entities you have configured and to send quick actions, HASS.Agent uses
Home Assistant's API.
Please provide a long-lived access token and the address of your Home Assistant instance.
You can get a token in Home Assistant by clicking your profile picture at the bottom-left
and navigating to the bottom of the page until you see the 'CREATE TOKEN' button.
-
-
- When a new update is available, HASS.Agent can download the installer and launch it for you.
+
+
+ When a new update is available, HASS.Agent can download the installer and launch it for you.
The certificate of the downloaded file will get checked before running,you will still get to review the release notes and manually approve the update.
-
-
- HASS.Agent checks for updates in the background if enabled.
+
+
+ HASS.Agent checks for updates in the background if enabled.
You will be sent a push notification if a new update is discovered, letting you know a
new version is ready to be installed.
Do you want to enable this automatic update checks?
-
-
- You can configure the HASS.Agent to use a specific interpreter such as Perl or Python.
+
+
+ You can configure the HASS.Agent to use a specific interpreter such as Perl or Python.
Use the 'custom executor' command to launch this executor.
-
-
- Custom Executor Name
-
-
- HASS.Agent will wait a grace period before notifying you of disconnects from MQTT or HA's API.
+
+
+ Custom Executor Name
+
+
+ HASS.Agent will wait a grace period before notifying you of disconnects from MQTT or HA's API.
You can set the amount of seconds to wait in this grace period below.
-
-
- IMPORTANT: if you change this value, HASS.Agent will unpublish all your sensors, commands and force a restart of itself so they can be republished under the new device name.
+
+
+ IMPORTANT: if you change this value, HASS.Agent will unpublish all your sensors, commands and force a restart of itself so they can be republished under the new device name.
Your automations and scripts will keep working.
-
-
- The device name is used to identify your machine on Home Assistant.
+
+
+ The device name is used to identify your machine on Home Assistant.
It is also used as a prefix for your command/sensor names (this can be changed per entity).
-
-
- The local API is disabled however the media player requires it in order to function.
-
-
- Password
-
-
- Username
-
-
- Port
-
-
- IP Address or Hostname
-
-
- This page contains general configuration settings, for MQTT settings, commands, and sensors, browse the different tabs above.
-
-
- Auth &ID
-
-
- Device &Name
-
-
- Tip: Double-click these fields to browse
-
-
- Custom Executor &Binary
-
-
- Custom &Executor Name
-
-
- seconds
-
-
- Disconnected Grace &Period
-
-
- Version
-
-
- Tip: Double-click to generate random
-
-
- stored!
-
-
- You can use the satellite service to run sensors and commands without having to be logged in. Not all types are available, for instance the 'LaunchUrl' command can only be added as a regular command.
-
-
- The keycode you have provided is not a valid number!
+
+
+ The local API is disabled however the media player requires it in order to function.
+
+
+ Password
+
+
+ Username
+
+
+ Port
+
+
+ IP Address or Hostname
+
+
+ This page contains general configuration settings, for MQTT settings, commands, and sensors, browse the different tabs above.
+
+
+ Auth &ID
+
+
+ Device &Name
+
+
+ Tip: Double-click these fields to browse
+
+
+ Custom Executor &Binary
+
+
+ Custom &Executor Name
+
+
+ seconds
+
+
+ Disconnected Grace &Period
+
+
+ Version
+
+
+ Tip: Double-click to generate random
+
+
+ stored!
+
+
+ You can use the satellite service to run sensors and commands without having to be logged in. Not all types are available, for instance the 'LaunchUrl' command can only be added as a regular command.
+
+
+ The keycode you have provided is not a valid number!
Please ensure the keycode field is in focus and press the key you want simulated, the keycode should then be generated for you.
-
-
- HASS.Agent will sanitize your device name to make sure HA will accept it, you can overrule this rule below if you're sure that your name will be accepted as-is.
-
-
- Enable Device Name &Sanitation
-
-
- You've changed your device's name.
+
+
+ HASS.Agent will sanitize your device name to make sure HA will accept it, you can overrule this rule below if you're sure that your name will be accepted as-is.
+
+
+ Enable Device Name &Sanitation
+
+
+ You've changed your device's name.
All your sensors and commands will now be unpublished and published again after the HASS.Agent restarts.
Don't worry! they'll keep their current names so your automations and scripts will continue to work.
Note: You disabled sanitation, so make sure your device name is accepted by Home Assistant.
-
-
- Enable State Notifications
-
-
- HASS.Agent sends notifications when the state of a module changes, you can adjust whether or not you want to receive these notifications below.
-
-
- Error trying to bind the API to port {0}.
+
+
+ Enable State Notifications
+
+
+ HASS.Agent sends notifications when the state of a module changes, you can adjust whether or not you want to receive these notifications below.
+
+
+ Error trying to bind the API to port {0}.
Make sure no other instance of HASS.Agent is running and the port is available and registered.
-
-
- Printers
-
-
- No URL has been set! Please configure the webview through Configuration -> Tray Icon.
-
-
- MonitorSleep
-
-
- MonitorWake
-
-
- PowerOn
-
-
- PowerOff
-
-
- Dimmed
-
-
- Unknown
-
-
- MonitorPowerState
-
-
- PowershellSensor
-
-
- powershell command or script
-
-
- Test Command/Script
-
-
- Test succesfully executed, result value:
+
+
+ Printers
+
+
+ No URL has been set! Please configure the webview through Configuration -> Tray Icon.
+
+
+ MonitorSleep
+
+
+ MonitorWake
+
+
+ PowerOn
+
+
+ PowerOff
+
+
+ Dimmed
+
+
+ Unknown
+
+
+ MonitorPowerState
+
+
+ PowershellSensor
+
+
+ powershell command or script
+
+
+ Test Command/Script
+
+
+ Test succesfully executed, result value:
{0}
-
-
- Please enter a command or script!
-
-
- The test failed to execute:
+
+
+ Please enter a command or script!
+
+
+ The test failed to execute:
{0}
Do you want to open the logs folder?
-
-
- SetVolume
-
-
- Please enter a value between 0-100 as the desired volume level!
-
-
- If you don't enter a volume value, you can only use this entity with an 'action' value through Home Assistant. Running it as-is won't do anything.
+
+
+ SetVolume
+
+
+ Please enter a value between 0-100 as the desired volume level!
+
+
+ If you don't enter a volume value, you can only use this entity with an 'action' value through Home Assistant. Running it as-is won't do anything.
Are you sure you want this?
-
-
- Maximized
-
-
- Minimized
-
-
- Normal
-
-
- Unknown
-
-
- Hidden
-
-
- WindowState
-
-
- Puts all monitors in sleep (low power) mode.
-
-
- Tries to wake up all monitors by simulating a 'arrow up' keypress.
-
-
- Sets the volume of the current default audiodevice to the specified level.
-
-
- Returns your current latitude, longitude and altitude as a comma-seperated value.
+
+
+ Maximized
+
+
+ Minimized
+
+
+ Normal
+
+
+ Unknown
+
+
+ Hidden
+
+
+ WindowState
+
+
+ Puts all monitors in sleep (low power) mode.
+
+
+ Tries to wake up all monitors by simulating a 'arrow up' keypress.
+
+
+ Sets the volume of the current default audiodevice to the specified level.
+
+
+ Returns your current latitude, longitude and altitude as a comma-seperated value.
Make sure Windows' location services are enabled!
Depending on your Windows version, this can be found in the new control panel -> 'privacy and security' -> 'location'.
-
-
- Provides the last monitor power state change:
+
+
+ Provides the last monitor power state change:
Dimmed, PowerOff, PowerOn and Unkown.
-
-
- Returns the result of the provided Powershell command or script.
+
+
+ Returns the result of the provided Powershell command or script.
Converts the outcome to text.
-
-
- Provides information about all installed printers and their queues.
-
-
- Provides the current state of the process' window:
+
+
+ Provides information about all installed printers and their queues.
+
+
+ Provides the current state of the process' window:
Hidden, Maximized, Minimized, Normal and Unknown.
-
-
- Testing..
-
-
- WebcamProcess
-
-
- MicrophoneProcess
-
-
- Provides the name of the process that's currently using the webcam.
+
+
+ Testing..
+
+
+ WebcamProcess
+
+
+ MicrophoneProcess
+
+
+ Provides the name of the process that's currently using the webcam.
Note: if used in the satellite service, it won't detect userspace applications.
-
-
- Provides the name of the process that's currently using the microphone.
+
+
+ Provides the name of the process that's currently using the microphone.
Note: if used in the satellite service, it won't detect userspace applications.
-
-
- BluetoothDevices
-
-
- BluetoothLeDevices
-
-
- Provides a sensor with the amount of bluetooth devices found.
+
+
+ BluetoothDevices
+
+
+ BluetoothLeDevices
+
+
+ Provides a sensor with the amount of bluetooth devices found.
The devices and their connected state are added as attributes.
-
-
- Provides a sensors with the amount of bluetooth LE devices found.
+
+
+ Provides a sensors with the amount of bluetooth LE devices found.
The devices and their connected state are added as attributes.
Only shows devices that were seen since the last report, ie. when the sensor publishes, the list clears.
-
-
- The service is currently stopped and cannot be configured.
+
+
+ The service is currently stopped and cannot be configured.
Please start the service first in order to configure it.
-
-
- The name you provided contains unsupported characters and won't work. The suggested version is:
+
+
+ The name you provided contains unsupported characters and won't work. The suggested version is:
{0}
Do you want to use this version?
-
-
- The name you provided contains unsupported characters and won't work. The suggested version is:
+
+
+ The name you provided contains unsupported characters and won't work. The suggested version is:
{0}
Do you want to use this version?
-
-
- To learn which entities you have configured and to send quick actions, HASS.Agent uses
+
+
+ To learn which entities you have configured and to send quick actions, HASS.Agent uses
Home Assistant's API.
Please provide a long-lived access token and the address of your Home Assistant instance.
You can get a token in Home Assistant by clicking your profile picture at the bottom-left
and navigating to the bottom of the page until you see the 'CREATE TOKEN' button.
-
-
- HASS.Agent has its own local API, so Home Assistant can send requests (for instance to send a notification). You can configure it globally here, and afterwards you can configure the dependent sections (currently notifications and mediaplayer).
+
+
+ HASS.Agent has its own local API, so Home Assistant can send requests (for instance to send a notification). You can configure it globally here, and afterwards you can configure the dependent sections (currently notifications and mediaplayer).
Note: this is not required for the new integration to function. Only enable and use it if you don't use MQTT.
-
-
- If something is not working, make sure you try the following steps:
+
+
+ If something is not working, make sure you try the following steps:
- Install the HASS.Agent integration
- Restart Home Assistant
- Make sure HASS.Agent is active with MQTT enabled!
- Your device should get detected and added as an entity automatically
- Optionally: manually add it using the local API
-
-
- HASS.Agent can act as a media player for Home Assistant, so you'll be able to see and control any media that's playing, and send text-to-speech. If you have MQTT enabled, your device will automatically get added. Otherwise, manually configure the integration to use the local API.
-
-
- both the local API and MQTT are disabled, but the integration needs at least one for it to work
-
-
- Commands and sensors use MQTT, as well as notifications and media player functions when using the new integration.
+
+
+ HASS.Agent can act as a media player for Home Assistant, so you'll be able to see and control any media that's playing, and send text-to-speech. If you have MQTT enabled, your device will automatically get added. Otherwise, manually configure the integration to use the local API.
+
+
+ both the local API and MQTT are disabled, but the integration needs at least one for it to work
+
+
+ Commands and sensors use MQTT, as well as notifications and media player functions when using the new integration.
Please provide credentials for your broker, if you're using the HA Mosquitto addon, you can probably use the preset address.
Note: these settings (excluding the Client ID) will also be applied to the satellite service.
-
-
- Enable MQTT
-
-
- If MQTT is not enabled, commands and sensors will not work!
-
-
- If something is not working, make sure you try the following steps:
+
+
+ Enable MQTT
+
+
+ If MQTT is not enabled, commands and sensors will not work!
+
+
+ If something is not working, make sure you try the following steps:
- Install the HASS.Agent integration
- Restart Home Assistant
- Make sure HASS.Agent is active with MQTT enabled!
- Your device should get detected and added as an entity automatically
- Optionally: manually add it using the local API
-
-
- HASS.Agent can receive notifications from Home Assistant, using text, images and actions. If you have MQTT enabled, your device will automatically get added. Otherwise, manually configure the integration to use the local API.
-
-
- both the local API and MQTT are disabled, but the integration needs at least one for it to work
-
-
- The satellite service allows you to run sensors and commands even when no user's logged in.
+
+
+ HASS.Agent can receive notifications from Home Assistant, using text, images and actions. If you have MQTT enabled, your device will automatically get added. Otherwise, manually configure the integration to use the local API.
+
+
+ both the local API and MQTT are disabled, but the integration needs at least one for it to work
+
+
+ The satellite service allows you to run sensors and commands even when no user's logged in.
Use the 'satellite service' button on the main window to manage it.
-
-
- If you want to manage the service (add commands and sensor, change settings) you can do so here, or by using the 'satellite service' button on the main window.
-
-
- &Manage Service
-
-
- Show default menu on mouse left-click
-
-
- Commands and sensors are sent through MQTT. The notifications- and media player integration also make use of them.
+
+
+ If you want to manage the service (add commands and sensor, change settings) you can do so here, or by using the 'satellite service' button on the main window.
+
+
+ &Manage Service
+
+
+ Show default menu on mouse left-click
+
+
+ Commands and sensors are sent through MQTT. The notifications- and media player integration also make use of them.
Tip: if you're using the HA addon, you can probably use the preset address - just provide credentials.
-
-
- Enable MQTT
-
-
- HASS.Agent-Integration GitHub Page
-
-
- Enable &Media Player (including text-to-speech)
-
-
- Enable &Notifications
-
-
- Developing and maintaining this tool (and everything that surrounds it) takes up a lot of time. Like most developers, I run on caffeïne - so if you can spare it, a cup of coffee is always very much appreciated!
-
-
- There's a lot more to tinker with, so make sure you take a look at the Configuration Wwindow!
+
+
+ Enable MQTT
+
+
+ HASS.Agent-Integration GitHub Page
+
+
+ Enable &Media Player (including text-to-speech)
+
+
+ Enable &Notifications
+
+
+ Developing and maintaining this tool (and everything that surrounds it) takes up a lot of time. Like most developers, I run on caffeïne - so if you can spare it, a cup of coffee is always very much appreciated!
+
+
+ There's a lot more to tinker with, so make sure you take a look at the Configuration Wwindow!
Thank you for using HASS.Agent, hopefully it'll be useful for you :-)
-
-
- HASS.Agent will now restart to apply your configuration changes.
-
-
- Yay, done!
-
-
- Tip: Other donation methods are available on the About Window.
-
-
- HASS.Agent Post Update
-
-
- Command
-
-
- Like this tool? Support us (read: keep us awake) by buying a cup of coffee:
-
-
- HASS.Agent is completely free, and will always stay that way without restrictions!
+
+
+ HASS.Agent will now restart to apply your configuration changes.
+
+
+ Yay, done!
+
+
+ Tip: Other donation methods are available on the About Window.
+
+
+ HASS.Agent Post Update
+
+
+ Command
+
+
+ Like this tool? Support us (read: keep us awake) by buying a cup of coffee:
+
+
+ HASS.Agent is completely free, and will always stay that way without restrictions!
However, developing and maintaining this tool (and everything that surrounds it, like support and the docs) takes up a lot of time.
Like most developers, I run on caffeïne - so if you can spare it, a cup of coffee is always very much appreciated!
-
-
- &Close
-
-
- I already donated, hide the button on the main window.
-
-
- Donate
-
-
- Check for Updates
-
-
- The API token you have provided doesn't appear to be valid, please ensure you selected the entire token (Don't use CTRL + A or double-click). A valid API key contains three sections, separated by two dots.
+
+
+ &Close
+
+
+ I already donated, hide the button on the main window.
+
+
+ Donate
+
+
+ Check for Updates
+
+
+ The API token you have provided doesn't appear to be valid, please ensure you selected the entire token (Don't use CTRL + A or double-click). A valid API key contains three sections, separated by two dots.
Are you sure you want to use this key anyway?
-
-
- The URI you have provided does not appear to be valid, a valid URI may look like either of the following:
+
+
+ The URI you have provided does not appear to be valid, a valid URI may look like either of the following:
- http://homeassistant.local:8123
- http://192.168.0.1:8123
Are you sure you want to use this URI anyway?
-
-
- The API token you have provided doesn't appear to be valid, please ensure you selected the entire token (Don't use CTRL + A or double-click). A valid API key contains three sections, separated by two dots.
+
+
+ The API token you have provided doesn't appear to be valid, please ensure you selected the entire token (Don't use CTRL + A or double-click). A valid API key contains three sections, separated by two dots.
Are you sure you want to use this key anyway?
-
-
- The URI you have provided does not appear to be valid, a valid URI may look like either of the following:
+
+
+ The URI you have provided does not appear to be valid, a valid URI may look like either of the following:
- http://homeassistant.local:8123
- http://192.168.0.1:8123
Are you sure you want to use this URI anyway?
-
-
- Your Home Assistant API token doesn't look right. Make sure you selected the entire token (don't use CTRL+A or doubleclick).
+
+
+ Your Home Assistant API token doesn't look right. Make sure you selected the entire token (don't use CTRL+A or doubleclick).
It should contain three sections (seperated by two dots).
Are you sure you want to use it like this?
-
-
- Your Home Assistant URI doesn't look right. It should look something like 'http://homeassistant.local:8123' or 'https://192.168.0.1:8123'.
+
+
+ Your Home Assistant URI doesn't look right. It should look something like 'http://homeassistant.local:8123' or 'https://192.168.0.1:8123'.
Are you sure you want to use it like this?
-
-
- Your MQTT broker URI doesn't look right. It should look something like 'homeassistant.local' or '192.168.0.1'.
+
+
+ Your MQTT broker URI doesn't look right. It should look something like 'homeassistant.local' or '192.168.0.1'.
Are you sure you want to use it like this?
-
-
- Microsoft's WebView2 runtime isn't found on your machine. Usually this is handled by the installer, but you can install it manually.
+
+
+ Microsoft's WebView2 runtime isn't found on your machine. Usually this is handled by the installer, but you can install it manually.
Do you want to download the runtime installer?
-
-
- Something went wrong while initializing the WebView! Please check your logs and open a GitHub issue for further assistance.
-
-
- unable to open Service Manager
-
-
- unable to open service
-
-
- Error configuring startup mode, please check the logs for more information.
-
-
- Error setting startup mode, please check the logs for more information.
-
-
- Timeout expired
-
-
- Fatal error, please check logs for information!
-
-
- unknown reason
-
-
- HassAgentSatelliteServiceStarted
-
-
- HassAgentStarted
-
-
- Selected Type
-
-
- HASS.Agent only!
-
-
- &Entity Type
-
-
- Show MQTT Action Topic
-
-
- Action
-
-
- Multivalue
-
-
- domain
-
+
+
+ Something went wrong while initializing the WebView! Please check your logs and open a GitHub issue for further assistance.
+
+
+ unable to open Service Manager
+
+
+ unable to open service
+
+
+ Error configuring startup mode, please check the logs for more information.
+
+
+ Error setting startup mode, please check the logs for more information.
+
+
+ Timeout expired
+
+
+ Fatal error, please check logs for information!
+
+
+ unknown reason
+
+
+ HassAgentSatelliteServiceStarted
+
+
+ HassAgentStarted
+
+
+ Selected Type
+
+
+ HASS.Agent only!
+
+
+ &Entity Type
+
+
+ Show MQTT Action Topic
+
+
+ Action
+
+
+ Multivalue
+
+
+ domain
+
+
+ ActiveDesktop
+
+
+ SwitchDesktop
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Commands/CommandsManager.cs b/src/HASS.Agent.Staging/HASS.Agent/Commands/CommandsManager.cs
index 87b408ea..1bafec4d 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Commands/CommandsManager.cs
+++ b/src/HASS.Agent.Staging/HASS.Agent/Commands/CommandsManager.cs
@@ -453,6 +453,14 @@ internal static void LoadCommandInfo()
// =================================
+ commandInfoCard = new CommandInfoCard(CommandType.SwitchDesktopCommand,
+ Languages.CommandsManager_SwitchDesktopCommandDescription,
+ true, false, true);
+
+ // =================================
+
+ CommandInfoCards.Add(commandInfoCard.CommandType, commandInfoCard);
+
commandInfoCard = new CommandInfoCard(CommandType.SetVolumeCommand,
Languages.CommandsManager_SetVolumeCommandDescription,
true, true, true);
@@ -482,6 +490,7 @@ internal static void LoadCommandInfo()
true, false, true);
CommandInfoCards.Add(commandInfoCard.CommandType, commandInfoCard);
+
}
}
}
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Forms/Main.cs b/src/HASS.Agent.Staging/HASS.Agent/Forms/Main.cs
index 26881537..e1962513 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Forms/Main.cs
+++ b/src/HASS.Agent.Staging/HASS.Agent/Forms/Main.cs
@@ -20,6 +20,7 @@
using HASS.Agent.Shared.Functions;
using Serilog;
using Syncfusion.Windows.Forms;
+using WindowsDesktop;
using WK.Libraries.HotkeyListenerNS;
using QuickActionsConfig = HASS.Agent.Forms.QuickActions.QuickActionsConfig;
using Task = System.Threading.Tasks.Task;
@@ -109,6 +110,9 @@ private async void Main_Load(object sender, EventArgs e)
// initialize hotkeys
InitializeHotkeys();
+ // initialize Virtual Desktop library
+ InitializeVirtualDesktopManager();
+
// initialize managers
_ = Task.Run(ApiManager.Initialize);
_ = Task.Run(HassApiManager.InitializeAsync);
@@ -266,6 +270,14 @@ private void HotkeyListener_HotkeyPressed(object sender, HotkeyEventArgs e)
else HotKeyManager.ProcessQuickActionHotKey(e.Hotkey.ToString());
}
+ ///
+ /// Initializes the Virtual Desktop Manager
+ ///
+ private void InitializeVirtualDesktopManager()
+ {
+ VirtualDesktop.Configure();
+ }
+
///
/// Hide if not shutting down, close otherwise
///
diff --git a/src/HASS.Agent.Staging/HASS.Agent/HASS.Agent.csproj b/src/HASS.Agent.Staging/HASS.Agent/HASS.Agent.csproj
index 634a3bcf..67b94d9e 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/HASS.Agent.csproj
+++ b/src/HASS.Agent.Staging/HASS.Agent/HASS.Agent.csproj
@@ -66,6 +66,7 @@
+
diff --git a/src/HASS.Agent.Staging/HASS.Agent/HomeAssistant/Commands/CustomCommands/SwitchDesktopCommand.cs b/src/HASS.Agent.Staging/HASS.Agent/HomeAssistant/Commands/CustomCommands/SwitchDesktopCommand.cs
new file mode 100644
index 00000000..5d2bda2d
--- /dev/null
+++ b/src/HASS.Agent.Staging/HASS.Agent/HomeAssistant/Commands/CustomCommands/SwitchDesktopCommand.cs
@@ -0,0 +1,92 @@
+using System;
+using System.Diagnostics;
+using System.IO;
+using HASS.Agent.Shared.Enums;
+using HASS.Agent.Shared.Managers;
+using Serilog;
+using WindowsDesktop;
+
+namespace HASS.Agent.Shared.HomeAssistant.Commands.InternalCommands
+{
+ ///
+ /// Activates provided Virtual Desktop
+ ///
+ public class SwitchDesktopCommand : InternalCommand
+ {
+ private const string DefaultName = "switchdesktop";
+
+ public SwitchDesktopCommand(string name = DefaultName, string friendlyName = DefaultName, string desktopId = "", CommandEntityType entityType = CommandEntityType.Switch, string id = default) : base(name ?? DefaultName, friendlyName ?? null, desktopId, entityType, id)
+ {
+ CommandConfig = desktopId;
+ State = "OFF";
+ }
+
+ public override void TurnOn()
+ {
+ State = "ON";
+
+ if (string.IsNullOrWhiteSpace(CommandConfig))
+ {
+ Log.Warning("[SWITCHDESKTOP] [{name}] Unable to launch command, it's configured as action-only", Name);
+
+ State = "OFF";
+ return;
+ }
+
+ ActivateVirtualDesktop(CommandConfig);
+
+ State = "OFF";
+ }
+
+ public override void TurnOnWithAction(string action)
+ {
+ State = "ON";
+
+ if (string.IsNullOrWhiteSpace(action))
+ {
+ Log.Warning("[SWITCHDESKTOP] [{name}] Unable to launch command, empty action provided", Name);
+
+ State = "OFF";
+ return;
+ }
+
+ if (!string.IsNullOrWhiteSpace(CommandConfig))
+ {
+ Log.Warning("[SWITCHDESKTOP] [{name}] Command launched by action, command-provided process will be ignored", Name);
+
+ State = "OFF";
+ return;
+ }
+
+ ActivateVirtualDesktop(action);
+
+ State = "OFF";
+ }
+
+ private void ActivateVirtualDesktop(string virtualDesktopId)
+ {
+ var targetDesktopGuid = Guid.Empty;
+ var parsed = Guid.TryParse(virtualDesktopId, out targetDesktopGuid);
+ if (!parsed)
+ {
+ Log.Warning("[SWITCHDESKTOP] [{name}] Unable to parse virtual desktop id: {virtualDesktopId}", Name, virtualDesktopId);
+ return;
+ }
+
+ var targetDesktop = VirtualDesktop.GetDesktops().FirstOrDefault(d => d.Id == targetDesktopGuid);
+ if (targetDesktop == null)
+ {
+ Log.Warning("[SWITCHDESKTOP] [{name}] Unable to find virtual desktop with id: {virtualDesktopId}", Name, virtualDesktopId);
+ return;
+ }
+
+ if (VirtualDesktop.Current == targetDesktop)
+ {
+ Log.Information("[SWITCHDESKTOP] [{name}] Target virtual desktop '{virtualDesktopId}' is already active", Name, virtualDesktopId);
+ return;
+ }
+
+ targetDesktop.Switch();
+ }
+ }
+}
diff --git a/src/HASS.Agent.Staging/HASS.Agent/HomeAssistant/Sensors/GeneralSensors/SingleValue/ActiveDesktopSensor.cs b/src/HASS.Agent.Staging/HASS.Agent/HomeAssistant/Sensors/GeneralSensors/SingleValue/ActiveDesktopSensor.cs
new file mode 100644
index 00000000..edaf461e
--- /dev/null
+++ b/src/HASS.Agent.Staging/HASS.Agent/HomeAssistant/Sensors/GeneralSensors/SingleValue/ActiveDesktopSensor.cs
@@ -0,0 +1,81 @@
+using System;
+using System.Runtime.InteropServices;
+using System.Text;
+using System.Windows.Forms;
+using System.Windows.Threading;
+using HASS.Agent.Resources.Localization;
+using HASS.Agent.Shared.Models.HomeAssistant;
+using Microsoft.Win32;
+using Newtonsoft.Json;
+using Windows.Foundation.Metadata;
+using WindowsDesktop;
+using static HASS.Agent.Functions.NativeMethods;
+
+namespace HASS.Agent.Shared.HomeAssistant.Sensors.GeneralSensors.SingleValue
+{
+ ///
+ /// Sensor containing the ID of the currently active virtual desktop
+ /// Additionally returns all available virtual desktops and their names (if named)
+ ///
+ public class ActiveDesktopSensor : AbstractSingleValueSensor
+ {
+ private const string _defaultName = "activedesktop";
+
+ private string _desktopId = string.Empty;
+ private string _attributes = string.Empty;
+
+ public ActiveDesktopSensor(int? updateInterval = null, string name = _defaultName, string friendlyName = _defaultName, string id = default) : base(name ?? _defaultName, friendlyName ?? null, updateInterval ?? 15, id)
+ {
+ UseAttributes = true;
+ }
+
+ public override DiscoveryConfigModel GetAutoDiscoveryConfig()
+ {
+ if (Variables.MqttManager == null) return null;
+
+ var deviceConfig = Variables.MqttManager.GetDeviceConfigModel();
+ if (deviceConfig == null) return null;
+
+ return AutoDiscoveryConfigModel ?? SetAutoDiscoveryConfigModel(new SensorDiscoveryConfigModel()
+ {
+ Name = Name,
+ FriendlyName = FriendlyName,
+ Unique_id = Id,
+ Device = deviceConfig,
+ State_topic = $"{Variables.MqttManager.MqttDiscoveryPrefix()}/{Domain}/{deviceConfig.Name}/{ObjectId}/state",
+ Icon = "mdi:monitor",
+ Availability_topic = $"{Variables.MqttManager.MqttDiscoveryPrefix()}/{Domain}/{deviceConfig.Name}/availability",
+ Json_attributes_topic = $"{Variables.MqttManager.MqttDiscoveryPrefix()}/{Domain}/{deviceConfig.Name}/{ObjectId}/attributes"
+ });
+ }
+
+ public override string GetState()
+ {
+ var currentDesktop = VirtualDesktop.Current;
+ _desktopId = currentDesktop.Id.ToString();
+
+ var desktops = new Dictionary();
+ foreach (var desktop in VirtualDesktop.GetDesktops())
+ {
+ var id = desktop.Id.ToString();
+ desktops[id] = string.IsNullOrWhiteSpace(desktop.Name) ? GetDesktopNameFromRegistry(id) : desktop.Name;
+ }
+
+ _attributes = JsonConvert.SerializeObject(new
+ {
+ desktopName = currentDesktop.Name,
+ availableDesktops = desktops
+ }, Formatting.Indented);
+
+ return _desktopId;
+ }
+
+ public override string GetAttributes() => _attributes;
+
+ private string GetDesktopNameFromRegistry(string id)
+ {
+ var registryPath = $"HKEY_CURRENT_USER\\SOFTWARE\\Microsoft\\Windows\\CurrentVersion\\Explorer\\VirtualDesktops\\Desktops\\{{{id}}}";
+ return (Registry.GetValue(registryPath, "Name", string.Empty) as string) ?? string.Empty;
+ }
+ }
+}
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.Designer.cs b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.Designer.cs
index a59b842d..b10df058 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.Designer.cs
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.Designer.cs
@@ -592,6 +592,15 @@ internal static string CommandsManager_SleepCommandDescription {
}
}
+ ///
+ /// Looks up a localized string similar to Activates provided Virtual Desktop..
+ ///
+ internal static string CommandsManager_SwitchDesktopCommandDescription {
+ get {
+ return ResourceManager.GetString("CommandsManager_SwitchDesktopCommandDescription", resourceCulture);
+ }
+ }
+
///
/// Looks up a localized string similar to Shows a window with the provided URL.
///
@@ -4444,7 +4453,7 @@ internal static string OnboardingIntegrations_CbEnableNotifications {
}
///
- /// Looks up a localized string similar to To use notifications, you need to install and configure the HASS.Agent-notifier integration in
+ /// Looks up a localized string similar to To use notifications, you need to install and configure the HASS.Agent integration in
///Home Assistant.
///
///This is very easy using HACS, but you can also install manually. Visit the link below for more
@@ -5505,6 +5514,15 @@ internal static string SensorsConfig_Title {
}
}
+ ///
+ /// Looks up a localized string similar to Provides the ID of the currently active virtual desktop..
+ ///
+ internal static string SensorsManager_ActiveDesktopSensorDescription {
+ get {
+ return ResourceManager.GetString("SensorsManager_ActiveDesktopSensorDescription", resourceCulture);
+ }
+ }
+
///
/// Looks up a localized string similar to Provides the title of the current active window..
///
@@ -6456,6 +6474,15 @@ internal static string SensorsMod_WmiTestFailed {
}
}
+ ///
+ /// Looks up a localized string similar to ActiveDesktop.
+ ///
+ internal static string SensorType_ActiveDesktopSensor {
+ get {
+ return ResourceManager.GetString("SensorType_ActiveDesktopSensor", resourceCulture);
+ }
+ }
+
///
/// Looks up a localized string similar to ActiveWindow.
///
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.resx
index b49ff3ec..5395e606 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.resx
@@ -2089,7 +2089,7 @@ Do you want to enable it?
You can choose what modules you want to enable. They require HA integrations, but don't worry, the next page will give you more info on how to set them up.
- To use notifications, you need to install and configure the HASS.Agent integration in
+ To use notifications, you need to install and configure the HASS.Agent integration in
Home Assistant.
This is very easy using HACS, but you can also install manually. Visit the link below for more
@@ -3223,9 +3223,18 @@ Do you want to download the runtime installer?
Please provide a number between 0 and 20!
- digits after the comma
+ digits after the comma
- &Round
+ &Round
+
+
+ Provides the ID of the currently active virtual desktop.
+
+
+ ActiveDesktop
+
+
+ Activates provided Virtual Desktop.
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Sensors/SensorsManager.cs b/src/HASS.Agent.Staging/HASS.Agent/Sensors/SensorsManager.cs
index aab3ec95..b2337dce 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Sensors/SensorsManager.cs
+++ b/src/HASS.Agent.Staging/HASS.Agent/Sensors/SensorsManager.cs
@@ -344,6 +344,13 @@ internal static void LoadSensorInfo()
SensorInfoCards.Add(sensorInfoCard.SensorType, sensorInfoCard);
+ // =================================
+ sensorInfoCard = new SensorInfoCard(SensorType.ActiveDesktopSensor,
+ Languages.SensorsManager_ActiveDesktopSensorDescription,
+ 15, false, true, false);
+
+ SensorInfoCards.Add(sensorInfoCard.SensorType, sensorInfoCard);
+
// =================================
sensorInfoCard = new SensorInfoCard(SensorType.AudioSensors,
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Settings/StoredCommands.cs b/src/HASS.Agent.Staging/HASS.Agent/Settings/StoredCommands.cs
index 14f38383..0ab5b46b 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Settings/StoredCommands.cs
+++ b/src/HASS.Agent.Staging/HASS.Agent/Settings/StoredCommands.cs
@@ -154,6 +154,9 @@ internal static AbstractCommand ConvertConfiguredToAbstract(ConfiguredCommand co
case CommandType.SendWindowToFrontCommand:
abstractCommand = new SendWindowToFrontCommand(command.Name, command.FriendlyName, command.Command, command.EntityType, command.Id.ToString());
break;
+ case CommandType.SwitchDesktopCommand:
+ abstractCommand = new SwitchDesktopCommand(command.Name, command.FriendlyName, command.Command, command.EntityType, command.Id.ToString());
+ break;
case CommandType.WebViewCommand:
abstractCommand = new WebViewCommand(command.Name, command.FriendlyName, command.Command, command.EntityType, command.Id.ToString());
break;
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Settings/StoredSensors.cs b/src/HASS.Agent.Staging/HASS.Agent/Settings/StoredSensors.cs
index 9078f7c5..e81c01ed 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Settings/StoredSensors.cs
+++ b/src/HASS.Agent.Staging/HASS.Agent/Settings/StoredSensors.cs
@@ -120,6 +120,9 @@ internal static AbstractSingleValueSensor ConvertConfiguredToAbstractSingleValue
case SensorType.ActiveWindowSensor:
abstractSensor = new ActiveWindowSensor(sensor.UpdateInterval, sensor.Name, sensor.FriendlyName, sensor.Id.ToString());
break;
+ case SensorType.ActiveDesktopSensor:
+ abstractSensor = new ActiveDesktopSensor(sensor.UpdateInterval, sensor.Name, sensor.FriendlyName, sensor.Id.ToString());
+ break;
case SensorType.NamedWindowSensor:
abstractSensor = new NamedWindowSensor(sensor.WindowName, sensor.Name, sensor.FriendlyName, sensor.UpdateInterval, sensor.Id.ToString());
break;
From c714c211b59467a1beaac54978f4da34ffb3fa29 Mon Sep 17 00:00:00 2001
From: Amadeo Alex <68441479+amadeo-alex@users.noreply.github.com>
Date: Mon, 3 Jul 2023 16:40:03 +0200
Subject: [PATCH 5/7] added string translations
---
.../Resources/Localization/Languages.de.resx | 16 +-
.../Resources/Localization/Languages.en.resx | 70 +-
.../Resources/Localization/Languages.es.resx | 106 +--
.../Resources/Localization/Languages.fr.resx | 678 +++++++++---------
.../Resources/Localization/Languages.nl.resx | 238 +++---
.../Resources/Localization/Languages.pl.resx | 48 +-
.../Localization/Languages.pt-br.resx | 102 +--
.../Resources/Localization/Languages.ru.resx | 102 +--
.../Resources/Localization/Languages.sl.resx | 98 +--
.../Resources/Localization/Languages.tr.resx | 230 +++---
.../Resources/Localization/Languages.de.resx | 16 +-
.../Resources/Localization/Languages.en.resx | 70 +-
.../Resources/Localization/Languages.es.resx | 106 +--
.../Resources/Localization/Languages.fr.resx | 678 +++++++++---------
.../Resources/Localization/Languages.nl.resx | 238 +++---
.../Resources/Localization/Languages.pl.resx | 48 +-
.../Localization/Languages.pt-br.resx | 102 +--
.../Resources/Localization/Languages.ru.resx | 102 +--
.../Resources/Localization/Languages.sl.resx | 98 +--
.../Resources/Localization/Languages.tr.resx | 230 +++---
20 files changed, 1748 insertions(+), 1628 deletions(-)
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.de.resx b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.de.resx
index ad6987e6..7bc4efc1 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.de.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.de.resx
@@ -2732,7 +2732,7 @@ Stelle sicher, dass keine andere Instanz von HASS.Agent läuft und der Port verf
Dies unterscheidet sich von dem „ÖffneUrl“ Befehl, da er keinen vollständigen Browser lädt, sondern nur die bereitgestellte URL in einem eigenen Fenster.
-Du kannst dies benutzen, um zum Beispiel schnell Home Assistant's Dashboard anzuzeigen.
+Du kannst dies benutzen, um zum Beispiel schnell Home Assistant's Dashboard anzuzeigen.
Standardmäßig werden alle Cookies für unbegrenzte Zeit gespeichert, sodass du dich nur einmal einloggen musst.
@@ -2793,7 +2793,7 @@ Hinweis: Diese Meldung wird nur einmal angezeigt.
Fuzzy
- Um auf Anfragen reagieren zu können, muss HASS.Agent's Port in deiner Firewall reserviert und geöffnet werden. Du kannst diese Schaltfläche verwenden, um dies für dich zu erledigen.
+ Um auf Anfragen reagieren zu können, muss HASS.Agent's Port in deiner Firewall reserviert und geöffnet werden. Du kannst diese Schaltfläche verwenden, um dies für dich zu erledigen.
Fuzzy
@@ -3170,13 +3170,13 @@ Es sollte drei Abschnitte enthalten (getrennt durch zwei Punkte).
Sind Sie sicher, dass Sie es so verwenden wollen?
- Die URI Ihres Home-Assistenten sieht nicht richtig aus. Sie sollte etwa so aussehen: "http://homeassistant.local:8123" oder "https://192.168.0.1:8123".
+ Die URI Ihres Home-Assistenten sieht nicht richtig aus. Sie sollte etwa so aussehen: "http://homeassistant.local:8123" oder "https://192.168.0.1:8123".
Sind Sie sicher, dass Sie ihn so verwenden wollen?
Deine MQTT Broker URI sieht nicht richtig aus. So sollte es aussehen
-"homeassistant.local" oder "192.168.0.1"
+"homeassistant.local" oder "192.168.0.1"
Bist Du sicher, es so zu verwenden?
@@ -3333,7 +3333,7 @@ Möchtest Du den Protokollordner öffnen?
Fehler beim Einstellen des Startmodus, überprüfe die Protokolle
- Microsoft's WebView2 Runtime wurde nicht auf diesem Gerät gefunden. Normalerweise wird dies vom Installer ausgeführt, Du kannst es auch manuell installieren.
+ Microsoft's WebView2 Runtime wurde nicht auf diesem Gerät gefunden. Normalerweise wird dies vom Installer ausgeführt, Du kannst es auch manuell installieren.
Willst Du den Runtime Installer herunterladen?
@@ -3343,4 +3343,10 @@ Willst Du den Runtime Installer herunterladen?
domain
+
+ SwitchDesktop
+
+
+ AktiverDesktop
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.en.resx b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.en.resx
index 9226c43b..b4178370 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.en.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.en.resx
@@ -811,10 +811,10 @@ you can probably use the preset address.
Description
- &Run as 'Low Integrity'
+ &Run as 'Low Integrity'
- What's this?
+ What's this?
Type
@@ -1214,7 +1214,7 @@ report bugs or get involved in general chit-chat!
Fetching info, please wait..
- There's a new release available:
+ There's a new release available:
Release notes
@@ -1264,22 +1264,22 @@ If you just want a window with a specific URL (not an entire browser), use a 'We
Logs off the current session.
- Simulates 'Mute' key.
+ Simulates 'Mute' key.
- Simulates 'Media Next' key.
+ Simulates 'Media Next' key.
- Simulates 'Media Pause/Play' key.
+ Simulates 'Media Pause/Play' key.
- Simulates 'Media Previous' key.
+ Simulates 'Media Previous' key.
- Simulates 'Volume Down' key.
+ Simulates 'Volume Down' key.
- Simulates 'Volume Up' key.
+ Simulates 'Volume Up' key.
Simulates pressing mulitple keys.
@@ -1328,7 +1328,7 @@ Note: due to a limitation in Windows, this only works if hibernation is disabled
You can use something like NirCmd (http://www.nirsoft.net/utils/nircmd.html) to circumvent this.
- Please enter the location of your browser's binary! (.exe file)
+ Please enter the location of your browser's binary! (.exe file)
The browser binary provided could not be found, please ensure the path is correct and try again.
@@ -1347,7 +1347,7 @@ Please check the logs for more information.
Please enter a valid API key!
- Please enter a value for your Home Assistant's URI.
+ Please enter a value for your Home Assistant's URI.
Unable to connect, the following error was returned:
@@ -1462,7 +1462,7 @@ Check the HASS.Agent (not the service) logs for more information.
Activating Start-on-Login..
- Something went wrong. You can try again, or skip to the next page and retry after HASS.Agent's restart.
+ Something went wrong. You can try again, or skip to the next page and retry after HASS.Agent's restart.
Enable Start-on-Login
@@ -1471,7 +1471,7 @@ Check the HASS.Agent (not the service) logs for more information.
Please provide a valid API key.
- Please enter your Home Assistant's URI.
+ Please enter your Home Assistant's URI.
Unable to connect, the following error was returned:
@@ -1721,19 +1721,19 @@ Please configure an executor or your command will not run.
This means it will only be able to save and modify files in certain locations,
- such as the '%USERPROFILE%\AppData\LocalLow' folder or
+ such as the '%USERPROFILE%\AppData\LocalLow' folder or
- the 'HKEY_CURRENT_USER\Software\AppDataLow' registry key.
+ the 'HKEY_CURRENT_USER\Software\AppDataLow' registry key.
- You should test your command to make sure it's not influenced by this!
+ You should test your command to make sure it's not influenced by this!
{0} only!
- The MQTT manager hasn't been configured properly, or hasn't yet completed its startup.
+ The MQTT manager hasn't been configured properly, or hasn't yet completed its startup.
Unable to fetch your entities because of missing config, please enter the required values in the config screen.
@@ -1888,10 +1888,10 @@ Please check the logs and make a bug report on GitHub.
Checking..
- You're running the latest version: {0}{1}
+ You're running the latest version: {0}{1}
- There's a new BETA release available:
+ There's a new BETA release available:
HASS.Agent BETA Update
@@ -2088,7 +2088,7 @@ This will also contain users that aren't active. If you only want the current ac
Note: if used in the satellite service, it won't detect userspace applications.
- Provides an ON/OFF value based on whether the window is currently open (doesn't have to be active).
+ Provides an ON/OFF value based on whether the window is currently open (doesn't have to be active).
Provides card info, configuration, transfer- & package statistics and addresses (ip, mac, dhcp, dns) of the selected network card(s).
@@ -2592,7 +2592,7 @@ Do you still want to use the current values?
ApplicationStarted
- You can use the satellite service to run sensors and commands without having to be logged in. Not all types are available, for instance the 'LaunchUrl' command can only be added as a regular command.
+ You can use the satellite service to run sensors and commands without having to be logged in. Not all types are available, for instance the 'LaunchUrl' command can only be added as a regular command.
Last Known Value
@@ -2708,7 +2708,7 @@ Note: this is not required for the new integration to function. Only enable and
&Enable Media Player Functionality
- HASS.Agent can act as a media player for Home Assistant, so you'll be able to see and control any media that's playing, and send text-to-speech. If you have MQTT enabled, your device will automatically get added. Otherwise, manually configure the integration to use the local API.
+ HASS.Agent can act as a media player for Home Assistant, so you'll be able to see and control any media that's playing, and send text-to-speech. If you have MQTT enabled, your device will automatically get added. Otherwise, manually configure the integration to use the local API.
If something is not working, make sure you try the following steps:
@@ -2762,10 +2762,10 @@ Note: this is not required for the new integration to function. Only enable and
Tray Icon
- Your input language '{0}' is known to collide with the default CTRL-ALT-Q hotkey. Please set your own.
+ Your input language '{0}' is known to collide with the default CTRL-ALT-Q hotkey. Please set your own.
- Your input language '{0}' is unknown, and might collide with the default CTRL-ALT-Q hotkey. Please check to be sure. If it does, consider opening a ticket on GitHub so it can be added to the list.
+ Your input language '{0}' is unknown, and might collide with the default CTRL-ALT-Q hotkey. Please check to be sure. If it does, consider opening a ticket on GitHub so it can be added to the list.
No keys found
@@ -2777,7 +2777,7 @@ Note: this is not required for the new integration to function. Only enable and
Error while parsing keys, please check the logs for more information.
- The number of open brackets ('[') does not correspond to the number of closed brackets. (']')! ({0} to {1})
+ The number of open brackets ('[') does not correspond to the number of closed brackets. (']')! ({0} to {1})
Documentation
@@ -2810,7 +2810,7 @@ information.
-Restart Home Assistant
- The same goes for the media player, this integration allows you to control your device as a media_player entity, see what's playing and send text-to-speech.
+ The same goes for the media player, this integration allows you to control your device as a media_player entity, see what's playing and send text-to-speech.
HASS.Agent-MediaPlayer GitHub Page
@@ -2833,7 +2833,7 @@ information.
Do you want to enable it?
- You can choose what modules you want to enable. They require HA integrations, but don't worry, the next page will give you more info on how to set them up.
+ You can choose what modules you want to enable. They require HA integrations, but don't worry, the next page will give you more info on how to set them up.
Note: 5115 is the default port, only change it if you changed it in Home Assistant.
@@ -2864,10 +2864,10 @@ Do you want to use that version?
&Always show centered in screen
- Show the window's &title bar
+ Show the window's &title bar
- Set window as 'Always on &Top'
+ Set window as 'Always on &Top'
Drag and resize this window to set the size and location of your webview command.
@@ -2902,7 +2902,7 @@ Please ensure the keycode field is in focus and press the key you want simulated
Enable State Notifications
- HASS.Agent will sanitize your device name to make sure HA will accept it, you can overrule this rule below if you're sure that your name will be accepted as-is.
+ HASS.Agent will sanitize your device name to make sure HA will accept it, you can overrule this rule below if you're sure that your name will be accepted as-is.
HASS.Agent sends notifications when the state of a module changes, you can adjust whether or not you want to receive these notifications below.
@@ -2974,7 +2974,7 @@ Note: You disabled sanitation, so make sure your device name is accepted by Home
Puts all monitors in sleep (low power) mode.
- Tries to wake up all monitors by simulating a 'arrow up' keypress.
+ Tries to wake up all monitors by simulating a 'arrow up' keypress.
Sets the volume of the current default audiodevice to the specified level.
@@ -3033,7 +3033,7 @@ Are you sure you want to use this URI anyway?
Please start the service first in order to configure it.
- If you want to manage the service (add commands and sensor, change settings) you can do so here, or by using the 'satellite service' button on the main window.
+ If you want to manage the service (add commands and sensor, change settings) you can do so here, or by using the 'satellite service' button on the main window.
Show default menu on mouse left-click
@@ -3219,4 +3219,10 @@ Do you want to download the runtime installer?
domain
+
+ SwitchDesktop
+
+
+ ActiveDesktop
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.es.resx b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.es.resx
index 31250ab3..42b3ba2c 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.es.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.es.resx
@@ -137,7 +137,7 @@
Puede configurar HASS.Agent para usar un ejecutor específico, como perl o python.
-Use el comando 'ejecutor personalizado' para iniciar este ejecutor.
+Use el comando 'ejecutor personalizado' para iniciar este ejecutor.
nombre del ejecutor personalizado
@@ -191,7 +191,7 @@ la API de Home Assistant.
Por favor, proporcione un token de acceso de larga duración, y la dirección de su instancia de Home Assistant.
-Puedes obtener un token a través de tu página de perfil. Desplácese hasta la parte inferior y haga clic en 'CREAR TOKEN'.
+Puedes obtener un token a través de tu página de perfil. Desplácese hasta la parte inferior y haga clic en 'CREAR TOKEN'.
&api token
@@ -229,7 +229,7 @@ De esta manera, hagas lo que hagas en tu máquina, siempre puedes interactuar co
Algunos elementos, como las imágenes que se muestran en las notificaciones, deben almacenarse temporalmente de forma local. Puede
configurar la cantidad de días que deben conservarse antes de que HASS.Agent los elimine.
-Introduzca '0' para mantenerlas permanentemente.
+Introduzca '0' para mantenerlas permanentemente.
El registro extendido proporciona un registro más detallado, en caso de que el registro predeterminado no sea
@@ -324,7 +324,7 @@ Nota: estos ajustes (excepto el id de cliente) se aplicarán también al servici
El servicio satelital le permite ejecutar sensores y comandos incluso cuando ningún usuario ha iniciado sesión.
-Use el botón 'servicio satelital' en la ventana principal para administrarlo.
+Use el botón 'servicio satelital' en la ventana principal para administrarlo.
estado del servicio:
@@ -393,7 +393,7 @@ Recibirá una notificación (una vez por actualización) que le informará que h
Parece que esta es la primera vez que inicia HASS.Agent.
-Si quieres, podemos pasar por la configuración. Si no, simplemente haga clic en 'cerrar'.
+Si quieres, podemos pasar por la configuración. Si no, simplemente haga clic en 'cerrar'.
El nombre del dispositivo se usa para identificar su máquina en HA.
@@ -455,7 +455,7 @@ información.
la API de Home Assistant.
Por favor, proporcione un token de acceso de larga duración, y la dirección de su instancia de Home Assistant.
-Puedes obtener un token a través de su página de perfil. Desplácese hasta la parte inferior y haga clic en 'CREAR TOKEN'.
+Puedes obtener un token a través de su página de perfil. Desplácese hasta la parte inferior y haga clic en 'CREAR TOKEN'.
&conexión de prueba
@@ -809,7 +809,7 @@ probablemente puedas usar la dirección preestablecida.
descripción
- &ejecutar como 'baja integridad'
+ &ejecutar como 'baja integridad'
¿Qué es esto?
@@ -1010,7 +1010,7 @@ probablemente puedas usar la dirección preestablecida.
los componentes usados para sus licencias individuales:
- Un gran 'gracias' a los desarrolladores de estos proyectos, que tuvieron la amabilidad de compartir
+ Un gran 'gracias' a los desarrolladores de estos proyectos, que tuvieron la amabilidad de compartir
su arduo trabajo con el resto de nosotros, meros mortales.
@@ -1232,14 +1232,14 @@ reportar errores o simplemente hablar de lo que sea.
Ejecute un comando personalizado.
-Estos comandos se ejecutan sin elevación especial. Para ejecutar elevado, cree una tarea programada y use 'schtasks /Run /TN "TaskName"' como comando para ejecutar su tarea.
+Estos comandos se ejecutan sin elevación especial. Para ejecutar elevado, cree una tarea programada y use 'schtasks /Run /TN "TaskName"' como comando para ejecutar su tarea.
-O habilite 'ejecutar como baja integridad' para una ejecución aún más estricta.
+O habilite 'ejecutar como baja integridad' para una ejecución aún más estricta.
Ejecuta el comando a través del ejecutor personalizado configurado (en Configuración -> Herramientas externas).
-Su comando se proporciona como un argumento 'tal cual', por lo que debe proporcionar sus propias comillas, etc., si es necesario.
+Su comando se proporciona como un argumento 'tal cual', por lo que debe proporcionar sus propias comillas, etc., si es necesario.
Pone la máquina en hibernación.
@@ -1247,16 +1247,16 @@ Su comando se proporciona como un argumento 'tal cual', por lo que deb
Simula la pulsación de una sola tecla.
-Haga clic en el cuadro de texto "código de teclas" y pulse la tecla que desea simular. El código de la tecla correspondiente se introducirá por usted.
+Haga clic en el cuadro de texto "código de teclas" y pulse la tecla que desea simular. El código de la tecla correspondiente se introducirá por usted.
Si necesita más teclas y/o modificadores como CTRL, use el comando MultipleKeys.
Lanza la URL proporcionada, por defecto en su navegador predeterminado.
-Para usar 'incógnito', proporcione un navegador específico en Configuración -> Herramientas externas.
+Para usar 'incógnito', proporcione un navegador específico en Configuración -> Herramientas externas.
-Si sólo quiere una ventana con una URL específica (no un navegador completo), use un comando 'WebView'.
+Si sólo quiere una ventana con una URL específica (no un navegador completo), use un comando 'WebView'.
Bloquea la sesión actual.
@@ -1265,22 +1265,22 @@ Si sólo quiere una ventana con una URL específica (no un navegador completo),
Cierra la sesión actual.
- Simula la tecla 'silencio'.
+ Simula la tecla 'silencio'.
- Simula la tecla 'media next'.
+ Simula la tecla 'media next'.
- Simula la tecla 'pausa de reproducción multimedia'.
+ Simula la tecla 'pausa de reproducción multimedia'.
- Simula la tecla 'media anterior'.
+ Simula la tecla 'media anterior'.
- Simula la tecla de 'bajar volumen'.
+ Simula la tecla de 'bajar volumen'.
- Simula la tecla 'subir volumen'.
+ Simula la tecla 'subir volumen'.
Simula la pulsación de varias teclas.
@@ -1314,12 +1314,12 @@ Esto se ejecutará sin elevación especial.
Reinicia la máquina después de un minuto.
-Consejo: ¿activado accidentalmente? Ejecute 'shutdown /a' para cancelar.
+Consejo: ¿activado accidentalmente? Ejecute 'shutdown /a' para cancelar.
Apaga la máquina después de un minuto.
-Consejo: ¿activado accidentalmente? Ejecute 'shutdown /a' para cancelar.
+Consejo: ¿activado accidentalmente? Ejecute 'shutdown /a' para cancelar.
Pone la máquina a dormir.
@@ -1408,7 +1408,7 @@ Recuerde cambiar también el puerto de su regla de firewall.
Consulte los registros de HASS.Agent (no el servicio) para obtener más información.
- El servicio está configurado como 'deshabilitado', por lo que no se puede iniciar.
+ El servicio está configurado como 'deshabilitado', por lo que no se puede iniciar.
Habilite primero el servicio y luego inténtelo de nuevo.
@@ -1583,7 +1583,7 @@ Deje vacío para permitir que todos se conecten.
Este es el nombre con el que el servicio satelital se registra en Home Assistant.
-De manera predeterminada, es el nombre de su PC más '-satélite'.
+De manera predeterminada, es el nombre de su PC más '-satélite'.
La cantidad de tiempo que esperará el servicio satelital antes de informar una conexión perdida al intermediario MQTT.
@@ -1665,12 +1665,12 @@ Por favor, consulte los registros para obtener más información.
Ya hay un comando con ese nombre. Estás seguro de que quieres continuar?
- Si no ingresa un comando, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant. Ejecutarlo como está no hará nada.
+ Si no ingresa un comando, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant. Ejecutarlo como está no hará nada.
¿Estás seguro de que quieres esto?
- Si no ingresa un comando o secuencia de comandos, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant. Ejecutarlo como está no hará nada.
+ Si no ingresa un comando o secuencia de comandos, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant. Ejecutarlo como está no hará nada.
¿Estás seguro de que quieres esto?
@@ -1681,7 +1681,7 @@ Por favor, consulte los registros para obtener más información.
No se han podido comprobar las claves: {0}
- Si no ingresa una URL, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant. Ejecutarlo como está no hará nada.
+ Si no ingresa una URL, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant. Ejecutarlo como está no hará nada.
¿Estás seguro de que quieres esto?
@@ -1726,10 +1726,10 @@ configure un ejecutor o su comando no se ejecutará
Eso significa que solo podrá guardar y modificar archivos en ciertas ubicaciones,
- como la carpeta '%USERPROFILE%\AppData\LocalLow' o
+ como la carpeta '%USERPROFILE%\AppData\LocalLow' o
- la clave de registro 'HKEY_CURRENT_USER\Software\AppDataLow'.
+ la clave de registro 'HKEY_CURRENT_USER\Software\AppDataLow'.
Debe probar su comando para asegurarse de que no esté influenciado por esto.
@@ -1846,7 +1846,7 @@ Todos sus sensores y comandos serán ahora despublicados, y HASS.Agent se reinic
No se preocupe, mantendrán sus nombres actuales, por lo que sus automatizaciones o scripts seguirán funcionando.
-Nota: el nombre será 'saneado', lo que significa que todo, excepto las letras, los dígitos y los espacios en blanco, será reemplazado por un guión bajo. Esto es requerido por HA.
+Nota: el nombre será 'saneado', lo que significa que todo, excepto las letras, los dígitos y los espacios en blanco, será reemplazado por un guión bajo. Esto es requerido por HA.
Ha cambiado el puerto de la API local. Este nuevo puerto necesita ser reservado.
@@ -1876,7 +1876,7 @@ Reinicie manualmente.
Algo ha ido mal al cargar la configuración.
-Compruebe el archivo appsettings.json en la subcarpeta "config" o elimínelo para empezar de cero.
+Compruebe el archivo appsettings.json en la subcarpeta "config" o elimínelo para empezar de cero.
Se ha producido un error al lanzar HASS.Agent.
@@ -2029,7 +2029,7 @@ Asegúrese de que no se esté ejecutando ninguna otra instancia de HASS.Agent y
Brinda información sobre varios aspectos del audio de su dispositivo:
-Nivel de volumen máximo actual (se puede usar como un simple valor de "se está reproduciendo algo").
+Nivel de volumen máximo actual (se puede usar como un simple valor de "se está reproduciendo algo").
Dispositivo de audio predeterminado: nombre, estado y volumen.
@@ -2067,7 +2067,7 @@ Actualmente toma el volumen de su dispositivo predeterminado.
Proporciona un valor de fecha y hora que contiene el último momento en que el sistema (re)arrancó.
-Importante: la opción FastBoot de Windows puede descartar este valor, porque es una forma de hibernación. Puede deshabilitarlo a través de Opciones de energía -> 'Elegir lo que hacen los botones de encendido' -> desmarque 'Activar inicio rápido'. No hace mucha diferencia para las máquinas modernas con SSD, pero la desactivación asegura que obtenga un estado limpio después de reiniciar.
+Importante: la opción FastBoot de Windows puede descartar este valor, porque es una forma de hibernación. Puede deshabilitarlo a través de Opciones de energía -> 'Elegir lo que hacen los botones de encendido' -> desmarque 'Activar inicio rápido'. No hace mucha diferencia para las máquinas modernas con SSD, pero la desactivación asegura que obtenga un estado limpio después de reiniciar.
Proporciona el último cambio de estado del sistema:
@@ -2107,7 +2107,7 @@ Categoría: Procesador
Contador: % de tiempo de procesador
Instancia: _Total
-Puede explorar los contadores a través de la herramienta 'perfmon.exe' de Windows.
+Puede explorar los contadores a través de la herramienta 'perfmon.exe' de Windows.
Proporciona el número de instancias activas del proceso.
@@ -2116,7 +2116,7 @@ Puede explorar los contadores a través de la herramienta 'perfmon.exe&apos
Devuelve el estado del servicio proporcionado: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending o Paused.
-Asegúrese de proporcionar el 'Nombre del servicio', no el 'Nombre para mostrar'.
+Asegúrese de proporcionar el 'Nombre del servicio', no el 'Nombre para mostrar'.
Proporciona el estado actual de la sesión:
@@ -2594,7 +2594,7 @@ Sugerencia: asegúrese de no haber cambiado el alcance y los campos de consulta.
Aplicación iniciada
- Puede usar el servicio satelital para ejecutar sensores y comandos sin tener que iniciar sesión. No todos los tipos están disponibles, por ejemplo, el comando 'LaunchUrl' solo se puede agregar como un comando normal.
+ Puede usar el servicio satelital para ejecutar sensores y comandos sin tener que iniciar sesión. No todos los tipos están disponibles, por ejemplo, el comando 'LaunchUrl' solo se puede agregar como un comando normal.
último valor conocido
@@ -2613,7 +2613,7 @@ Asegúrese de que no se esté ejecutando ninguna otra instancia de HASS.Agent y
Muestra una ventana con la URL proporcionada.
-Esto difiere del comando 'LaunchUrl' en que no carga un navegador completo, solo la URL provista en su propia ventana.
+Esto difiere del comando 'LaunchUrl' en que no carga un navegador completo, solo la URL provista en su propia ventana.
Puede usar esto para, por ejemplo, mostrar rápidamente el panel de Home Assistant.
@@ -2627,10 +2627,10 @@ De forma predeterminada, almacena cookies de forma indefinida, por lo que solo t
Si la aplicación está minimizada, se restaurará.
-Ejemplo: si desea enviar VLC al primer plano, use 'vlc'.
+Ejemplo: si desea enviar VLC al primer plano, use 'vlc'.
- Si no configura el comando, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant y se mostrará con la configuración predeterminada. Ejecutarlo como está no hará nada.
+ Si no configura el comando, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant y se mostrará con la configuración predeterminada. Ejecutarlo como está no hará nada.
¿Estás seguro de que quieres esto?
@@ -2764,10 +2764,10 @@ Nota: esto no es necesario para que la nueva integración funcione. Sólo actív
Icono de bandeja
- Se sabe que su idioma de entrada '{0}' colisiona con la tecla de acceso directo predeterminada CTRL-ALT-Q. Establezca el suyo propio.
+ Se sabe que su idioma de entrada '{0}' colisiona con la tecla de acceso directo predeterminada CTRL-ALT-Q. Establezca el suyo propio.
- Su idioma de entrada '{0}' es desconocido y podría colisionar con la tecla de acceso directo predeterminada CTRL-ALT-Q. Por favor verifique para estar seguro. Si es así, considere abrir un ticket en GitHub para que pueda agregarse a la lista.
+ Su idioma de entrada '{0}' es desconocido y podría colisionar con la tecla de acceso directo predeterminada CTRL-ALT-Q. Por favor verifique para estar seguro. Si es así, considere abrir un ticket en GitHub para que pueda agregarse a la lista.
no se encontraron llaves
@@ -2779,7 +2779,7 @@ Nota: esto no es necesario para que la nueva integración funcione. Sólo actív
error al analizar las claves, verifique el registro para obtener más información
- el número de corchetes '[' no corresponde a los ']' ({0} a {1})
+ el número de corchetes '[' no corresponde a los ']' ({0} a {1})
Documentación
@@ -2881,7 +2881,7 @@ El nombre final es: {0}
Talla
- consejo: presione 'esc' para cerrar una vista web
+ consejo: presione 'esc' para cerrar una vista web
&URL
@@ -2988,7 +2988,7 @@ Nota: deshabilitó el saneamiento, así que asegúrese de que Home Assistant ace
Comando
- Si no introduce un valor de volumen, sólo podrá usar esta entidad con un valor de "acción" a través del Asistente de Inicio. Ejecutarlo tal cual no hará nada.
+ Si no introduce un valor de volumen, sólo podrá usar esta entidad con un valor de "acción" a través del Asistente de Inicio. Ejecutarlo tal cual no hará nada.
¿Está seguro de que quiere esto?
@@ -3006,7 +3006,7 @@ Debería contener tres secciones (separadas por dos puntos).
¿Está seguro de que quiere usarlo así?
- Su URI no parece correcta. Debería ser algo como 'http://homeassistant.local:8123' o 'http://192.168.0.1:8123'.
+ Su URI no parece correcta. Debería ser algo como 'http://homeassistant.local:8123' o 'http://192.168.0.1:8123'.
¿Está seguro de que quiere usarlo así?
@@ -3034,7 +3034,7 @@ Debería contener tres secciones (separadas por dos puntos).
Asegúrese primero de tenerlo en funcionamiento.
- Si quiere gestionar el servicio (añadir comandos y sensores, cambiar la configuración) puede hacerlo aquí, o usando el botón "servicio de satélite" en la ventana principal.
+ Si quiere gestionar el servicio (añadir comandos y sensores, cambiar la configuración) puede hacerlo aquí, o usando el botón "servicio de satélite" en la ventana principal.
mostrar el menú predeterminado al hacer clic con el botón izquierdo del ratón
@@ -3046,12 +3046,12 @@ Debería contener tres secciones (separadas por dos puntos).
¿Está seguro de que quiere usarlo así?
- Su URI del Asistente de Inicio no se ve bien. Debería ser algo como 'http://homeassistant.local:8123' o 'https://192.168.0.1:8123'.
+ Su URI del Asistente de Inicio no se ve bien. Debería ser algo como 'http://homeassistant.local:8123' o 'https://192.168.0.1:8123'.
¿Está seguro de que quiere usarlo así?
- Su URI del broker MQTT no parece correcta. Debería ser algo como 'homeassistant.local' o '192.168.0.1'.
+ Su URI del broker MQTT no parece correcta. Debería ser algo como 'homeassistant.local' o '192.168.0.1'.
¿Está seguro de que quiere usarlo así?
@@ -3084,7 +3084,7 @@ Debería contener tres secciones (separadas por dos puntos).
¿Está seguro de que quiere usarlo así?
- Su URI no parece correcto. Debería ser algo como 'http://homeassistant.local:8123' o 'http://192.168.0.1:8123'.
+ Su URI no parece correcto. Debería ser algo como 'http://homeassistant.local:8123' o 'http://192.168.0.1:8123'.
¿Está seguro de que quiere usarlo así?
@@ -3123,7 +3123,7 @@ Sólo muestra los dispositivos que fueron vistos desde el último informe, es de
Asegúrese de que los servicios de localización de Windows están activados.
-Dependiendo de su versión de Windows, esto se puede encontrar en el nuevo panel de control -> 'privacidad y seguridad' -> 'ubicación'.
+Dependiendo de su versión de Windows, esto se puede encontrar en el nuevo panel de control -> 'privacidad y seguridad' -> 'ubicación'.
Proporciona el nombre del proceso que está usando actualmente el micrófono.
@@ -3219,4 +3219,10 @@ Oculta, Maximizada, Minimizada, Normal y Desconocida.
domain
+
+ CambiarEscritorio
+
+
+ EscritorioActivo
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.fr.resx b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.fr.resx
index 3d41353d..5def31f5 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.fr.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.fr.resx
@@ -124,24 +124,24 @@
Nom du navigateur
- Par défaut, HASS.Agent lancera les URL à l'aide de votre navigateur par défaut. Si vous le souhaitez, vous pouvez également configurer un navigateur spécifique. De plus, vous pouvez configurer les arguments utilisés pour lancer
+ Par défaut, HASS.Agent lancera les URL à l'aide de votre navigateur par défaut. Si vous le souhaitez, vous pouvez également configurer un navigateur spécifique. De plus, vous pouvez configurer les arguments utilisés pour lancer
en mode privé.
Exécutable du navigateur
- Lancer avec l'argument incognito
+ Lancer avec l'argument incognito
- Binaire de l'exécuteur personnalisé
+ Binaire de l'exécuteur personnalisé
Vous pouvez configurer HASS.Agent pour utiliser un exécuteur spécifique, comme perl ou python.
-Utilisez la commande 'exécuteur personnalisé' pour lancer cet exécuteur.
+Utilisez la commande 'exécuteur personnalisé' pour lancer cet exécuteur.
- Nom de l'exécuteur personnalisé
+ Nom de l'exécuteur personnalisé
Conseil : double-cliquez pour parcourir
@@ -150,7 +150,7 @@ Utilisez la commande 'exécuteur personnalisé' pour lancer cet exécu
&test
- HASS.Agent attendra un moment avant de vous avertir des déconnexions de MQTT ou de l'API HA.
+ HASS.Agent attendra un moment avant de vous avertir des déconnexions de MQTT ou de l'API HA.
Vous pouvez définir le nombre de secondes ici.
@@ -160,18 +160,18 @@ Vous pouvez définir le nombre de secondes ici.
Délai avant déconnection
- Important : si vous modifiez cette valeur, HASS.Agent dépubliera tous vos capteurs et commandes et forcera un redémarrage de lui-même, afin qu'ils puissent être republiés sous le nouveau nom de l'appareil.
+ Important : si vous modifiez cette valeur, HASS.Agent dépubliera tous vos capteurs et commandes et forcera un redémarrage de lui-même, afin qu'ils puissent être republiés sous le nouveau nom de l'appareil.
Vos automatisations et scripts continueront de fonctionner.
- Le nom de l'appareil est utilisé pour identifier votre machine sur HA.
+ Le nom de l'appareil est utilisé pour identifier votre machine sur HA.
Il est également utilisé comme préfixe pour vos noms de commande/capteur (peut être modifié par entité).
Cette page contient les paramètres généraux. Plus de paramètres dans les onglets sur la gauche.
- Nom de l'appareil
+ Nom de l'appareil
Conseil : double-cliquez sur ce champ pour parcourir
@@ -186,11 +186,11 @@ Il est également utilisé comme préfixe pour vos noms de commande/capteur (peu
Tester la connexion
- Pour connaître les entités que vous avez configurées et envoyer des actions rapides, HASS.Agent utilise l'API de Home Assistant.
+ Pour connaître les entités que vous avez configurées et envoyer des actions rapides, HASS.Agent utilise l'API de Home Assistant.
-Veuillez fournir un jeton d'accès de longue durée et l'adresse de votre instance Home Assistant.
+Veuillez fournir un jeton d'accès de longue durée et l'adresse de votre instance Home Assistant.
-Vous pouvez obtenir un jeton via votre page de profil. Faites défiler vers le bas et cliquez sur "CRÉER UN JETON".
+Vous pouvez obtenir un jeton via votre page de profil. Faites défiler vers le bas et cliquez sur "CRÉER UN JETON".
Fuzzy
@@ -203,7 +203,7 @@ Vous pouvez obtenir un jeton via votre page de profil. Faites défiler vers le b
Effacer
- Un moyen simple d'afficher vos actions rapides consiste à utiliser un raccourci clavier global.
+ Un moyen simple d'afficher vos actions rapides consiste à utiliser un raccourci clavier global.
De cette façon, quoi que vous fassiez sur votre machine, vous pouvez toujours interagir avec Home Assistant.
@@ -214,24 +214,24 @@ De cette façon, quoi que vous fassiez sur votre machine, vous pouvez toujours i
Combinaison du raccourcis clavier
- Effacer le cache d'image
+ Effacer le cache d'image
Ouvrir le dossier
- Emplacement du cache d'images
+ Emplacement du cache d'images
Jours
Les images affichées dans les notifications doivent être temporairement stockées localement. Vous pouvez configurer le nombre de
-jours de conservation avant que HASS.Agent ne les supprimes. Entrez '0' pour les conserver en permanence.
+jours de conservation avant que HASS.Agent ne les supprimes. Entrez '0' pour les conserver en permanence.
Fuzzy
- Les logs étendus fournit un log plus détaillée et plus approfondie, au cas où celle par défaut ne serait pas suffisante. Veuillez noter que l'activation de cette option peut entraîner une augmentation de la taille des fichiers journaux et doit être utilisé seulement lorsque vous soupçonnez que quelque chose ne va pas avec HASS.Agent lui-même ou lorsque demandé par le développeurs.
+ Les logs étendus fournit un log plus détaillée et plus approfondie, au cas où celle par défaut ne serait pas suffisante. Veuillez noter que l'activation de cette option peut entraîner une augmentation de la taille des fichiers journaux et doit être utilisé seulement lorsque vous soupçonnez que quelque chose ne va pas avec HASS.Agent lui-même ou lorsque demandé par le développeurs.
Fuzzy
@@ -259,11 +259,11 @@ jours de conservation avant que HASS.Agent ne les supprimes. Entrez '0&apos
Effacer les paramètres
- (Laisser vide si vous n'êtes pas sûr)
+ (Laisser vide si vous n'êtes pas sûr)
- Les commandes et les capteurs sont envoyés via MQTT. Veuillez fournir les informations d'identification de votre serveur. Si
-vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse prédéfinie.
+ Les commandes et les capteurs sont envoyés via MQTT. Veuillez fournir les informations d'identification de votre serveur. Si
+vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse prédéfinie.
Fuzzy
@@ -279,7 +279,7 @@ vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse
Port
- IP ou nom d'hôte du broker
+ IP ou nom d'hôte du broker
(Laisser vide pour aléatoire)
@@ -288,9 +288,9 @@ vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse
ID du client
- Si quelque chose ne fonctionne pas, assurez-vous d'avoir suivi ces étapes :
+ Si quelque chose ne fonctionne pas, assurez-vous d'avoir suivi ces étapes :
-- Installer l'intégration HASS.Agent-Notifier
+- Installer l'intégration HASS.Agent-Notifier
- Redémarrez Home Assistant
- Configurer une entité de notification
- Redémarrez Home Assistant
@@ -320,7 +320,7 @@ vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse
Le Service Windows vous permet de lancer capteurs et commandes même sans utilisateur connecté.
-Utiliser le bouton 'Service Windows' sur la fenêtre principale pour le gérer.
+Utiliser le bouton 'Service Windows' sur la fenêtre principale pour le gérer.
Statuts du service
@@ -346,11 +346,11 @@ Utiliser le bouton 'Service Windows' sur la fenêtre principale pour l
Si vous ne le configurez pas, il ne fera rien. Cependant, vous pouvez le désactiver quand même.
-L'installateur laissera le service désactivé seul (si vous désinstallez le service, l'installateur le réinstallera).
+L'installateur laissera le service désactivé seul (si vous désinstallez le service, l'installateur le réinstallera).
Fuzzy
- Vous pouvez essayer de réinstaller le service s'il ne fonctionne pas correctement.
+ Vous pouvez essayer de réinstaller le service s'il ne fonctionne pas correctement.
Vos paramètres et vos entités ne seront pas supprimées.
@@ -358,7 +358,7 @@ Vos paramètres et vos entités ne seront pas supprimées.
Fuzzy
- Si le service continue d'échouer après réinstallation,
+ Si le service continue d'échouer après réinstallation,
veuillez ouvrir un ticket et envoyer le contenu du dernier journal.
@@ -367,7 +367,7 @@ veuillez ouvrir un ticket et envoyer le contenu du dernier journal.
HASS.Agent étant basé sur un utilisateur, si vous voulez le lancer pour un autre utilisateur, installez et configurez HASS.Agent sur celui-ci.
- Activer le démarrage à l'ouverture de session
+ Activer le démarrage à l'ouverture de session
Statut du démarrage auto :
@@ -377,8 +377,8 @@ HASS.Agent étant basé sur un utilisateur, si vous voulez le lancer pour un aut
Fuzzy
- Lorsqu'il y a une mise à jour, HASS.Agent vous proposera l'option d'ouvrir la page de version.
-Mais si vous voulez HASS.Agent peut également télécharger et lancer l'installateur pour vous - encore moins de choses à faire !
+ Lorsqu'il y a une mise à jour, HASS.Agent vous proposera l'option d'ouvrir la page de version.
+Mais si vous voulez HASS.Agent peut également télécharger et lancer l'installateur pour vous - encore moins de choses à faire !
Le fichier de certificat de téléchargement sera vérifié avant exécution.
Fuzzy
@@ -389,24 +389,24 @@ Le fichier de certificat de téléchargement sera vérifié avant exécution.
Si vous le souhaitez, HASS.Agent peut vérifier les mises à jour en arrière-plan.
-Vous recevrez une notification (une fois par mise à jour), vous informant qu'une nouvelle version est prête à être installée.
+Vous recevrez une notification (une fois par mise à jour), vous informant qu'une nouvelle version est prête à être installée.
- Me notifier lors de la présence d'une nouvelle version
+ Me notifier lors de la présence d'une nouvelle version
Fuzzy
Il semble que ce soit la première fois que vous lanciez HASS.Agent.
Pour vous aider lors de la première configuration, suivez les étapes de configuration ci-dessous
-ou bien, cliquez sur 'Fermer'.
+ou bien, cliquez sur 'Fermer'.
- Le nom de l'appareil est utilisé pour identifier votre machine sur HA.
+ Le nom de l'appareil est utilisé pour identifier votre machine sur HA.
Il est également utilisé comme préfixe suggéré pour vos commandes et capteurs.
- Nom de l'appareil
+ Nom de l'appareil
Fuzzy
@@ -418,10 +418,10 @@ Il est également utilisé comme préfixe suggéré pour vos commandes et capteu
Vous pouvez toujours supprimer (ou recréer) cette clé via la fenêtre de Paramètres.
- Une seconde, détermination de l'état actuel ..
+ Une seconde, détermination de l'état actuel ..
- Remarque : 5115 est le port par défaut, ne le modifiez que si vous l'avez modifié dans Home Assistant.
+ Remarque : 5115 est le port par défaut, ne le modifiez que si vous l'avez modifié dans Home Assistant.
Oui, accepter les notifications sur le port
@@ -435,17 +435,17 @@ Voulez-vous activer cette fonction ?
Page GitHub HASS.Agent-Notifier
- Assurez-vous d'avoir suivi ces étapes :
+ Assurez-vous d'avoir suivi ces étapes :
-- Installer l'intégration HASS.Agent-Notifier
+- Installer l'intégration HASS.Agent-Notifier
- Redémarrez Home Assistant
- Configurer une entité de notification
- Redémarrez Home Assistant
- Pour utiliser les notifications, vous devez installer et configurer l'intégration HASS.Agent-notifier dans Home Assistant.
+ Pour utiliser les notifications, vous devez installer et configurer l'intégration HASS.Agent-notifier dans Home Assistant.
-C'est très facile avec HACS, mais vous pouvez également l'installer manuellement. Visitez le lien ci-dessous pour plus
+C'est très facile avec HACS, mais vous pouvez également l'installer manuellement. Visitez le lien ci-dessous pour plus
informations.
@@ -459,8 +459,8 @@ informations.
Pour connaître les entités que vous avez configurées et envoyer des actions rapides, HASS.Agent utilise
API de Home Assistant.
-Veuillez fournir un jeton d'accès de longue durée et l'adresse de votre instance Home Assistant.
-Vous pouvez obtenir un jeton via votre page de profil. Faites défiler vers le bas et cliquez sur "CRÉER UN JETON".
+Veuillez fournir un jeton d'accès de longue durée et l'adresse de votre instance Home Assistant.
+Vous pouvez obtenir un jeton via votre page de profil. Faites défiler vers le bas et cliquez sur "CRÉER UN JETON".
Fuzzy
@@ -474,26 +474,26 @@ Vous pouvez obtenir un jeton via votre page de profil. Faites défiler vers le b
Mot de passe
- Nom d'utilisateur
+ Nom d'utilisateur
Port
- IP ou nom d'hôte
+ IP ou nom d'hôte
- Les commandes et les capteurs sont envoyés via MQTT. Veuillez fournir les informations d'identification de votre serveur.
-Si vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse prédéfinie.
+ Les commandes et les capteurs sont envoyés via MQTT. Veuillez fournir les informations d'identification de votre serveur.
+Si vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse prédéfinie.
-Laissez vide si vous n'utilisez pas de commandes et de capteurs.
+Laissez vide si vous n'utilisez pas de commandes et de capteurs.
Fuzzy
Préfixe de découverte
- (laisser par défaut si vous n'êtes pas sûr)
+ (laisser par défaut si vous n'êtes pas sûr)
Astuce : des paramètres spécialisés peuvent être trouvés dans la fenêtre Paramètres.
@@ -502,7 +502,7 @@ Laissez vide si vous n'utilisez pas de commandes et de capteurs.
Combinaison de touches
- Un moyen simple d'afficher vos actions rapides consiste à utiliser un raccourci clavier global.
+ Un moyen simple d'afficher vos actions rapides consiste à utiliser un raccourci clavier global.
De cette façon, quoi que vous fassiez sur votre machine, vous pouvez toujours interagir avec Home Assistant.
@@ -512,7 +512,7 @@ De cette façon, quoi que vous fassiez sur votre machine, vous pouvez toujours i
Si vous le souhaitez, HASS.Agent peut vérifier les mises à jour en arrière-plan.
-Vous recevrez une notification (une fois par mise à jour) , vous informant qu'une nouvelle version est prête à être installée.
+Vous recevrez une notification (une fois par mise à jour) , vous informant qu'une nouvelle version est prête à être installée.
Voulez-vous activer cette fonctionnalité ?
Fuzzy
@@ -521,23 +521,23 @@ Voulez-vous activer cette fonctionnalité ?
Oui, informez moi des nouvelles mises à jour
- Oui, téléchargez et lancez l'installation pour moi
+ Oui, téléchargez et lancez l'installation pour moi
- Lorsqu'il y a une mise à jour, HASS.Agent offre la possibilité d'ouvrir la page de publication. Mais si vous
-voulez, HASS.Agent peut également télécharger et lancer le programme d'installation pour vous - encore moins à faire !
+ Lorsqu'il y a une mise à jour, HASS.Agent offre la possibilité d'ouvrir la page de publication. Mais si vous
+voulez, HASS.Agent peut également télécharger et lancer le programme d'installation pour vous - encore moins à faire !
-Le certificat du fichier téléchargé sera vérifié. Vous verrez toujours une page avec les notes de version, et vous devrez toujours approuver manuellement - rien n'est fait sans votre consentement.
+Le certificat du fichier téléchargé sera vérifié. Vous verrez toujours une page avec les notes de version, et vous devrez toujours approuver manuellement - rien n'est fait sans votre consentement.
Fuzzy
Page GitHub HASS.Agent
- Astuce : il y a beaucoup plus à tripatouiller, alors assurez-vous de jeter un coup d'œil à la fenêtre de Paramètres !
+ Astuce : il y a beaucoup plus à tripatouiller, alors assurez-vous de jeter un coup d'œil à la fenêtre de Paramètres !
-Merci d'utiliser HASS.Agent, j'espère que cela vous sera utile :-)
+Merci d'utiliser HASS.Agent, j'espère que cela vous sera utile :-)
Fuzzy
@@ -583,7 +583,7 @@ Merci d'utiliser HASS.Agent, j'espère que cela vous sera utile :-)Se connectez au service
- Connexion avec le Service Windows, un instant s'il vous plaît ..
+ Connexion avec le Service Windows, un instant s'il vous plaît ..
Récupérer les paramètres
@@ -596,7 +596,7 @@ Merci d'utiliser HASS.Agent, j'espère que cela vous sera utile :-)Fuzzy
- Nom de l'appareil
+ Nom de l'appareil
Astuce : double-cliquez pour parcourir
@@ -650,11 +650,11 @@ Merci d'utiliser HASS.Agent, j'espère que cela vous sera utile :-)Effacer les paramètres
- (laisser par défaut si vous n'êtes pas sûr)
+ (laisser par défaut si vous n'êtes pas sûr)
- Les commandes et les capteurs sont envoyés via MQTT. Veuillez fournir les informations d'identification de votre serveur. Si vous utilisez l'addon HA,
-vous pouvez probablement utiliser l'adresse prédéfinie.
+ Les commandes et les capteurs sont envoyés via MQTT. Veuillez fournir les informations d'identification de votre serveur. Si vous utilisez l'addon HA,
+vous pouvez probablement utiliser l'adresse prédéfinie.
Préfixe de découverte
@@ -663,13 +663,13 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Mot de passe
- Nom d'utilisateur
+ Nom d'utilisateur
Port
- Adresse IP ou nom d'hôte du broker
+ Adresse IP ou nom d'hôte du broker
Envoyer et activer la configuration
@@ -738,7 +738,7 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Veuillez patienter un peu pendant que HASS.Agent redémarre ..
- En attente de la fermeture de l'instance précédente
+ En attente de la fermeture de l'instance précédente
Relancer HASS.Agent
@@ -771,7 +771,7 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Fermer
- Voici le topic MQTT sur lequel vous pouvez publier des commandes d'action :
+ Voici le topic MQTT sur lequel vous pouvez publier des commandes d'action :
Copier dans le presse papier
@@ -780,7 +780,7 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Aide et exemples
- Topic d'Action MQTT
+ Topic d'Action MQTT
Supprimer
@@ -823,10 +823,10 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Description
- Exécuter en 'faible intégrité'
+ Exécuter en 'faible intégrité'
- Qu'est ce que c'est ?
+ Qu'est ce que c'est ?
type
@@ -844,10 +844,10 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
hass.agent seulement !
- Type d'entité
+ Type d'entité
- Afficher le topic d'action MQTT
+ Afficher le topic d'action MQTT
Action
@@ -899,7 +899,7 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Configuration des actions rapides
- Enregistrer l'action rapide
+ Enregistrer l'action rapide
Domaine
@@ -924,7 +924,7 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Combinaison de raccourcis
- (optionnel, sera utilisé à la place du nom de l'entité)
+ (optionnel, sera utilisé à la place du nom de l'entité)
Action Rapide
@@ -1027,11 +1027,11 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
composants utilisés pour leurs licences individuelles :
- Un grand 'merci' aux développeurs de ces projets, qui ont eu la gentillesse de partager
-leurs travails acharnés avec le reste d'entre nous, simples mortels.
+ Un grand 'merci' aux développeurs de ces projets, qui ont eu la gentillesse de partager
+leurs travails acharnés avec le reste d'entre nous, simples mortels.
- Et bien sûr; merci à Paulus Shoutsen et à toute l'équipe de développeurs qui
+ Et bien sûr; merci à Paulus Shoutsen et à toute l'équipe de développeurs qui
ont créé et maintiennent Home Assistant :-)
@@ -1050,7 +1050,7 @@ ont créé et maintiennent Home Assistant :-)
Outils Externes
- API d'Home Assistant
+ API d'Home Assistant
Raccourcis
@@ -1111,7 +1111,7 @@ ont créé et maintiennent Home Assistant :-)
fermer
- Vous êtes bloqué lors de l'utilisation de HASS.Agent, vous avez besoin d'aide pour intégrer les capteurs/commandes ou vous avez une idée géniale pour la prochaine version ?
+ Vous êtes bloqué lors de l'utilisation de HASS.Agent, vous avez besoin d'aide pour intégrer les capteurs/commandes ou vous avez une idée géniale pour la prochaine version ?
Il existe plusieurs canaux par lesquels vous pouvez nous joindre :
@@ -1125,13 +1125,13 @@ Il existe plusieurs canaux par lesquels vous pouvez nous joindre :
tickets GitHub
- Un peu de tout, avec en plus l'aide d'autres utilisateurs HA.
+ Un peu de tout, avec en plus l'aide d'autres utilisateurs HA.
Signaler des bugs, demande de fonctionnalités, idées, astuces, ..
- Obtenir de l'aide sur le paramétrage et l'utilisation de HASS.Agent, signaler des problèmes ou juste parler de différents sujets.
+ Obtenir de l'aide sur le paramétrage et l'utilisation de HASS.Agent, signaler des problèmes ou juste parler de différents sujets.
Documentation et exemples.
@@ -1214,7 +1214,7 @@ Il existe plusieurs canaux par lesquels vous pouvez nous joindre :
Actions rapides :
- API d'home assistant :
+ API d'home assistant :
API de notification :
@@ -1235,7 +1235,7 @@ Il existe plusieurs canaux par lesquels vous pouvez nous joindre :
HASS.Agent Onboarding
- une seconde, collecte d'infos ..
+ une seconde, collecte d'infos ..
Il y a une nouvelle version disponible :
@@ -1250,19 +1250,19 @@ Il existe plusieurs canaux par lesquels vous pouvez nous joindre :
page des mises à jour
- Mise à jour d'HASS.Agent
+ Mise à jour d'HASS.Agent
Exécutez une commande personnalisée.
-Ces commandes s'exécutent sans droits spéciaux. Pour exécuter en temps qu'administrateur, créez une tâche planifiée et utilisez la ligne de commande 'schtasks /Run /TN "TaskName"' exécuter votre tâche.
+Ces commandes s'exécutent sans droits spéciaux. Pour exécuter en temps qu'administrateur, créez une tâche planifiée et utilisez la ligne de commande 'schtasks /Run /TN "TaskName"' exécuter votre tâche.
-Ou utilisez 'Exécuter avec une faible intégrité' pour une exécution encore plus stricte.
+Ou utilisez 'Exécuter avec une faible intégrité' pour une exécution encore plus stricte.
Lancer la commande via le programme personnalisé défini (dans Paramètres -> Outils Externes).
-Votre commande est passée en tant qu'argument 'tel quel', vous devez donc fournir vos propres guillemets, etc. si nécessaire.
+Votre commande est passée en tant qu'argument 'tel quel', vous devez donc fournir vos propres guillemets, etc. si nécessaire.
Mettre Windows en veille prolongée
@@ -1270,16 +1270,16 @@ Votre commande est passée en tant qu'argument 'tel quel', vous d
Simule un appui sur une touche de clavier.
-Cliquez sur la zone de texte "Code de touche" et appuyez sur la touche que vous souhaitez simuler. Le code touche correspondant sera saisi pour vous.
+Cliquez sur la zone de texte "Code de touche" et appuyez sur la touche que vous souhaitez simuler. Le code touche correspondant sera saisi pour vous.
-Si vous avez besoin de plus de touches et/ou de combinaison tel que CTRL, utilisez la commande "Séries de touche et combinaisons".
+Si vous avez besoin de plus de touches et/ou de combinaison tel que CTRL, utilisez la commande "Séries de touche et combinaisons".
- Ouvre l'URL fournie, par défaut dans votre navigateur par défaut.
+ Ouvre l'URL fournie, par défaut dans votre navigateur par défaut.
-Pour utiliser le mode 'incognito', fournissez un navigateur spécifique dans Paramètres -> Outils externes.
+Pour utiliser le mode 'incognito', fournissez un navigateur spécifique dans Paramètres -> Outils externes.
-Si vous voulez juste une fenêtre avec une URL spécifique (pas le navigateur entier), utilisez une commande 'WebView'.
+Si vous voulez juste une fenêtre avec une URL spécifique (pas le navigateur entier), utilisez une commande 'WebView'.
Verrouiller la session.
@@ -1288,27 +1288,27 @@ Si vous voulez juste une fenêtre avec une URL spécifique (pas le navigateur en
Se déconnecter de la session.
- Simuler la touche 'mute'
+ Simuler la touche 'mute'
- Simuler la touche 'Media suivant'.
+ Simuler la touche 'Media suivant'.
- Simuler la touche 'lecture/pause du media'.
+ Simuler la touche 'lecture/pause du media'.
- Simuler la touche 'Media précédent'.
+ Simuler la touche 'Media précédent'.
- Simuler la touche 'Baisser le volume'.
+ Simuler la touche 'Baisser le volume'.
- Simuler la touche 'Augmenter le volume'.
+ Simuler la touche 'Augmenter le volume'.
- Simule l'appui de plusieurs touches.
+ Simule l'appui de plusieurs touches.
-Vous devez encadrer chaque touche ou combinaison de touches par des crochets [ ], sinon HASS.Agent ne peut pas les distinguer. Supposons que vous souhaitiez appuyer sur X, TAB, Y, et SHIFT-Z, ça s'écrirai [X] [{TAB}] [Y] [+Z].
+Vous devez encadrer chaque touche ou combinaison de touches par des crochets [ ], sinon HASS.Agent ne peut pas les distinguer. Supposons que vous souhaitiez appuyer sur X, TAB, Y, et SHIFT-Z, ça s'écrirai [X] [{TAB}] [Y] [+Z].
Il y a quelques astuces que vous pouvez utiliser :
@@ -1320,12 +1320,12 @@ Il y a quelques astuces que vous pouvez utiliser :
- Pour plusieurs appuis, utilisez {z 15}, ce qui signifie que Z sera appuyé 15 fois.
-Plus d'informations : https://docs.microsoft.com/en-us/dotnet/api/system.windows.forms.sendkeys
+Plus d'informations : https://docs.microsoft.com/en-us/dotnet/api/system.windows.forms.sendkeys
Exécutez une commande ou un script Powershell.
-Vous pouvez soit fournir l'emplacement d'un script (*.ps1), soit une seule ligne de commande.
+Vous pouvez soit fournir l'emplacement d'un script (*.ps1), soit une seule ligne de commande.
Cela fonctionnera sans droits particuliers.
@@ -1337,44 +1337,44 @@ Utile par exemple si vous souhaitez forcer HASS.Agent à mettre à jour tous vos
Redémarre la machine après une minute.
-Astuce : déclenché accidentellement ? Exécutez la commande 'shutdown /a' pour annuler.
+Astuce : déclenché accidentellement ? Exécutez la commande 'shutdown /a' pour annuler.
Arrête la machine après une minute.
-Astuce : déclenché accidentellement ? Exécutez 'shutdown /a' pour annuler.
+Astuce : déclenché accidentellement ? Exécutez 'shutdown /a' pour annuler.
Met la machine en veille.
-Remarque : en raison d'une limitation de Windows, cela ne fonctionne que si la veille prolongée est désactivée, sinon il se mettra en veille prolongée.
+Remarque : en raison d'une limitation de Windows, cela ne fonctionne que si la veille prolongée est désactivée, sinon il se mettra en veille prolongée.
Vous pouvez utiliser un outil tel que NirCmd (http://www.nirsoft.net/utils/nircmd.html) pour contourner le problème.
- Veuillez saisir l'emplacement de l'exécutable de votre navigateur (fichier .exe).
+ Veuillez saisir l'emplacement de l'exécutable de votre navigateur (fichier .exe).
- L'exécutable fourni est introuvable.
+ L'exécutable fourni est introuvable.
- Vous n'avez indiqué aucun argument de navigation privée, le navigateur se lancera donc probablement normalement.
+ Vous n'avez indiqué aucun argument de navigation privée, le navigateur se lancera donc probablement normalement.
Voulez-vous continuer?
- Une erreur s'est produite lors du lancement de votre navigateur en mode navigation privée.
+ Une erreur s'est produite lors du lancement de votre navigateur en mode navigation privée.
-Consultez les journaux pour plus d'informations.
+Consultez les journaux pour plus d'informations.
- Merci d'entrer une clef d'API valide.
+ Merci d'entrer une clef d'API valide.
- Merci d'entrer d'adresse de votre Home Assistant.
+ Merci d'entrer d'adresse de votre Home Assistant.
- Impossible de se connecter, l'erreur suivante a été renvoyée :
+ Impossible de se connecter, l'erreur suivante a été renvoyée :
{0}
@@ -1393,7 +1393,7 @@ Version de Home Assistant : {0}
Les notifications sont toujours désactivées. Veuillez les activer, redémarrer HASS.Agent et réessayer.
- La notification doit être apparue. Si ce n'est pas le cas, consultez les journaux ou lisez la documentation pour obtenir des conseils de dépannage.
+ La notification doit être apparue. Si ce n'est pas le cas, consultez les journaux ou lisez la documentation pour obtenir des conseils de dépannage.
Remarque : cela ne teste que localement si les notifications peuvent être affichées !
@@ -1401,14 +1401,14 @@ Remarque : cela ne teste que localement si les notifications peuvent être affic
Ceci est une notification de test.
- en cours d'exécution, veuillez patienter ..
+ en cours d'exécution, veuillez patienter ..
- Quelque chose s'est mal passé !
+ Quelque chose s'est mal passé !
Veuillez exécuter manuellement la commande. Elle a été copiée dans votre presse-papiers, il vous suffit de le coller dans une invite de commande avec droits administrateurs.
-N'oubliez pas de modifier également les règles de port du pare-feu.
+N'oubliez pas de modifier également les règles de port du pare-feu.
Non installé
@@ -1426,44 +1426,44 @@ N'oubliez pas de modifier également les règles de port du pare-feu.Echoué
- Une erreur s'est produite lors de la tentative d'arrêt du service. Avez-vous autorisé l'invite UAC ?
+ Une erreur s'est produite lors de la tentative d'arrêt du service. Avez-vous autorisé l'invite UAC ?
-Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
+Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
- Le service est défini sur 'désactivé', il ne peut donc pas être démarré.
+ Le service est défini sur 'désactivé', il ne peut donc pas être démarré.
-Veuillez d'abord activer le service, puis réessayer.
+Veuillez d'abord activer le service, puis réessayer.
- Une erreur s'est produite lors de la tentative de démarrage du service. Avez-vous autorisé l'invite UAC ?
+ Une erreur s'est produite lors de la tentative de démarrage du service. Avez-vous autorisé l'invite UAC ?
-Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
+Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
- Une erreur s'est produite lors de la tentative de désactivation du service. Avez-vous autorisé l'invite UAC ?
+ Une erreur s'est produite lors de la tentative de désactivation du service. Avez-vous autorisé l'invite UAC ?
-Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
+Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
- Une erreur s'est produite lors de la tentative d'activation du service. Avez-vous autorisé l'invite UAC ?
+ Une erreur s'est produite lors de la tentative d'activation du service. Avez-vous autorisé l'invite UAC ?
-Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
+Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
- Une erreur s'est produite lors de la tentative de réinstallation du service. Avez-vous autorisé l'invite UAC ?
+ Une erreur s'est produite lors de la tentative de réinstallation du service. Avez-vous autorisé l'invite UAC ?
-Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
+Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
- Une erreur s'est produite lors de la désactivation du démarrage à l'ouverture de session.
+ Une erreur s'est produite lors de la désactivation du démarrage à l'ouverture de session.
-Consultez les journaux pour plus d'informations.
+Consultez les journaux pour plus d'informations.
- Une erreur s'est produite lors de l'activation du démarrage à l'ouverture de session.
+ Une erreur s'est produite lors de l'activation du démarrage à l'ouverture de session.
-Consultez les journaux pour plus d'informations.
+Consultez les journaux pour plus d'informations.
Activé
@@ -1478,31 +1478,31 @@ Consultez les journaux pour plus d'informations.
Activer
- Démarrage à l'ouverture de session activé !
+ Démarrage à l'ouverture de session activé !
- Voulez-vous activer le lancement à l'ouverture de session maintenant ?
+ Voulez-vous activer le lancement à l'ouverture de session maintenant ?
- Le lancement à l'ouverture de session est activé !
+ Le lancement à l'ouverture de session est activé !
- Activation du lancement à l'ouverture de session, patientez ..
+ Activation du lancement à l'ouverture de session, patientez ..
- Une erreur s'est produite. Vous pouvez réessayer, ou passer à la page suivante et réessayer après le redémarrage de HASS.Agent.
+ Une erreur s'est produite. Vous pouvez réessayer, ou passer à la page suivante et réessayer après le redémarrage de HASS.Agent.
- Activer le lancement à l'ouverture de session
+ Activer le lancement à l'ouverture de session
Veuillez saisir une clé API valide.
- Veuillez saisir l'adresse de votre Home Assistant.
+ Veuillez saisir l'adresse de votre Home Assistant.
- Impossible de se connecter, l'erreur suivante a été renvoyée :
+ Impossible de se connecter, l'erreur suivante a été renvoyée :
{0}
@@ -1515,27 +1515,27 @@ Home Assistant version: {0}
test en cours ..
- Une erreur s'est produite lors de l'enregistrement des commandes, consultez les journaux pour plus d'informations.
+ Une erreur s'est produite lors de l'enregistrement des commandes, consultez les journaux pour plus d'informations.
Enregistrement et connexion, veuillez patienter ..
- Connexion avec le Service Windows, un instant s'il vous plaît ..
+ Connexion avec le Service Windows, un instant s'il vous plaît ..
La connexion au service a échoué
- Le service n'a pas été trouvé ! Vous pouvez l'installer et le gérer à partir du panneau de configuration.
+ Le service n'a pas été trouvé ! Vous pouvez l'installer et le gérer à partir du panneau de configuration.
-Lorsqu'il est opérationnel, revenez ici pour configurer les commandes et les capteurs.
+Lorsqu'il est opérationnel, revenez ici pour configurer les commandes et les capteurs.
La communication avec le service a échoué
- Impossible de communiquer avec le service. Consultez les journaux pour plus d'informations.
+ Impossible de communiquer avec le service. Consultez les journaux pour plus d'informations.
Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de paramètres.
@@ -1543,15 +1543,15 @@ Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de
Non autorisé
- Vous n'êtes pas autorisé à vous connecter au service.
+ Vous n'êtes pas autorisé à vous connecter au service.
-Si vous disposez d'un identifiant de connexion valide, vous pouvez le saisir maintenant et réessayer.
+Si vous disposez d'un identifiant de connexion valide, vous pouvez le saisir maintenant et réessayer.
La récupération des paramètres a échoué
- Le service a renvoyé une erreur lors de la récupération de ses paramètres. Consultez les journaux pour plus d'informations.
+ Le service a renvoyé une erreur lors de la récupération de ses paramètres. Consultez les journaux pour plus d'informations.
Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de paramètres.
@@ -1559,7 +1559,7 @@ Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de
La récupération des paramètres MQTT a échoué
- Le service a renvoyé une erreur lors de la récupération des paramètres MQTT. Consultez les journaux pour plus d'informations.
+ Le service a renvoyé une erreur lors de la récupération des paramètres MQTT. Consultez les journaux pour plus d'informations.
Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de paramètres.
@@ -1567,7 +1567,7 @@ Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de
La récupération des commandes configurées a échoué
- Le service a renvoyé une erreur lors de la récupération des commandes configurées. Consultez les journaux pour plus d'informations.
+ Le service a renvoyé une erreur lors de la récupération des commandes configurées. Consultez les journaux pour plus d'informations.
Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de paramètres.
@@ -1575,24 +1575,24 @@ Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de
La récupération des capteurs configurés a échoué
- Le service a renvoyé une erreur lors de la récupération des capteurs configurés. Consultez les journaux pour plus d'informations.
+ Le service a renvoyé une erreur lors de la récupération des capteurs configurés. Consultez les journaux pour plus d'informations.
Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de paramètres.
- La sauvegarde d'identifiant d'authentification vide permettra à tous les HASS.Agents d'accéder au serveur.
+ La sauvegarde d'identifiant d'authentification vide permettra à tous les HASS.Agents d'accéder au serveur.
Êtes-vous sûr de vouloir cela ?
Fuzzy
- Une erreur s'est produite lors de l'enregistrement, consultez les journaux pour plus d'informations.
+ Une erreur s'est produite lors de l'enregistrement, consultez les journaux pour plus d'informations.
- Veuillez d'abord saisir un nom d'appareil.
+ Veuillez d'abord saisir un nom d'appareil.
- Veuillez d'abord sélectionner un programme (astuce : double-cliquez pour parcourir).
+ Veuillez d'abord sélectionner un programme (astuce : double-cliquez pour parcourir).
Le programme sélectionné est introuvable. Veuillez en sélectionner un nouveau.
@@ -1605,41 +1605,41 @@ Seules les instances ayant le bon identifiant peuvent se connecter.
Laissez vide pour permettre à tous de se connecter.
- C'est le nom avec lequel le Service Windows s'enregistre sur Home Assistant.
+ C'est le nom avec lequel le Service Windows s'enregistre sur Home Assistant.
-Par défaut, c'est le nom de votre PC suivi de '-satellite'.
+Par défaut, c'est le nom de votre PC suivi de '-satellite'.
- Le délai qu'attendra le Service Windows avant de signaler une connexion perdue au broker MQTT.
+ Le délai qu'attendra le Service Windows avant de signaler une connexion perdue au broker MQTT.
- Erreur lors de la récupération de l'état, vérifier les journaux
+ Erreur lors de la récupération de l'état, vérifier les journaux
- Une erreur s'est produite lors de l'enregistrement de la configuration, consultez les journaux pour plus d'informations.
+ Une erreur s'est produite lors de l'enregistrement de la configuration, consultez les journaux pour plus d'informations.
enregistrement et connexion, veuillez patienter ..
- Une erreur s'est produite lors de l'enregistrement des capteurs, consultez les journaux pour plus d'informations.
+ Une erreur s'est produite lors de l'enregistrement des capteurs, consultez les journaux pour plus d'informations.
enregistrement et connexion, veuillez patienter ..
- Les étapes n'ont pas toutes été terminées avec succès. Veuillez consulter les journaux pour plus d'informations.
+ Les étapes n'ont pas toutes été terminées avec succès. Veuillez consulter les journaux pour plus d'informations.
- Les étapes n'ont pas toutes été terminées avec succès. Veuillez consulter les journaux pour plus d'informations.
+ Les étapes n'ont pas toutes été terminées avec succès. Veuillez consulter les journaux pour plus d'informations.
HASS.Agent est toujours actif après {0} secondes. Veuillez fermer toutes les instances et redémarrer manuellement.
-Consultez les journaux pour plus d'informations et informez éventuellement les développeurs.
+Consultez les journaux pour plus d'informations et informez éventuellement les développeurs.
- Toutes les étapes ne sont pas terminées avec succès. Veuillez consulter les logs pour plus d'informations.
+ Toutes les étapes ne sont pas terminées avec succès. Veuillez consulter les logs pour plus d'informations.
Activer le Service Windows
@@ -1654,9 +1654,9 @@ Consultez les journaux pour plus d'informations et informez éventuellement
Arrêter le Service Windows
- Une erreur s'est produite lors du changement d'état du service.
+ Une erreur s'est produite lors du changement d'état du service.
-Veuillez consulter les journaux pour plus d'informations.
+Veuillez consulter les journaux pour plus d'informations.
topic copié dans le presse-papier
@@ -1665,7 +1665,7 @@ Veuillez consulter les journaux pour plus d'informations.
enregistrement et connexion, veuillez patienter ..
- Une erreur s'est produite lors de l'enregistrement des commandes, consultez les logs pour plus d'informations.
+ Une erreur s'est produite lors de l'enregistrement des commandes, consultez les logs pour plus d'informations.
Nouvelle commande
@@ -1680,7 +1680,7 @@ Veuillez consulter les journaux pour plus d'informations.
Sélectionner un type de commande valide.
- Sélectionner un type d'entité valide.
+ Sélectionner un type d'entité valide.
Entrer un nom.
@@ -1689,12 +1689,12 @@ Veuillez consulter les journaux pour plus d'informations.
Il existe déjà une commande portant ce nom. Etes-vous sur de vouloir continuer?
- Si vous n'entrez pas de commande, vous ne pouvez utiliser cette entité qu'avec une valeur "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
+ Si vous n'entrez pas de commande, vous ne pouvez utiliser cette entité qu'avec une valeur "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
Êtes-vous sûr de vouloir cela ?
- Si vous n'entrez pas de commande ou de script, vous ne pouvez utiliser cette entité qu'avec une valeur "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
+ Si vous n'entrez pas de commande ou de script, vous ne pouvez utiliser cette entité qu'avec une valeur "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
Êtes-vous sûr de vouloir cela ?
@@ -1705,7 +1705,7 @@ Veuillez consulter les journaux pour plus d'informations.
La vérification des clés a échoué : {0}
- Si vous ne saisissez pas d'URL, vous ne pouvez utiliser cette entité qu'avec une valeur "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
+ Si vous ne saisissez pas d'URL, vous ne pouvez utiliser cette entité qu'avec une valeur "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
Êtes-vous sûr de vouloir cela ?
@@ -1748,46 +1748,46 @@ veuillez configurer un interpréteur de commandes ou votre commande ne fonctionn
Une faible intégrité signifie que votre commande sera exécutée avec des privilèges restreints.
- Cela signifie qu'il ne pourra enregistrer et modifier des fichiers qu'à certains endroits,
+ Cela signifie qu'il ne pourra enregistrer et modifier des fichiers qu'à certains endroits,
- comme le dossier '%USERPROFILE%\AppData\LocalLow' ou
+ comme le dossier '%USERPROFILE%\AppData\LocalLow' ou
- la clé de registre 'HKEY_CURRENT_USER\Software\AppDataLow'.
+ la clé de registre 'HKEY_CURRENT_USER\Software\AppDataLow'.
- Vous devriez tester votre commande pour vous assurer qu'elle n'est pas influencée par cela.
+ Vous devriez tester votre commande pour vous assurer qu'elle n'est pas influencée par cela.
{0} seulement !
- Le gestionnaire MQTT n'a pas été correctement configuré ou n'a pas encore terminé son démarrage.
+ Le gestionnaire MQTT n'a pas été correctement configuré ou n'a pas encore terminé son démarrage.
- Impossible de récupérer vos entités en raison d'une configuration manquante, veuillez saisir les valeurs requises dans l'écran de configuration.
+ Impossible de récupérer vos entités en raison d'une configuration manquante, veuillez saisir les valeurs requises dans l'écran de configuration.
- Une erreur s'est produite lors de la tentative de récupération de vos entités.
+ Une erreur s'est produite lors de la tentative de récupération de vos entités.
Nouvelle Action Rapide
- Modification de l'action rapide
+ Modification de l'action rapide
- Impossible de récupérer vos entités en raison d'une configuration manquante, veuillez saisir les valeurs requises dans l'écran de configuration.
+ Impossible de récupérer vos entités en raison d'une configuration manquante, veuillez saisir les valeurs requises dans l'écran de configuration.
- Une erreur s'est produite lors de la tentative de récupération de vos entités.
+ Une erreur s'est produite lors de la tentative de récupération de vos entités.
- Sélectionnez d'abord une entité.
+ Sélectionnez d'abord une entité.
- Sélectionnez d'abord un domaine.
+ Sélectionnez d'abord un domaine.
Action inconnue, veuillez en sélectionner une valide.
@@ -1796,7 +1796,7 @@ veuillez configurer un interpréteur de commandes ou votre commande ne fonctionn
enregistrement et connexion, veuillez patienter ..
- Une erreur s'est produite lors de l'enregistrement des capteurs, consultez les journaux pour plus d'informations.
+ Une erreur s'est produite lors de l'enregistrement des capteurs, consultez les journaux pour plus d'informations.
Nouveau capteur
@@ -1829,13 +1829,13 @@ veuillez configurer un interpréteur de commandes ou votre commande ne fonctionn
Service
- Sélectionnez d'abord un type de capteur.
+ Sélectionnez d'abord un type de capteur.
- Sélectionnez d'abord un type de capteur valide.
+ Sélectionnez d'abord un type de capteur valide.
- Entrez d'abord un nom.
+ Entrez d'abord un nom.
Il existe déjà un capteur à valeur unique portant ce nom. Voulez-vous vraiment continuer ?
@@ -1844,22 +1844,22 @@ veuillez configurer un interpréteur de commandes ou votre commande ne fonctionn
Il existe déjà un capteur à valeur multiple portant ce nom. Voulez-vous vraiment continuer ?
- Entrez d'abord un intervalle entre 1 et 43200 (12 heures).
+ Entrez d'abord un intervalle entre 1 et 43200 (12 heures).
- Entrez d'abord un nom de fenêtre.
+ Entrez d'abord un nom de fenêtre.
- Saisissez d'abord une requête.
+ Saisissez d'abord une requête.
- Entrez d'abord une catégorie et une instance.
+ Entrez d'abord une catégorie et une instance.
- Entrez d'abord le nom d'un processus.
+ Entrez d'abord le nom d'un processus.
- Saisissez d'abord le nom d'un service.
+ Saisissez d'abord le nom d'un service.
{0} seulement !
@@ -1871,20 +1871,20 @@ Tous vos capteurs et commandes seront désormais dépubliés, et HASS.Agent red
Ne vous inquiétez pas, ils conserveront leur nom actuel, de sorte que vos automatisations ou scripts continueront de fonctionner.
-Remarque : le nom sera 'nettoyé', ce qui signifie que tout, sauf les lettres, les chiffres et les espaces, sera remplacé par un trait de soulignement. Ceci est requis par HA.
+Remarque : le nom sera 'nettoyé', ce qui signifie que tout, sauf les lettres, les chiffres et les espaces, sera remplacé par un trait de soulignement. Ceci est requis par HA.
- Vous avez modifié le port de l'API de notification. Ce nouveau port doit être réservé.
+ Vous avez modifié le port de l'API de notification. Ce nouveau port doit être réservé.
Vous recevrez une demande UAC pour le faire, veuillez approuver.
Fuzzy
- Quelque chose s'est mal passé !
+ Quelque chose s'est mal passé !
Veuillez exécuter manuellement la commande. Elle a été copié dans votre presse-papiers, il vous suffit de la coller dans une invite de commande en mode administrateur.
-N'oubliez pas de modifier également le port dans la règle du pare-feu.
+N'oubliez pas de modifier également le port dans la règle du pare-feu.
Le port a été réservé avec succès !
@@ -1892,7 +1892,7 @@ N'oubliez pas de modifier également le port dans la règle du pare-feu.
- Une erreur s'est produite lors de la préparation du redémarrage.
+ Une erreur s'est produite lors de la préparation du redémarrage.
Veuillez redémarrer manuellement.
@@ -1901,13 +1901,13 @@ Veuillez redémarrer manuellement.
Voulez-vous redémarrer maintenant ?
- Une erreur s'est produite lors du chargement de vos paramètres.
+ Une erreur s'est produite lors du chargement de vos paramètres.
-Vérifiez appsettings.json dans le sous-dossier 'Config', ou supprimez le simplement pour recommencer à zéro.
+Vérifiez appsettings.json dans le sous-dossier 'Config', ou supprimez le simplement pour recommencer à zéro.
Fuzzy
- Une erreur s'est produite lors du lancement de HASS.Agent.
+ Une erreur s'est produite lors du lancement de HASS.Agent.
Veuillez vérifier les journaux et faire un rapport de bug sur github.
Fuzzy
@@ -1931,7 +1931,7 @@ Veuillez vérifier les journaux et faire un rapport de bug sur github.
Mise à jour HASS.Agent BETA
- Voulez-vous télécharger et lancer le programme d'installation ?
+ Voulez-vous télécharger et lancer le programme d'installation ?
Voulez-vous accéder à la page des releases ?
@@ -1982,7 +1982,7 @@ Veuillez vérifier les journaux et faire un rapport de bug sur github.
HASS.Agent intégration : Terminée [{0}/{1}]
- Voulez-vous vraiment abandonner le processus d'intégration ?
+ Voulez-vous vraiment abandonner le processus d'intégration ?
Votre progression ne sera pas enregistrée et ne sera plus affichée au prochain lancement.
@@ -1990,26 +1990,26 @@ Votre progression ne sera pas enregistrée et ne sera plus affichée au prochain
Erreur lors de la récupération des informations, vérifiez les journaux
- Impossible de préparer le téléchargement de la mise à jour, consultez les journaux pour plus d'informations.
+ Impossible de préparer le téléchargement de la mise à jour, consultez les journaux pour plus d'informations.
-La page de mise à jour s'ouvrira maintenant à la place.
+La page de mise à jour s'ouvrira maintenant à la place.
- Impossible de télécharger la mise à jour, consultez les journaux pour plus d'informations.
+ Impossible de télécharger la mise à jour, consultez les journaux pour plus d'informations.
-La page de mise à jour s'ouvrira maintenant à la place.
+La page de mise à jour s'ouvrira maintenant à la place.
- Le fichier téléchargé n'a pas pu être vérifié.
+ Le fichier téléchargé n'a pas pu être vérifié.
-Il peut s'agir d'une erreur technique, mais aussi d'un fichier trafiqué !
+Il peut s'agir d'une erreur technique, mais aussi d'un fichier trafiqué !
Veuillez vérifier les journaux et poster un ticket avec les résultats.
- Impossible de lancer le programme d'installation (avez-vous approuvé l'invite UAC ?), consultez les journaux pour plus d'informations.
+ Impossible de lancer le programme d'installation (avez-vous approuvé l'invite UAC ?), consultez les journaux pour plus d'informations.
-La page de mise à jour s'ouvrira maintenant à la place.
+La page de mise à jour s'ouvrira maintenant à la place.
HASS API : échec de la configuration de la connexion
@@ -2024,19 +2024,19 @@ La page de mise à jour s'ouvrira maintenant à la place.
Fichier de certificat client introuvable
- Impossible de se connecter, vérifier l'adresse
+ Impossible de se connecter, vérifier l'adresse
Impossible de récupérer la configuration, vérifiez la clé API
- Impossible de se connecter, vérifiez l'adresse et la configuration
+ Impossible de se connecter, vérifiez l'adresse et la configuration
- Action Rapide : échec de l'action, consultez les journaux pour plus d'informations
+ Action Rapide : échec de l'action, consultez les journaux pour plus d'informations
- Action Rapide : échec de l'action, entité introuvable
+ Action Rapide : échec de l'action, entité introuvable
MQTT : erreur lors de la connexion
@@ -2048,31 +2048,31 @@ La page de mise à jour s'ouvrira maintenant à la place.
MQTT: déconnecté
- Erreur lors de la tentative d'appairage de l'API au port {0}.
+ Erreur lors de la tentative d'appairage de l'API au port {0}.
-Assurez-vous qu'aucune autre instance de HASS.Agent n'est en cours d'exécution et que le port est disponible et enregistré.
+Assurez-vous qu'aucune autre instance de HASS.Agent n'est en cours d'exécution et que le port est disponible et enregistré.
Fournit le titre de la fenêtre active actuelle.
- Fournit des informations sur divers aspects de l'audio de votre appareil :
+ Fournit des informations sur divers aspects de l'audio de votre appareil :
Niveau de volume maximal actuel (peut être utilisé comme une simple valeur ‘quelque chose joue’).
Périphérique audio par défaut : nom, état et volume.
-Résumé de vos sessions audio : nom de l'application, état muet, volume et volume maximal actuel.
+Résumé de vos sessions audio : nom de l'application, état muet, volume et volume maximal actuel.
- Fournit à un capteur l'état de charge actuel, le nombre estimé de minutes sur une charge complète, la charge restante en pourcentage, la charge restante en minutes et l'état du branchement au courant.
+ Fournit à un capteur l'état de charge actuel, le nombre estimé de minutes sur une charge complète, la charge restante en pourcentage, la charge restante en minutes et l'état du branchement au courant.
Fuzzy
Fournit la charge actuelle du premier processeur sous forme de pourcentage.
- Fournit la vitesse d'horloge actuelle du premier processeur.
+ Fournit la vitesse d'horloge actuelle du premier processeur.
Fournit le niveau de volume actuel sous forme de pourcentage.
@@ -2080,7 +2080,7 @@ Résumé de vos sessions audio : nom de l'application, état muet, volume e
Indique le volume de votre appareil par défaut.
- Créé un capteur avec le nombre d'écrans, le nom de l'écran principal et pour chaque écran, son nom, sa résolution et ses points par pixel.
+ Créé un capteur avec le nombre d'écrans, le nom de l'écran principal et pour chaque écran, son nom, sa résolution et ses points par pixel.
Capteur factice à des fins de test, envoie une valeur entière aléatoire entre 0 et 100.
@@ -2092,12 +2092,12 @@ Indique le volume de votre appareil par défaut.
Fournit la température actuelle du premier GPU.
- Fournit la date et l'heure de la dernière utilisation d'un périphérique par l'utilisateur.
+ Fournit la date et l'heure de la dernière utilisation d'un périphérique par l'utilisateur.
Provides a datetime value containing the last moment the system (re)booted.
-Important: Windows' FastBoot option can throw this value off, because that's a form of hibernation. You can disable it through Power Options -> 'Choose what the power buttons do' -> uncheck 'Turn on fast start-up'. It doesn't make much difference for modern machines with SSDs, but disabling makes sure you get a clean state after rebooting.
+Important: Windows' FastBoot option can throw this value off, because that's a form of hibernation. You can disable it through Power Options -> 'Choose what the power buttons do' -> uncheck 'Turn on fast start-up'. It doesn't make much difference for modern machines with SSDs, but disabling makes sure you get a clean state after rebooting.
Provides the last system state change:
@@ -2105,7 +2105,7 @@ Important: Windows' FastBoot option can throw this value off, because that&
ApplicationStarted, Logoff, SystemShutdown, Resume, Suspend, ConsoleConnect, ConsoleDisconnect, RemoteConnect, RemoteDisconnect, SessionLock, SessionLogoff, SessionLogon, SessionRemoteControl and SessionUnlock.
- Renvoie le nom de l'utilisateur actuellement connecté.
+ Renvoie le nom de l'utilisateur actuellement connecté.
Fuzzy
@@ -2120,15 +2120,15 @@ ApplicationStarted, Logoff, SystemShutdown, Resume, Suspend, ConsoleConnect, Con
Fuzzy
- Fournit une valeur ON/OFF selon si la fenêtre est actuellement ouverte (elle n'a pas besoin d'être active).
+ Fournit une valeur ON/OFF selon si la fenêtre est actuellement ouverte (elle n'a pas besoin d'être active).
Fournit des informations sur la carte, la configuration, les statistiques de transfert et les adresses (ip, mac, dhcp, dns) de la ou des cartes réseau sélectionnées.
-Il s'agit d'un capteur multi-valeur.
+Il s'agit d'un capteur multi-valeur.
- Fournit les valeurs d'un compteur de performance.
+ Fournit les valeurs d'un compteur de performance.
Par exemple, le capteur de charge du processeur utilise ces valeurs :
@@ -2136,16 +2136,16 @@ Catégorie : Processeur
Compteur : % du temps processeur
Instance : _Total
-Vous pouvez explorer les compteurs via l'outil 'perfmon.exe' de Windows.
+Vous pouvez explorer les compteurs via l'outil 'perfmon.exe' de Windows.
- Fournit le nombre d'instances actives du processus.
+ Fournit le nombre d'instances actives du processus.
Fuzzy
Returns the state of the provided service: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending or Paused.
-Make sure to provide the 'Service name', not the 'Display name'.
+Make sure to provide the 'Service name', not the 'Display name'.
Provides the current session state:
@@ -2155,7 +2155,7 @@ Locked, Unlocked or Unknown.
Use a LastSystemStateChangeSensor to monitor session state changes.
- Fournit les libellés, la taille totale (MB), l'espace disponible (MB), l'espace utilisé (MB) et le système de fichiers de tous les disques non amovibles présents.
+ Fournit les libellés, la taille totale (MB), l'espace disponible (MB), l'espace utilisé (MB) et le système de fichiers de tous les disques non amovibles présents.
Provides the current user state:
@@ -2167,12 +2167,12 @@ Can for instance be used to determine whether to send notifications or TTS messa
Provides a bool value based on whether the webcam is currently being used.
-Note: if used in the satellite service, it won't detect userspace applications.
+Note: if used in the satellite service, it won't detect userspace applications.
- Provides a sensor with the amount of pending driver updates, a sensor with the amount of pending software updates, a sensor containing all pending driver updates information (title, kb article id's, hidden, type and categories) and a sensor containing the same for pending software updates.
+ Provides a sensor with the amount of pending driver updates, a sensor with the amount of pending software updates, a sensor containing all pending driver updates information (title, kb article id's, hidden, type and categories) and a sensor containing the same for pending software updates.
-This is a costly request, so the recommended interval is 15 minutes (900 seconds). But it's capped at 10 minutes, if you provide a lower value, you'll get the last known list.
+This is a costly request, so the recommended interval is 15 minutes (900 seconds). But it's capped at 10 minutes, if you provide a lower value, you'll get the last known list.
Fournit le résultat de la requête WMI.
@@ -2183,12 +2183,12 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
{0}
- Erreur lors de l'enregistrement des paramètres initiaux :
+ Erreur lors de l'enregistrement des paramètres initiaux :
{0}
- Erreur lors de l'enregistrement des paramètres :
+ Erreur lors de l'enregistrement des paramètres :
{0}
@@ -2198,7 +2198,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
{0}
- Erreur lors de l'enregistrement des commandes :
+ Erreur lors de l'enregistrement des commandes :
{0}
@@ -2208,7 +2208,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
{0}
- Erreur lors de l'enregistrement des actions rapides :
+ Erreur lors de l'enregistrement des actions rapides :
{0}
@@ -2218,7 +2218,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
{0}
- Erreur lors de l'enregistrement des capteurs :
+ Erreur lors de l'enregistrement des capteurs :
{0}
@@ -2232,7 +2232,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
Occupé, Patientez ..
- Langage de l'interface
+ Langage de l'interface
ou
@@ -2241,7 +2241,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
Terminer
- Langage de l'interface
+ Langage de l'interface
Configuration manquante
@@ -2394,7 +2394,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
Charge CPU
- Vitesse d'horloge
+ Vitesse d'horloge
Volume actuel
@@ -2418,7 +2418,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
Dernier démarrage
- Dernier changement d'état du système
+ Dernier changement d'état du système
Utilisateur connecté
@@ -2577,7 +2577,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
Carte du reseau
- Entrez d'abord une catégorie et un compteur.
+ Entrez d'abord une catégorie et un compteur.
Test exécuté avec succès, valeur du résultat :
@@ -2585,14 +2585,14 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
{0}
- Le test n'a pas réussi a s'exécuter :
+ Le test n'a pas réussi a s'exécuter :
{0}
Voulez-vous ouvrir le dossier des journaux ?
- Saisissez d'abord une requête WMI.
+ Saisissez d'abord une requête WMI.
Requête exécutée avec succès, valeur du résultat :
@@ -2600,7 +2600,7 @@ Voulez-vous ouvrir le dossier des journaux ?
{0}
- La requête n'a pas réussi a s'exécuter :
+ La requête n'a pas réussi a s'exécuter :
{0}
@@ -2615,7 +2615,7 @@ The scope you entered:
{0}
-Tip: make sure you haven't switched the scope and query fields around.
+Tip: make sure you haven't switched the scope and query fields around.
Do you still want to use the current values?
@@ -2623,15 +2623,15 @@ Do you still want to use the current values?
Application démarrée
- Vous pouvez utiliser le Service Windows pour faire fonctionner les capteurs et commandes sans avoir à vous connecter. Tous ne sont pas disponibles, par exemple la commande 'LaunchUrl' ne peut pas être lancée par le service.
+ Vous pouvez utiliser le Service Windows pour faire fonctionner les capteurs et commandes sans avoir à vous connecter. Tous ne sont pas disponibles, par exemple la commande 'LaunchUrl' ne peut pas être lancée par le service.
Dernière valeur connue
- Erreur lors de la tentative de connexion de l'API au port {0}.
+ Erreur lors de la tentative de connexion de l'API au port {0}.
-Assurez vous qu'aucune autre instance de HASS.Agent n'est en cours d'exécution et que le port est disponible et enregistré.
+Assurez vous qu'aucune autre instance de HASS.Agent n'est en cours d'exécution et que le port est disponible et enregistré.
Afficher la fenêtre au premier plan
@@ -2640,26 +2640,26 @@ Assurez vous qu'aucune autre instance de HASS.Agent n'est en cours d&a
WebView
- Affiche une fenêtre avec l'URL fournie.
+ Affiche une fenêtre avec l'URL fournie.
-Cela diffère de la commande 'LaunchUrl' en ce qu'elle ne charge pas un navigateur à part entière, juste l'URL fournie dans sa propre fenêtre.
+Cela diffère de la commande 'LaunchUrl' en ce qu'elle ne charge pas un navigateur à part entière, juste l'URL fournie dans sa propre fenêtre.
-Vous pouvez l'utiliser par exemple pour afficher rapidement le tableau de bord de Home Assistant.
+Vous pouvez l'utiliser par exemple pour afficher rapidement le tableau de bord de Home Assistant.
-Par défaut, il stocke les cookies indéfiniment, vous n'avez donc qu'à vous connecter une seule fois.
+Par défaut, il stocke les cookies indéfiniment, vous n'avez donc qu'à vous connecter une seule fois.
Commandes HASS.Agent
- Recherche le processus spécifié et essaie d'afficher sa fenêtre principale au premier plan.
+ Recherche le processus spécifié et essaie d'afficher sa fenêtre principale au premier plan.
-Si l'application est réduite, elle sera restaurée.
+Si l'application est réduite, elle sera restaurée.
-Exemple : si vous voulez envoyer VLC au premier plan, utilisez 'vlc'.
+Exemple : si vous voulez envoyer VLC au premier plan, utilisez 'vlc'.
- Si vous ne configurez pas la commande, vous ne pouvez utiliser cette entité qu'avec une valeur 'action' via Home Assistant et elle s'affichera en utilisant les paramètres par défaut. La faire fonctionner tel quel ne fera rien.
+ Si vous ne configurez pas la commande, vous ne pouvez utiliser cette entité qu'avec une valeur 'action' via Home Assistant et elle s'affichera en utilisant les paramètres par défaut. La faire fonctionner tel quel ne fera rien.
Etes vous sûr de vouloir cela ?
@@ -2682,11 +2682,11 @@ Etes vous sûr de vouloir cela ?
Le cache WebView a été nettoyé !
- Il semble que vous utilisiez une mise à l'échelle personnalisée. Il se peut que certaines parties de HASS.Agent ne s'affichent pas comme prévu.
+ Il semble que vous utilisiez une mise à l'échelle personnalisée. Il se peut que certaines parties de HASS.Agent ne s'affichent pas comme prévu.
Veuillez signaler tout aspect inutilisable sur GitHub. Merci!
-Remarque : ce message ne s'affiche qu'une seule fois.
+Remarque : ce message ne s'affiche qu'une seule fois.
Impossible de charger les paramètres enregistrés de la commande, réinitialisation par défaut.
@@ -2698,12 +2698,12 @@ Remarque : ce message ne s'affiche qu'une seule fois.
Lancer la réservation des ports
- Activer l'API locale
+ Activer l'API locale
HASS.Agent a sa propre API locale, donc Home Assistant peut envoyer des requêtes (par exemple pour envoyer une notification). Vous pouvez le configurer globalement ici, et ensuite vous pouvez configurer les sections qui en dépendent (actuellement les notifications et le lecteur multimédia).
-Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fonctionne. Activez-le et utilisez-le uniquement si vous n'utilisez pas MQTT.
+Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fonctionne. Activez-le et utilisez-le uniquement si vous n'utilisez pas MQTT.
Pour pouvoir écouter les requêtes, HASS.Agents doit avoir son port réservé et ouvert dans votre pare-feu. Vous pouvez utiliser ce bouton pour le faire pour vous.
@@ -2719,10 +2719,10 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
jours
- Emplacement du cache d'images
+ Emplacement du cache d'images
- Garder l'audio pendant
+ Garder l'audio pendant
Garder les images pendant
@@ -2740,31 +2740,31 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
Activer la fonctionnalité lecteur multimédia
- HASS.Agent peut agir comme un lecteur multimédia pour Home Assistant, vous pourrez donc contrôler tous les médias en cours de lecture et envoyer de la synthèse vocale. L'API locale doit être activée pour que cela fonctionne.
+ HASS.Agent peut agir comme un lecteur multimédia pour Home Assistant, vous pourrez donc contrôler tous les médias en cours de lecture et envoyer de la synthèse vocale. L'API locale doit être activée pour que cela fonctionne.
Fuzzy
Si quelque chose ne fonctionne pas, suivez les étapes suivantes:
-- Installer l'intégration HASS.Agent-MediaPlayer
+- Installer l'intégration HASS.Agent-MediaPlayer
- Redémarrer Home Assistant
- Configurer une entité media_player
- Redémarrer Home Assistant
Fuzzy
- L'API locale est désactivée, mais le lecteur multimédia en a besoin pour fonctionner
+ L'API locale est désactivée, mais le lecteur multimédia en a besoin pour fonctionner
Fuzzy
TLS
- L'API locale est désactivée, le lecteur multimédia en a besoin pour fonctionner
+ L'API locale est désactivée, le lecteur multimédia en a besoin pour fonctionner
Fuzzy
- Afficher l'aperçu
+ Afficher l'aperçu
Afficher le menu &default
@@ -2776,7 +2776,7 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
Garder la page chargée en arrière-plan
- Contrôler la façon dont l'icone de la barre d'état se comporte suite à un clique droit.
+ Contrôler la façon dont l'icone de la barre d'état se comporte suite à un clique droit.
Cela utilise plus de ressource, mais réduit le temps de chargement
@@ -2794,13 +2794,13 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
Lecteur Multimédia
- Icon de la barre d'état
+ Icon de la barre d'état
- Votre langue de saisie '{0}' est connue pour entrer en conflit avec le raccourci clavier par défaut CTRL-ALT-Q. Veuillez en définir un autre.
+ Votre langue de saisie '{0}' est connue pour entrer en conflit avec le raccourci clavier par défaut CTRL-ALT-Q. Veuillez en définir un autre.
- Your input language '{0}' is unknown, and might collide with the default CTRL-ALT-Q hotkey. Please check to be sure. If it does, consider opening a ticket on GitHub so it can be added to the list.
+ Your input language '{0}' is unknown, and might collide with the default CTRL-ALT-Q hotkey. Please check to be sure. If it does, consider opening a ticket on GitHub so it can be added to the list.
Aucune touche trouvée
@@ -2809,7 +2809,7 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
Crochets manquants, démarrez et terminez toutes les combinaisons de touche avec [ ]
- Erreur sur une touche, vérifier le journal pour plus d'informations
+ Erreur sur une touche, vérifier le journal pour plus d'informations
Le nombre de crochets ouverts [ ne correspond pas au nombre de crochets fermés ] ! ({0} contre {1})
@@ -2818,7 +2818,7 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
Documentation
- Documentation et exemples d'utilisation.
+ Documentation et exemples d'utilisation.
Vérifier les mises à jour
@@ -2830,31 +2830,31 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
Gérer le Service Windows
- Pour utiliser les notifications, vous devez installer et configurer l'intégration HASS.Agent-notifier dans
+ Pour utiliser les notifications, vous devez installer et configurer l'intégration HASS.Agent-notifier dans
Home Assistant.
-C'est très facile avec HACS, mais vous pouvez également l'installer manuellement. Visitez le lien ci-dessous pour plus
+C'est très facile avec HACS, mais vous pouvez également l'installer manuellement. Visitez le lien ci-dessous pour plus
informations.
Suivez les étapes suivantes :
-- Installer l'intégration HASS.Agent-Notifier et/ou HASS.Agent-MediaPlayer
+- Installer l'intégration HASS.Agent-Notifier et/ou HASS.Agent-MediaPlayer
- Redémarrez Home Assistant
-Configurer une notification et/ou une entité media_player
-Redémarrer Home Assistant
- Il en va de même pour le lecteur multimédia. Cette intégration vous permet de contrôler votre appareil en tant qu'entité media_player, de voir ce qui se joue et d'utiliser la synthèse vocale.
+ Il en va de même pour le lecteur multimédia. Cette intégration vous permet de contrôler votre appareil en tant qu'entité media_player, de voir ce qui se joue et d'utiliser la synthèse vocale.
Page GitHub HASS.Agent-MediaPlayer
- Github de l'integration HASS.Agent
+ Github de l'integration HASS.Agent
- Oui, activez l'API locale sur le port
+ Oui, activez l'API locale sur le port
Activer le lecteur multimédia et la synthèse vocale
@@ -2865,13 +2865,13 @@ informations.
HASS.Agent a sa propre API interne, donc Home Assistant peut envoyer des requêtes (comme des notifications ou une synthèse vocale).
-Voulez-vous l'activer ?
+Voulez-vous l'activer ?
- Vous pouvez choisir les modules que vous souhaitez activer. Ils nécessitent des intégrations HA, mais ne vous inquiétez pas, la page suivante vous donnera plus d'informations sur la façon de les configurer.
+ Vous pouvez choisir les modules que vous souhaitez activer. Ils nécessitent des intégrations HA, mais ne vous inquiétez pas, la page suivante vous donnera plus d'informations sur la façon de les configurer.
- Remarque : 5115 est le port par défaut, ne le modifiez que si vous l'avez modifié dans Home Assistant.
+ Remarque : 5115 est le port par défaut, ne le modifiez que si vous l'avez modifié dans Home Assistant.
TLS
@@ -2896,7 +2896,7 @@ Do you want to use that version?
Sauvegarder
- Toujours afficher au centre de l'écran
+ Toujours afficher au centre de l'écran
Afficher la barre de titre de la fenêtre
@@ -2905,7 +2905,7 @@ Do you want to use that version?
Définir la fenêtre comme toujours en haut
- Déplacez et redimensionnez cette fenêtre pour définir la taille et l'emplacement de l'affichage WebView.
+ Déplacez et redimensionnez cette fenêtre pour définir la taille et l'emplacement de l'affichage WebView.
Localisation
@@ -2914,7 +2914,7 @@ Do you want to use that version?
Taille
- Conseil : Appuyez sur "ESC" pour fermer une vue WebView
+ Conseil : Appuyez sur "ESC" pour fermer une vue WebView
URL
@@ -2926,21 +2926,21 @@ Do you want to use that version?
WebView
- Le code de touche que vous avez entré n'est pas valide !
+ Le code de touche que vous avez entré n'est pas valide !
Assurez vous que le champ du code de touche est sélectionné et appuyez sur la touche que vous souhaitez simuler, le code de touche devrait alors être rempli pour vous.
- Activer le nettoyage du nom de l'appareil
+ Activer le nettoyage du nom de l'appareil
- Activer les notifications d'état
+ Activer les notifications d'état
- HASS.Agent va nettoyer le nom de votre appareil pour s'assurer que HA l'acceptera, vous pouvez annuler cette règle ci-dessous si vous êtes sûr que votre nom sera accepté tel quel.
+ HASS.Agent va nettoyer le nom de votre appareil pour s'assurer que HA l'acceptera, vous pouvez annuler cette règle ci-dessous si vous êtes sûr que votre nom sera accepté tel quel.
- HASS.Agent envoie des notifications lorsque l'état d'un module change, vous pouvez définir si vous souhaitez ou non recevoir ces notifications ci-dessous.
+ HASS.Agent envoie des notifications lorsque l'état d'un module change, vous pouvez définir si vous souhaitez ou non recevoir ces notifications ci-dessous.
Vous avez changé le nom de votre appareil.
@@ -3009,7 +3009,7 @@ Remarque : vous avez désactivé le nettoyage du nom, assurez vous donc que le n
Met tous les moniteurs en mode veille.
- Essaie de réveiller tous les écrans en simulant une pression sur la touche "flèche vers le haut".
+ Essaie de réveiller tous les écrans en simulant une pression sur la touche "flèche vers le haut".
Régler le volume du périphérique audio par défaut actuel au niveau spécifié.
@@ -3021,7 +3021,7 @@ Remarque : vous avez désactivé le nettoyage du nom, assurez vous donc que le n
Commande
- Si vous ne saisissez pas de valeur de volume, vous ne pouvez utiliser cette entité qu'avec une commande "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
+ Si vous ne saisissez pas de valeur de volume, vous ne pouvez utiliser cette entité qu'avec une commande "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
Êtes-vous sûr de vouloir cela ?
@@ -3033,21 +3033,21 @@ Remarque : vous avez désactivé le nettoyage du nom, assurez vous donc que le n
Voulez-vous utiliser cette version ?
- Votre jeton d'API n'a pas l'air correct. Assurez vous d'avoir sélectionné le jeton entier (n'utilisez pas CTRL+A ou double-clic).
+ Votre jeton d'API n'a pas l'air correct. Assurez vous d'avoir sélectionné le jeton entier (n'utilisez pas CTRL+A ou double-clic).
Il doit contenir trois parties (séparées par deux points).
-Etes-vous sûr de vouloir l'utiliser comme ça ?
+Etes-vous sûr de vouloir l'utiliser comme ça ?
- Votre URI ne semble pas correct. Cela devrait ressembler à quelque chose comme 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
+ Votre URI ne semble pas correct. Cela devrait ressembler à quelque chose comme 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
-Etes-vous sûr de vouloir l'utiliser comme ça ?
+Etes-vous sûr de vouloir l'utiliser comme ça ?
test ...
- L'API locale et MQTT sont tous deux désactivés, l'intégration a besoin d'au moins l'un des deux pour fonctionner.
+ L'API locale et MQTT sont tous deux désactivés, l'intégration a besoin d'au moins l'un des deux pour fonctionner.
Activer MQTT
@@ -3056,43 +3056,43 @@ Etes-vous sûr de vouloir l'utiliser comme ça ?
Sans MQTT, Les commandes et capteurs ne fonctionneront pas !
- L'API locale et MQTT sont tous deux désactivés, l'intégration a besoin d'au moins l'un des deux pour fonctionner.
+ L'API locale et MQTT sont tous deux désactivés, l'intégration a besoin d'au moins l'un des deux pour fonctionner.
Gérer le service
- Le service est actuellement à l'arrêt, vous ne pourrez donc pas le configurer.
+ Le service est actuellement à l'arrêt, vous ne pourrez donc pas le configurer.
-Assurez vous d'abord qu'il soit opérationnel.
+Assurez vous d'abord qu'il soit opérationnel.
- Si vous souhaitez gérer le service (ajouter des commandes et capteurs, modifier les paramètres), vous pouvez le faire ici ou en utilisant le bouton "Service Windows" de la fenêtre principale.
+ Si vous souhaitez gérer le service (ajouter des commandes et capteurs, modifier les paramètres), vous pouvez le faire ici ou en utilisant le bouton "Service Windows" de la fenêtre principale.
Afficher le menu par défaut en cliquant avec le bouton gauche de la souris
- Votre jeton d'API Home Assistant ne semble pas correct. Assurez-vous d'avoir sélectionné le jeton entier (n'utilisez pas CTRL+A ou double-clic).
+ Votre jeton d'API Home Assistant ne semble pas correct. Assurez-vous d'avoir sélectionné le jeton entier (n'utilisez pas CTRL+A ou double-clic).
Il doit contenir trois parties (séparées par deux points).
-Etes-vous sûr de vouloir l'utiliser comme ça ?
+Etes-vous sûr de vouloir l'utiliser comme ça ?
- L'URI de votre assistant domestique semble incorrect. Cela devrait ressembler à quelque chose comme 'http://homeassistant.local:8123' ou 'https://192.168.0.1:8123'.
+ L'URI de votre assistant domestique semble incorrect. Cela devrait ressembler à quelque chose comme 'http://homeassistant.local:8123' ou 'https://192.168.0.1:8123'.
-Etes-vous sûr de vouloir l'utiliser comme ça ?
+Etes-vous sûr de vouloir l'utiliser comme ça ?
- L'URI de votre broker MQTT ne semble pas correct. Il devrait ressembler à quelque chose comme 'homeassistant.local' ou '192.168.0.1'.
+ L'URI de votre broker MQTT ne semble pas correct. Il devrait ressembler à quelque chose comme 'homeassistant.local' ou '192.168.0.1'.
-Etes-vous sûr de vouloir l'utiliser comme ça ?
+Etes-vous sûr de vouloir l'utiliser comme ça ?
Fermer
- J'ai déjà fait un don, cachez le bouton dans la fenêtre principale.
+ J'ai déjà fait un don, cachez le bouton dans la fenêtre principale.
HASS.Agent is completely free, and will always stay that way without restrictions!
@@ -3111,21 +3111,21 @@ Like most developers, I run on caffeïne - so if you can spare it, a cup of coff
Vérifier les mises à jour
- Votre jeton d'API ne semble pas correct. Assurez vous d'avoir sélectionné le jeton entier (n'utilisez pas CTRL+A ou double-clic).
+ Votre jeton d'API ne semble pas correct. Assurez vous d'avoir sélectionné le jeton entier (n'utilisez pas CTRL+A ou double-clic).
Il doit contenir trois parties (séparées par deux points).
-Etes-vous sûr de vouloir l'utiliser comme ça ?
+Etes-vous sûr de vouloir l'utiliser comme ça ?
- Votre URI ne semble pas correct. Cela devrait ressembler à quelque chose comme 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
+ Votre URI ne semble pas correct. Cela devrait ressembler à quelque chose comme 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
-Etes-vous sûr de vouloir l'utiliser ainsi ?
+Etes-vous sûr de vouloir l'utiliser ainsi ?
- Développer et maintenir cet outil (et tout ce qui l'entoure) prend beaucoup de temps. Comme la plupart des développeurs, je fonctionne à la caféine - donc si vous pouvez vous le permettre, une tasse de café est toujours très appréciée !
+ Développer et maintenir cet outil (et tout ce qui l'entoure) prend beaucoup de temps. Comme la plupart des développeurs, je fonctionne à la caféine - donc si vous pouvez vous le permettre, une tasse de café est toujours très appréciée !
- Astuce : d'autres méthodes de dons sont disponibles dans la fenêtre À propos.
+ Astuce : d'autres méthodes de dons sont disponibles dans la fenêtre À propos.
Activer le lecteur multimédia (et le text-to-speech)
@@ -3140,28 +3140,28 @@ Etes-vous sûr de vouloir l'utiliser ainsi ?
HASS.Agent Post Update
- Fournit un capteur avec le nombre d'appareils Bluetooth trouvés.
+ Fournit un capteur avec le nombre d'appareils Bluetooth trouvés.
-Les appareils et leur état de connexion sont ajoutés en tant qu'attributs.
+Les appareils et leur état de connexion sont ajoutés en tant qu'attributs.
- Fournit à des capteurs le nombre d'appareils Bluetooth LE trouvés.
+ Fournit à des capteurs le nombre d'appareils Bluetooth LE trouvés.
-Les appareils et leur état de connexion sont ajoutés en tant qu'attributs.
+Les appareils et leur état de connexion sont ajoutés en tant qu'attributs.
-Affiche uniquement les appareils qui ont été vus depuis le dernier rapport, c'est-à-dire que lorsque le capteur publie, la liste s'efface.
+Affiche uniquement les appareils qui ont été vus depuis le dernier rapport, c'est-à-dire que lorsque le capteur publie, la liste s'efface.
Renvoie votre latitude, longitude et altitude actuelles sous forme de valeurs séparées par des virgules.
Assurez-vous que les services de localisation de Windows sont activés !
-Selon votre version de Windows, cela peut être trouvé dans le nouveau panneau de configuration -> 'confidentialité et sécurité' -> 'emplacement'.
+Selon votre version de Windows, cela peut être trouvé dans le nouveau panneau de configuration -> 'confidentialité et sécurité' -> 'emplacement'.
- Provides the name of the process that's currently using the microphone.
+ Provides the name of the process that's currently using the microphone.
-Note: if used in the satellite service, it won't detect userspace applications.
+Note: if used in the satellite service, it won't detect userspace applications.
Provides the last monitor power state change:
@@ -3174,15 +3174,15 @@ Dimmed, PowerOff, PowerOn and Unkown.
Converts the outcome to text.
- Fournit des informations sur toutes les imprimantes installées et leurs files d'attente.
+ Fournit des informations sur toutes les imprimantes installées et leurs files d'attente.
Fournit le nom du processus qui utilise actuellement la webcam.
-Remarque : s'il est utilisé dans le Service Windows, il ne détectera pas les applications de l'espace utilisateur.
+Remarque : s'il est utilisé dans le Service Windows, il ne détectera pas les applications de l'espace utilisateur.
- Provides the current state of the process' window:
+ Provides the current state of the process' window:
Hidden, Maximized, Minimized, Normal and Unknown.
@@ -3208,7 +3208,7 @@ Voulez-vous utiliser cette version ?
{0}
- Le test n'a pas pu s'exécuter :
+ Le test n'a pas pu s'exécuter :
{0}
@@ -3224,16 +3224,16 @@ Voulez-vous ouvrir le dossier des logs ?
Erreur fatale, consultez les logs
- Délai d'attente expiré
+ Délai d'attente expiré
Raison inconnue
- Impossible d'ouvrir le gestionnaire de service
+ Impossible d'ouvrir le gestionnaire de service
- Impossible d'ouvrir le service
+ Impossible d'ouvrir le service
Erreur de configuration du mode de démarrage, consultez les logs
@@ -3242,14 +3242,20 @@ Voulez-vous ouvrir le dossier des logs ?
Erreur lors de la mise en place du mode de démarrage, vérifier les journaux
- Microsoft's WebView2 runtime isn't found on your machine. Usually this is handled by the installer, but you can install it manually.
+ Microsoft's WebView2 runtime isn't found on your machine. Usually this is handled by the installer, but you can install it manually.
Do you want to download the runtime installer?
- Une erreur s'est produite lors de l'initialisation de WebView ! Veuillez vérifier vos journaux et ouvrir un ticket GitHub pour obtenir de l'aide.
+ Une erreur s'est produite lors de l'initialisation de WebView ! Veuillez vérifier vos journaux et ouvrir un ticket GitHub pour obtenir de l'aide.
domain
+
+ SwitchDesktop
+
+
+ ActiveDesktop
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.nl.resx b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.nl.resx
index 8723f4b6..751509fd 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.nl.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.nl.resx
@@ -118,13 +118,13 @@
System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089
- Op deze pagina kun je koppelingen met externe programma's configureren.
+ Op deze pagina kun je koppelingen met externe programma's configureren.
browser naam
- Standaard start HASS.Agent URL's met je standaardbrowser. Als je wilt, kun je ook een specifieke browser configureren. Daarnaast kan je de argumenten configureren die worden gebruikt om in privémodus te starten.
+ Standaard start HASS.Agent URL's met je standaardbrowser. Als je wilt, kun je ook een specifieke browser configureren. Daarnaast kan je de argumenten configureren die worden gebruikt om in privémodus te starten.
browser binary
@@ -137,7 +137,7 @@
Je kunt HASS.Agent configureren om een eigen uitvoerder te gebruiken, zoals perl of python.
-Gebruik het 'eigen uitvoerder' commando om 'm te starten.
+Gebruik het 'eigen uitvoerder' commando om 'm te starten.
eigen uitvoerder naam
@@ -149,7 +149,7 @@ Gebruik het 'eigen uitvoerder' commando om 'm te starten.
&test
- HASS.Agent wacht even voordat je een bericht krijgt over een verbroken verbinding met MQTT of HA's API.
+ HASS.Agent wacht even voordat je een bericht krijgt over een verbroken verbinding met MQTT of HA's API.
Je kunt het aantal seconden hier instellen.
@@ -187,11 +187,11 @@ Je automatiseringen en scripts blijven werken.
&test verbinding
- Om te leren welke entiteiten je geconfigureerd hebt, en om snelle acties te versturen, gebruikt HASS.Agent Home Assistant's API.
+ Om te leren welke entiteiten je geconfigureerd hebt, en om snelle acties te versturen, gebruikt HASS.Agent Home Assistant's API.
-Geef een 'long-lived access token' op, en het adres van je Home Assistant installatie.
+Geef een 'long-lived access token' op, en het adres van je Home Assistant installatie.
-Je kunt zo'n token krijgen via je profiel pagina. Blader naar onderaan de pagina en klik op 'TOKEN AANMAKEN'.
+Je kunt zo'n token krijgen via je profiel pagina. Blader naar onderaan de pagina en klik op 'TOKEN AANMAKEN'.
Fuzzy
@@ -229,7 +229,7 @@ Op deze manier kun je, wat je ook aan het doen bent op je machine, altijd commun
Sommige objecten, zoals afbeeldingen getoond in notificaties, moeten tijdelijk lokaal opgeslagen worden. Je kunt het aantal dagen dat ze bewaard worden instellen, voordat HASS.Agent ze verwijdert.
-Voer '0' in om ze permanent te behouden.
+Voer '0' in om ze permanent te behouden.
Uitgebreide logging biedt uitgebreidere logging, voor het geval dat de standaard logging niet voldoende is. Het is belangrijk te weten dat het inschakelen hiervan ervoor zorgt dat de logbestanden flink groeien, en zou dus alleen gebruikt moeten worden als je vermoedt dat er iets mis is met HASS.Agent of als een ontwikkelaar het vraagt.
@@ -263,7 +263,7 @@ Voer '0' in om ze permanent te behouden.
(leeglaten bij twijfel)
- Commando's en sensoren worden verstuurd via MQTT, net als notificaties en mediaspeler functies als je de nieuwe integratie gebruikt.
+ Commando's en sensoren worden verstuurd via MQTT, net als notificaties en mediaspeler functies als je de nieuwe integratie gebruikt.
Geef hier de inloggegevens van je server op. Als je de HA addon gebruikt, kun je waarschijnlijk de vooringevulde gegevens gebruiken.
@@ -324,8 +324,8 @@ Notitie: deze instellingen (behalve de cliënt id) zullen ook toegepast worden o
cert&ificaat fouten voor afbeeldingen negeren
- De satelliet service laat je sensoren en commando's uitvoeren, zelfs wanneer er geen gebruiker ingelogd is.
-Gebruik de 'satelliet service' knop in het hoofdscherm om 'm te beheren.
+ De satelliet service laat je sensoren en commando's uitvoeren, zelfs wanneer er geen gebruiker ingelogd is.
+Gebruik de 'satelliet service' knop in het hoofdscherm om 'm te beheren.
service status:
@@ -346,8 +346,8 @@ Gebruik de 'satelliet service' knop in het hoofdscherm om 'm te b
se&rvice herinstalleren
- Als je de service niet configureert, doet hij niks. Je kunt alsnog kiezen om 'm helemaal uit te schakelen.
-De installer zal de uitgeschakelde service met rust laten (als je 'm verwijdert, zal de installer hem terugzetten).
+ Als je de service niet configureert, doet hij niks. Je kunt alsnog kiezen om 'm helemaal uit te schakelen.
+De installer zal de uitgeschakelde service met rust laten (als je 'm verwijdert, zal de installer hem terugzetten).
Je kunt proberen om de service opnieuw te installeren als hij niet goed werkt.
@@ -362,7 +362,7 @@ Je configuratie en entiteiten blijven bewaard.
HASS.Agent kan starten als je inlogt via het register van je gebruikersprofiel.
-Aangezien HASS.Agent gebruiker-gebaseerd is, als je 'm voor een andere gebruiker wilt starten, kun je daar de configuratie uitvoeren.
+Aangezien HASS.Agent gebruiker-gebaseerd is, als je 'm voor een andere gebruiker wilt starten, kun je daar de configuratie uitvoeren.
start-bij-inlogg&en inschakelen
@@ -392,11 +392,11 @@ Je krijgt een notificatie (eenmalig per update) om je te laten weten dat er een
Het lijkt erop dat dit de eerste keer is dat je HASS.Agent start.
-Als je wilt, kunnen we de configuratie doorlopen. Zo niet, klik dan op 'sluiten'.
+Als je wilt, kunnen we de configuratie doorlopen. Zo niet, klik dan op 'sluiten'.
Apparaatnaam wordt gebruikt om je machine te identificeren binnen HA.
-Het wordt ook gebruikt om een voorvoegsel voor te stellen voor je commando's en sensoren.
+Het wordt ook gebruikt om een voorvoegsel voor te stellen voor je commando's en sensoren.
apparaat&naam
@@ -437,7 +437,7 @@ Wil je deze functionaliteit inschakelen?
Om notificaties te gebruiken, moet je de HASS.Agent-Notifier integratie installeren en configureren in Home Assistant.
-Dit is simpel met HACS, maar je kunt 'm ook handmatig installeren.
+Dit is simpel met HACS, maar je kunt 'm ook handmatig installeren.
Bezoek de onderstaande link voor meer informatie.
@@ -447,11 +447,11 @@ Bezoek de onderstaande link voor meer informatie.
server &uri (zou al goed moeten zijn)
- Om te leren welke entiteiten je geconfigureerd hebt, en om snelle acties te versturen, gebruikt HASS.Agent Home Assistant's API.
+ Om te leren welke entiteiten je geconfigureerd hebt, en om snelle acties te versturen, gebruikt HASS.Agent Home Assistant's API.
-Geef een 'long-lived access token' op, en het adres van je Home Assistant installatie.
+Geef een 'long-lived access token' op, en het adres van je Home Assistant installatie.
-Je kunt zo'n token krijgen via je profiel pagina. Blader naar onderaan de pagina en klik op 'TOKEN AANMAKEN'.
+Je kunt zo'n token krijgen via je profiel pagina. Blader naar onderaan de pagina en klik op 'TOKEN AANMAKEN'.
Fuzzy
@@ -473,7 +473,7 @@ Je kunt zo'n token krijgen via je profiel pagina. Blader naar onderaan de p
ip adres of hostname
- Commando's en sensoren worden via MQTT verstuurd. De notificaties- en mediaspeler integratie gebruikt het ook.
+ Commando's en sensoren worden via MQTT verstuurd. De notificaties- en mediaspeler integratie gebruikt het ook.
Tip: als je de HA addon gebruikt, kan je het vooringevulde adres waarschijnlijk gebruiken - geef alleen nog credenties.
Fuzzy
@@ -555,10 +555,10 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)nieuwe toevoegen
- ver&stuur en activeer commando's
+ ver&stuur en activeer commando's
- commando's opgeslagen!
+ commando's opgeslagen!
toep&assen
@@ -579,7 +579,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)Configuratie ophalen
- Deze pagina bevat generieke configuratie opties. Blader door de tabbladen bovenaan voor MQTT instellingen, sensoren en commando's.
+ Deze pagina bevat generieke configuratie opties. Blader door de tabbladen bovenaan voor MQTT instellingen, sensoren en commando's.
auth id
@@ -643,7 +643,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)(leeglaten bij twijfel)
- Commando's en sensoren worden verstuurd via MQTT. Geef de inloggegevens op voor je server. Als je de HA addon gebruikt, kan je waarschijnlijk het vooringevulde adres gebruiken.
+ Commando's en sensoren worden verstuurd via MQTT. Geef de inloggegevens op voor je server. Als je de HA addon gebruikt, kan je waarschijnlijk het vooringevulde adres gebruiken.
discovery voorvoegsel
@@ -781,7 +781,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)nieuwe toevoegen
- op&slaan en activeren commando's
+ op&slaan en activeren commando's
naam
@@ -796,7 +796,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)actie
- Commando's Config
+ Commando's Config
commando op&slaan
@@ -811,7 +811,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)omschrijving
- uitvoe&ren als 'verlaagde integriteit'
+ uitvoe&ren als 'verlaagde integriteit'
wat is dit?
@@ -993,7 +993,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-) MQTT
- Commando's
+ Commando's
Sensoren
@@ -1008,10 +1008,10 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)Een Windows-gebaseerde cliënt voor het Home Assistant platform.
- Deze applicatie is open source en volledig gratis. Bekijk de project-pagina's van de gebruikte componenten voor hun individuele licenties.
+ Deze applicatie is open source en volledig gratis. Bekijk de project-pagina's van de gebruikte componenten voor hun individuele licenties.
- Een oprechte 'bedankt' voor de ontwikkelaars van deze projecten, die zo aardig waren om hun harde werken te delen met de rest van de stervelingen ..
+ Een oprechte 'bedankt' voor de ontwikkelaars van deze projecten, die zo aardig waren om hun harde werken te delen met de rest van de stervelingen ..
En natuurlijk; bedankt Paulus Shoutsen en het hele team van ontwikkelaars dat Home Assistant gebouwd hebben en onderhouden :-)
@@ -1092,7 +1092,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)sluiten
- Zit je vast tijdens het gebruik van HASS.Agent, heb je hulp nodig bij het integreren van sensoren/commando's of heb je een top idee voor de volgende versie?
+ Zit je vast tijdens het gebruik van HASS.Agent, heb je hulp nodig bij het integreren van sensoren/commando's of heb je een top idee voor de volgende versie?
Er zijn een paar kanalen waar je ons kunt bereiken:
@@ -1136,7 +1136,7 @@ Er zijn een paar kanalen waar je ons kunt bereiken:
lokale sensoren beheren
- commando's beheren
+ commando's beheren
controleren op updates
@@ -1186,7 +1186,7 @@ Er zijn een paar kanalen waar je ons kunt bereiken:
satelliet service:
- commando's:
+ commando's:
sensoren:
@@ -1233,12 +1233,12 @@ Er zijn een paar kanalen waar je ons kunt bereiken:
Een eigen commando uitvoeren.
-Deze commando's draaien zonder speciale privileges. Om met verhoogde privileges uit te voeren, maak een Geplande Taak en gebruik 'schtasks /Run /TN "TaskName"' als commando om the taak uit te voeren.
+Deze commando's draaien zonder speciale privileges. Om met verhoogde privileges uit te voeren, maak een Geplande Taak en gebruik 'schtasks /Run /TN "TaskName"' als commando om the taak uit te voeren.
-Of schakel 'uitvoeren met verlaagde integriteit' in voor een strictere uitvoering.
+Of schakel 'uitvoeren met verlaagde integriteit' in voor een strictere uitvoering.
- Voert het commando uit via de geconfigureerde eigen executor (in Configuratie -> Externe Programma's).
+ Voert het commando uit via de geconfigureerde eigen executor (in Configuratie -> Externe Programma's).
Je commando wordt onveranderd toegevoegd als argument, dus je moet je eigen haakjes etc. toevoegen indien nodig.
@@ -1248,7 +1248,7 @@ Je commando wordt onveranderd toegevoegd als argument, dus je moet je eigen haak
Simuleert een enkele toetsaanslag.
-Klik op het 'keycode' veld en druk de toets in die je gesimuleerd wilt hebben. De corresponderende keycode wordt voor je ingevuld.
+Klik op het 'keycode' veld en druk de toets in die je gesimuleerd wilt hebben. De corresponderende keycode wordt voor je ingevuld.
Als je meer toetsen nodig hebt en/of extra opties zoals CTRL, gebruik dan de MeerdereToetsen commando.
Fuzzy
@@ -1256,9 +1256,9 @@ Als je meer toetsen nodig hebt en/of extra opties zoals CTRL, gebruik dan de Mee
Opent de opgegeven URL, normaliter in je standaard browser.
-Om 'privémodus' te gebruiken, moet je een specifieke browser toevoegen in Configuratie -> Externe Programma's.
+Om 'privémodus' te gebruiken, moet je een specifieke browser toevoegen in Configuratie -> Externe Programma's.
-Als je alleen een scherm wilt met een specifieke URL (niet een complete browser), gebruik dan een 'WebView' commando.
+Als je alleen een scherm wilt met een specifieke URL (niet een complete browser), gebruik dan een 'WebView' commando.
Vergrendelt de huidige sessie.
@@ -1267,22 +1267,22 @@ Als je alleen een scherm wilt met een specifieke URL (niet een complete browser)
Logt de huidige sessie uit.
- Simuleert de 'demp' (mute) knop.
+ Simuleert de 'demp' (mute) knop.
- Simuleert de 'media volgende' knop.
+ Simuleert de 'media volgende' knop.
- Simuleert de 'media afspelen/pauze' knop.
+ Simuleert de 'media afspelen/pauze' knop.
- Simuleert de 'media vorige' knop.
+ Simuleert de 'media vorige' knop.
- Simuleert de 'volume lager' knop.
+ Simuleert de 'volume lager' knop.
- Simuleert de 'volume hoger' knop.
+ Simuleert de 'volume hoger' knop.
Simuleert het indrukken van meerdere toetsen:
@@ -1291,7 +1291,7 @@ Je moet [ ] om elke toets heen zetten, anders kan HASS.Agent ze niet onderscheid
Er zijn een paar trucs die je kunt gebruiken:
-- Als je een haakje wilt indrukken, 'escape' die dan, dus [ is [\[] en ] is [\]]
+- Als je een haakje wilt indrukken, 'escape' die dan, dus [ is [\[] en ] is [\]]
- Speciale tekens moeten tussen { }, zoals {TAB} of {UP}
@@ -1316,12 +1316,12 @@ Handig om bijvoorbeeld HASS.Agent te forceren om al je sensoren te updaten na ee
Herstart de machine na één minuut.
-Tip: per ongeluk geactiveerd? Voer 'shutdown /a' uit om te annuleren.
+Tip: per ongeluk geactiveerd? Voer 'shutdown /a' uit om te annuleren.
Sluit de machine af na één minuut.
-Tip: per ongeluk geactiveerd? Voer 'shutdown /a' uit om te annuleren.
+Tip: per ongeluk geactiveerd? Voer 'shutdown /a' uit om te annuleren.
Zet de machine in slaap modus.
@@ -1331,7 +1331,7 @@ Info: vanwege een limiet van Windows, werkt dit alleen als hibernation uitgescha
Je kunt iets als NirCmd (http://www.nirsoft.net/utils/nircmd.html) gebruiken om dit te omzeilen.
- Voer de locatie van je browser's binary in (.exe bestand).
+ Voer de locatie van je browser's binary in (.exe bestand).
De opgegeven binary is niet gevonden.
@@ -1350,7 +1350,7 @@ Controleer de logs voor meer info.
Voer een geldige API sleutel in.
- Voeg je Home Assistant's URI in.
+ Voeg je Home Assistant's URI in.
Kan niet verbinden, de volgende error werd opgegeven:
@@ -1385,7 +1385,7 @@ Ter info: dit test alleen of lokaal notificaties getoond kunnen worden!
Er ging iets mis!
-Probeer handmatig het vereiste commando uit te voeren. Die is gekopieerd naar je klembord, je hoeft 'm alleen maar te plakken in een 'command prompt' met verhoogde privileges.
+Probeer handmatig het vereiste commando uit te voeren. Die is gekopieerd naar je klembord, je hoeft 'm alleen maar te plakken in een 'command prompt' met verhoogde privileges.
Vergeet niet om de poort van je firewall regel ook aan te passen.
@@ -1410,7 +1410,7 @@ Vergeet niet om de poort van je firewall regel ook aan te passen.
Controleer de HASS.Agent (niet de service) logs voor meer info.
- De service staat op 'uitgeschakeld', dus kan niet gestart worden.
+ De service staat op 'uitgeschakeld', dus kan niet gestart worden.
Schakel eerst de service in, en probeer het dan opnieuw.
@@ -1478,7 +1478,7 @@ Controleer de logs voor meer info.
Vul een geldige API sleutel in.
- Vul Home Assistant's URI in.
+ Vul Home Assistant's URI in.
Kan niet verbinden, de volgende error was teruggegeven:
@@ -1494,7 +1494,7 @@ Home Assistant versie: {0}
testen ..
- Er is iets mis gegaan bij het opslaan van de commando's, controleer de logs voor meer info.
+ Er is iets mis gegaan bij het opslaan van de commando's, controleer de logs voor meer info.
opslaan en registreren, ogenblik geduld ..
@@ -1506,9 +1506,9 @@ Home Assistant versie: {0}
verbinden met de service is gefaald
- The service is niet gevonden! Je kunt 'm installeren en beheren vanuit het configuratie paneel.
+ The service is niet gevonden! Je kunt 'm installeren en beheren vanuit het configuratie paneel.
-Wanneer hij weer draait, kun je hier terugkomen om de commando's en sensoren te configureren.
+Wanneer hij weer draait, kun je hier terugkomen om de commando's en sensoren te configureren.
communiceren met de service is gefaald
@@ -1543,10 +1543,10 @@ Je kunt de logs openen en de service beheren via het configuratie paneel.
- ophalen geconfigureerde commando's gefaald
+ ophalen geconfigureerde commando's gefaald
- De service heeft een fout teruggegeven tijdens het ophalen van de opgeslagen commando's. Controleer de logs voor meer info.
+ De service heeft een fout teruggegeven tijdens het ophalen van de opgeslagen commando's. Controleer de logs voor meer info.
Je kunt de logs openen en de service beheren via het configuratie paneel.
@@ -1586,7 +1586,7 @@ Leeglaten om ze allemaal te laten verbinden.
Met deze naam registreert de satelliet service zichzelf bij Home Assistant.
-Standaard is het je PC naam plus '-satellite'.
+Standaard is het je PC naam plus '-satellite'.
De hoeveelheid tijd dat de satelliet service wacht voordat hij een verbroken verbinding met de MQTT broker meldt.
@@ -1644,7 +1644,7 @@ Controleer de logs voor meer informatie.
opslaan en registreren, ogenblik geduld ..
- Er is iets mis gegaan bij het opslaan van de commando's, controleer de logs voor meer info.
+ Er is iets mis gegaan bij het opslaan van de commando's, controleer de logs voor meer info.
Nieuwe Commando
@@ -1668,12 +1668,12 @@ Controleer de logs voor meer informatie.
Er is al een commando met die naam. Weet je zeker dat je door wilt gaan?
- Als je geen commando invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Uitvoeren in de huidige vorm doet niks.
+ Als je geen commando invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Uitvoeren in de huidige vorm doet niks.
Weet je zeker dat je dit wilt?
- Als je geen commando of script invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Uitvoeren in de huidige vorm doet niks.
+ Als je geen commando of script invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Uitvoeren in de huidige vorm doet niks.
Weet je zeker dat je dit wilt?
@@ -1684,7 +1684,7 @@ Weet je zeker dat je dit wilt?
Controleer van keys gefaald: {0}
- Als je geen URL invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Uitvoeren in de huidige vorm doet niks.
+ Als je geen URL invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Uitvoeren in de huidige vorm doet niks.
Weet je zeker dat je dit wilt?
@@ -1730,10 +1730,10 @@ configureer een executor, anders kan het commando niet uitvoeren
Dat betekent dat het alleen bestanden kan opslaan en aanpassen op bepaalde plekken,
- zoals de '%USERPROFILE%\AppData\LocalLow' map of
+ zoals de '%USERPROFILE%\AppData\LocalLow' map of
- de 'HKEY_CURRENT_USER\Software\AppDataLow' register sleutel.
+ de 'HKEY_CURRENT_USER\Software\AppDataLow' register sleutel.
Je kunt het beste je commando testen om zeker te weten dat hij hier niet door wordt beïnvloed.
@@ -1847,11 +1847,11 @@ configureer een executor, anders kan het commando niet uitvoeren
Je hebt je apparaatnaam aangepast.
-Al je sensoren en commando's worden nu ongepubliceerd, waarna HASS.Agent zal herstarten en ze daarna opnieuw zal publiceren.
+Al je sensoren en commando's worden nu ongepubliceerd, waarna HASS.Agent zal herstarten en ze daarna opnieuw zal publiceren.
Geen zorgen, ze behouden hun huidige namen, dus al je automatiseringen en scripts blijven werken.
-Ter info: de naam zal 'opgeschoond' worden, wat betekent dat alles behalve letters, cijfers en spaties wordt omgezet naar een laag streepje. Dit is vereist door HA.
+Ter info: de naam zal 'opgeschoond' worden, wat betekent dat alles behalve letters, cijfers en spaties wordt omgezet naar een laag streepje. Dit is vereist door HA.
Je hebt de poort van de lokale API aangepast. Deze nieuwe poort moet gereserveerd wordt.
@@ -1862,7 +1862,7 @@ Je krijgt een UAC verzoek te zien om dat te doen, deze graag toestemming geven.<
Er is iets misgegaan!
-Voer het vereiste commando handmatig uit. Hij is gekopieerd naar je klembord, je hoeft 'm alleen maar te plakken in een 'command prompt' met verhoogde privileges.
+Voer het vereiste commando handmatig uit. Hij is gekopieerd naar je klembord, je hoeft 'm alleen maar te plakken in een 'command prompt' met verhoogde privileges.
Vergeet niet om de poort van je firewall regel ook aan te passen.
@@ -1883,7 +1883,7 @@ Wil je nu herstarten?
Er is iets misgegaan bij het laden van je instellingen.
-Controleer appsettings.json in de 'config' subfolder, or verwijder 'm gewoon om schoon te starten.
+Controleer appsettings.json in de 'config' subfolder, or verwijder 'm gewoon om schoon te starten.
Fuzzy
@@ -1896,7 +1896,7 @@ Controleer de logs en rapporteer eventuele bugs op GitHub.
Fuzzy
- &commando's
+ &commando's
Fuzzy
@@ -2039,7 +2039,7 @@ Controleer of er niet nog een andere instantie van HASS.Agent actief is, en of d
Geeft informatie over meerdere aspecten van het geluid van je apparaat:
-Huidige piek volumeniveau (kan gebruikt worden als een simpele 'speelt er iets' waarde).
+Huidige piek volumeniveau (kan gebruikt worden als een simpele 'speelt er iets' waarde).
Standaard geluidsapparaat: naam, status en volume.
@@ -2078,7 +2078,7 @@ Pakt momenteel het volume van je standaardapparaat.
Geeft een datetime waarde met het laatste moment dat het systeem (her)startte.
-Belangrijk: Windows' FastBoot optie kan deze waarde beïnvloeden, omdat dat een vorm van hibernation is. Je kunt het uitschakelen via Energiebeheer. Het maakt niet veel verschil voor moderne machines met SSDs, maar het uitschakelen ervan zorgt ervoor dat je altijd een schone lei hebt na een herstart.
+Belangrijk: Windows' FastBoot optie kan deze waarde beïnvloeden, omdat dat een vorm van hibernation is. Je kunt het uitschakelen via Energiebeheer. Het maakt niet veel verschil voor moderne machines met SSDs, maar het uitschakelen ervan zorgt ervoor dat je altijd een schone lei hebt na een herstart.
Geeft de volgende systeemstatus veranderingen:
@@ -2120,7 +2120,7 @@ Categorie: Processor
Teller: % Processor Time
Instance: _Total
-Je kunt de tellers verkennen via Windows' 'perfmon.exe' applicatie.
+Je kunt de tellers verkennen via Windows' 'perfmon.exe' applicatie.
Geeft het aantal actieve instanties van het proces.
@@ -2129,7 +2129,7 @@ Je kunt de tellers verkennen via Windows' 'perfmon.exe' applicati
Geeft de staat van de opgegeven service: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending or Paused.
-Zorg dat je de 'Service naam' geeft, niet de 'Weergavenaam'.
+Zorg dat je de 'Service naam' geeft, niet de 'Weergavenaam'.
Geeft de huidige sessie staat:
@@ -2155,7 +2155,7 @@ Notitie: als hij gebruikt wordt in de satelliet service, zal hij geen gebruikers
Fuzzy
- Geeft een sensor met het aantal beschikbare driver updates, een sensor met het aantal beschikbare software updates, een sensor met info over de beschikbare driver updates (titel, kb, artikel id's, verborgen, type en categorieën) en een sensor met hetzelfde voor de beschikbare software updates.
+ Geeft een sensor met het aantal beschikbare driver updates, een sensor met het aantal beschikbare software updates, een sensor met info over de beschikbare driver updates (titel, kb, artikel id's, verborgen, type en categorieën) en een sensor met hetzelfde voor de beschikbare software updates.
Dit is een duur verzoek, dus de aanbevolen interval is 15 minuten (900 seconden). Maar de ondergrens is 10 minuten, als je een lagere waarde geeft krijg je de laatst-bekende lijst terug.
Fuzzy
@@ -2179,12 +2179,12 @@ Dit is een duur verzoek, dus de aanbevolen interval is 15 minuten (900 seconden)
{0}
- Fout tijdens laden commando's:
+ Fout tijdens laden commando's:
{0}
- Fout tijdens opslaan commando's:
+ Fout tijdens opslaan commando's:
{0}
@@ -2609,7 +2609,7 @@ Wil je alsnog met de huidige waardes testen?
ApplicatieGestart
- Je kunt de satelliet service gebruiken om sensoren en commando's uit te voeren zonder ingelogd te hoeven zijn. Niet alle types zijn beschikbaar, bijvoorbeeld het 'LanceerUrl' commando kan alleen als regulier commando toegevoegd worden.
+ Je kunt de satelliet service gebruiken om sensoren en commando's uit te voeren zonder ingelogd te hoeven zijn. Niet alle types zijn beschikbaar, bijvoorbeeld het 'LanceerUrl' commando kan alleen als regulier commando toegevoegd worden.
laatst bekende waarde
@@ -2628,24 +2628,24 @@ Controleer of er geen andere HASS.Agent instanties actief zijn, en of de poort b
Toont een scherm met de opgegeven URL.
-Dit wijkt af van het 'LanceerUrl' commando in dat het geen volledige browser laadt, alleen de opgegeven URL in een eigen scherm.
+Dit wijkt af van het 'LanceerUrl' commando in dat het geen volledige browser laadt, alleen de opgegeven URL in een eigen scherm.
Je kunt dit bijvoorbeeld gebruiken om snel een dashboard van Home Assistant te tonen.
Standaard slaat hij cookies oneindig op, dus je hoeft maar één keer in te loggen.
- HASS.Agent Commando's
+ HASS.Agent Commando's
- Zoekt het opgegeven proces, en probeert z'n hoofdscherm naar de voorgrond te halen.
+ Zoekt het opgegeven proces, en probeert z'n hoofdscherm naar de voorgrond te halen.
Als de applicatie geminimaliseerd is, wordt hij hersteld.
-Voorbeeld: als je VLC naar de voorgrond wilt sturen, gebruik dan 'vlc'.
+Voorbeeld: als je VLC naar de voorgrond wilt sturen, gebruik dan 'vlc'.
- Als je het commando niet configureert, kan je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant en hij toont met de standaard instellingen. Uitvoeren zonder een actie doet niks.
+ Als je het commando niet configureert, kan je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant en hij toont met de standaard instellingen. Uitvoeren zonder een actie doet niks.
Weet je zeker dat je dit wilt?
@@ -2687,7 +2687,7 @@ Ter info: deze melding toont éénmalig.
lokal&e api uitvoeren
- HASS.Agent heeft z'n eigen lokale API, zodat Home Assistant verzoeken kan sturen (bijvoorbeeld om een notificatie te versturen). Je kunt hem hier globlaal configureren, en daarna kun je de afhankelijke onderdelen configureren (momenteel notificaties en mediaspeler).
+ HASS.Agent heeft z'n eigen lokale API, zodat Home Assistant verzoeken kan sturen (bijvoorbeeld om een notificatie te versturen). Je kunt hem hier globlaal configureren, en daarna kun je de afhankelijke onderdelen configureren (momenteel notificaties en mediaspeler).
Notitie: dit is niet vereist om de nieuwe integratie te laten werken. Alleen inschakelen en gebruiken als je geen MQTT gebruikt.
Fuzzy
@@ -2741,14 +2741,14 @@ Notitie: dit is niet vereist om de nieuwe integratie te laten werken. Alleen ins
Fuzzy
- de lokale API is uitgeschakeld, maar de mediaspeler heeft 'm nodig om te functioneren
+ de lokale API is uitgeschakeld, maar de mediaspeler heeft 'm nodig om te functioneren
Fuzzy
&TLS
- de lokale API is uitgeschakeld, maar de mediaspeler heeft 'm nodig om te functioneren
+ de lokale API is uitgeschakeld, maar de mediaspeler heeft 'm nodig om te functioneren
Fuzzy
@@ -2785,10 +2785,10 @@ Notitie: dit is niet vereist om de nieuwe integratie te laten werken. Alleen ins
Systeemvak Pictogram
- Je invoertaal '{0}' staat erom bekend te botsen met de standaard CTRL-ALT-Q sneltoets. Stel daarom je eigen in.
+ Je invoertaal '{0}' staat erom bekend te botsen met de standaard CTRL-ALT-Q sneltoets. Stel daarom je eigen in.
- Je invoertaal '{0}' is onbekend, en kan botsen met de standaard CTRL-ALT-Q sneltoets. Controleer dit voor de zekerheid. Als het zo is, overweeg dan een ticket te openen op GitHub om 'm aan de lijst toe te laten voegen.
+ Je invoertaal '{0}' is onbekend, en kan botsen met de standaard CTRL-ALT-Q sneltoets. Controleer dit voor de zekerheid. Als het zo is, overweeg dan een ticket te openen op GitHub om 'm aan de lijst toe te laten voegen.
geen toetsen gevonden
@@ -2800,7 +2800,7 @@ Notitie: dit is niet vereist om de nieuwe integratie te laten werken. Alleen ins
fout tijdens verwerken toetsen, controleer de logs voor meer info
- het aantal '[' haakjes komt niet overeen met het aantal ']' haakjes ({0} tegenover {1})
+ het aantal '[' haakjes komt niet overeen met het aantal ']' haakjes ({0} tegenover {1})
Documentatie
@@ -2852,7 +2852,7 @@ Dit is makkelijk via HACS, maar je kunt ook handmatig installeren. Bezoek de lin
activeer ¬ificaties
- HASS.Agent gebruikt z'n eigen ingebouwde API, zodat Home Assistant verzoeken kan sturen (zoals notificaties of tekst-naar-spraak).
+ HASS.Agent gebruikt z'n eigen ingebouwde API, zodat Home Assistant verzoeken kan sturen (zoals notificaties of tekst-naar-spraak).
Wil je dit activeren?
@@ -2860,7 +2860,7 @@ Wil je dit activeren?
Je kunt kiezen welke modules te wilt activeren. Ze vereisen HA integraties, maar geen zorgen, de volgende pagina geeft je meer info over hoe je ze in kunt stellen.
- Ter info: 5115 is de standaard poort, verander 'm alleen als je dit ook in Home Assistant hebt gedaan.
+ Ter info: 5115 is de standaard poort, verander 'm alleen als je dit ook in Home Assistant hebt gedaan.
&TLS
@@ -2903,7 +2903,7 @@ Wil je die versie gebruiken?
grootte
- tip: druk op 'esc' om een webview te sluiten
+ tip: druk op 'esc' om een webview te sluiten
&URL
@@ -2926,7 +2926,7 @@ Controleer of het keycode veld focus heeft, en druk dan op de toets die je gesim
status notificaties inschakelen
- HASS.Agent zal je apparaatnaam opschonen, om zeker te zijn dat HA 'm accepteert. Je kunt dit uitschakelen als je zeker weet dat je naam wordt geaccepteerd.
+ HASS.Agent zal je apparaatnaam opschonen, om zeker te zijn dat HA 'm accepteert. Je kunt dit uitschakelen als je zeker weet dat je naam wordt geaccepteerd.
Als je wilt, kun je status notificaties compleet uitschakelen. HASS.Agent zal je niet melden dat een verbinding verbroken of hersteld is.
@@ -2934,7 +2934,7 @@ Controleer of het keycode veld focus heeft, en druk dan op de toets die je gesim
Je hebt je apparaatnaam aangepast.
-Al je sensoren en commando's worden nu ongepubliceerd, waarna HASS.Agent zal herstarten en ze daarna opnieuw zal publiceren.
+Al je sensoren en commando's worden nu ongepubliceerd, waarna HASS.Agent zal herstarten en ze daarna opnieuw zal publiceren.
Geen zorgen, ze behouden hun huidige namen, dus al je automatiseringen en scripts blijven werken.
@@ -2998,7 +2998,7 @@ Ter info: je hebt opschoning uitgeschakeld, dus verzeker je ervan dat je apparaa
Zet alle beeldschermen in slaap (laag energieverbruik) modus.
- Probeert alle beeldschermen wakker te maken door de 'pijl omhoog' knop te simuleren.
+ Probeert alle beeldschermen wakker te maken door de 'pijl omhoog' knop te simuleren.
Stelt de volume van de huidige standaard geluidapparaat in op het opgegeven niveau.
@@ -3010,7 +3010,7 @@ Ter info: je hebt opschoning uitgeschakeld, dus verzeker je ervan dat je apparaa
Commando
- Als je geen volume waarde invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Zonder activeren doet niks.
+ Als je geen volume waarde invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Zonder activeren doet niks.
Weet je zeker dat je dit wilt?
@@ -3025,12 +3025,12 @@ Wil je deze variant gebruiken?
Je API token ziet er verkeerd uit. Controleer dat je de hele token geselecteerd hebt (geen CTRL+A of dubbelklik gebruiken).
Er zouden drie secties moeten zijn (gescheiden door twee punten).
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
- Je URI ziet er verkeerd uit. Het zou moeten lijken op 'http://homeassistant.local:8123' of 'https://192.168.0.1:8123'.
+ Je URI ziet er verkeerd uit. Het zou moeten lijken op 'http://homeassistant.local:8123' of 'https://192.168.0.1:8123'.
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
testen ..
@@ -3042,7 +3042,7 @@ Weet je zeker dat je 'm zo wilt gebruiken?
mqtt inschakelen
- zonder mqtt, zullen commando's en sensoren niet werken!
+ zonder mqtt, zullen commando's en sensoren niet werken!
zowel de lokale API als MQTT zijn uitgeschakeld, maar de integratie heeft ten minste één nodig om te werken
@@ -3053,10 +3053,10 @@ Weet je zeker dat je 'm zo wilt gebruiken?
De service is momenteel gestopt, dus je kunt hem niet configureren.
-Zorg dat je 'm eerst geactiveerd en gestart hebt.
+Zorg dat je 'm eerst geactiveerd en gestart hebt.
- Als je de service wilt beheren (commando's en sensors toevoegen, instellingen aanpassen) dan kan dat hier, of door de 'satellite service' knop op het hoofdscherm.
+ Als je de service wilt beheren (commando's en sensors toevoegen, instellingen aanpassen) dan kan dat hier, of door de 'satellite service' knop op het hoofdscherm.
toon standaard menu bij linker muisknop klik
@@ -3065,17 +3065,17 @@ Zorg dat je 'm eerst geactiveerd en gestart hebt.
Je Home Assistant API token ziet er verkeerd uit. Controleer dat je de hele token geselecteerd hebt (geen CTRL+A of dubbelklik gebruiken).
Er zouden drie secties moeten zijn (gescheiden door twee punten).
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
- Je Home Assistant URI ziet er verkeerd uit. Het zou moeten lijken op 'http://homeassistant.local:8123' of 'https://192.168.0.1:8123'.
+ Je Home Assistant URI ziet er verkeerd uit. Het zou moeten lijken op 'http://homeassistant.local:8123' of 'https://192.168.0.1:8123'.
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
- Je MQTT broker URI ziet er verkeerd uit. Het zou moeten lijken op 'homeassistant.local' or '192.168.0.1'.
+ Je MQTT broker URI ziet er verkeerd uit. Het zou moeten lijken op 'homeassistant.local' or '192.168.0.1'.
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
sluiten
@@ -3088,7 +3088,7 @@ Weet je zeker dat je 'm zo wilt gebruiken?
Het ontwikkelen en onderhouden van deze tool (en alles wat erbij komt kijken, zoals support, deze vertaling en de documentatie) neemt een hoop tijd in beslag.
-Zoals de meeste ontwikkelaars draai ik op caffeïne - dus als je 't kunt missen, wordt een kop koffie altijd erg gewaardeerd!
+Zoals de meeste ontwikkelaars draai ik op caffeïne - dus als je 't kunt missen, wordt een kop koffie altijd erg gewaardeerd!
Doneren
@@ -3103,15 +3103,15 @@ Zoals de meeste ontwikkelaars draai ik op caffeïne - dus als je 't kunt mi
Je API token ziet er verkeerd uit. Controleer dat je de hele token geselecteerd hebt (geen CTRL+A of dubbelklik gebruiken).
Er zouden drie secties moeten zijn (gescheiden door twee punten).
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
- Je URI ziet er verkeerd uit. Het zou moeten lijken op 'http://homeassistant.local:8123' of 'https://192.168.0.1:8123'.
+ Je URI ziet er verkeerd uit. Het zou moeten lijken op 'http://homeassistant.local:8123' of 'https://192.168.0.1:8123'.
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
- Het ontwikkelen en onderhouden van deze tool (en alles wat erbij komt kijken, zoals support, deze vertaling en de documentatie) neemt een hoop tijd in beslag. Zoals de meeste ontwikkelaars draai ik op caffeïne - dus als je 't kunt missen, wordt een kop koffie altijd erg gewaardeerd!
+ Het ontwikkelen en onderhouden van deze tool (en alles wat erbij komt kijken, zoals support, deze vertaling en de documentatie) neemt een hoop tijd in beslag. Zoals de meeste ontwikkelaars draai ik op caffeïne - dus als je 't kunt missen, wordt een kop koffie altijd erg gewaardeerd!
Tip: andere donatie methodes zijn beschikbaar in het Over scherm.
@@ -3143,9 +3143,9 @@ Toont alleen apparaten die zijn gezien sinds het laatste rapport, oftewel, zodra
Geeft je huidige latitude, longitude en altitude als een kommagescheiden waarde.
-Verzeker dat Windows' localisatieservices ingeschakeld zijn!
+Verzeker dat Windows' localisatieservices ingeschakeld zijn!
-Afhankelijk van je Windows versie, kan dit gevonden worden in het nieuwe configuratiescherm -> 'privacy en beveiliging' -> 'locatie'.
+Afhankelijk van je Windows versie, kan dit gevonden worden in het nieuwe configuratiescherm -> 'privacy en beveiliging' -> 'locatie'.
Geeft de naam van het proces dat momenteel de microfoon gebruikt.
@@ -3231,7 +3231,7 @@ Wil je de logmap openen?
error tijdens instellen opstartmodus, controleer logs
- Microsoft's WebView2 runtime is niet op je machine gevonden. Normaliter handelt de installatie dit af, maar je kunt het ook handmatig installeren.
+ Microsoft's WebView2 runtime is niet op je machine gevonden. Normaliter handelt de installatie dit af, maar je kunt het ook handmatig installeren.
Wil je de runtime installatie downloaden?
@@ -3241,4 +3241,10 @@ Wil je de runtime installatie downloaden?
domein
+
+ SwitchDesktop
+
+
+ ActiveDesktop
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.pl.resx b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.pl.resx
index c3c1de48..cba0f184 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.pl.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.pl.resx
@@ -239,7 +239,7 @@ W ten sposób, cokolwiek robisz na swoim komputerze, zawsze możesz wchodzić w
Niektóre elementy, takie jak obrazy wyświetlane w powiadomieniach, muszą być tymczasowo przechowywane lokalnie. Możesz
skonfigurować, przez ile dni mają być przechowywane, zanim HASS.Agent je usunie.
-Aby zachować je na stałe, wpisz "0".
+Aby zachować je na stałe, wpisz "0".
Rozszerzone rejestrowanie logów zapewnia bardziej szczegółowe i wnikliwe informacje w przypadku, gdy domyślne rejestrowanie nie jest wystarczające.
@@ -775,7 +775,7 @@ HASS.Agent do nasłuchiwania na określonym porcie.
HASS.Agent Aktualizacja
- Poczekaj na ponowne uruchomienie HASS.Agent'a..
+ Poczekaj na ponowne uruchomienie HASS.Agent'a..
Czakam na zamkniecie poprzedniej instancji..
@@ -1199,7 +1199,7 @@ zgłaszaj błędy lub po prostu rozmawiaj o czymkolwiek.
Pomoc
- pokaż HASS.Agent'a
+ pokaż HASS.Agent'a
pokaż szybkie akcje
@@ -1277,7 +1277,7 @@ k&onfiguracja
szybkie akcje:
- api home assistant'a:
+ api home assistant'a:
api powiadomień
@@ -1319,7 +1319,7 @@ k&onfiguracja
Wykonaj niestandardowe polecenie.
-Te polecenia działają bez podwyższonych uprawnień. Aby uruchomić z podwyższonym poziomem uprawnień, utwórz Zaplanowane zadanie i użyj 'schtasks /Run /TN "NazwaZadania"' jako polecenia do wykonania zadania.
+Te polecenia działają bez podwyższonych uprawnień. Aby uruchomić z podwyższonym poziomem uprawnień, utwórz Zaplanowane zadanie i użyj 'schtasks /Run /TN "NazwaZadania"' jako polecenia do wykonania zadania.
Lub włącz opcję „uruchom jako niską integralność”, aby uzyskać jeszcze bardziej rygorystyczne wykonanie.
@@ -1402,12 +1402,12 @@ Przydatne na przykład, jeśli chcesz zmusić HASS.Agent do aktualizacji wszystk
Ponowne uruchomi maszynę po jednej minucie.
-Wskazówka: włączono przypadkowo? Uruchom 'shutdown /a', aby przerwać.
+Wskazówka: włączono przypadkowo? Uruchom 'shutdown /a', aby przerwać.
Wyłączy maszynę po jednej minucie.
-Wskazówka: włączono przypadkowo? Uruchom 'shutdown /a', aby przerwać.
+Wskazówka: włączono przypadkowo? Uruchom 'shutdown /a', aby przerwać.
Usypia maszynę.
@@ -1555,7 +1555,7 @@ Sprawdź logi, aby uzyskać więcej informacji.
Aktywowanie Uruchomienie-przy-logowaniu..
- Coś poszło nie tak. Możesz spróbować ponownie, lub przejść do następnej strony i spróbować ponownie po ponownym uruchomieniu HASS.Agent'a.
+ Coś poszło nie tak. Możesz spróbować ponownie, lub przejść do następnej strony i spróbować ponownie po ponownym uruchomieniu HASS.Agent'a.
Włącz Uruchomienie-przy-logowaniu
@@ -1663,7 +1663,7 @@ Czy jesteś pewien?
Wybrane środowisko wykonania nie zostało znalezione. Wybierz nowe.
- Ustawia klucz autoryzacji, jeżeli chcesz aby tylko jedna instancja HASS.Agent'a na tym komputerze łączyła się z usługą usługą Satellite.
+ Ustawia klucz autoryzacji, jeżeli chcesz aby tylko jedna instancja HASS.Agent'a na tym komputerze łączyła się z usługą usługą Satellite.
Tylko instancja z odpowiednim kluczem autoryzacji może się połączyć.
@@ -1673,7 +1673,7 @@ Pozostaw puste aby pozwolić łączyć się wszystkim.
Nazwa pod którą usługa Satellite zostanie zarejestrowana w Home Assistant.
-Domyślnie jest to nazwa twojego komputera oraz '-satellite'.
+Domyślnie jest to nazwa twojego komputera oraz '-satellite'.
Czas po jakim usługa Satellite wyśle informacje o utracie połączenia przez MQTT.
@@ -2132,7 +2132,7 @@ Upewnij się, że żadne inna instancja HASS.Agent nie jest uruchomiona, a port
Zwraca informacje na temat urządzenia audio:
-Aktualny maksymalny poziom głośności (może być używany jako prosta wartość 'czy coś aktualnie gra').
+Aktualny maksymalny poziom głośności (może być używany jako prosta wartość 'czy coś aktualnie gra').
Domyślne urządzenie audio: nazwa, stan, głośność.
@@ -2212,7 +2212,7 @@ Category: Processor
Counter: % Processor Time
Instance: _Total
-Możesz odnaleźć liczniki wydajności przez narzędzie Windows 'perfmon.exe'.
+Możesz odnaleźć liczniki wydajności przez narzędzie Windows 'perfmon.exe'.
Zwraca ilość instancji danego procesu.
@@ -2221,7 +2221,7 @@ Możesz odnaleźć liczniki wydajności przez narzędzie Windows 'perfmon.e
Zwraca stan usługi: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending or Paused.
-Upewnij się że wpisujesz 'Service name', nie 'Dispaly name'.
+Upewnij się że wpisujesz 'Service name', nie 'Dispaly name'.
Fuzzy
@@ -2702,7 +2702,7 @@ Czy chcesz użyć obecnej ścieżki?
ApplicationStarted
- Możesz użyć usługi Satellite aby przesyłać czujniki i komendy bez potrzeby bycia zalogowanym. Nie wszystkie typy działają, na przykład komenda 'UruchomUrl' może zostać dodana tylko jako normalna komenda.
+ Możesz użyć usługi Satellite aby przesyłać czujniki i komendy bez potrzeby bycia zalogowanym. Nie wszystkie typy działają, na przykład komenda 'UruchomUrl' może zostać dodana tylko jako normalna komenda.
Ostatnie Znana Wartość
@@ -2978,7 +2978,7 @@ Czy akceptujesz taką nazwę?
Pokazuje nazwe okna
- Ustawia okno jako '&Zawsze na wierzchu'
+ Ustawia okno jako '&Zawsze na wierzchu'
Złap i przeciągnij okno aby ustalić rozmiar i miejsce komendy WebView
@@ -3085,7 +3085,7 @@ Uwaga: wyłączyłeś czyszczenie nazw, więc upewnij się, że nazwa Twojego ur
Usypia wszystkie monitory (niski zużycie energii).
- Stara się wybudzić wszystkie monitory poprzez symulowanie wciśnięcia przycisku "do góry".
+ Stara się wybudzić wszystkie monitory poprzez symulowanie wciśnięcia przycisku "do góry".
Ustawia poziom głośności domyślnego urządzenia na podaną wartość.
@@ -3097,7 +3097,7 @@ Uwaga: wyłączyłeś czyszczenie nazw, więc upewnij się, że nazwa Twojego ur
komenda
- Nie podając żadnej wartości głośności musisz używać encji z 'akcją' w Home Assistant. Uruchomienie jej tak jak teraz nie przyniesie żadnego efektu.
+ Nie podając żadnej wartości głośności musisz używać encji z 'akcją' w Home Assistant. Uruchomienie jej tak jak teraz nie przyniesie żadnego efektu.
Czy jesteś pewien?
@@ -3155,12 +3155,12 @@ Proszę włącz usługę aby ją skonfigurować.
Czy jesteś pewien, że chcesz użyć tego tokenu?
- Twój adres Home Assistant wygląda na błędny. Powinien wyglądać mniej więcej tak 'http://homeassistant.local:8123' lub tak 'https://192.168.0.1:8123'.
+ Twój adres Home Assistant wygląda na błędny. Powinien wyglądać mniej więcej tak 'http://homeassistant.local:8123' lub tak 'https://192.168.0.1:8123'.
Jesteś pewien że chcesz używać takiego?
- Twój adres brokera MQTT wygląda na błędny. Powinien wyglądać mniej więcej tak 'homeassistant.local' lub tak '192.168.0.1'.
+ Twój adres brokera MQTT wygląda na błędny. Powinien wyglądać mniej więcej tak 'homeassistant.local' lub tak '192.168.0.1'.
Jesteś pewien że chcesz używać takiego?
@@ -3233,7 +3233,7 @@ Pokazuje tylko te urządzenia które zgłaszały się w okresie od ostatniego ra
Upewnij się że lokalizacja jest włączona w systemie Windows!
-W zalezności od Twojej wersji Windows'a opcje te możesz znaleźć w Ustawienia -> Prywatność i Zabezpieczenia -> Lokalizacja
+W zalezności od Twojej wersji Windows'a opcje te możesz znaleźć w Ustawienia -> Prywatność i Zabezpieczenia -> Lokalizacja
Zwraca nazwę procesu który obecnie używa mikrofonu.
@@ -3319,7 +3319,7 @@ Czy chcesz otworzyć plik log?
Błąd podczas ustawiania trybu uruchamiania. Sprawdź logi, aby uzyskać więcej informacji.
- Na twoim komputerze nie ma zainstalowanego Microsoft's WebView2 runtime. Zazwyczaj jest on instalowany automatycznie, ale możesz to zrobić też ręcznie.
+ Na twoim komputerze nie ma zainstalowanego Microsoft's WebView2 runtime. Zazwyczaj jest on instalowany automatycznie, ale możesz to zrobić też ręcznie.
Czy chcesz pobrać plik instalacyjny?
@@ -3329,4 +3329,10 @@ Czy chcesz pobrać plik instalacyjny?
domain
+
+ ZmienPulpit
+
+
+ AktywnyPulpit
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.pt-br.resx b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.pt-br.resx
index 82d1b56a..68a34e77 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.pt-br.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.pt-br.resx
@@ -131,7 +131,7 @@
páginas dos componentes usados para suas licenças individuais:
- Um grande 'obrigado' aos desenvolvedores desses projetos, que foram gentis o
+ Um grande 'obrigado' aos desenvolvedores desses projetos, que foram gentis o
suficiente para compartilhar seu trabalho duro com o resto de nós, meros mortais.
@@ -219,19 +219,19 @@ uma xícara de café:
Se o aplicativo for minimizado, ele será restaurado.
-Exemplo: se você deseja enviar o VLC para o primeiro plano, use 'vlc'.
+Exemplo: se você deseja enviar o VLC para o primeiro plano, use 'vlc'.
Execute um comando personalizado.
-Esses comandos são executados sem elevação especial. Para executar elevado, crie uma tarefa agendada e use 'schtasks /Run /TN "TaskName"' como o comando para executar sua tarefa.
+Esses comandos são executados sem elevação especial. Para executar elevado, crie uma tarefa agendada e use 'schtasks /Run /TN "TaskName"' como o comando para executar sua tarefa.
-Ou habilite 'executar como baixa integridade' para uma execução ainda mais rigorosa.
+Ou habilite 'executar como baixa integridade' para uma execução ainda mais rigorosa.
Executa o comando através do executor personalizado configurado (em Configuração -> Ferramentas Externas).
-Seu comando é fornecido como um argumento 'as is', então você deve fornecer suas próprias cotações, etc., se necessário.
+Seu comando é fornecido como um argumento 'as is', então você deve fornecer suas próprias cotações, etc., se necessário.
Coloca a máquina em hibernação.
@@ -247,7 +247,7 @@ Se você precisar de mais teclas e/ou modificadores como CTRL, use o comando Mul
Inicia a URL fornecida, por padrão em seu navegador padrão.
-Para usar o modo 'anônimo', forneça um navegador específico em Configuração -> Ferramentas Externas.
+Para usar o modo 'anônimo', forneça um navegador específico em Configuração -> Ferramentas Externas.
Fuzzy
@@ -257,28 +257,28 @@ Para usar o modo 'anônimo', forneça um navegador específico em Conf
Faz logoff da sessão atual.
- Simula a tecla 'mute'.
+ Simula a tecla 'mute'.
- Simula a tecla 'próxima mídia'.
+ Simula a tecla 'próxima mídia'.
- Simula a tecla 'play/pause mídia'.
+ Simula a tecla 'play/pause mídia'.
- Simula a tecla 'mídia anterior'.
+ Simula a tecla 'mídia anterior'.
- Simula a tecla 'diminuir volume'.
+ Simula a tecla 'diminuir volume'.
- Simula a tecla 'aumentar o volume'.
+ Simula a tecla 'aumentar o volume'.
Coloca todos os monitores no modo de suspensão (baixo consumo de energia).
- Tente acordar todos os monitores simulando um pressionamento de tecla 'seta para cima'.
+ Tente acordar todos os monitores simulando um pressionamento de tecla 'seta para cima'.
Simula o pressionamento de várias teclas.
@@ -311,7 +311,7 @@ Isso será executado sem elevação especial.
Reinicia a máquina após um minuto.
-Dica: acionado acidentalmente? Execute 'shutdown /a' para abortar.
+Dica: acionado acidentalmente? Execute 'shutdown /a' para abortar.
Define o volume do dispositivo de áudio padrão atual para o nível especificado.
@@ -319,7 +319,7 @@ Dica: acionado acidentalmente? Execute 'shutdown /a' para abortar.
Desliga a máquina após um minuto.
-Dica: acionado acidentalmente? Execute 'shutdown /a' para abortar.
+Dica: acionado acidentalmente? Execute 'shutdown /a' para abortar.
Coloca a máquina em sleep.
@@ -331,7 +331,7 @@ Você pode usar algo como NirCmd (http://www.nirsoft.net/utils/nircmd.html) para
Mostra uma janela com a URL fornecida.
-Isso difere do comando 'LaunchUrl', pois não carrega um navegador completo, apenas o URL fornecido em sua própria janela.
+Isso difere do comando 'LaunchUrl', pois não carrega um navegador completo, apenas o URL fornecido em sua própria janela.
Você pode usar isso para, por exemplo, mostrar rapidamente o painel do Home Assistant.
@@ -356,7 +356,7 @@ Por padrão, ele armazena cookies indefinidamente, então você só precisa faze
Já existe um comando com esse nome. Você tem certeza que quer continuar?
- Se você não inserir um comando, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
+ Se você não inserir um comando, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
Tem certeza de que quer isso?
@@ -367,12 +367,12 @@ Tem certeza de que quer isso?
Falha na verificação das chaves: {0}
- Se você não inserir uma URL, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
+ Se você não inserir uma URL, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
Tem certeza de que quer isso?
- Se você não configurar o comando, só poderá usar esta entidade com um valor de 'ação' por meio do Home Assistant e ela será exibida usando as configurações padrão. Executar ela como está não fará nada.
+ Se você não configurar o comando, só poderá usar esta entidade com um valor de 'ação' por meio do Home Assistant e ela será exibida usando as configurações padrão. Executar ela como está não fará nada.
Tem certeza que quer isso?
@@ -385,7 +385,7 @@ Certifique-se de que o campo de código de acesso esteja em foco e pressione a t
iniciar no modo de navegação anônima
- &executar como 'baixa integridade'
+ &executar como 'baixa integridade'
tipo
@@ -432,10 +432,10 @@ por favor configure um executor ou seu comando não será executado
Isso significa que ele só poderá salvar e modificar arquivos em determinados locais,
- como a pasta '%USERPROFILE%\AppData\LocalLow' ou
+ como a pasta '%USERPROFILE%\AppData\LocalLow' ou
- a chave de registro 'HKEY_CURRENT_USER\Software\AppDataLow'.
+ a chave de registro 'HKEY_CURRENT_USER\Software\AppDataLow'.
Você deve testar seu comando para garantir que ele não seja influenciado por isso.
@@ -478,12 +478,12 @@ por favor configure um executor ou seu comando não será executado
hass.agent apenas!
- Se você não inserir um comando ou script, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
+ Se você não inserir um comando ou script, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
Tem certeza de que quer isso?
- Se você não inserir um valor de volume, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
+ Se você não inserir um valor de volume, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
Tem certeza de que quer isso?
@@ -643,7 +643,7 @@ os argumentos usados para iniciar em modo privado.
Você pode configurar o HASS.Agent para usar um executor específico, como perl ou python.
-Use o comando 'custom executor' para iniciar este executor.
+Use o comando 'custom executor' para iniciar este executor.
iniciar incógnito argumento
@@ -718,7 +718,7 @@ Deve conter três seções (separadas por dois pontos).
Tem certeza de que deseja usá-lo assim?
- Sua URL não parece correta. Deve ser algo como 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
+ Sua URL não parece correta. Deve ser algo como 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
Tem certeza de que deseja usá-la assim?
@@ -740,7 +740,7 @@ API do Home Assistant.
Forneça um token de acesso de longa duração e o endereço da sua instância do Home Assistant.
-Você pode obter um token através da sua página de perfil. Role até o final e clique em 'CRIAR TOKEN'
+Você pode obter um token através da sua página de perfil. Role até o final e clique em 'CRIAR TOKEN'
Fuzzy
@@ -829,7 +829,7 @@ poderá interagir com o Home Assistant.
As imagens mostradas nas notificações devem ser armazenadas temporariamente localmente.
Você pode configurar a quantidade de dias eles devem ser mantidos antes que o HASS.Agent
-os exclua. Digite '0' para mantê-los permanentemente.
+os exclua. Digite '0' para mantê-los permanentemente.
Fuzzy
@@ -1037,7 +1037,7 @@ Verifique os logs do HASS.Agent (não do serviço) para obter mais informações
&começar serviço
- O serviço está definido como 'desativado', portanto, não pode ser iniciado.
+ O serviço está definido como 'desativado', portanto, não pode ser iniciado.
Ative o serviço primeiro e tente novamente.
@@ -1062,7 +1062,7 @@ Verifique os logs do HASS.Agent (não do serviço) para obter mais informações
O serviço satélite permite que você execute sensores e comandos mesmo quando nenhum usuário
-estiver conectado. Use o botão 'serviço de satélite' na janela principal para gerenciá-lo.
+estiver conectado. Use o botão 'serviço de satélite' na janela principal para gerenciá-lo.
Se você não configurar o serviço, ele não fará nada. No entanto, você ainda pode decidir desativá-lo
@@ -1078,7 +1078,7 @@ Sua configuração e entidades não serão removidas.
Se o serviço ainda falhar após a reinstalação, abra um ticket e envie o conteúdo do log mais recente.
- Se você deseja gerenciar o serviço (adicionar comandos e sensores, alterar configurações), pode fazê-lo aqui ou usando o botão 'serviço satélite' na janela principal.
+ Se você deseja gerenciar o serviço (adicionar comandos e sensores, alterar configurações), pode fazê-lo aqui ou usando o botão 'serviço satélite' na janela principal.
status do serviço:
@@ -1199,12 +1199,12 @@ Deve conter três seções (separadas por dois pontos).
Tem certeza de que deseja usá-lo assim?
- Sua URL não parece correta. Deve ser algo como 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
+ Sua URL não parece correta. Deve ser algo como 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
Tem certeza de que deseja usá-la assim?
- Sua URL do broker MQTT não está correta. Deve ser algo como 'homeassistant.local' ou '192.168.0.1'.
+ Sua URL do broker MQTT não está correta. Deve ser algo como 'homeassistant.local' ou '192.168.0.1'.
Tem certeza de que deseja usá-la assim?
@@ -1457,10 +1457,10 @@ conosco:
Ajuda
- Seu idioma de entrada '{0}' é conhecido por colidir com a tecla de atalho CTRL-ALT-Q padrão. Por favor, defina o seu próprio.
+ Seu idioma de entrada '{0}' é conhecido por colidir com a tecla de atalho CTRL-ALT-Q padrão. Por favor, defina o seu próprio.
- Seu idioma de entrada '{0}' é desconhecido e pode colidir com a tecla de atalho CTRL-ALT-Q padrão. Por favor, verifique para ter certeza. Se isso acontecer, considere abrir um ticket no GitHub para que possa ser adicionado à lista.
+ Seu idioma de entrada '{0}' é desconhecido e pode colidir com a tecla de atalho CTRL-ALT-Q padrão. Por favor, verifique para ter certeza. Se isso acontecer, considere abrir um ticket no GitHub para que possa ser adicionado à lista.
nenhuma tecla encontrada
@@ -1472,7 +1472,7 @@ conosco:
erro ao analisar as teclas, verifique o log para obter mais informações
- o número de colchetes '[' não corresponde aos ']' ({0} a {1})
+ o número de colchetes '[' não corresponde aos ']' ({0} a {1})
Certifique-se de que nenhuma outra instância do HASS.Agent esteja em execução e que a porta esteja disponível e registrada.
@@ -1569,7 +1569,7 @@ Nota: esta mensagem é exibida apenas uma vez.
Algo deu errado ao carregar suas configurações.
-Verifique appsettings.json na subpasta 'Config' ou apenas exclua-o para começar de novo.
+Verifique appsettings.json na subpasta 'Config' ou apenas exclua-o para começar de novo.
Fuzzy
@@ -1683,7 +1683,7 @@ Deve conter três seções (separadas por dois pontos).
Tem certeza de que deseja usá-lo assim?
- Sua URL não parece correta. Deve ser algo como 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
+ Sua URL não parece correta. Deve ser algo como 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
Tem certeza de que deseja usá-la assim?
@@ -1699,7 +1699,7 @@ HASS.Agent usa API do Home Assistant.
Forneça um token de acesso de longa duração e o endereço da sua instância do Home
Assistant. Você pode obter um token através da sua página de perfil. Role até o final e
-clique em 'CRIAR TOKEN'.
+clique em 'CRIAR TOKEN'.
Fuzzy
@@ -1956,7 +1956,7 @@ O certificado do arquivo baixado será verificado.
Parece que esta é a primeira vez que você iniciou o HASS.Agent.
-Se você quiser, podemos passar pela configuração. Se não, basta clicar em 'fechar'.
+Se você quiser, podemos passar pela configuração. Se não, basta clicar em 'fechar'.
O nome do dispositivo é usado para identificar sua máquina no HA.
@@ -2165,7 +2165,7 @@ Verifique os logs para obter mais informações e, opcionalmente, informe os des
Fornece informações sobre vários aspectos do áudio do seu dispositivo:
-Nível de volume de pico atual (pode ser usado como um valor simples de 'algo está tocando').
+Nível de volume de pico atual (pode ser usado como um valor simples de 'algo está tocando').
Dispositivo de áudio padrão: nome, estado e volume.
@@ -2209,7 +2209,7 @@ Atualmente leva o volume do seu dispositivo padrão.
Certifique-se de que os serviços de localização do Windows estejam ativados!
-Dependendo da sua versão do Windows, isso pode ser encontrado no novo painel de controle -> 'privacidade e segurança' -> 'localização'.
+Dependendo da sua versão do Windows, isso pode ser encontrado no novo painel de controle -> 'privacidade e segurança' -> 'localização'.
Fornece a carga atual da GPU como uma porcentagem.
@@ -2223,7 +2223,7 @@ Dependendo da sua versão do Windows, isso pode ser encontrado no novo painel de
Fornece um valor de data e hora contendo o último momento em que o sistema (re)inicializou.
-Importante: a opção FastBoot do Windows pode prejudicar esse valor, porque é uma forma de hibernação. Você pode desativá-lo através de Opções de energia -> 'Escolha o que os botões de energia fazem' -> desmarque 'Ativar inicialização rápida'. Não faz muita diferença para máquinas modernas com SSDs, mas desabilitar garante que você obtenha um estado limpo após a reinicialização.
+Importante: a opção FastBoot do Windows pode prejudicar esse valor, porque é uma forma de hibernação. Você pode desativá-lo através de Opções de energia -> 'Escolha o que os botões de energia fazem' -> desmarque 'Ativar inicialização rápida'. Não faz muita diferença para máquinas modernas com SSDs, mas desabilitar garante que você obtenha um estado limpo após a reinicialização.
Fornece a última alteração de estado do sistema:
@@ -2273,7 +2273,7 @@ Categoria: Processador
Contador: % de tempo do processador
Instância: _Total
-Você pode explorar os contadores através da ferramenta 'perfmon.exe' do Windows.
+Você pode explorar os contadores através da ferramenta 'perfmon.exe' do Windows.
Retorna o resultado do comando ou script do Powershell fornecido.
@@ -2290,7 +2290,7 @@ Converte o resultado em texto.
Retorna o estado do serviço fornecido: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending ou Paused.
-Certifique-se de fornecer o 'Nome do serviço', não o 'Nome de exibição'.
+Certifique-se de fornecer o 'Nome do serviço', não o 'Nome de exibição'.
Fornece o estado da sessão atual:
@@ -2810,7 +2810,7 @@ Deixe em branco para permitir que todos se conectem.
Este é o nome com o qual o serviço satélite se registra no Home Assistant.
-Por padrão, é o nome do seu PC mais '-satellite'.
+Por padrão, é o nome do seu PC mais '-satellite'.
&período de desconexão
@@ -2822,7 +2822,7 @@ Por padrão, é o nome do seu PC mais '-satellite'.
Esta página contém itens de configuração geral. Para configurações, sensores e comandos do MQTT, navegue nas guias na parte superior.
- Você pode usar o serviço satélite para executar sensores e comandos sem precisar estar logado. Nem todos os tipos estão disponíveis, por exemplo, o comando 'Iniciar Url' só pode ser adicionado como um comando regular.
+ Você pode usar o serviço satélite para executar sensores e comandos sem precisar estar logado. Nem todos os tipos estão disponíveis, por exemplo, o comando 'Iniciar Url' só pode ser adicionado como um comando regular.
segundos
@@ -3240,7 +3240,7 @@ Deseja baixar o Microsoft WebView2 runtime?
tamanho
- dica: pressione 'esc' para fechar uma visualização da web
+ dica: pressione 'esc' para fechar uma visualização da web
&URL
@@ -3266,4 +3266,10 @@ Deseja baixar o Microsoft WebView2 runtime?
Desconhecido
+
+ SwitchDesktop
+
+
+ ActiveDesktop
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.ru.resx b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.ru.resx
index 212a9ec8..a7561bdf 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.ru.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.ru.resx
@@ -139,7 +139,7 @@
Вы можете настроить HASS.Agent для использования определенного исполнителя, например perl или python.
-Используйте команду 'пользовательский исполнитель', чтобы запустить этот исполнитель.
+Используйте команду 'пользовательский исполнитель', чтобы запустить этот исполнитель.
пользовательское имя исполнителя
@@ -198,7 +198,7 @@ API домашнего помощника.
Пожалуйста, предоставьте токен доступа с длительным сроком действия и адрес вашего экземпляра Home Assistant.
-Вы можете получить токен через страницу своего профиля. Прокрутите страницу вниз и нажмите 'СОЗДАТЬ ТОКЕН'.
+Вы можете получить токен через страницу своего профиля. Прокрутите страницу вниз и нажмите 'СОЗДАТЬ ТОКЕН'.
Fuzzy
@@ -241,7 +241,7 @@ API домашнего помощника.
Некоторые элементы, например изображения, отображаемые в уведомлениях, должны временно храниться локально. Вы можете
настроить количество дней, в течение которых они должны храниться до того как HASS.Агент удаляет их.
-Введите '0', чтобы сохранить их навсегда.
+Введите '0', чтобы сохранить их навсегда.
Расширенное ведение журнала обеспечивает более подробное ведение журнала в случае, если ведение журнала по умолчанию недостаточно
@@ -342,7 +342,7 @@ API домашнего помощника.
Спутниковая служба позволяет запускать датчики и команды, даже если ни один пользователь не вошел в систему.
-Используйте кнопку 'спутниковая служба' в главном окне, чтобы управлять ею.
+Используйте кнопку 'спутниковая служба' в главном окне, чтобы управлять ею.
статус сервиса:
@@ -416,7 +416,7 @@ HASS.Agent там.
Похоже это первый раз, когда вы запустили HASS.Agent.
-Если вы хотите, мы можем просмотреть конфигурацию. Если нет, просто нажмите кнопку 'закрыть'.
+Если вы хотите, мы можем просмотреть конфигурацию. Если нет, просто нажмите кнопку 'закрыть'.
@@ -476,10 +476,10 @@ Home Assistant.
Чтобы узнать, какие объекты вы настроили, и отправить быстрые действия, HASS.Agent использует
-Home Assistant's API.
+Home Assistant's API.
Пожалуйста, предоставьте токен доступа с длительным сроком действия и адрес вашего экземпляра Home Assistant.
-Вы можете получить токен через страницу своего профиля.Прокрутите страницу вниз и нажмите 'СОЗДАТЬ ТОКЕН'.
+Вы можете получить токен через страницу своего профиля.Прокрутите страницу вниз и нажмите 'СОЗДАТЬ ТОКЕН'.
Fuzzy
@@ -848,7 +848,7 @@ HASS.Agent для прослушивания на указанном порту.
описание
- &запускать как 'low integrity'
+ &запускать как 'low integrity'
что это?
@@ -1049,7 +1049,7 @@ HASS.Agent для прослушивания на указанном порту.
проекта используемых компонентов на предмет их индивидуальных лицензий:
- Большое 'спасибо' разработчикам этих проектов, которые были достаточно любезны, чтобы поделиться
+ Большое 'спасибо' разработчикам этих проектов, которые были достаточно любезны, чтобы поделиться
своей тяжелой работой с остальными из нас, простых смертных.
@@ -1276,14 +1276,14 @@ HASS.Agent для прослушивания на указанном порту.
Выполните пользовательскую команду.
-Эти команды выполняются без специального разрешения. Для запуска с повышенными правами создайте запланированную задачу и используйте 'schtasks /Run /TN "TaskName"' в качестве команды для выполнения вашей задачи.
+Эти команды выполняются без специального разрешения. Для запуска с повышенными правами создайте запланированную задачу и используйте 'schtasks /Run /TN "TaskName"' в качестве команды для выполнения вашей задачи.
-Или включите 'run as low integrity' для еще более строгого выполнения.
+Или включите 'run as low integrity' для еще более строгого выполнения.
Выполняет команду через настроенный пользовательский исполнитель (в разделе Конфигурация -> Внешние инструменты).
-Ваша команда предоставляется в качестве аргумента 'как есть', поэтому при необходимости вы должны указать свои собственные кавычки и т.д.
+Ваша команда предоставляется в качестве аргумента 'как есть', поэтому при необходимости вы должны указать свои собственные кавычки и т.д.
Переводит машину в режим гибернации.
@@ -1291,7 +1291,7 @@ HASS.Agent для прослушивания на указанном порту.
Имитирует одно нажатие клавиши.
-Нажмите на текстовое поле 'код ключа' и нажмите клавишу, которую вы хотите смоделировать. Для вас будет введен соответствующий код ключа.
+Нажмите на текстовое поле 'код ключа' и нажмите клавишу, которую вы хотите смоделировать. Для вас будет введен соответствующий код ключа.
Если вам нужно больше клавиш и/или модификаторов, таких как CTRL, используйте команду Multiple Keys.
Fuzzy
@@ -1299,9 +1299,9 @@ HASS.Agent для прослушивания на указанном порту.
Запускает указанный URL-адрес по умолчанию в вашем браузере по умолчанию.
-Чтобы использовать 'инкогнито', укажите конкретный браузер в разделе Конфигурация -> Внешние инструменты.
+Чтобы использовать 'инкогнито', укажите конкретный браузер в разделе Конфигурация -> Внешние инструменты.
-Если вам нужно просто окно с определенным URL-адресом (а не весь браузер целиком), используйте команду 'WebView'.
+Если вам нужно просто окно с определенным URL-адресом (а не весь браузер целиком), используйте команду 'WebView'.
Блокировать текущий сеанс.
@@ -1313,13 +1313,13 @@ HASS.Agent для прослушивания на указанном порту.
Имитирует клавишу отключения звука.
- Имитирует клавишу 'media next'.
+ Имитирует клавишу 'media next'.
- Имитирует клавишу 'media playpause'.
+ Имитирует клавишу 'media playpause'.
- Имитирует клавишу 'media previous'.
+ Имитирует клавишу 'media previous'.
Имитирует клавишу уменьшения громкости.
@@ -1359,12 +1359,12 @@ HASS.Agent для прослушивания на указанном порту.
Перезапускает машину через одну минуту.
-Совет: случайно сработало? Запустите 'shutdown /a', чтобы прервать работу.
+Совет: случайно сработало? Запустите 'shutdown /a', чтобы прервать работу.
Выключает машину через одну минуту.
-Совет: случайно сработало? Запустите 'shutdown /a', чтобы прервать работу.
+Совет: случайно сработало? Запустите 'shutdown /a', чтобы прервать работу.
Переводит машину в спящий режим.
@@ -1393,7 +1393,7 @@ HASS.Agent для прослушивания на указанном порту.
Пожалуйста, введите действительный ключ API.
- Пожалуйста, введите ваш Home Assistant's URI.
+ Пожалуйста, введите ваш Home Assistant's URI.
Не удалось подключиться, была возвращена следующая ошибка:
@@ -1453,7 +1453,7 @@ Home Assistant version: {0}
Проверь HASS.Agent (не службы) логи для получения дополнительной информации.
- Для службы установлено значение 'отключено', поэтому ее нельзя запустить.
+ Для службы установлено значение 'отключено', поэтому ее нельзя запустить.
Пожалуйста, сначала включите службу, а затем повторите попытку.
@@ -1512,7 +1512,7 @@ Home Assistant version: {0}
активируя запуск при входе в систему, подождите ..
- Что-то пошло не так. Вы можете попробовать еще раз или перейти к следующей странице и повторить попытку после перезагрузки HASS.Agent's.
+ Что-то пошло не так. Вы можете попробовать еще раз или перейти к следующей странице и повторить попытку после перезагрузки HASS.Agent's.
включить запуск при входе в систему
@@ -1629,7 +1629,7 @@ Home Assistant version: {0}
Это имя, под которым спутниковая служба регистрируется в Home Assistant.
-По умолчанию это имя вашего КОМПЬЮТЕРА плюс '-satellite'.
+По умолчанию это имя вашего КОМПЬЮТЕРА плюс '-satellite'.
Количество времени, в течение которого спутниковая служба будет ждать, прежде чем сообщить о потере соединения брокеру MQTT.
@@ -1711,12 +1711,12 @@ Home Assistant version: {0}
Команда с таким именем уже существует. Вы уверены, что хотите продолжить?
- Если вы не вводите команду, вы можете использовать эту сущность только со значением 'действие' через Home Assistant. Запуск его как есть ничего не даст.
+ Если вы не вводите команду, вы можете использовать эту сущность только со значением 'действие' через Home Assistant. Запуск его как есть ничего не даст.
Ты уверен, что хочешь этого?
- Если вы не вводите команду или сценарий, вы можете использовать эту сущность только со значением 'действие' через Home Assistant. Запуск его как есть ничего не даст.
+ Если вы не вводите команду или сценарий, вы можете использовать эту сущность только со значением 'действие' через Home Assistant. Запуск его как есть ничего не даст.
Ты уверен, что хочешь этого?
@@ -1727,7 +1727,7 @@ Home Assistant version: {0}
Проверка клавиш не удалась: {0}
- Если вы не вводите URL-адрес, вы можете использовать этот объект только со значением 'действие' через Home Assistant. Запуск его как есть ничего не даст.
+ Если вы не вводите URL-адрес, вы можете использовать этот объект только со значением 'действие' через Home Assistant. Запуск его как есть ничего не даст.
Ты уверен, что хочешь этого?
@@ -1773,10 +1773,10 @@ Home Assistant version: {0}
Это означает, что он сможет сохранять и изменять файлы только в определенных местах,
- например, в папке '%USERPROFILE%\AppData\LocalLow' или
+ например, в папке '%USERPROFILE%\AppData\LocalLow' или
- раздел реестра 'HKEY_CURRENT_USER\Software\AppDataLow'.
+ раздел реестра 'HKEY_CURRENT_USER\Software\AppDataLow'.
Вы должны протестировать свою команду, чтобы убедиться, что это не повлияет на нее.
@@ -1894,7 +1894,7 @@ Home Assistant version: {0}
Не волнуйтесь, они сохранят свои текущие имена, так что ваши средства автоматизации или скрипты будут продолжать работать.
-Примечание: имя будет 'очищено', что означает, что все, кроме букв, цифр и пробелов, будет заменено символом подчеркивания. Этого требует HA.
+Примечание: имя будет 'очищено', что означает, что все, кроме букв, цифр и пробелов, будет заменено символом подчеркивания. Этого требует HA.
Вы изменили порт локального API. Этот новый порт должен быть зарезервирован.
@@ -1926,7 +1926,7 @@ Home Assistant version: {0}
Что-то пошло не так при загрузке ваших настроек.
-Проверьте appsettings.json во вложенной папке 'config' или просто удалите его, чтобы начать все сначала.
+Проверьте appsettings.json во вложенной папке 'config' или просто удалите его, чтобы начать все сначала.
Fuzzy
@@ -2082,7 +2082,7 @@ Home Assistant version: {0}
Предоставляет информацию о различных аспектах звука вашего устройства:
-Текущий пиковый уровень громкости (может использоваться как простое значение 'что-то играет').
+Текущий пиковый уровень громкости (может использоваться как простое значение 'что-то играет').
Аудиоустройство по умолчанию: имя, состояние и громкость.
@@ -2121,7 +2121,7 @@ Home Assistant version: {0}
Предоставляет значение даты и времени, содержащее последний момент (повторной) загрузки системы.
-Важно: опция быстрой загрузки Windows может сбросить это значение, потому что это форма гибернации. Вы можете отключить его через Параметры питания -> 'Выберите, что делают кнопки питания' -> снимите флажок 'Включить быстрый запуск'. Это не имеет большого значения для современных машин с твердотельными накопителями, но отключение гарантирует, что вы получите чистое состояние после перезагрузки.
+Важно: опция быстрой загрузки Windows может сбросить это значение, потому что это форма гибернации. Вы можете отключить его через Параметры питания -> 'Выберите, что делают кнопки питания' -> снимите флажок 'Включить быстрый запуск'. Это не имеет большого значения для современных машин с твердотельными накопителями, но отключение гарантирует, что вы получите чистое состояние после перезагрузки.
Обеспечивает последнее изменение состояния системы:
@@ -2163,7 +2163,7 @@ Category: Processor
Counter: % Processor Time
Instance: _Total
-Вы можете исследовать счетчики через Windows' 'perfmon.exe' - инструмент.
+Вы можете исследовать счетчики через Windows' 'perfmon.exe' - инструмент.
Указывает количество активных экземпляров процесса.
@@ -2172,7 +2172,7 @@ Instance: _Total
Возвращает состояние предоставленной службы: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending or Paused.
-Обязательно укажите 'Имя службы', а не 'Display name'.
+Обязательно укажите 'Имя службы', а не 'Display name'.
Предоставляет текущее состояние сеанса:
@@ -2652,7 +2652,7 @@ NotPresent, Busy, RunningDirect3dFullScreen, PresentationMode, AcceptsNotificati
ApplicationStarted
- Вы можете использовать спутниковую службу для запуска датчиков и команд без необходимости входа в систему. Доступны не все типы, например, команда 'launchUrl' может быть добавлена только как обычная команда.
+ Вы можете использовать спутниковую службу для запуска датчиков и команд без необходимости входа в систему. Доступны не все типы, например, команда 'launchUrl' может быть добавлена только как обычная команда.
последнее известное значение
@@ -2685,10 +2685,10 @@ NotPresent, Busy, RunningDirect3dFullScreen, PresentationMode, AcceptsNotificati
Если приложение свернуто, оно будет восстановлено.
-Пример: если вы хотите отправить VLC на передний план, используйте 'vlc'.
+Пример: если вы хотите отправить VLC на передний план, используйте 'vlc'.
- Если вы не настроили команду, вы можете использовать эту сущность только со значением 'действие' через Home Assistant, и она будет отображаться с использованием настроек по умолчанию. Запуск его как есть ничего не даст.
+ Если вы не настроили команду, вы можете использовать эту сущность только со значением 'действие' через Home Assistant, и она будет отображаться с использованием настроек по умолчанию. Запуск его как есть ничего не даст.
Ты уверен, что хочешь этого?
@@ -2828,10 +2828,10 @@ NotPresent, Busy, RunningDirect3dFullScreen, PresentationMode, AcceptsNotificati
Значок в трее
- Известно, что ваш язык ввода '{0}' конфликтует с горячей клавишей CTRL-ALT-Q по умолчанию. Пожалуйста, установите свой собственный.
+ Известно, что ваш язык ввода '{0}' конфликтует с горячей клавишей CTRL-ALT-Q по умолчанию. Пожалуйста, установите свой собственный.
- Ваш язык ввода '{0}' неизвестен и может конфликтовать с горячей клавишей CTRL-ALT-Q по умолчанию. Пожалуйста, проверьте, чтобы быть уверенным. Если это произойдет, рассмотрите возможность открытия заявки на GitHub, чтобы ее можно было добавить в список.
+ Ваш язык ввода '{0}' неизвестен и может конфликтовать с горячей клавишей CTRL-ALT-Q по умолчанию. Пожалуйста, проверьте, чтобы быть уверенным. Если это произойдет, рассмотрите возможность открытия заявки на GitHub, чтобы ее можно было добавить в список.
клавиши не найдены
@@ -2843,7 +2843,7 @@ NotPresent, Busy, RunningDirect3dFullScreen, PresentationMode, AcceptsNotificati
ошибка при разборе клавиш, проверьте журнал для получения дополнительной информации
- количество скобок '[' не соответствует скобкам ']' (от {0} до {1})
+ количество скобок '[' не соответствует скобкам ']' (от {0} до {1})
Документация
@@ -2947,7 +2947,7 @@ Home Assistant.
размер
- совет: нажмите клавишу 'esc', чтобы закрыть веб-просмотр
+ совет: нажмите клавишу 'esc', чтобы закрыть веб-просмотр
&URL
@@ -3054,7 +3054,7 @@ Home Assistant.
Command
- Если вы не вводите значение громкости, вы можете использовать этот объект только со значением "действие" через Home Assistant. Запуск его как есть ничего не даст.
+ Если вы не вводите значение громкости, вы можете использовать этот объект только со значением "действие" через Home Assistant. Запуск его как есть ничего не даст.
Ты уверен, что хочешь этого?
@@ -3101,7 +3101,7 @@ Home Assistant.
Пожалуйста, сначала запустите службу, чтобы настроить ее.
- Если вы хотите управлять сервисом (добавьте команды и датчики, измените настройки), вы можете сделать это здесь или с помощью кнопки 'спутниковая служба' в главном окне.
+ Если вы хотите управлять сервисом (добавьте команды и датчики, измените настройки), вы можете сделать это здесь или с помощью кнопки 'спутниковая служба' в главном окне.
Показать меню по умолчанию при щелчке левой кнопкой мыши
@@ -3113,12 +3113,12 @@ Home Assistant.
Вы уверены, что хотите использовать его именно так?
- Ваш Home Assistant URI выглядит неправильно. Это должно выглядеть примерно так 'http://homeassistant.local:8123' или 'https://192.168.0.1:8123'.
+ Ваш Home Assistant URI выглядит неправильно. Это должно выглядеть примерно так 'http://homeassistant.local:8123' или 'https://192.168.0.1:8123'.
Вы уверены, что хотите использовать его именно так?
- Ваш URI брокера MQTT выглядит неправильно. Это должно выглядеть примерно как 'homeassistant.local' или '192.168.0.1'.
+ Ваш URI брокера MQTT выглядит неправильно. Это должно выглядеть примерно как 'homeassistant.local' или '192.168.0.1'.
Вы уверены, что хотите использовать его именно так?
@@ -3160,7 +3160,7 @@ Home Assistant.
Разработка и обслуживание этого инструмента (и всего, что его окружает) отнимает много времени. Как и большинство разработчиков, я работаю на кофеине - так что, если вы можете поделиться им, чашка кофе всегда очень ценится!
- Совет: Другие способы пожертвования доступны в окне 'О программе'.
+ Совет: Другие способы пожертвования доступны в окне 'О программе'.
Включить &медиаплеер (включая преобразование текста в речь)
@@ -3191,7 +3191,7 @@ Home Assistant.
Убедитесь, что службы определения местоположения Windows включены!
-В зависимости от вашей версии Windows, это можно найти в новой панели управления -> 'конфиденциальность и безопасность' -> 'местоположение'.
+В зависимости от вашей версии Windows, это можно найти в новой панели управления -> 'конфиденциальность и безопасность' -> 'местоположение'.
Указывает имя процесса, который в данный момент использует микрофон.
@@ -3287,4 +3287,10 @@ Home Assistant.
domain
+
+ SwitchDesktop
+
+
+ Активдесктоп
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.sl.resx b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.sl.resx
index f47a9cf9..fbca9f5e 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.sl.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.sl.resx
@@ -132,7 +132,7 @@
uporabljenih komponentah za njihove posamezne licence:
- Velika 'hvala' razvijalcem teh projektov, ki so bili dovolj prijazni, da so jih delili
+ Velika 'hvala' razvijalcem teh projektov, ki so bili dovolj prijazni, da so jih delili
njihovo trdo delo z nami, navadnimi smrtniki.
@@ -225,19 +225,19 @@ je ustvarila in vzdržujte Home Assistant :-)
Če je aplikacija minimirana jo poveča.
-Primer: če želite v ospredje poslati VLC uporabite 'vlc'
+Primer: če želite v ospredje poslati VLC uporabite 'vlc'
Izvedite ukaz po meri.
-Ti ukazi se izvajajo brez posebnih pravic. Če želite zagnati z večjimi pravicami, ustvarite načrtovano opravilo in uporabite 'schtasks /Run /TN "TaskName"' kot ukaz za izvedbo vaše naloge.
+Ti ukazi se izvajajo brez posebnih pravic. Če želite zagnati z večjimi pravicami, ustvarite načrtovano opravilo in uporabite 'schtasks /Run /TN "TaskName"' kot ukaz za izvedbo vaše naloge.
-Ali pa omogočite 'zaženi z nizko integriteto' za še strožjo izvedbo.
+Ali pa omogočite 'zaženi z nizko integriteto' za še strožjo izvedbo.
Izvede ukaz prek konfiguriranega izvajalca po meri (v Konfiguracija -> Zunanja orodja).
-Vaš ukaz je podan kot argument 'tako kot je', zato morate po potrebi navesti svoje narekovaje itd.
+Vaš ukaz je podan kot argument 'tako kot je', zato morate po potrebi navesti svoje narekovaje itd.
Preklopi napravo v stanje mirovanja.
@@ -245,7 +245,7 @@ Vaš ukaz je podan kot argument 'tako kot je', zato morate po potrebi
Simulira en sam pritisk na tipko.
-Kliknite na 'keycode' in pritisnite tipko, ki jo želite simulirati. Koda tipke bo avtomatično vpisana.
+Kliknite na 'keycode' in pritisnite tipko, ki jo želite simulirati. Koda tipke bo avtomatično vpisana.
Če potrebujete več tipk in/ali modifikatorjev, kot je CTRL, uporabite ukaz MultipleKeys.
Fuzzy
@@ -253,9 +253,9 @@ Kliknite na 'keycode' in pritisnite tipko, ki jo želite simulirati. K
Zažene navedeni URL, privzeto v privzetem brskalniku.
-Če želite uporabljati 'brez beleženja zgodovine', navedite določen brskalnik v Konfiguracija -> Zunanja orodja.
+Če želite uporabljati 'brez beleženja zgodovine', navedite določen brskalnik v Konfiguracija -> Zunanja orodja.
-Če želite samo okno z določenim URL (ne cel brskalnik) uporabite ukaz 'WebView'.
+Če želite samo okno z določenim URL (ne cel brskalnik) uporabite ukaz 'WebView'.
Fuzzy
@@ -268,10 +268,10 @@ Kliknite na 'keycode' in pritisnite tipko, ki jo želite simulirati. K
Simulira tipko za izklop zvoka.
- Simulira tipko 'media next'.
+ Simulira tipko 'media next'.
- Simulira tipko 'media playpause'.
+ Simulira tipko 'media playpause'.
Simulira tipko »prejšnji mediji«.
@@ -286,7 +286,7 @@ Kliknite na 'keycode' in pritisnite tipko, ki jo želite simulirati. K
Nastavi vse monitorje na spanje (low power).
- Poskusi zbuditi vse monitorje tako, da simulira pritisk tipke 'gor'.
+ Poskusi zbuditi vse monitorje tako, da simulira pritisk tipke 'gor'.
Simulira pritiskanje več tipk.
@@ -319,7 +319,7 @@ Uporabno na primer, če želite prisiliti HASS.Agent, da posodobi vse vaše senz
Po eni minuti znova zažene napravo.
-Nasvet: slučajno sprožen? Zaženite 'shutdown /a' za prekinitev.
+Nasvet: slučajno sprožen? Zaženite 'shutdown /a' za prekinitev.
Nastavi glasnost trenutno privzete avdio naprave na nastavljeno vrednost.
@@ -327,7 +327,7 @@ Nasvet: slučajno sprožen? Zaženite 'shutdown /a' za prekinitev.
Po eni minuti izklopi napravo.
-Nasvet: slučajno sprožen? Zaženite 'shutdown /a' za prekinitev.
+Nasvet: slučajno sprožen? Zaženite 'shutdown /a' za prekinitev.
Preklopi napravo v stanje spanja.
@@ -339,7 +339,7 @@ Lahko uporabite nekaj, kot je NirCmd (http://www.nirsoft.net/utils/nircmd.html),
Prikaže okno z vpisanim URL.
-Tole se razlikuje od ukaza 'LaunchUrl' tkao, da se ne naloži v polnem brskalniku, ampak samo naveden URL v svojem oknu.
+Tole se razlikuje od ukaza 'LaunchUrl' tkao, da se ne naloži v polnem brskalniku, ampak samo naveden URL v svojem oknu.
To lahko uporabite npr. za hitri prikaz glavnega okna Home Assistant.
@@ -376,12 +376,12 @@ Ste prepričani, da želite to?
Preverjanje ključev ni uspelo: {0}
- Če ne vnesete URL-ja, lahko to entiteto uporabite samo z vrednostjo 'action' prek Home Assistant. Če ga zaženete kot je, ne boste naredili ničesar.
+ Če ne vnesete URL-ja, lahko to entiteto uporabite samo z vrednostjo 'action' prek Home Assistant. Če ga zaženete kot je, ne boste naredili ničesar.
Ste prepričani, da želite to?
- Če ukaza ne skonfigurirate ga lahko uporabite samo kot 'akcija' preko Home Assistant, prikazana pa bo samo privzeta vrednost. Zagon 'kot je' ne bo naredil ničesar.
+ Če ukaza ne skonfigurirate ga lahko uporabite samo kot 'akcija' preko Home Assistant, prikazana pa bo samo privzeta vrednost. Zagon 'kot je' ne bo naredil ničesar.
Ali ste prepričani, da želite to?
@@ -394,7 +394,7 @@ Prepričajte se, da je polje kode tipke v fokusu, nato pritisnite tipko, ki jo
zagon v načinu brez beleženja zgodovine
- &zaženi kot 'nizka integriteta'
+ &zaženi kot 'nizka integriteta'
Fuzzy
@@ -443,10 +443,10 @@ prosimo, konfigurirajte izvajalca, sicer se vaš ukaz ne bo zagnal
To pomeni, da bo lahko shranil in spreminjal datoteke samo na določenih lokacijah,
- kot je mapa '%USERPROFILE%\AppData\LocalLow' oz
+ kot je mapa '%USERPROFILE%\AppData\LocalLow' oz
- registrski ključ 'HKEY_CURRENT_USER\Software\AppDataLow'.
+ registrski ključ 'HKEY_CURRENT_USER\Software\AppDataLow'.
Preizkusite svoj ukaz, da se prepričate, da to ne vpliva nanj.
@@ -496,7 +496,7 @@ prosimo, konfigurirajte izvajalca, sicer se vaš ukaz ne bo zagnal
Ste prepričani, da želite to?
- Če ne vpišete vrednosti za glasnost boste to entiteto lahko uporabljali samo kot 'akcijsko' vrednost preko Home Assistant-a. Zagon 'tako, kot je' ne bo naredil ničesar.
+ Če ne vpišete vrednosti za glasnost boste to entiteto lahko uporabljali samo kot 'akcijsko' vrednost preko Home Assistant-a. Zagon 'tako, kot je' ne bo naredil ničesar.
Ali ste prepričani v to?
@@ -657,7 +657,7 @@ Dodatno lahko nastaviš tudi argumente za zagon v privatnem načinu.
HASS.Agent lahko konfigurirate za uporabo določenega izvajalca, kot sta perl ali python.
-Za zagon tega izvajalca uporabite ukaz 'custom executor'.
+Za zagon tega izvajalca uporabite ukaz 'custom executor'.
argumenti za privatni način
@@ -735,7 +735,7 @@ Različica Home Assistant: {0}
Ali ste prepričani, da ga želite uporabiti takole?
- Vaš URI naslov ne izgleda v redu. Izgledati bi moral nekako takole: 'http://homeassistant.local:8123' or 'http://192.168.0.1:8123'.
+ Vaš URI naslov ne izgleda v redu. Izgledati bi moral nekako takole: 'http://homeassistant.local:8123' or 'http://192.168.0.1:8123'.
Ali ste prepričani, da ga želite uporabiti takole?
@@ -760,7 +760,7 @@ API Home Assistant.
Navedite dolgotrajni žeton za dostop in naslov svojega primerka Home Assistant.
-Žeton lahko dobite na strani vašega profila. Pomaknite se do dna in kliknite 'USTVARI ŽETON'.
+Žeton lahko dobite na strani vašega profila. Pomaknite se do dna in kliknite 'USTVARI ŽETON'.
Fuzzy
@@ -855,7 +855,7 @@ Opomba: za delovanje nove integracije to ni nujno. Omogočite in uporabljajte ga
Slike, prikazane v obvestilih, je treba začasno shraniti lokalno. Konfigurirate lahko koliko
dni jih je treba hraniti, preden jih HASS.Agent izbriše.
-Vnesite '0', da jih obdržite za vedno.
+Vnesite '0', da jih obdržite za vedno.
Fuzzy
@@ -1081,7 +1081,7 @@ Za več informacij preverite dnevnike HASS.Agent (ne storitve).
Fuzzy
- Storitev je nastavljena na 'onemogočena', zato je ni mogoče zagnati.
+ Storitev je nastavljena na 'onemogočena', zato je ni mogoče zagnati.
Najprej omogočite storitev, nato poskusite znova.
@@ -1107,7 +1107,7 @@ Za več informacij preverite dnevnike HASS.Agent (ne storitve).
Satelitski servis omogoča izvajanje senzorjev in komand tudi, ko ni nihče prijavljen.
-Uporabi gumb 'Satelitski servis' v glavnem meniju za upravljanje.
+Uporabi gumb 'Satelitski servis' v glavnem meniju za upravljanje.
Če servisa ne nastaviš, ne bo naredil ničesar. Če želiš, ga lahko še vedno samo onemogočiš.
@@ -1122,7 +1122,7 @@ Konfiguracija in entitete ne bodo odstranjene.
Če storitev po ponovni namestitvi še vedno ne uspe, odprite vstopnico in pošljite vsebino najnovejšega dnevnika.
- Če želite upravljati storitev (dodajanje ukazov, senzorjev, spremembe) lahko to storite tukaj, ali pa z uporabo gumba 'satelitska storitev' v glavnem oknu.
+ Če želite upravljati storitev (dodajanje ukazov, senzorjev, spremembe) lahko to storite tukaj, ali pa z uporabo gumba 'satelitska storitev' v glavnem oknu.
stanje servisa:
@@ -1249,12 +1249,12 @@ Vsebovati mora tri sekcije (ločene s pikami).
Ali ste prepričani, da ga želite uporabiti takole?
- Vaša povezava do Home Assistant-a ne izgleda v redu. Morala bi biti nekako takole: 'http://homeassistant.local:8123' ali 'https://192.168.0.1:8123'.
+ Vaša povezava do Home Assistant-a ne izgleda v redu. Morala bi biti nekako takole: 'http://homeassistant.local:8123' ali 'https://192.168.0.1:8123'.
Ali ste prepričani, da jo želite uporabiti takole?
- Vaša povezava do MQTT strežnika ne izgleda v redu. Morala bi biti nekako takole: 'homeassistant.local' ali '192.168.0.1'.
+ Vaša povezava do MQTT strežnika ne izgleda v redu. Morala bi biti nekako takole: 'homeassistant.local' ali '192.168.0.1'.
Ali ste prepričani, da jo želite uporabiti takole?
@@ -1270,7 +1270,7 @@ se bo nato znova zagnal, da jih bo znova objavil.
Ne skrbite, ohranili bodo svoja trenutna imena, tako da bodo vaše avtomatizacije ali skripti normalno delovali.
-Opomba: ime se bo 'očistilo', kar pomeni, da bo vse, razen črk, številk in presledkov nadomeščeno s podčrtajem. To je zahteva Home Assistant.
+Opomba: ime se bo 'očistilo', kar pomeni, da bo vse, razen črk, številk in presledkov nadomeščeno s podčrtajem. To je zahteva Home Assistant.
Fuzzy
@@ -1511,10 +1511,10 @@ Obstaja nekaj kanalov, preko katerih nas lahko dosežete:
Pomoč
- Vaš vhodni jezik '{0}' je znan, da je v konfliktu s privzeto bližnjivo CTRL-ALT-Q. Prosim, nastavite svojo.
+ Vaš vhodni jezik '{0}' je znan, da je v konfliktu s privzeto bližnjivo CTRL-ALT-Q. Prosim, nastavite svojo.
- Vaš vhodni jezik '{0}' je neznan in je lahko v konfliktu s privzeto bližnjivo CTRL-ALT-Q. Prosim, preverite. Če je v konfliktu odprite pomoč v GitHub, da bo dodan na seznam.
+ Vaš vhodni jezik '{0}' je neznan in je lahko v konfliktu s privzeto bližnjivo CTRL-ALT-Q. Prosim, preverite. Če je v konfliktu odprite pomoč v GitHub, da bo dodan na seznam.
Ni najdenih ključev
@@ -1526,7 +1526,7 @@ Obstaja nekaj kanalov, preko katerih nas lahko dosežete:
napaka pri razčlenjevanju ključev, glejte dnevnik
- število oklepajev '[' ne ustreza številu oklepajev ']' ({0} do {1})
+ število oklepajev '[' ne ustreza številu oklepajev ']' ({0} do {1})
Napaka pri povezovanju API z vrati {0}.
@@ -1626,7 +1626,7 @@ Opomba: to sporočilo bo prikazano samo enkrat.
Pri nalaganju nastavitev je šlo nekaj narobe.
-Preverite appsettings.json v podmapi 'Config' ali jo preprosto izbrišite, da začnete znova.
+Preverite appsettings.json v podmapi 'Config' ali jo preprosto izbrišite, da začnete znova.
Fuzzy
@@ -1744,7 +1744,7 @@ Vsebovati mora tri sekcije (ločene s pikami).
Ali ste prepričani, da ga želite uporabiti takole?
- Vaša povezava ne izgleda v redu. Morala bi biti nekako takole: 'http://homeassistant.local:8123' ali 'https://192.168.0.1:8123'.
+ Vaša povezava ne izgleda v redu. Morala bi biti nekako takole: 'http://homeassistant.local:8123' ali 'https://192.168.0.1:8123'.
Ali ste prepričani, da jo želite uporabiti takole?
@@ -1760,7 +1760,7 @@ Ali ste prepričani, da jo želite uporabiti takole?
API Home Assistant.
Navedite dolgotrajni žeton za dostop in naslov svojega primerka Home Assistant.
-Žeton lahko dobite na strani profila. Pomaknite se do dna in kliknite 'USTVARI ŽETEN'.
+Žeton lahko dobite na strani profila. Pomaknite se do dna in kliknite 'USTVARI ŽETEN'.
Fuzzy
@@ -1791,7 +1791,7 @@ Hvala, ker uporabljate HASS.Agent. Upam, da vam bo koristil :-)
Razvoj in vzdrževanje tega dodatka (in vsega, kar spada zraven, kot je podpora, navodila) vzame veliko časa. Kot večina razvijalcev tudi jaz delam na kofein - zato bi bil zelo hvaležen kake skodelice kave, če jo lahko pogrešate!
- Namig: ostale možnosti donacij so na voljo v zavihku "Vizitka".
+ Namig: ostale možnosti donacij so na voljo v zavihku "Vizitka".
počisti
@@ -2016,7 +2016,7 @@ Potrdilo prenesene datoteke bo preverjeno. Še vedno boste videli stran z izdaja
Izgleda, da je to tvoj prvi zagon HASS.Agenta.
-Če želiš, lahko greva čez nastavitve. Če ne, samo pritisni 'zapri'.
+Če želiš, lahko greva čez nastavitve. Če ne, samo pritisni 'zapri'.
@@ -2242,7 +2242,7 @@ Preverite dnevnike za več informacij in po želji obvestite razvijalce.
Zagotavlja informacije o različnih vidikih zvoka vaše naprave:
-Trenutna najvišja raven glasnosti (lahko se uporabi kot preprosta vrednost 'is something playing').
+Trenutna najvišja raven glasnosti (lahko se uporabi kot preprosta vrednost 'is something playing').
Privzeta zvočna naprava: ime, stanje in glasnost.
@@ -2350,7 +2350,7 @@ Kategorija: Procesor
Števec: % procesorskega časa
Primer: _Skupaj
-Številke lahko raziščete z orodjem Windows 'perfmon.exe'.
+Številke lahko raziščete z orodjem Windows 'perfmon.exe'.
Vrne rezultat Powershell ukaza ali skripta.
@@ -2367,7 +2367,7 @@ Pretvori rezultat v tekst.
Vrne stanje zagotovljene storitve: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending ali Paused.
-Prepričajte se, da ste navedli 'Service name', ne pa 'Display name'.
+Prepričajte se, da ste navedli 'Service name', ne pa 'Display name'.
Zagotavlja trenutno stanje seje:
@@ -2393,7 +2393,7 @@ Lahko se na primer uporablja za določanje, ali želite poslati obvestila ali sp
Vrne ime procesa, ki trenutno uporablja kamero.
-Opomba: če jo uporablja satelitska storitev, potem 'userspace' aplikacije ne bodo zaznane.
+Opomba: če jo uporablja satelitska storitev, potem 'userspace' aplikacije ne bodo zaznane.
Vrne trenutno stanje okna procesa:
@@ -2900,7 +2900,7 @@ Pustite prazno, da se vsi povežejo.
To je ime, s katerim se satelitska storitev registrira v Home Assistant.
-Privzeto je to ime vašega računalnika in '-satellite'.
+Privzeto je to ime vašega računalnika in '-satellite'.
prekinjena milostna doba
@@ -2913,7 +2913,7 @@ Privzeto je to ime vašega računalnika in '-satellite'.
Ta stran vsebuje splošne konfiguracijske elemente. Za nastavitve, senzorje in ukaze MQTT brskajte po zavihkih na vrhu.
- Lahko uporabite satelitsko storitev za senzorje in ukaze brez, da ste prijavljeni. Vsi tipi niso na voljo, npr. 'LaunchUrl' ukaz se lahko doda samo kot klasičen ukaz.
+ Lahko uporabite satelitsko storitev za senzorje in ukaze brez, da ste prijavljeni. Vsi tipi niso na voljo, npr. 'LaunchUrl' ukaz se lahko doda samo kot klasičen ukaz.
sekundah
@@ -3315,7 +3315,7 @@ Namesto tega se bo odprla stran za izdajo.
Ali želite prenesti runtime installer?
- Nekaj je šlo narobe pri inicializaciji WebView. Preverite dnevnike in odprite GitHub 'ticket' za pomoč.
+ Nekaj je šlo narobe pri inicializaciji WebView. Preverite dnevnike in odprite GitHub 'ticket' za pomoč.
WebView
@@ -3342,7 +3342,7 @@ Ali želite prenesti runtime installer?
velikost
- namig: pritisni 'esc' da zapreš webview
+ namig: pritisni 'esc' da zapreš webview
&URL
@@ -3368,4 +3368,10 @@ Ali želite prenesti runtime installer?
Neznano
+
+ SwitchDesktop
+
+
+ ActiveDesktop
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.tr.resx b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.tr.resx
index 9af1ec50..9baed424 100644
--- a/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.tr.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent.Shared/Resources/Localization/Languages.tr.resx
@@ -124,7 +124,7 @@
Tarayıcı adı
- Varsayılan olarak HASS.Agent, varsayılan tarayıcınızı kullanarak URL'leri başlatır.
+ Varsayılan olarak HASS.Agent, varsayılan tarayıcınızı kullanarak URL'leri başlatır.
Ayrıca,
özel modda çalışacak başlatma argümanlarıyla birlikte kullanılacak belirli bir tarayıcıyı da yapılandırabilirsiniz.
Fuzzy
@@ -139,8 +139,8 @@ Ayrıca,
Özel Yürütücü İkili Dosyası
- HASS.Agent'ı Perl veya Python gibi belirli bir yorumlayıcı kullanacak şekilde yapılandırabilirsiniz.
-Bu yürütücüyü başlatmak için 'özel yürütücü' komutunu kullanın.
+ HASS.Agent'ı Perl veya Python gibi belirli bir yorumlayıcı kullanacak şekilde yapılandırabilirsiniz.
+Bu yürütücüyü başlatmak için 'özel yürütücü' komutunu kullanın.
Özel Yürütücü Adı
@@ -152,7 +152,7 @@ Bu yürütücüyü başlatmak için 'özel yürütücü' komutunu kull
&Ölçek
- HASS.Agent, MQTT veya HA'nın API'si ile olan bağlantı kesintilerini size bildirmeden önce bir ek süre bekleyecektir.
+ HASS.Agent, MQTT veya HA'nın API'si ile olan bağlantı kesintilerini size bildirmeden önce bir ek süre bekleyecektir.
Aşağıda bu ek süre içinde beklenecek saniye miktarını ayarlayabilirsiniz.
@@ -166,7 +166,7 @@ Aşağıda bu ek süre içinde beklenecek saniye miktarını ayarlayabilirsiniz.
Otomasyonlarınız ve komut dosyalarınız çalışmaya devam edecek.
- Cihaz adı, Home Assistant'ta makinenizi tanımlamak için kullanılır. Ayrıca komut/sensör adlarınız için bir önek olarak kullanılır (bu, varlık başına değiştirilebilir).
+ Cihaz adı, Home Assistant'ta makinenizi tanımlamak için kullanılır. Ayrıca komut/sensör adlarınız için bir önek olarak kullanılır (bu, varlık başına değiştirilebilir).
Fuzzy
@@ -189,11 +189,11 @@ Otomasyonlarınız ve komut dosyalarınız çalışmaya devam edecek.
Hangi varlıkları yapılandırdığınızı öğrenmek ve hızlı eylemler göndermek için HASS.Agent,
-Home Assistant'ın API'sini kullanır.
+Home Assistant'ın API'sini kullanır.
Lütfen uzun ömürlü bir erişim belirteci ve Home Assistant örneğinizin adresini sağlayın.
-Home Assistant'ta sol alttaki profil resminize tıklayarak
-ve 'TOKEN OLUŞTUR' düğmesini görene kadar sayfanın en altına giderek bir token alabilirsiniz.
+Home Assistant'ta sol alttaki profil resminize tıklayarak
+ve 'TOKEN OLUŞTUR' düğmesini görene kadar sayfanın en altına giderek bir token alabilirsiniz.
&API Simgesi
@@ -231,12 +231,12 @@ Bu şekilde, makinenizde ne yapıyorsanız yapın, Home Assistant ile her zaman
Bildirimlerde gösterilen resimler gibi bazı öğelerin geçici olarak yerel olarak depolanması gerekir. HASS.Agent
bunları silmeden önce tutulması gereken gün miktarını yapılandırabilirsiniz.
-Bunları kalıcı olarak tutmak için '0' girin.
+Bunları kalıcı olarak tutmak için '0' girin.
Genişletilmiş günlük kaydı, varsayılan günlük kaydının yeterli olmaması durumunda daha ayrıntılı ve derinlemesine günlük
kaydı sağlar. Lütfen bunun etkinleştirilmesinin günlük dosyalarının büyümesine neden olabileceğini
-ve yalnızca HASS.Agent'ın kendisinde bir sorun olduğundan şüphelendiğinizde veya
+ve yalnızca HASS.Agent'ın kendisinde bir sorun olduğundan şüphelendiğinizde veya
geliştiriciler tarafından istendiğinde kullanılması gerektiğini unutmayın.
@@ -267,7 +267,7 @@ geliştiriciler tarafından istendiğinde kullanılması gerektiğini unutmayın
(emin değilseniz varsayılanı bırakın)
- Komutlar ve sensörler, yeni entegrasyonu kullanırken bildirimler ve medya oynatıcı işlevlerinin yanı sıra MQTT'yi kullanır.
+ Komutlar ve sensörler, yeni entegrasyonu kullanırken bildirimler ve medya oynatıcı işlevlerinin yanı sıra MQTT'yi kullanır.
Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini kullanıyorsanız, muhtemelen önceden ayarlanmış adresi kullanabilirsiniz.
@@ -295,10 +295,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Müşteri Kimliği
- Bir şey çalışmıyorsa, aşağıdaki adımları denediğinizden emin olun: - HASS.Agent entegrasyonunu kurun - Home Assistant'ı yeniden başlatın - MQTT etkinken HASS.Agent'ın etkin olduğundan emin olun! - Cihazınız otomatik olarak bir varlık olarak algılanmalı ve eklenmelidir - İsteğe bağlı olarak: yerel API'yi kullanarak manuel olarak ekleyin
+ Bir şey çalışmıyorsa, aşağıdaki adımları denediğinizden emin olun: - HASS.Agent entegrasyonunu kurun - Home Assistant'ı yeniden başlatın - MQTT etkinken HASS.Agent'ın etkin olduğundan emin olun! - Cihazınız otomatik olarak bir varlık olarak algılanmalı ve eklenmelidir - İsteğe bağlı olarak: yerel API'yi kullanarak manuel olarak ekleyin
- HASS.Agent metin, resim ve eylemleri kullanarak Home Assistant'tan bildirimler alabilir. MQTT'yi etkinleştirdiyseniz, cihazınız otomatik olarak eklenir. Aksi takdirde, yerel API'yi kullanmak için entegrasyonu manuel olarak yapılandırın.
+ HASS.Agent metin, resim ve eylemleri kullanarak Home Assistant'tan bildirimler alabilir. MQTT'yi etkinleştirdiyseniz, cihazınız otomatik olarak eklenir. Aksi takdirde, yerel API'yi kullanmak için entegrasyonu manuel olarak yapılandırın.
Bildirimler ve Belgeler
@@ -319,7 +319,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
&Görüntüler için sertifika hatalarını yoksay
- Uydu hizmeti, hiçbir kullanıcı oturum açmadığında bile sensörleri ve komutları çalıştırmanıza izin verir. Yönetmek için ana penceredeki 'uydu hizmeti' düğmesini kullanın.
+ Uydu hizmeti, hiçbir kullanıcı oturum açmadığında bile sensörleri ve komutları çalıştırmanıza izin verir. Yönetmek için ana penceredeki 'uydu hizmeti' düğmesini kullanın.
Servis durumu:
@@ -352,7 +352,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Yeniden yüklemeden sonra hizmet hala başarısız olursa, lütfen bir bilet açın ve en son günlüğün içeriğini gönderin.
- HASS.Agent, kullanıcı profilinizin kayıt defterinde bir giriş oluşturarak oturum açtığınızda başlayabilir. HASS.Agent kullanıcı tabanlı olduğundan, başka bir kullanıcı için başlatmak istiyorsanız, HASS.Agent'ı orada kurun ve yapılandırın.
+ HASS.Agent, kullanıcı profilinizin kayıt defterinde bir giriş oluşturarak oturum açtığınızda başlayabilir. HASS.Agent kullanıcı tabanlı olduğundan, başka bir kullanıcı için başlatmak istiyorsanız, HASS.Agent'ı orada kurun ve yapılandırın.
&Oturum Açıldığında Başlatmayı Etkinleştir
@@ -376,16 +376,16 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Yeni bir &sürüm çıktığında bana haber ver
- HASS.Agent'a hoş geldiniz! Aracıyı ilk kez başlatıyorsunuz gibi görünüyor. İlk kurulumda size yardımcı olmak için aşağıdaki yapılandırma adımlarını uygulayın veya alternatif olarak 'Kapat'ı tıklayın.
+ HASS.Agent'a hoş geldiniz! Aracıyı ilk kez başlatıyorsunuz gibi görünüyor. İlk kurulumda size yardımcı olmak için aşağıdaki yapılandırma adımlarını uygulayın veya alternatif olarak 'Kapat'ı tıklayın.
- Cihaz adı, Home Assistant'ta makinenizi tanımlamak için kullanılır, ayrıca komutlarınız ve sensörleriniz için önerilen bir önek olarak kullanılır.
+ Cihaz adı, Home Assistant'ta makinenizi tanımlamak için kullanılır, ayrıca komutlarınız ve sensörleriniz için önerilen bir önek olarak kullanılır.
Cihaz adı
- Evet, Sistem Girişinde HASS.Agent'ı &başlatın
+ Evet, Sistem Girişinde HASS.Agent'ı &başlatın
HASS.Agent, sisteminizle başlayabilir, bu, oturum açar açmaz cihazınız ve Home Assistant arasındaki tüm sensörlerin ve veri aktarımının başlamasına olanak tanır. Bu ayar, daha sonra HASS.Agent yapılandırma penceresinde herhangi bir zamanda değiştirilebilir.
@@ -394,22 +394,22 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Mevcut durum getiriliyor, lütfen bekleyin..
- Not: 5115 varsayılan bağlantı noktasıdır, yalnızca Home Assistant'ta değiştirdiyseniz değiştirin.
+ Not: 5115 varsayılan bağlantı noktasıdır, yalnızca Home Assistant'ta değiştirdiyseniz değiştirin.
Evet, bağlantı noktasındaki bildirimleri kabul et
- HASS.Agent, metin ve/veya resimler kullanarak Home Assistant'tan bildirimler alabilir. Bu işlevi etkinleştirmek istiyor musunuz?
+ HASS.Agent, metin ve/veya resimler kullanarak Home Assistant'tan bildirimler alabilir. Bu işlevi etkinleştirmek istiyor musunuz?
HASS.Agent-Notifier GitHub Sayfası
- Şu adımları uyguladığınızdan emin olun: - HASS.Agent-Notifier entegrasyonunu kurun - Home Assistant'ı yeniden başlatın - Bir bildirim varlığı yapılandırın - Home Assistant'ı yeniden başlatın
+ Şu adımları uyguladığınızdan emin olun: - HASS.Agent-Notifier entegrasyonunu kurun - Home Assistant'ı yeniden başlatın - Bir bildirim varlığı yapılandırın - Home Assistant'ı yeniden başlatın
- Bildirimleri kullanmak için Home Assistant'ta HASS.Agent-notifier entegrasyonunu kurmanız ve yapılandırmanız gerekir. Bu, HACS'yi kullanmak çok kolaydır, ancak manuel olarak da kurulabilir, daha fazla bilgi için aşağıdaki bağlantıyı ziyaret edin.
+ Bildirimleri kullanmak için Home Assistant'ta HASS.Agent-notifier entegrasyonunu kurmanız ve yapılandırmanız gerekir. Bu, HACS'yi kullanmak çok kolaydır, ancak manuel olarak da kurulabilir, daha fazla bilgi için aşağıdaki bağlantıyı ziyaret edin.
API & Jeton
@@ -418,7 +418,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Sunucu &URI (böyle olması gerekir)
- Hangi varlıkları yapılandırdığınızı öğrenmek ve hızlı eylemler göndermek için HASS.Agent, Home Assistant'ın API'sini kullanır. Lütfen uzun ömürlü bir erişim belirteci ve Home Assistant örneğinizin adresini sağlayın. Home Assistant'ta sol alttaki profil resminize tıklayarak ve 'TOKEN OLUŞTUR' düğmesini görene kadar sayfanın en altına giderek bir jeton alabilirsiniz.
+ Hangi varlıkları yapılandırdığınızı öğrenmek ve hızlı eylemler göndermek için HASS.Agent, Home Assistant'ın API'sini kullanır. Lütfen uzun ömürlü bir erişim belirteci ve Home Assistant örneğinizin adresini sağlayın. Home Assistant'ta sol alttaki profil resminize tıklayarak ve 'TOKEN OLUŞTUR' düğmesini görene kadar sayfanın en altına giderek bir jeton alabilirsiniz.
Test bağlantısı
@@ -475,7 +475,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
HASS.Agent GitHub sayfası
- Kurcalanacak daha çok şey var, bu yüzden Yapılandırma Penceresine bir göz attığınızdan emin olun! HASS.Agent'ı kullandığınız için teşekkür ederiz, umarım işinize yarar :-)
+ Kurcalanacak daha çok şey var, bu yüzden Yapılandırma Penceresine bir göz attığınızdan emin olun! HASS.Agent'ı kullandığınız için teşekkür ederiz, umarım işinize yarar :-)
HASS.Agent şimdi yapılandırma değişikliklerinizi uygulamak için yeniden başlatılacak.
@@ -610,7 +610,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
&Gönder && Yapılandırmayı Etkinleştir
- &HASS.Agent'tan kopyala
+ &HASS.Agent'tan kopyala
Yapılandırma kaydedildi!
@@ -676,7 +676,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Önceki örneğin kapanması bekleniyor..
- HASS.Agent'ı Yeniden Başlatın
+ HASS.Agent'ı Yeniden Başlatın
HASS.Agent Yeniden Başlatıcı
@@ -757,7 +757,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Tanım
- &'Düşük Bütünlük' olarak çalıştır
+ &'Düşük Bütünlük' olarak çalıştır
Bu nedir?
@@ -957,7 +957,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Bu uygulama açık kaynak kodlu ve tamamen ücretsizdir, lütfen kullanılan bileşenlerin proje sayfalarını bireysel lisansları için kontrol edin:
- Sıkı çalışmalarını biz fanilerle paylaşma nezaketini gösteren bu projelerin geliştiricilerine büyük bir 'teşekkür ederim'.
+ Sıkı çalışmalarını biz fanilerle paylaşma nezaketini gösteren bu projelerin geliştiricilerine büyük bir 'teşekkür ederim'.
Ve tabi ki; Paulus Shoutsen ve Home Assistant :-) yaratan ve bakımını yapan tüm geliştirici ekibine teşekkürler
@@ -978,7 +978,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Harici Araçlar
- Ev Yardımcısı API'sı
+ Ev Yardımcısı API'sı
Kısayol tuşu
@@ -1056,7 +1056,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Hataları bildirin, özellik istekleri gönderin, en son değişiklikleri görün vb.
- HASS.Agent'ı kurma ve kullanma konusunda yardım alın, hataları bildirin veya genel sohbete katılın!
+ HASS.Agent'ı kurma ve kullanma konusunda yardım alın, hataları bildirin veya genel sohbete katılın!
HASS.Agent belgelerine ve kullanım örneklerine göz atın.
@@ -1065,7 +1065,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Yardım
- HASS.Agent'ı göster
+ HASS.Agent'ı göster
Hızlı İşlemleri Göster
@@ -1095,7 +1095,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Hakkında
- HASS.Agent'tan çıkın
+ HASS.Agent'tan çıkın
&Saklamak
@@ -1134,10 +1134,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Hızlı İşlemler:
- Ev Asistanı API'sı:
+ Ev Asistanı API'sı:
- bildirim API'si:
+ bildirim API'si:
&Sonraki
@@ -1170,19 +1170,19 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
HASS.Agent Güncellemesi
- Özel bir komut yürütün. Bu komutlar özel yükseltme olmadan çalışır. Yükseltilmiş olarak çalıştırmak için bir Zamanlanmış Görev oluşturun ve görevinizi yürütmek için komut olarak 'schtasks /Run /TN "TaskName"'i kullanın. Veya daha sıkı yürütme için 'düşük bütünlük olarak çalıştır'ı etkinleştirin.
+ Özel bir komut yürütün. Bu komutlar özel yükseltme olmadan çalışır. Yükseltilmiş olarak çalıştırmak için bir Zamanlanmış Görev oluşturun ve görevinizi yürütmek için komut olarak 'schtasks /Run /TN "TaskName"'i kullanın. Veya daha sıkı yürütme için 'düşük bütünlük olarak çalıştır'ı etkinleştirin.
- Komutu, yapılandırılmış özel yürütücü aracılığıyla yürütür (Yapılandırma -> Dış Araçlar'da). Komutunuz 'olduğu gibi' bir argüman olarak sağlanır, bu nedenle gerekirse kendi alıntılarınızı vb. sağlamanız gerekir.
+ Komutu, yapılandırılmış özel yürütücü aracılığıyla yürütür (Yapılandırma -> Dış Araçlar'da). Komutunuz 'olduğu gibi' bir argüman olarak sağlanır, bu nedenle gerekirse kendi alıntılarınızı vb. sağlamanız gerekir.
Makineyi hazırda bekletme moduna geçirir.
- Tek bir tuşa basmayı simüle eder. 'Anahtar kodu' metin kutusuna tıklayın ve simüle edilmesini istediğiniz tuşa basın. İlgili anahtar kodu sizin için girilecektir. CTRL gibi daha fazla tuşa ve/veya değiştiriciye ihtiyacınız varsa, MultipleKeys komutunu kullanın.
+ Tek bir tuşa basmayı simüle eder. 'Anahtar kodu' metin kutusuna tıklayın ve simüle edilmesini istediğiniz tuşa basın. İlgili anahtar kodu sizin için girilecektir. CTRL gibi daha fazla tuşa ve/veya değiştiriciye ihtiyacınız varsa, MultipleKeys komutunu kullanın.
- Varsayılan tarayıcınızda varsayılan olarak sağlanan URL'yi başlatır. 'Gizli' kullanmak için Yapılandırma -> Harici Araçlar'da belirli bir tarayıcı sağlayın. Yalnızca belirli bir URL'ye sahip bir pencere istiyorsanız (tam bir tarayıcı değil), bir 'WebView' komutu kullanın.
+ Varsayılan tarayıcınızda varsayılan olarak sağlanan URL'yi başlatır. 'Gizli' kullanmak için Yapılandırma -> Harici Araçlar'da belirli bir tarayıcı sağlayın. Yalnızca belirli bir URL'ye sahip bir pencere istiyorsanız (tam bir tarayıcı değil), bir 'WebView' komutu kullanın.
Geçerli oturumu kilitler.
@@ -1191,40 +1191,40 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Geçerli oturumun oturumunu kapatır.
- 'Sessiz' tuşunu simüle eder.
+ 'Sessiz' tuşunu simüle eder.
- 'Sonraki Medya' tuşunu simüle eder.
+ 'Sonraki Medya' tuşunu simüle eder.
- 'Medya Duraklat/Oynat' tuşunu simüle eder.
+ 'Medya Duraklat/Oynat' tuşunu simüle eder.
- 'Önceki Medya' tuşunu simüle eder.
+ 'Önceki Medya' tuşunu simüle eder.
- 'Sesi Kısma' tuşunu simüle eder.
+ 'Sesi Kısma' tuşunu simüle eder.
- 'Sesi Aç' tuşunu simüle eder.
+ 'Sesi Aç' tuşunu simüle eder.
- Birden fazla tuşa basmayı simüle eder. Her tuşun arasına [ ] koymanız gerekir, aksi takdirde HASS.Agent onları ayırt edemez. Diyelim ki X TAB Y SHIFT-Z'ye basmak istiyorsunuz, bu [X] [{TAB}] [Y] [+Z] olur. Kullanabileceğiniz birkaç numara vardır: - Bir parantezin basılmasını istiyorsanız, ondan kaçının, bu nedenle [ [\[] ve ] [\]] olur - Özel tuşlar { } arasında gidip gelir, örneğin {TAB} veya {UP} - SHIFT, CTRL için ^ ve ALT için % eklemek için bir tuşun önüne + koyun. Yani +C, SHIFT-C'dir. Veya +(CD), SHIFT-C ve SHIFT-D'dir, +CD ise SHIFT-C ve D'dir - Birden fazla basış için {z 15} kullanın, bu, Z'ye 15 kez basılacağı anlamına gelir. Daha fazla bilgi: https://docs.microsoft.com/en-us/dotnet/api/system.windows.forms.sendkeys
+ Birden fazla tuşa basmayı simüle eder. Her tuşun arasına [ ] koymanız gerekir, aksi takdirde HASS.Agent onları ayırt edemez. Diyelim ki X TAB Y SHIFT-Z'ye basmak istiyorsunuz, bu [X] [{TAB}] [Y] [+Z] olur. Kullanabileceğiniz birkaç numara vardır: - Bir parantezin basılmasını istiyorsanız, ondan kaçının, bu nedenle [ [\[] ve ] [\]] olur - Özel tuşlar { } arasında gidip gelir, örneğin {TAB} veya {UP} - SHIFT, CTRL için ^ ve ALT için % eklemek için bir tuşun önüne + koyun. Yani +C, SHIFT-C'dir. Veya +(CD), SHIFT-C ve SHIFT-D'dir, +CD ise SHIFT-C ve D'dir - Birden fazla basış için {z 15} kullanın, bu, Z'ye 15 kez basılacağı anlamına gelir. Daha fazla bilgi: https://docs.microsoft.com/en-us/dotnet/api/system.windows.forms.sendkeys
Bir Powershell komutu veya betiği yürütün. Bir komut dosyasının (*.ps1) konumunu veya tek satırlı bir komutu sağlayabilirsiniz. Bu, özel yükseklik olmadan çalışacaktır.
- Tüm sensör kontrollerini sıfırlar, tüm sensörleri değerlerini işlemeye ve göndermeye zorlar. Örneğin, bir HA yeniden başlatma sonrasında HASS.Agent'ı tüm sensörlerinizi güncellemeye zorlamak istiyorsanız kullanışlıdır.
+ Tüm sensör kontrollerini sıfırlar, tüm sensörleri değerlerini işlemeye ve göndermeye zorlar. Örneğin, bir HA yeniden başlatma sonrasında HASS.Agent'ı tüm sensörlerinizi güncellemeye zorlamak istiyorsanız kullanışlıdır.
- Bir dakika sonra makineyi yeniden başlatır. İpucu: Yanlışlıkla mı tetiklendi? Kapatmayı iptal etmek için 'shutdown /a' komutunu çalıştırın.
+ Bir dakika sonra makineyi yeniden başlatır. İpucu: Yanlışlıkla mı tetiklendi? Kapatmayı iptal etmek için 'shutdown /a' komutunu çalıştırın.
- Bir dakika sonra makineyi kapatır. İpucu: Yanlışlıkla mı tetiklendi? Kapatmayı iptal etmek için 'shutdown /a' komutunu çalıştırın.
+ Bir dakika sonra makineyi kapatır. İpucu: Yanlışlıkla mı tetiklendi? Kapatmayı iptal etmek için 'shutdown /a' komutunu çalıştırın.
- Makineyi uyku moduna geçirir. Not: Windows'taki bir sınırlama nedeniyle, bu yalnızca hazırda bekletme modu devre dışı bırakıldığında çalışır, aksi takdirde yalnızca hazırda bekletme moduna geçer. Bunu atlatmak için NirCmd (http://www.nirsoft.net/utils/nircmd.html) gibi bir şey kullanabilirsiniz.
+ Makineyi uyku moduna geçirir. Not: Windows'taki bir sınırlama nedeniyle, bu yalnızca hazırda bekletme modu devre dışı bırakıldığında çalışır, aksi takdirde yalnızca hazırda bekletme moduna geçer. Bunu atlatmak için NirCmd (http://www.nirsoft.net/utils/nircmd.html) gibi bir şey kullanabilirsiniz.
Lütfen tarayıcınızın ikili dosyasının konumunu girin! (.exe dosyası)
@@ -1242,7 +1242,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Lütfen geçerli bir API anahtarı girin!
- Lütfen Ev Asistanınızın URI'si için bir değer girin.
+ Lütfen Ev Asistanınızın URI'si için bir değer girin.
Bağlanılamadı, aşağıdaki hata döndürüldü: {0}
@@ -1257,7 +1257,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Temizlik..
- Bildirimler şu anda devre dışı, lütfen bunları etkinleştirin ve HASS.Agent'ı yeniden başlatın, ardından tekrar deneyin.
+ Bildirimler şu anda devre dışı, lütfen bunları etkinleştirin ve HASS.Agent'ı yeniden başlatın, ardından tekrar deneyin.
Test bildiriminin görünmesi gerekirdi, almadıysanız lütfen günlükleri kontrol edin veya sorun giderme ipuçları için belgelere bakın. Not: Bu, yalnızca yerel olarak bildirimlerin gösterilip gösterilmeyeceğini test eder!
@@ -1290,7 +1290,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Hizmeti durdururken bir şeyler ters gitti, UAC istemine izin verdiniz mi? Daha fazla bilgi için HASS.Agent (hizmet değil) günlüklerini kontrol edin.
- Hizmet 'devre dışı' olarak ayarlanmıştır, bu nedenle başlatılamaz. Lütfen önce hizmeti etkinleştirin ve tekrar deneyin.
+ Hizmet 'devre dışı' olarak ayarlanmıştır, bu nedenle başlatılamaz. Lütfen önce hizmeti etkinleştirin ve tekrar deneyin.
Hizmeti başlatırken bir şeyler ters gitti, UAC istemine izin verdiniz mi? Daha fazla bilgi için HASS.Agent (hizmet değil) günlüklerini kontrol edin.
@@ -1326,7 +1326,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Girişte Başlat etkinleştirildi!
- Girişte Başlat'ı şimdi etkinleştirmek istiyor musunuz?
+ Girişte Başlat'ı şimdi etkinleştirmek istiyor musunuz?
Girişte Başlat zaten etkinleştirildi, her şey hazır!
@@ -1335,7 +1335,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Oturum Açılırken Başlat etkinleştiriliyor..
- Bir şeyler yanlış gitti. Tekrar deneyebilir veya sonraki sayfaya atlayıp HASS.Agent'ın yeniden başlatılmasından sonra yeniden deneyebilirsiniz.
+ Bir şeyler yanlış gitti. Tekrar deneyebilir veya sonraki sayfaya atlayıp HASS.Agent'ın yeniden başlatılmasından sonra yeniden deneyebilirsiniz.
Oturum Açıldığında Başlatmayı Etkinleştir
@@ -1344,7 +1344,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Lütfen geçerli bir API anahtarı sağlayın.
- Lütfen Ev Asistanınızın URI'sini girin.
+ Lütfen Ev Asistanınızın URI'sini girin.
Bağlanılamadı, aşağıdaki hata döndürüldü: {0}
@@ -1380,7 +1380,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Yetkisiz
- Servisle iletişime geçme yetkiniz yok. Doğru auth ID'niz varsa, şimdi ayarlayabilir ve tekrar deneyebilirsiniz.
+ Servisle iletişime geçme yetkiniz yok. Doğru auth ID'niz varsa, şimdi ayarlayabilir ve tekrar deneyebilirsiniz.
Ayarlar getirilemedi!
@@ -1407,7 +1407,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Hizmet, yapılandırılmış sensörlerini isterken bir hata döndürdü. Daha fazla bilgi için günlükleri kontrol edin. Yapılandırma panelinden günlükleri açabilir ve hizmeti yönetebilirsiniz.
- Boş bir kimlik doğrulama kimliğinin saklanması, tüm HASS.Agent'ların hizmete erişmesine izin verecektir. Bunu istediğinden emin misin?
+ Boş bir kimlik doğrulama kimliğinin saklanması, tüm HASS.Agent'ların hizmete erişmesine izin verecektir. Bunu istediğinden emin misin?
Kaydederken bir hata oluştu, daha fazla bilgi için günlükleri kontrol edin.
@@ -1425,7 +1425,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Bu bilgisayardaki her HASS.Agent örneğinin uydu hizmetine bağlanmasını istemiyorsanız bir kimlik doğrulama kimliği ayarlayın. Yalnızca doğru kimliğe sahip örnekler bağlanabilir. Herkesin bağlanmasına izin vermek için boş bırakın.
- Bu, uydu hizmetinin kendisini Home Assistant'a kaydettiği addır. Varsayılan olarak, bilgisayarınızın adı artı '-uydu'dur.
+ Bu, uydu hizmetinin kendisini Home Assistant'a kaydettiği addır. Varsayılan olarak, bilgisayarınızın adı artı '-uydu'dur.
Uydu hizmetinin, MQTT aracısına bağlantının koptuğunu bildirmeden önce bekleyeceği süre.
@@ -1503,10 +1503,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Bu ada sahip bir komut zaten var, devam etmek istediğinizden emin misiniz?
- Bir komut sağlanmazsa, bu varlığı Home Assistant aracılığıyla yalnızca bir 'eylem' değeriyle kullanabilirsiniz, olduğu gibi çalıştırdığınızda herhangi bir işlem yapılmaz. Devam etmek istediğinizden emin misiniz?
+ Bir komut sağlanmazsa, bu varlığı Home Assistant aracılığıyla yalnızca bir 'eylem' değeriyle kullanabilirsiniz, olduğu gibi çalıştırdığınızda herhangi bir işlem yapılmaz. Devam etmek istediğinizden emin misiniz?
- Bir komut veya komut dosyası girmezseniz, bu varlığı yalnızca Home Assistant aracılığıyla bir 'eylem' değeriyle kullanabilirsiniz. Olduğu gibi çalıştırmak hiçbir şey yapmaz. Bunu istediğinden emin misin?
+ Bir komut veya komut dosyası girmezseniz, bu varlığı yalnızca Home Assistant aracılığıyla bir 'eylem' değeriyle kullanabilirsiniz. Olduğu gibi çalıştırmak hiçbir şey yapmaz. Bunu istediğinden emin misin?
Lütfen bir anahtar kodu girin!
@@ -1515,7 +1515,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Anahtarlar kontrol edilemedi: {0}
- Bir URL sağlanmazsa, bu varlığı Home Assistant aracılığıyla yalnızca bir 'eylem' değeriyle kullanabilirsiniz, olduğu gibi çalıştırdığınızda herhangi bir işlem yapılmaz. Devam etmek istediğinizden emin misiniz?
+ Bir URL sağlanmazsa, bu varlığı Home Assistant aracılığıyla yalnızca bir 'eylem' değeriyle kullanabilirsiniz, olduğu gibi çalıştırdığınızda herhangi bir işlem yapılmaz. Devam etmek istediğinizden emin misiniz?
Emretmek
@@ -1554,10 +1554,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Bu, yalnızca belirli konumlardaki dosyaları kaydedip değiştirebileceği anlamına gelir,
- '%USERPROFILE%\AppData\LocalLow' klasörü gibi veya
+ '%USERPROFILE%\AppData\LocalLow' klasörü gibi veya
- 'HKEY_CURRENT_USER\Software\AppDataLow' kayıt defteri anahtarı.
+ 'HKEY_CURRENT_USER\Software\AppDataLow' kayıt defteri anahtarı.
Bundan etkilenmediğinden emin olmak için komutunuzu test etmelisiniz!
@@ -1668,10 +1668,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
yalnızca {0}!
- Cihazınızın adını değiştirdiniz. Tüm sensörleriniz ve komutlarınız artık yayından kaldırılacak ve HASS.Agent daha sonra bunları yeniden yayınlamak için yeniden başlatılacaktır. Endişelenmeyin, mevcut adlarını koruyacaklar, böylece otomasyonlarınız veya komut dosyalarınız çalışmaya devam edecek. Not: ad 'temizlenecek', bu da harfler, rakamlar ve boşluklar dışındaki her şeyin bir alt çizgi ile değiştirileceği anlamına gelir. Bu, HA tarafından gereklidir.
+ Cihazınızın adını değiştirdiniz. Tüm sensörleriniz ve komutlarınız artık yayından kaldırılacak ve HASS.Agent daha sonra bunları yeniden yayınlamak için yeniden başlatılacaktır. Endişelenmeyin, mevcut adlarını koruyacaklar, böylece otomasyonlarınız veya komut dosyalarınız çalışmaya devam edecek. Not: ad 'temizlenecek', bu da harfler, rakamlar ve boşluklar dışındaki her şeyin bir alt çizgi ile değiştirileceği anlamına gelir. Bu, HA tarafından gereklidir.
- Yerel API'nin bağlantı noktasını değiştirdiniz. Bu yeni limanın rezerve edilmesi gerekiyor. Bunu yapmak için bir UAC isteği alacaksınız, lütfen onaylayın.
+ Yerel API'nin bağlantı noktasını değiştirdiniz. Bu yeni limanın rezerve edilmesi gerekiyor. Bunu yapmak için bir UAC isteği alacaksınız, lütfen onaylayın.
Bir şeyler yanlış gitti! Lütfen gerekli komutu manuel olarak yürütün. Panonuza kopyalandı, sadece yükseltilmiş bir komut istemine yapıştırmanız gerekiyor. Güvenlik duvarı kuralınızın bağlantı noktasını da değiştirmeyi unutmayın.
@@ -1683,13 +1683,13 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Yeniden başlatmaya hazırlanırken bir şeyler ters gitti. Lütfen manuel olarak yeniden başlatın.
- Yapılandırmanız kaydedildi. Çoğu değişiklik, HASS.Agent'ın yürürlüğe girmeden önce yeniden başlatılmasını gerektirir. Şimdi yeniden başlatmak istiyor musunuz?
+ Yapılandırmanız kaydedildi. Çoğu değişiklik, HASS.Agent'ın yürürlüğe girmeden önce yeniden başlatılmasını gerektirir. Şimdi yeniden başlatmak istiyor musunuz?
- Ayarlarınız yüklenirken bir şeyler ters gitti. 'config' alt klasöründeki appsettings.json dosyasını kontrol edin veya yeni bir başlangıç yapmak için silin.
+ Ayarlarınız yüklenirken bir şeyler ters gitti. 'config' alt klasöründeki appsettings.json dosyasını kontrol edin veya yeni bir başlangıç yapmak için silin.
- HASS.Agent başlatılırken bir hata oluştu. Lütfen günlükleri kontrol edin ve GitHub'da bir hata raporu oluşturun.
+ HASS.Agent başlatılırken bir hata oluştu. Lütfen günlükleri kontrol edin ve GitHub'da bir hata raporu oluşturun.
Yerel ve Sensörler
@@ -1792,13 +1792,13 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
İstemci sertifika dosyası bulunamadı.
- Bağlanamıyor, URI'yi kontrol edin.
+ Bağlanamıyor, URI'yi kontrol edin.
Yapılandırma getirilemiyor, lütfen API anahtarını kontrol edin.
- Bağlanamıyor, lütfen URI'yi ve yapılandırmayı kontrol edin.
+ Bağlanamıyor, lütfen URI'yi ve yapılandırmayı kontrol edin.
hızlı eylem: eylem başarısız oldu, bilgi için günlükleri kontrol edin
@@ -1816,22 +1816,22 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
MQTT: Bağlantı kesildi
- API'yi {0} bağlantı noktasına bağlamaya çalışırken hata oluştu. HASS.Agent'ın başka hiçbir örneğinin çalışmadığından ve bağlantı noktasının kullanılabilir ve kayıtlı olduğundan emin olun.
+ API'yi {0} bağlantı noktasına bağlamaya çalışırken hata oluştu. HASS.Agent'ın başka hiçbir örneğinin çalışmadığından ve bağlantı noktasının kullanılabilir ve kayıtlı olduğundan emin olun.
Geçerli etkin pencerenin başlığını sağlar.
- Cihazınızın sesinin çeşitli yönleri hakkında bilgi sağlar: Mevcut en yüksek ses seviyesi (basit bir 'bir şey çalıyor' değeri olarak kullanılabilir). Varsayılan ses aygıtı: ad, durum ve ses düzeyi. Sesli oturumlarınızın özeti: uygulama adı, sessiz durumu, ses düzeyi ve mevcut en yüksek ses düzeyi.
+ Cihazınızın sesinin çeşitli yönleri hakkında bilgi sağlar: Mevcut en yüksek ses seviyesi (basit bir 'bir şey çalıyor' değeri olarak kullanılabilir). Varsayılan ses aygıtı: ad, durum ve ses düzeyi. Sesli oturumlarınızın özeti: uygulama adı, sessiz durumu, ses düzeyi ve mevcut en yüksek ses düzeyi.
Mevcut şarj durumunu, tam şarjda tahmini dakika miktarını, yüzde olarak kalan şarjı, dakika cinsinden kalan şarjı ve elektrik hattı durumunu gösteren bir sensör sağlar.
- İlk CPU'nun mevcut yükünü yüzde olarak sağlar.
+ İlk CPU'nun mevcut yükünü yüzde olarak sağlar.
- İlk CPU'nun mevcut saat hızını sağlar.
+ İlk CPU'nun mevcut saat hızını sağlar.
Geçerli ses seviyesini yüzde olarak sağlar. Şu anda varsayılan cihazınızın hacmini alıyor.
@@ -1843,16 +1843,16 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Test amaçlı kukla sensör, 0 ile 100 arasında rastgele bir tamsayı değeri gönderir.
- Yüzde olarak ilk GPU'nun mevcut yükünü sağlar.
+ Yüzde olarak ilk GPU'nun mevcut yükünü sağlar.
- İlk GPU'nun mevcut sıcaklığını sağlar.
+ İlk GPU'nun mevcut sıcaklığını sağlar.
Kullanıcının herhangi bir girdi sağladığı son anı içeren bir tarih saat değeri sağlar.
- Sistemin (yeniden) başlatıldığı son anı içeren bir tarih saat değeri sağlar. Önemli: Windows'un FastBoot seçeneği bu değeri atabilir, çünkü bu bir hazırda bekletme modudur. Güç Seçenekleri -> 'Güç düğmelerinin ne yapacağını seçin' -> 'Hızlı başlatmayı aç' seçeneğinin işaretini kaldırarak devre dışı bırakabilirsiniz. SSD'li modern makineler için pek bir fark yaratmaz, ancak devre dışı bırakmak, yeniden başlattıktan sonra temiz bir durum almanızı sağlar.
+ Sistemin (yeniden) başlatıldığı son anı içeren bir tarih saat değeri sağlar. Önemli: Windows'un FastBoot seçeneği bu değeri atabilir, çünkü bu bir hazırda bekletme modudur. Güç Seçenekleri -> 'Güç düğmelerinin ne yapacağını seçin' -> 'Hızlı başlatmayı aç' seçeneğinin işaretini kaldırarak devre dışı bırakabilirsiniz. SSD'li modern makineler için pek bir fark yaratmaz, ancak devre dışı bırakmak, yeniden başlattıktan sonra temiz bir durum almanızı sağlar.
Son sistem durumu değişikliğini sağlar: ApplicationStarted, Logoff, SystemShutdown, Resume, Suspend, ConsoleConnect, ConsoleDisconnect, RemoteConnect, RemoteDisconnect, SessionLock, SessionLogoff, SessionLogon, SessionRemoteControl ve SessionUnlock.
@@ -1878,14 +1878,14 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Seçilen ağ kartının/kartlarının kart bilgilerini, yapılandırmasını, aktarım ve paket istatistiklerini ve adreslerini (ip, mac, dhcp, dns) sağlar. Bu çok değerli bir sensördür.
- Bir performans sayacının değerlerini sağlar. Örneğin, yerleşik CPU yük sensörü şu değerleri kullanır: Kategori: İşlemci Sayacı: % İşlemci Zaman Örneği: _Toplam Sayaçları Windows' 'perfmon.exe' aracıyla keşfedebilirsiniz.
+ Bir performans sayacının değerlerini sağlar. Örneğin, yerleşik CPU yük sensörü şu değerleri kullanır: Kategori: İşlemci Sayacı: % İşlemci Zaman Örneği: _Toplam Sayaçları Windows' 'perfmon.exe' aracıyla keşfedebilirsiniz.
İşlemin etkin örneklerinin sayısını sağlar.
Fuzzy
- Sağlanan hizmetin durumunu döndürür: Bulunamadı, Durduruldu, StartPending, StopPending, Running, ContinuePending, PausePending veya Paused. 'Görünen ad' değil, 'Hizmet adı' sağladığınızdan emin olun.
+ Sağlanan hizmetin durumunu döndürür: Bulunamadı, Durduruldu, StartPending, StopPending, Running, ContinuePending, PausePending veya Paused. 'Görünen ad' değil, 'Hizmet adı' sağladığınızdan emin olun.
Geçerli oturum durumunu sağlar: Kilitli, Kilitli Değil veya Bilinmiyor. Oturum durumu değişikliklerini izlemek için bir LastSystemStateChangeSensor kullanın.
@@ -2311,13 +2311,13 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Uygulama Başladı
- Uydu hizmetini, oturum açmak zorunda kalmadan sensörleri ve komutları çalıştırmak için kullanabilirsiniz. Tüm türler mevcut değildir, örneğin 'LaunchUrl' komutu yalnızca normal bir komut olarak eklenebilir.
+ Uydu hizmetini, oturum açmak zorunda kalmadan sensörleri ve komutları çalıştırmak için kullanabilirsiniz. Tüm türler mevcut değildir, örneğin 'LaunchUrl' komutu yalnızca normal bir komut olarak eklenebilir.
Bilinen Son Değer
- API'yi {0} bağlantı noktasına bağlamaya çalışırken hata oluştu. HASS.Agent'ın başka hiçbir örneğinin çalışmadığından ve bağlantı noktasının kullanılabilir ve kayıtlı olduğundan emin olun.
+ API'yi {0} bağlantı noktasına bağlamaya çalışırken hata oluştu. HASS.Agent'ın başka hiçbir örneğinin çalışmadığından ve bağlantı noktasının kullanılabilir ve kayıtlı olduğundan emin olun.
SendWindowToFront
@@ -2326,16 +2326,16 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Web Görünümü
- Sağlanan URL ile bir pencere gösterir. Bu, 'LaunchUrl' komutundan farklıdır, çünkü tam teşekküllü bir tarayıcı yüklemez, yalnızca kendi penceresinde sağlanan URL'yi yükler. Bunu, örneğin Home Assistant'ın kontrol panelini hızlı bir şekilde göstermek için kullanabilirsiniz. Varsayılan olarak, çerezleri süresiz olarak saklar, bu nedenle yalnızca bir kez oturum açmanız gerekir.
+ Sağlanan URL ile bir pencere gösterir. Bu, 'LaunchUrl' komutundan farklıdır, çünkü tam teşekküllü bir tarayıcı yüklemez, yalnızca kendi penceresinde sağlanan URL'yi yükler. Bunu, örneğin Home Assistant'ın kontrol panelini hızlı bir şekilde göstermek için kullanabilirsiniz. Varsayılan olarak, çerezleri süresiz olarak saklar, bu nedenle yalnızca bir kez oturum açmanız gerekir.
HASS.Ajan Komutları
- Belirtilen işlemi arar ve ana penceresini öne göndermeye çalışır. Uygulama simge durumuna küçültülürse geri yüklenir. Örnek: VLC'yi ön plana göndermek istiyorsanız, 'vlc' kullanın.
+ Belirtilen işlemi arar ve ana penceresini öne göndermeye çalışır. Uygulama simge durumuna küçültülürse geri yüklenir. Örnek: VLC'yi ön plana göndermek istiyorsanız, 'vlc' kullanın.
- Komutu yapılandırmazsanız, bu varlığı yalnızca Home Assistant aracılığıyla bir 'eylem' değeriyle kullanabilirsiniz ve varsayılan ayarlar kullanılarak görünür, olduğu gibi çalıştırıldığında herhangi bir işlem yapılmaz. Bunu yapmak istediğinden emin misin?
+ Komutu yapılandırmazsanız, bu varlığı yalnızca Home Assistant aracılığıyla bir 'eylem' değeriyle kullanabilirsiniz ve varsayılan ayarlar kullanılarak görünür, olduğu gibi çalıştırıldığında herhangi bir işlem yapılmaz. Bunu yapmak istediğinden emin misin?
Ses Önbelleğini Temizle
@@ -2356,7 +2356,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
WebView önbelleği temizlendi!
- Görünüşe göre alternatif bir ölçeklendirme kullanıyorsunuz. Bu, HASS.Agent'ın bazı bölümlerinin amaçlandığı gibi görünmemesine neden olabilir. Lütfen kullanılamayan yönleri GitHub'da bildirin. Teşekkürler! Not: Bu mesaj yalnızca bir kez gösterilir.
+ Görünüşe göre alternatif bir ölçeklendirme kullanıyorsunuz. Bu, HASS.Agent'ın bazı bölümlerinin amaçlandığı gibi görünmemesine neden olabilir. Lütfen kullanılamayan yönleri GitHub'da bildirin. Teşekkürler! Not: Bu mesaj yalnızca bir kez gösterilir.
Depolanan komut ayarları yüklenemiyor, varsayılana sıfırlanıyor.
@@ -2368,13 +2368,13 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Bağlantı Noktası ve Rezervasyonu Yürüt
- &Yerel API'yi Etkinleştir
+ &Yerel API'yi Etkinleştir
- HASS.Agent'ın kendi yerel API'si vardır, bu nedenle Home Assistant istek gönderebilir (örneğin bir bildirim göndermek için). Buradan global olarak yapılandırabilir ve daha sonra bağımlı bölümleri (şu anda bildirimler ve mediaplayer) yapılandırabilirsiniz. Not: Yeni entegrasyonun çalışması için bu gerekli değildir. Yalnızca MQTT kullanmıyorsanız etkinleştirin ve kullanın.
+ HASS.Agent'ın kendi yerel API'si vardır, bu nedenle Home Assistant istek gönderebilir (örneğin bir bildirim göndermek için). Buradan global olarak yapılandırabilir ve daha sonra bağımlı bölümleri (şu anda bildirimler ve mediaplayer) yapılandırabilirsiniz. Not: Yeni entegrasyonun çalışması için bu gerekli değildir. Yalnızca MQTT kullanmıyorsanız etkinleştirin ve kullanın.
- İstekleri dinleyebilmek için HASS.Agent'ın portunun ayrılmış ve güvenlik duvarınızda açılmış olması gerekir. Bunu sizin için yaptırmak için bu düğmeyi kullanabilirsiniz.
+ İstekleri dinleyebilmek için HASS.Agent'ın portunun ayrılmış ve güvenlik duvarınızda açılmış olması gerekir. Bunu sizin için yaptırmak için bu düğmeyi kullanabilirsiniz.
&Liman
@@ -2407,10 +2407,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
&Medya Oynatıcı İşlevselliğini Etkinleştir
- HASS.Agent, Home Assistant için bir medya oynatıcı görevi görebilir, böylece çalmakta olan herhangi bir medyayı görebilir ve kontrol edebilir ve metinden konuşmaya gönderebilirsiniz. MQTT'yi etkinleştirdiyseniz, cihazınız otomatik olarak eklenir. Aksi takdirde, yerel API'yi kullanmak için entegrasyonu manuel olarak yapılandırın.
+ HASS.Agent, Home Assistant için bir medya oynatıcı görevi görebilir, böylece çalmakta olan herhangi bir medyayı görebilir ve kontrol edebilir ve metinden konuşmaya gönderebilirsiniz. MQTT'yi etkinleştirdiyseniz, cihazınız otomatik olarak eklenir. Aksi takdirde, yerel API'yi kullanmak için entegrasyonu manuel olarak yapılandırın.
- Bir şey çalışmıyorsa, aşağıdaki adımları denediğinizden emin olun: - HASS.Agent entegrasyonunu kurun - Home Assistant'ı yeniden başlatın - MQTT etkinken HASS.Agent'ın etkin olduğundan emin olun! - Cihazınız otomatik olarak bir varlık olarak algılanmalı ve eklenmelidir - İsteğe bağlı olarak: yerel API'yi kullanarak manuel olarak ekleyin
+ Bir şey çalışmıyorsa, aşağıdaki adımları denediğinizden emin olun: - HASS.Agent entegrasyonunu kurun - Home Assistant'ı yeniden başlatın - MQTT etkinken HASS.Agent'ın etkin olduğundan emin olun! - Cihazınız otomatik olarak bir varlık olarak algılanmalı ve eklenmelidir - İsteğe bağlı olarak: yerel API'yi kullanarak manuel olarak ekleyin
Yerel API devre dışıdır, ancak medya oynatıcının çalışması için buna ihtiyacı vardır.
@@ -2443,7 +2443,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Boyut (px)
- &WebView URL'si (Örneğin, Home Assistant Dashboard URL'niz)
+ &WebView URL'si (Örneğin, Home Assistant Dashboard URL'niz)
Yerel API
@@ -2455,10 +2455,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Tepsi ikonu
- Giriş dilinizin '{0}' varsayılan CTRL-ALT-Q kısayol tuşuyla çakıştığı biliniyor. Lütfen kendinizinkini ayarlayın.
+ Giriş dilinizin '{0}' varsayılan CTRL-ALT-Q kısayol tuşuyla çakıştığı biliniyor. Lütfen kendinizinkini ayarlayın.
- Giriş diliniz '{0}' bilinmiyor ve varsayılan CTRL-ALT-Q kısayol tuşuyla çakışabilir. Lütfen emin olmak için kontrol edin. Varsa, listeye eklenebilmesi için GitHub'da bir bilet açmayı düşünün.
+ Giriş diliniz '{0}' bilinmiyor ve varsayılan CTRL-ALT-Q kısayol tuşuyla çakışabilir. Lütfen emin olmak için kontrol edin. Varsa, listeye eklenebilmesi için GitHub'da bir bilet açmayı düşünün.
Anahtar bulunamadı
@@ -2470,7 +2470,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Anahtarlar ayrıştırılırken hata oluştu, daha fazla bilgi için lütfen günlükleri kontrol edin.
- Açık parantezlerin sayısı ('['), kapalı parantezlerin sayısına karşılık gelmez. (']')! ({0} - {1})
+ Açık parantezlerin sayısı ('['), kapalı parantezlerin sayısına karşılık gelmez. (']')! ({0} - {1})
belgeler
@@ -2488,10 +2488,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Uydu Hizmetini Yönet
- Bildirimleri kullanmak için Home Assistant'ta HASS.Agent-notifier entegrasyonunu kurmanız ve yapılandırmanız gerekir. Bu, HACS'ı kullanmak çok kolaydır, ancak manuel olarak da kurabilirsiniz. Daha fazla bilgi için aşağıdaki bağlantıyı ziyaret edin.
+ Bildirimleri kullanmak için Home Assistant'ta HASS.Agent-notifier entegrasyonunu kurmanız ve yapılandırmanız gerekir. Bu, HACS'ı kullanmak çok kolaydır, ancak manuel olarak da kurabilirsiniz. Daha fazla bilgi için aşağıdaki bağlantıyı ziyaret edin.
- Aşağıdaki adımları uyguladığınızdan emin olun: - HASS.Agent-Notifier ve/veya HASS.Agent-MediaPlayer entegrasyonunu kurun - Home Assistant'ı yeniden başlatın -Bir bildirim ve/veya media_player varlığı yapılandırın -Home Assistant'ı yeniden başlatın
+ Aşağıdaki adımları uyguladığınızdan emin olun: - HASS.Agent-Notifier ve/veya HASS.Agent-MediaPlayer entegrasyonunu kurun - Home Assistant'ı yeniden başlatın -Bir bildirim ve/veya media_player varlığı yapılandırın -Home Assistant'ı yeniden başlatın
Aynı şey medya oynatıcı için de geçerlidir; bu entegrasyon, cihazınızı bir media_player varlığı olarak kontrol etmenize, neyin oynatıldığını görmenize ve metinden konuşmaya göndermenize olanak tanır.
@@ -2503,7 +2503,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
HASS.Agent-Entegrasyon GitHub Sayfası
- Evet, bağlantı noktasında yerel API'yi &etkinleştirin
+ Evet, bağlantı noktasında yerel API'yi &etkinleştirin
&Medya Oynatıcıyı ve metinden konuşmaya (TTS) etkinleştirin
@@ -2512,13 +2512,13 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
&Bildirimleri Etkinleştir
- HASS.Agent'ın kendi dahili API'si vardır, bu nedenle Home Assistant istek gönderebilir (bildirimler veya metinden konuşmaya gibi). Etkinleştirmek istiyor musunuz?
+ HASS.Agent'ın kendi dahili API'si vardır, bu nedenle Home Assistant istek gönderebilir (bildirimler veya metinden konuşmaya gibi). Etkinleştirmek istiyor musunuz?
Hangi modülleri etkinleştirmek istediğinizi seçebilirsiniz. HA entegrasyonları gerektirirler, ancak merak etmeyin, sonraki sayfa bunları nasıl kuracağınız konusunda size daha fazla bilgi verecektir.
- Not: 5115 varsayılan bağlantı noktasıdır, yalnızca Home Assistant'ta değiştirdiyseniz değiştirin.
+ Not: 5115 varsayılan bağlantı noktasıdır, yalnızca Home Assistant'ta değiştirdiyseniz değiştirin.
&TLS
@@ -2545,7 +2545,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Pencerenin &başlık çubuğunu göster
- Pencereyi 'Her zaman &Üstte' olarak ayarla
+ Pencereyi 'Her zaman &Üstte' olarak ayarla
Web görünümü komutunuzun boyutunu ve konumunu ayarlamak için bu pencereyi sürükleyip yeniden boyutlandırın.
@@ -2557,7 +2557,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Boyut
- İpucu: Bir Web Görünümünü kapatmak için ESCAPE'e basın.
+ İpucu: Bir Web Görünümünü kapatmak için ESCAPE'e basın.
&URL
@@ -2578,7 +2578,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Durum Bildirimlerini Etkinleştir
- HASS.Agent, HA'nın kabul edeceğinden emin olmak için cihaz adınızı temizleyecektir, adınızın olduğu gibi kabul edileceğinden eminseniz aşağıdaki bu kuralı geçersiz kılabilirsiniz.
+ HASS.Agent, HA'nın kabul edeceğinden emin olmak için cihaz adınızı temizleyecektir, adınızın olduğu gibi kabul edileceğinden eminseniz aşağıdaki bu kuralı geçersiz kılabilirsiniz.
HASS.Agent, bir modülün durumu değiştiğinde bildirim gönderir, bu bildirimleri almak isteyip istemediğinizi aşağıdan ayarlayabilirsiniz.
@@ -2644,7 +2644,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Tüm monitörleri uyku (düşük güç) moduna geçirir.
- 'Yukarı ok' tuş basımını simüle ederek tüm monitörleri uyandırmaya çalışır.
+ 'Yukarı ok' tuş basımını simüle ederek tüm monitörleri uyandırmaya çalışır.
Geçerli varsayılan ses cihazının sesini belirtilen düzeye ayarlar.
@@ -2656,7 +2656,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Emretmek
- Bir hacim değeri girmezseniz, bu varlığı yalnızca Home Assistant aracılığıyla bir 'eylem' değeriyle kullanabilirsiniz. Olduğu gibi çalıştırmak hiçbir şey yapmaz. Bunu istediğinden emin misin?
+ Bir hacim değeri girmezseniz, bu varlığı yalnızca Home Assistant aracılığıyla bir 'eylem' değeriyle kullanabilirsiniz. Olduğu gibi çalıştırmak hiçbir şey yapmaz. Bunu istediğinden emin misin?
Sağladığınız ad, desteklenmeyen karakterler içeriyor ve çalışmayacak. Önerilen sürüm: {0} Bu sürümü kullanmak istiyor musunuz?
@@ -2674,7 +2674,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
hem yerel API hem de MQTT devre dışı bırakıldı, ancak entegrasyonun çalışması için en az birine ihtiyacı var
- MQTT'yi etkinleştir
+ MQTT'yi etkinleştir
MQTT etkinleştirilmezse komutlar ve sensörler çalışmayacaktır!
@@ -2689,7 +2689,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Hizmet şu anda durduruldu ve yapılandırılamıyor. Lütfen yapılandırmak için önce hizmeti başlatın.
- Servisi yönetmek istiyorsanız (komut ve sensör ekleyin, ayarları değiştirin) buradan veya ana penceredeki 'uydu servisi' butonunu kullanarak yapabilirsiniz.
+ Servisi yönetmek istiyorsanız (komut ve sensör ekleyin, ayarları değiştirin) buradan veya ana penceredeki 'uydu servisi' butonunu kullanarak yapabilirsiniz.
Fare sol tıklamasıyla varsayılan menüyü göster
@@ -2698,10 +2698,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Home Assistant API jetonunuz doğru görünmüyor. Tüm belirteci seçtiğinizden emin olun (CTRL+A kullanmayın veya çift tıklamayın). Üç bölüm içermelidir (iki nokta ile ayrılmış). Bu şekilde kullanmak istediğinizden emin misiniz?
- Ev Asistanı URI'niz doğru görünmüyor. 'http://homeassistant.local:8123' veya 'https://192.168.0.1:8123' gibi görünmelidir. Bu şekilde kullanmak istediğinizden emin misiniz?
+ Ev Asistanı URI'niz doğru görünmüyor. 'http://homeassistant.local:8123' veya 'https://192.168.0.1:8123' gibi görünmelidir. Bu şekilde kullanmak istediğinizden emin misiniz?
- MQTT broker URI'niz doğru görünmüyor. 'homeassistant.local' veya '192.168.0.1' gibi görünmelidir. Bu şekilde kullanmak istediğinizden emin misiniz?
+ MQTT broker URI'niz doğru görünmüyor. 'homeassistant.local' veya '192.168.0.1' gibi görünmelidir. Bu şekilde kullanmak istediğinizden emin misiniz?
&Kapat
@@ -2734,13 +2734,13 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
İpucu: Hakkında Penceresinde başka bağış yöntemleri de mevcuttur.
- &Media Player'ı etkinleştir (metinden sese dahil)
+ &Media Player'ı etkinleştir (metinden sese dahil)
&Bildirimleri Etkinleştir
- MQTT'yi etkinleştir
+ MQTT'yi etkinleştir
HASS.Agent Gönderi Güncellemesi
@@ -2752,7 +2752,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Bulunan bluetooth LE cihazlarının miktarını gösteren bir sensör sağlar. Cihazlar ve bağlı durumları nitelik olarak eklenir. Yalnızca son rapordan bu yana görülen cihazları gösterir, ör. sensör yayınlandığında liste temizlenir.
- Geçerli enlem, boylam ve yüksekliğinizi virgülle ayrılmış bir değer olarak döndürür. Windows'un konum hizmetlerinin etkinleştirildiğinden emin olun! Windows sürümünüze bağlı olarak bu, yeni kontrol panelinde -> 'gizlilik ve güvenlik' -> 'konum'da bulunabilir.
+ Geçerli enlem, boylam ve yüksekliğinizi virgülle ayrılmış bir değer olarak döndürür. Windows'un konum hizmetlerinin etkinleştirildiğinden emin olun! Windows sürümünüze bağlı olarak bu, yeni kontrol panelinde -> 'gizlilik ve güvenlik' -> 'konum'da bulunabilir.
Şu anda mikrofonu kullanan işlemin adını sağlar. Not: uydu hizmetinde kullanılırsa, kullanıcı alanı uygulamalarını algılamaz.
@@ -2818,7 +2818,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Başlangıç modu ayarlanırken hata oluştu, lütfen daha fazla bilgi için günlükleri kontrol edin.
- Microsoft'un WebView2 çalışma zamanı makinenizde bulunamadı. Bu genellikle yükleyici tarafından gerçekleştirilir, ancak manuel olarak yükleyebilirsiniz. Çalışma zamanı yükleyicisini indirmek istiyor musunuz?
+ Microsoft'un WebView2 çalışma zamanı makinenizde bulunamadı. Bu genellikle yükleyici tarafından gerçekleştirilir, ancak manuel olarak yükleyebilirsiniz. Çalışma zamanı yükleyicisini indirmek istiyor musunuz?
WebView başlatılırken bir şeyler ters gitti! Lütfen günlüklerinizi kontrol edin ve daha fazla yardım için bir GitHub sorunu açın.
@@ -2826,4 +2826,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
domain
+
+ SwitchMasaüstü
+
+
+ AktifMasaüstü
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.de.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.de.resx
index ad6987e6..cae7a2a8 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.de.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.de.resx
@@ -2732,7 +2732,7 @@ Stelle sicher, dass keine andere Instanz von HASS.Agent läuft und der Port verf
Dies unterscheidet sich von dem „ÖffneUrl“ Befehl, da er keinen vollständigen Browser lädt, sondern nur die bereitgestellte URL in einem eigenen Fenster.
-Du kannst dies benutzen, um zum Beispiel schnell Home Assistant's Dashboard anzuzeigen.
+Du kannst dies benutzen, um zum Beispiel schnell Home Assistant's Dashboard anzuzeigen.
Standardmäßig werden alle Cookies für unbegrenzte Zeit gespeichert, sodass du dich nur einmal einloggen musst.
@@ -2793,7 +2793,7 @@ Hinweis: Diese Meldung wird nur einmal angezeigt.
Fuzzy
- Um auf Anfragen reagieren zu können, muss HASS.Agent's Port in deiner Firewall reserviert und geöffnet werden. Du kannst diese Schaltfläche verwenden, um dies für dich zu erledigen.
+ Um auf Anfragen reagieren zu können, muss HASS.Agent's Port in deiner Firewall reserviert und geöffnet werden. Du kannst diese Schaltfläche verwenden, um dies für dich zu erledigen.
Fuzzy
@@ -3170,13 +3170,13 @@ Es sollte drei Abschnitte enthalten (getrennt durch zwei Punkte).
Sind Sie sicher, dass Sie es so verwenden wollen?
- Die URI Ihres Home-Assistenten sieht nicht richtig aus. Sie sollte etwa so aussehen: "http://homeassistant.local:8123" oder "https://192.168.0.1:8123".
+ Die URI Ihres Home-Assistenten sieht nicht richtig aus. Sie sollte etwa so aussehen: "http://homeassistant.local:8123" oder "https://192.168.0.1:8123".
Sind Sie sicher, dass Sie ihn so verwenden wollen?
Deine MQTT Broker URI sieht nicht richtig aus. So sollte es aussehen
-"homeassistant.local" oder "192.168.0.1"
+"homeassistant.local" oder "192.168.0.1"
Bist Du sicher, es so zu verwenden?
@@ -3333,7 +3333,7 @@ Möchtest Du den Protokollordner öffnen?
Fehler beim Einstellen des Startmodus, überprüfe die Protokolle
- Microsoft's WebView2 Runtime wurde nicht auf diesem Gerät gefunden. Normalerweise wird dies vom Installer ausgeführt, Du kannst es auch manuell installieren.
+ Microsoft's WebView2 Runtime wurde nicht auf diesem Gerät gefunden. Normalerweise wird dies vom Installer ausgeführt, Du kannst es auch manuell installieren.
Willst Du den Runtime Installer herunterladen?
@@ -3343,4 +3343,10 @@ Willst Du den Runtime Installer herunterladen?
domain
+
+ Aktiviert den bereitgestellten virtuellen Desktop.
+
+
+ Stellt die ID des aktuell aktiven virtuellen Desktops bereit.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.en.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.en.resx
index 1a81eb4c..568d24a1 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.en.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.en.resx
@@ -811,10 +811,10 @@ you can probably use the preset address.
Description
- &Run as 'Low Integrity'
+ &Run as 'Low Integrity'
- What's this?
+ What's this?
Type
@@ -1214,7 +1214,7 @@ report bugs or get involved in general chit-chat!
Fetching info, please wait..
- There's a new release available:
+ There's a new release available:
Release notes
@@ -1264,22 +1264,22 @@ If you just want a window with a specific URL (not an entire browser), use a 'We
Logs off the current session.
- Simulates 'Mute' key.
+ Simulates 'Mute' key.
- Simulates 'Media Next' key.
+ Simulates 'Media Next' key.
- Simulates 'Media Pause/Play' key.
+ Simulates 'Media Pause/Play' key.
- Simulates 'Media Previous' key.
+ Simulates 'Media Previous' key.
- Simulates 'Volume Down' key.
+ Simulates 'Volume Down' key.
- Simulates 'Volume Up' key.
+ Simulates 'Volume Up' key.
Simulates pressing mulitple keys.
@@ -1328,7 +1328,7 @@ Note: due to a limitation in Windows, this only works if hibernation is disabled
You can use something like NirCmd (http://www.nirsoft.net/utils/nircmd.html) to circumvent this.
- Please enter the location of your browser's binary! (.exe file)
+ Please enter the location of your browser's binary! (.exe file)
The browser binary provided could not be found, please ensure the path is correct and try again.
@@ -1347,7 +1347,7 @@ Please check the logs for more information.
Please enter a valid API key!
- Please enter a value for your Home Assistant's URI.
+ Please enter a value for your Home Assistant's URI.
Unable to connect, the following error was returned:
@@ -1462,7 +1462,7 @@ Check the HASS.Agent (not the service) logs for more information.
Activating Start-on-Login..
- Something went wrong. You can try again, or skip to the next page and retry after HASS.Agent's restart.
+ Something went wrong. You can try again, or skip to the next page and retry after HASS.Agent's restart.
Enable Start-on-Login
@@ -1471,7 +1471,7 @@ Check the HASS.Agent (not the service) logs for more information.
Please provide a valid API key.
- Please enter your Home Assistant's URI.
+ Please enter your Home Assistant's URI.
Unable to connect, the following error was returned:
@@ -1721,19 +1721,19 @@ Please configure an executor or your command will not run.
This means it will only be able to save and modify files in certain locations,
- such as the '%USERPROFILE%\AppData\LocalLow' folder or
+ such as the '%USERPROFILE%\AppData\LocalLow' folder or
- the 'HKEY_CURRENT_USER\Software\AppDataLow' registry key.
+ the 'HKEY_CURRENT_USER\Software\AppDataLow' registry key.
- You should test your command to make sure it's not influenced by this!
+ You should test your command to make sure it's not influenced by this!
{0} only!
- The MQTT manager hasn't been configured properly, or hasn't yet completed its startup.
+ The MQTT manager hasn't been configured properly, or hasn't yet completed its startup.
Unable to fetch your entities because of missing config, please enter the required values in the config screen.
@@ -1888,10 +1888,10 @@ Please check the logs and make a bug report on GitHub.
Checking..
- You're running the latest version: {0}{1}
+ You're running the latest version: {0}{1}
- There's a new BETA release available:
+ There's a new BETA release available:
HASS.Agent BETA Update
@@ -2088,7 +2088,7 @@ This will also contain users that aren't active. If you only want the current ac
Note: if used in the satellite service, it won't detect userspace applications.
- Provides an ON/OFF value based on whether the window is currently open (doesn't have to be active).
+ Provides an ON/OFF value based on whether the window is currently open (doesn't have to be active).
Provides card info, configuration, transfer- & package statistics and addresses (ip, mac, dhcp, dns) of the selected network card(s).
@@ -2592,7 +2592,7 @@ Do you still want to use the current values?
ApplicationStarted
- You can use the satellite service to run sensors and commands without having to be logged in. Not all types are available, for instance the 'LaunchUrl' command can only be added as a regular command.
+ You can use the satellite service to run sensors and commands without having to be logged in. Not all types are available, for instance the 'LaunchUrl' command can only be added as a regular command.
Last Known Value
@@ -2708,7 +2708,7 @@ Note: this is not required for the new integration to function. Only enable and
&Enable Media Player Functionality
- HASS.Agent can act as a media player for Home Assistant, so you'll be able to see and control any media that's playing, and send text-to-speech. If you have MQTT enabled, your device will automatically get added. Otherwise, manually configure the integration to use the local API.
+ HASS.Agent can act as a media player for Home Assistant, so you'll be able to see and control any media that's playing, and send text-to-speech. If you have MQTT enabled, your device will automatically get added. Otherwise, manually configure the integration to use the local API.
If something is not working, make sure you try the following steps:
@@ -2762,10 +2762,10 @@ Note: this is not required for the new integration to function. Only enable and
Tray Icon
- Your input language '{0}' is known to collide with the default CTRL-ALT-Q hotkey. Please set your own.
+ Your input language '{0}' is known to collide with the default CTRL-ALT-Q hotkey. Please set your own.
- Your input language '{0}' is unknown, and might collide with the default CTRL-ALT-Q hotkey. Please check to be sure. If it does, consider opening a ticket on GitHub so it can be added to the list.
+ Your input language '{0}' is unknown, and might collide with the default CTRL-ALT-Q hotkey. Please check to be sure. If it does, consider opening a ticket on GitHub so it can be added to the list.
No keys found
@@ -2777,7 +2777,7 @@ Note: this is not required for the new integration to function. Only enable and
Error while parsing keys, please check the logs for more information.
- The number of open brackets ('[') does not correspond to the number of closed brackets. (']')! ({0} to {1})
+ The number of open brackets ('[') does not correspond to the number of closed brackets. (']')! ({0} to {1})
Documentation
@@ -2810,7 +2810,7 @@ information.
-Restart Home Assistant
- The same goes for the media player, this integration allows you to control your device as a media_player entity, see what's playing and send text-to-speech.
+ The same goes for the media player, this integration allows you to control your device as a media_player entity, see what's playing and send text-to-speech.
HASS.Agent-MediaPlayer GitHub Page
@@ -2833,7 +2833,7 @@ information.
Do you want to enable it?
- You can choose what modules you want to enable. They require HA integrations, but don't worry, the next page will give you more info on how to set them up.
+ You can choose what modules you want to enable. They require HA integrations, but don't worry, the next page will give you more info on how to set them up.
Note: 5115 is the default port, only change it if you changed it in Home Assistant.
@@ -2864,10 +2864,10 @@ Do you want to use that version?
&Always show centered in screen
- Show the window's &title bar
+ Show the window's &title bar
- Set window as 'Always on &Top'
+ Set window as 'Always on &Top'
Drag and resize this window to set the size and location of your webview command.
@@ -2902,7 +2902,7 @@ Please ensure the keycode field is in focus and press the key you want simulated
Enable State Notifications
- HASS.Agent will sanitize your device name to make sure HA will accept it, you can overrule this rule below if you're sure that your name will be accepted as-is.
+ HASS.Agent will sanitize your device name to make sure HA will accept it, you can overrule this rule below if you're sure that your name will be accepted as-is.
HASS.Agent sends notifications when the state of a module changes, you can adjust whether or not you want to receive these notifications below.
@@ -2974,7 +2974,7 @@ Note: You disabled sanitation, so make sure your device name is accepted by Home
Puts all monitors in sleep (low power) mode.
- Tries to wake up all monitors by simulating a 'arrow up' keypress.
+ Tries to wake up all monitors by simulating a 'arrow up' keypress.
Sets the volume of the current default audiodevice to the specified level.
@@ -3033,7 +3033,7 @@ Are you sure you want to use this URI anyway?
Please start the service first in order to configure it.
- If you want to manage the service (add commands and sensor, change settings) you can do so here, or by using the 'satellite service' button on the main window.
+ If you want to manage the service (add commands and sensor, change settings) you can do so here, or by using the 'satellite service' button on the main window.
Show default menu on mouse left-click
@@ -3219,4 +3219,10 @@ Do you want to download the runtime installer?
domain
+
+ Activates provided Virtual Desktop.
+
+
+ Provides the ID of the currently active virtual desktop.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.es.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.es.resx
index 31250ab3..1114c33f 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.es.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.es.resx
@@ -137,7 +137,7 @@
Puede configurar HASS.Agent para usar un ejecutor específico, como perl o python.
-Use el comando 'ejecutor personalizado' para iniciar este ejecutor.
+Use el comando 'ejecutor personalizado' para iniciar este ejecutor.
nombre del ejecutor personalizado
@@ -191,7 +191,7 @@ la API de Home Assistant.
Por favor, proporcione un token de acceso de larga duración, y la dirección de su instancia de Home Assistant.
-Puedes obtener un token a través de tu página de perfil. Desplácese hasta la parte inferior y haga clic en 'CREAR TOKEN'.
+Puedes obtener un token a través de tu página de perfil. Desplácese hasta la parte inferior y haga clic en 'CREAR TOKEN'.
&api token
@@ -229,7 +229,7 @@ De esta manera, hagas lo que hagas en tu máquina, siempre puedes interactuar co
Algunos elementos, como las imágenes que se muestran en las notificaciones, deben almacenarse temporalmente de forma local. Puede
configurar la cantidad de días que deben conservarse antes de que HASS.Agent los elimine.
-Introduzca '0' para mantenerlas permanentemente.
+Introduzca '0' para mantenerlas permanentemente.
El registro extendido proporciona un registro más detallado, en caso de que el registro predeterminado no sea
@@ -324,7 +324,7 @@ Nota: estos ajustes (excepto el id de cliente) se aplicarán también al servici
El servicio satelital le permite ejecutar sensores y comandos incluso cuando ningún usuario ha iniciado sesión.
-Use el botón 'servicio satelital' en la ventana principal para administrarlo.
+Use el botón 'servicio satelital' en la ventana principal para administrarlo.
estado del servicio:
@@ -393,7 +393,7 @@ Recibirá una notificación (una vez por actualización) que le informará que h
Parece que esta es la primera vez que inicia HASS.Agent.
-Si quieres, podemos pasar por la configuración. Si no, simplemente haga clic en 'cerrar'.
+Si quieres, podemos pasar por la configuración. Si no, simplemente haga clic en 'cerrar'.
El nombre del dispositivo se usa para identificar su máquina en HA.
@@ -455,7 +455,7 @@ información.
la API de Home Assistant.
Por favor, proporcione un token de acceso de larga duración, y la dirección de su instancia de Home Assistant.
-Puedes obtener un token a través de su página de perfil. Desplácese hasta la parte inferior y haga clic en 'CREAR TOKEN'.
+Puedes obtener un token a través de su página de perfil. Desplácese hasta la parte inferior y haga clic en 'CREAR TOKEN'.
&conexión de prueba
@@ -809,7 +809,7 @@ probablemente puedas usar la dirección preestablecida.
descripción
- &ejecutar como 'baja integridad'
+ &ejecutar como 'baja integridad'
¿Qué es esto?
@@ -1010,7 +1010,7 @@ probablemente puedas usar la dirección preestablecida.
los componentes usados para sus licencias individuales:
- Un gran 'gracias' a los desarrolladores de estos proyectos, que tuvieron la amabilidad de compartir
+ Un gran 'gracias' a los desarrolladores de estos proyectos, que tuvieron la amabilidad de compartir
su arduo trabajo con el resto de nosotros, meros mortales.
@@ -1232,14 +1232,14 @@ reportar errores o simplemente hablar de lo que sea.
Ejecute un comando personalizado.
-Estos comandos se ejecutan sin elevación especial. Para ejecutar elevado, cree una tarea programada y use 'schtasks /Run /TN "TaskName"' como comando para ejecutar su tarea.
+Estos comandos se ejecutan sin elevación especial. Para ejecutar elevado, cree una tarea programada y use 'schtasks /Run /TN "TaskName"' como comando para ejecutar su tarea.
-O habilite 'ejecutar como baja integridad' para una ejecución aún más estricta.
+O habilite 'ejecutar como baja integridad' para una ejecución aún más estricta.
Ejecuta el comando a través del ejecutor personalizado configurado (en Configuración -> Herramientas externas).
-Su comando se proporciona como un argumento 'tal cual', por lo que debe proporcionar sus propias comillas, etc., si es necesario.
+Su comando se proporciona como un argumento 'tal cual', por lo que debe proporcionar sus propias comillas, etc., si es necesario.
Pone la máquina en hibernación.
@@ -1247,16 +1247,16 @@ Su comando se proporciona como un argumento 'tal cual', por lo que deb
Simula la pulsación de una sola tecla.
-Haga clic en el cuadro de texto "código de teclas" y pulse la tecla que desea simular. El código de la tecla correspondiente se introducirá por usted.
+Haga clic en el cuadro de texto "código de teclas" y pulse la tecla que desea simular. El código de la tecla correspondiente se introducirá por usted.
Si necesita más teclas y/o modificadores como CTRL, use el comando MultipleKeys.
Lanza la URL proporcionada, por defecto en su navegador predeterminado.
-Para usar 'incógnito', proporcione un navegador específico en Configuración -> Herramientas externas.
+Para usar 'incógnito', proporcione un navegador específico en Configuración -> Herramientas externas.
-Si sólo quiere una ventana con una URL específica (no un navegador completo), use un comando 'WebView'.
+Si sólo quiere una ventana con una URL específica (no un navegador completo), use un comando 'WebView'.
Bloquea la sesión actual.
@@ -1265,22 +1265,22 @@ Si sólo quiere una ventana con una URL específica (no un navegador completo),
Cierra la sesión actual.
- Simula la tecla 'silencio'.
+ Simula la tecla 'silencio'.
- Simula la tecla 'media next'.
+ Simula la tecla 'media next'.
- Simula la tecla 'pausa de reproducción multimedia'.
+ Simula la tecla 'pausa de reproducción multimedia'.
- Simula la tecla 'media anterior'.
+ Simula la tecla 'media anterior'.
- Simula la tecla de 'bajar volumen'.
+ Simula la tecla de 'bajar volumen'.
- Simula la tecla 'subir volumen'.
+ Simula la tecla 'subir volumen'.
Simula la pulsación de varias teclas.
@@ -1314,12 +1314,12 @@ Esto se ejecutará sin elevación especial.
Reinicia la máquina después de un minuto.
-Consejo: ¿activado accidentalmente? Ejecute 'shutdown /a' para cancelar.
+Consejo: ¿activado accidentalmente? Ejecute 'shutdown /a' para cancelar.
Apaga la máquina después de un minuto.
-Consejo: ¿activado accidentalmente? Ejecute 'shutdown /a' para cancelar.
+Consejo: ¿activado accidentalmente? Ejecute 'shutdown /a' para cancelar.
Pone la máquina a dormir.
@@ -1408,7 +1408,7 @@ Recuerde cambiar también el puerto de su regla de firewall.
Consulte los registros de HASS.Agent (no el servicio) para obtener más información.
- El servicio está configurado como 'deshabilitado', por lo que no se puede iniciar.
+ El servicio está configurado como 'deshabilitado', por lo que no se puede iniciar.
Habilite primero el servicio y luego inténtelo de nuevo.
@@ -1583,7 +1583,7 @@ Deje vacío para permitir que todos se conecten.
Este es el nombre con el que el servicio satelital se registra en Home Assistant.
-De manera predeterminada, es el nombre de su PC más '-satélite'.
+De manera predeterminada, es el nombre de su PC más '-satélite'.
La cantidad de tiempo que esperará el servicio satelital antes de informar una conexión perdida al intermediario MQTT.
@@ -1665,12 +1665,12 @@ Por favor, consulte los registros para obtener más información.
Ya hay un comando con ese nombre. Estás seguro de que quieres continuar?
- Si no ingresa un comando, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant. Ejecutarlo como está no hará nada.
+ Si no ingresa un comando, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant. Ejecutarlo como está no hará nada.
¿Estás seguro de que quieres esto?
- Si no ingresa un comando o secuencia de comandos, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant. Ejecutarlo como está no hará nada.
+ Si no ingresa un comando o secuencia de comandos, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant. Ejecutarlo como está no hará nada.
¿Estás seguro de que quieres esto?
@@ -1681,7 +1681,7 @@ Por favor, consulte los registros para obtener más información.
No se han podido comprobar las claves: {0}
- Si no ingresa una URL, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant. Ejecutarlo como está no hará nada.
+ Si no ingresa una URL, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant. Ejecutarlo como está no hará nada.
¿Estás seguro de que quieres esto?
@@ -1726,10 +1726,10 @@ configure un ejecutor o su comando no se ejecutará
Eso significa que solo podrá guardar y modificar archivos en ciertas ubicaciones,
- como la carpeta '%USERPROFILE%\AppData\LocalLow' o
+ como la carpeta '%USERPROFILE%\AppData\LocalLow' o
- la clave de registro 'HKEY_CURRENT_USER\Software\AppDataLow'.
+ la clave de registro 'HKEY_CURRENT_USER\Software\AppDataLow'.
Debe probar su comando para asegurarse de que no esté influenciado por esto.
@@ -1846,7 +1846,7 @@ Todos sus sensores y comandos serán ahora despublicados, y HASS.Agent se reinic
No se preocupe, mantendrán sus nombres actuales, por lo que sus automatizaciones o scripts seguirán funcionando.
-Nota: el nombre será 'saneado', lo que significa que todo, excepto las letras, los dígitos y los espacios en blanco, será reemplazado por un guión bajo. Esto es requerido por HA.
+Nota: el nombre será 'saneado', lo que significa que todo, excepto las letras, los dígitos y los espacios en blanco, será reemplazado por un guión bajo. Esto es requerido por HA.
Ha cambiado el puerto de la API local. Este nuevo puerto necesita ser reservado.
@@ -1876,7 +1876,7 @@ Reinicie manualmente.
Algo ha ido mal al cargar la configuración.
-Compruebe el archivo appsettings.json en la subcarpeta "config" o elimínelo para empezar de cero.
+Compruebe el archivo appsettings.json en la subcarpeta "config" o elimínelo para empezar de cero.
Se ha producido un error al lanzar HASS.Agent.
@@ -2029,7 +2029,7 @@ Asegúrese de que no se esté ejecutando ninguna otra instancia de HASS.Agent y
Brinda información sobre varios aspectos del audio de su dispositivo:
-Nivel de volumen máximo actual (se puede usar como un simple valor de "se está reproduciendo algo").
+Nivel de volumen máximo actual (se puede usar como un simple valor de "se está reproduciendo algo").
Dispositivo de audio predeterminado: nombre, estado y volumen.
@@ -2067,7 +2067,7 @@ Actualmente toma el volumen de su dispositivo predeterminado.
Proporciona un valor de fecha y hora que contiene el último momento en que el sistema (re)arrancó.
-Importante: la opción FastBoot de Windows puede descartar este valor, porque es una forma de hibernación. Puede deshabilitarlo a través de Opciones de energía -> 'Elegir lo que hacen los botones de encendido' -> desmarque 'Activar inicio rápido'. No hace mucha diferencia para las máquinas modernas con SSD, pero la desactivación asegura que obtenga un estado limpio después de reiniciar.
+Importante: la opción FastBoot de Windows puede descartar este valor, porque es una forma de hibernación. Puede deshabilitarlo a través de Opciones de energía -> 'Elegir lo que hacen los botones de encendido' -> desmarque 'Activar inicio rápido'. No hace mucha diferencia para las máquinas modernas con SSD, pero la desactivación asegura que obtenga un estado limpio después de reiniciar.
Proporciona el último cambio de estado del sistema:
@@ -2107,7 +2107,7 @@ Categoría: Procesador
Contador: % de tiempo de procesador
Instancia: _Total
-Puede explorar los contadores a través de la herramienta 'perfmon.exe' de Windows.
+Puede explorar los contadores a través de la herramienta 'perfmon.exe' de Windows.
Proporciona el número de instancias activas del proceso.
@@ -2116,7 +2116,7 @@ Puede explorar los contadores a través de la herramienta 'perfmon.exe&apos
Devuelve el estado del servicio proporcionado: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending o Paused.
-Asegúrese de proporcionar el 'Nombre del servicio', no el 'Nombre para mostrar'.
+Asegúrese de proporcionar el 'Nombre del servicio', no el 'Nombre para mostrar'.
Proporciona el estado actual de la sesión:
@@ -2594,7 +2594,7 @@ Sugerencia: asegúrese de no haber cambiado el alcance y los campos de consulta.
Aplicación iniciada
- Puede usar el servicio satelital para ejecutar sensores y comandos sin tener que iniciar sesión. No todos los tipos están disponibles, por ejemplo, el comando 'LaunchUrl' solo se puede agregar como un comando normal.
+ Puede usar el servicio satelital para ejecutar sensores y comandos sin tener que iniciar sesión. No todos los tipos están disponibles, por ejemplo, el comando 'LaunchUrl' solo se puede agregar como un comando normal.
último valor conocido
@@ -2613,7 +2613,7 @@ Asegúrese de que no se esté ejecutando ninguna otra instancia de HASS.Agent y
Muestra una ventana con la URL proporcionada.
-Esto difiere del comando 'LaunchUrl' en que no carga un navegador completo, solo la URL provista en su propia ventana.
+Esto difiere del comando 'LaunchUrl' en que no carga un navegador completo, solo la URL provista en su propia ventana.
Puede usar esto para, por ejemplo, mostrar rápidamente el panel de Home Assistant.
@@ -2627,10 +2627,10 @@ De forma predeterminada, almacena cookies de forma indefinida, por lo que solo t
Si la aplicación está minimizada, se restaurará.
-Ejemplo: si desea enviar VLC al primer plano, use 'vlc'.
+Ejemplo: si desea enviar VLC al primer plano, use 'vlc'.
- Si no configura el comando, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant y se mostrará con la configuración predeterminada. Ejecutarlo como está no hará nada.
+ Si no configura el comando, solo puede usar esta entidad con un valor de 'acción' a través de Home Assistant y se mostrará con la configuración predeterminada. Ejecutarlo como está no hará nada.
¿Estás seguro de que quieres esto?
@@ -2764,10 +2764,10 @@ Nota: esto no es necesario para que la nueva integración funcione. Sólo actív
Icono de bandeja
- Se sabe que su idioma de entrada '{0}' colisiona con la tecla de acceso directo predeterminada CTRL-ALT-Q. Establezca el suyo propio.
+ Se sabe que su idioma de entrada '{0}' colisiona con la tecla de acceso directo predeterminada CTRL-ALT-Q. Establezca el suyo propio.
- Su idioma de entrada '{0}' es desconocido y podría colisionar con la tecla de acceso directo predeterminada CTRL-ALT-Q. Por favor verifique para estar seguro. Si es así, considere abrir un ticket en GitHub para que pueda agregarse a la lista.
+ Su idioma de entrada '{0}' es desconocido y podría colisionar con la tecla de acceso directo predeterminada CTRL-ALT-Q. Por favor verifique para estar seguro. Si es así, considere abrir un ticket en GitHub para que pueda agregarse a la lista.
no se encontraron llaves
@@ -2779,7 +2779,7 @@ Nota: esto no es necesario para que la nueva integración funcione. Sólo actív
error al analizar las claves, verifique el registro para obtener más información
- el número de corchetes '[' no corresponde a los ']' ({0} a {1})
+ el número de corchetes '[' no corresponde a los ']' ({0} a {1})
Documentación
@@ -2881,7 +2881,7 @@ El nombre final es: {0}
Talla
- consejo: presione 'esc' para cerrar una vista web
+ consejo: presione 'esc' para cerrar una vista web
&URL
@@ -2988,7 +2988,7 @@ Nota: deshabilitó el saneamiento, así que asegúrese de que Home Assistant ace
Comando
- Si no introduce un valor de volumen, sólo podrá usar esta entidad con un valor de "acción" a través del Asistente de Inicio. Ejecutarlo tal cual no hará nada.
+ Si no introduce un valor de volumen, sólo podrá usar esta entidad con un valor de "acción" a través del Asistente de Inicio. Ejecutarlo tal cual no hará nada.
¿Está seguro de que quiere esto?
@@ -3006,7 +3006,7 @@ Debería contener tres secciones (separadas por dos puntos).
¿Está seguro de que quiere usarlo así?
- Su URI no parece correcta. Debería ser algo como 'http://homeassistant.local:8123' o 'http://192.168.0.1:8123'.
+ Su URI no parece correcta. Debería ser algo como 'http://homeassistant.local:8123' o 'http://192.168.0.1:8123'.
¿Está seguro de que quiere usarlo así?
@@ -3034,7 +3034,7 @@ Debería contener tres secciones (separadas por dos puntos).
Asegúrese primero de tenerlo en funcionamiento.
- Si quiere gestionar el servicio (añadir comandos y sensores, cambiar la configuración) puede hacerlo aquí, o usando el botón "servicio de satélite" en la ventana principal.
+ Si quiere gestionar el servicio (añadir comandos y sensores, cambiar la configuración) puede hacerlo aquí, o usando el botón "servicio de satélite" en la ventana principal.
mostrar el menú predeterminado al hacer clic con el botón izquierdo del ratón
@@ -3046,12 +3046,12 @@ Debería contener tres secciones (separadas por dos puntos).
¿Está seguro de que quiere usarlo así?
- Su URI del Asistente de Inicio no se ve bien. Debería ser algo como 'http://homeassistant.local:8123' o 'https://192.168.0.1:8123'.
+ Su URI del Asistente de Inicio no se ve bien. Debería ser algo como 'http://homeassistant.local:8123' o 'https://192.168.0.1:8123'.
¿Está seguro de que quiere usarlo así?
- Su URI del broker MQTT no parece correcta. Debería ser algo como 'homeassistant.local' o '192.168.0.1'.
+ Su URI del broker MQTT no parece correcta. Debería ser algo como 'homeassistant.local' o '192.168.0.1'.
¿Está seguro de que quiere usarlo así?
@@ -3084,7 +3084,7 @@ Debería contener tres secciones (separadas por dos puntos).
¿Está seguro de que quiere usarlo así?
- Su URI no parece correcto. Debería ser algo como 'http://homeassistant.local:8123' o 'http://192.168.0.1:8123'.
+ Su URI no parece correcto. Debería ser algo como 'http://homeassistant.local:8123' o 'http://192.168.0.1:8123'.
¿Está seguro de que quiere usarlo así?
@@ -3123,7 +3123,7 @@ Sólo muestra los dispositivos que fueron vistos desde el último informe, es de
Asegúrese de que los servicios de localización de Windows están activados.
-Dependiendo de su versión de Windows, esto se puede encontrar en el nuevo panel de control -> 'privacidad y seguridad' -> 'ubicación'.
+Dependiendo de su versión de Windows, esto se puede encontrar en el nuevo panel de control -> 'privacidad y seguridad' -> 'ubicación'.
Proporciona el nombre del proceso que está usando actualmente el micrófono.
@@ -3219,4 +3219,10 @@ Oculta, Maximizada, Minimizada, Normal y Desconocida.
domain
+
+ Activa el escritorio virtual proporcionado.
+
+
+ Proporciona el ID del escritorio virtual actualmente activo.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.fr.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.fr.resx
index 3d41353d..46a10228 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.fr.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.fr.resx
@@ -124,24 +124,24 @@
Nom du navigateur
- Par défaut, HASS.Agent lancera les URL à l'aide de votre navigateur par défaut. Si vous le souhaitez, vous pouvez également configurer un navigateur spécifique. De plus, vous pouvez configurer les arguments utilisés pour lancer
+ Par défaut, HASS.Agent lancera les URL à l'aide de votre navigateur par défaut. Si vous le souhaitez, vous pouvez également configurer un navigateur spécifique. De plus, vous pouvez configurer les arguments utilisés pour lancer
en mode privé.
Exécutable du navigateur
- Lancer avec l'argument incognito
+ Lancer avec l'argument incognito
- Binaire de l'exécuteur personnalisé
+ Binaire de l'exécuteur personnalisé
Vous pouvez configurer HASS.Agent pour utiliser un exécuteur spécifique, comme perl ou python.
-Utilisez la commande 'exécuteur personnalisé' pour lancer cet exécuteur.
+Utilisez la commande 'exécuteur personnalisé' pour lancer cet exécuteur.
- Nom de l'exécuteur personnalisé
+ Nom de l'exécuteur personnalisé
Conseil : double-cliquez pour parcourir
@@ -150,7 +150,7 @@ Utilisez la commande 'exécuteur personnalisé' pour lancer cet exécu
&test
- HASS.Agent attendra un moment avant de vous avertir des déconnexions de MQTT ou de l'API HA.
+ HASS.Agent attendra un moment avant de vous avertir des déconnexions de MQTT ou de l'API HA.
Vous pouvez définir le nombre de secondes ici.
@@ -160,18 +160,18 @@ Vous pouvez définir le nombre de secondes ici.
Délai avant déconnection
- Important : si vous modifiez cette valeur, HASS.Agent dépubliera tous vos capteurs et commandes et forcera un redémarrage de lui-même, afin qu'ils puissent être republiés sous le nouveau nom de l'appareil.
+ Important : si vous modifiez cette valeur, HASS.Agent dépubliera tous vos capteurs et commandes et forcera un redémarrage de lui-même, afin qu'ils puissent être republiés sous le nouveau nom de l'appareil.
Vos automatisations et scripts continueront de fonctionner.
- Le nom de l'appareil est utilisé pour identifier votre machine sur HA.
+ Le nom de l'appareil est utilisé pour identifier votre machine sur HA.
Il est également utilisé comme préfixe pour vos noms de commande/capteur (peut être modifié par entité).
Cette page contient les paramètres généraux. Plus de paramètres dans les onglets sur la gauche.
- Nom de l'appareil
+ Nom de l'appareil
Conseil : double-cliquez sur ce champ pour parcourir
@@ -186,11 +186,11 @@ Il est également utilisé comme préfixe pour vos noms de commande/capteur (peu
Tester la connexion
- Pour connaître les entités que vous avez configurées et envoyer des actions rapides, HASS.Agent utilise l'API de Home Assistant.
+ Pour connaître les entités que vous avez configurées et envoyer des actions rapides, HASS.Agent utilise l'API de Home Assistant.
-Veuillez fournir un jeton d'accès de longue durée et l'adresse de votre instance Home Assistant.
+Veuillez fournir un jeton d'accès de longue durée et l'adresse de votre instance Home Assistant.
-Vous pouvez obtenir un jeton via votre page de profil. Faites défiler vers le bas et cliquez sur "CRÉER UN JETON".
+Vous pouvez obtenir un jeton via votre page de profil. Faites défiler vers le bas et cliquez sur "CRÉER UN JETON".
Fuzzy
@@ -203,7 +203,7 @@ Vous pouvez obtenir un jeton via votre page de profil. Faites défiler vers le b
Effacer
- Un moyen simple d'afficher vos actions rapides consiste à utiliser un raccourci clavier global.
+ Un moyen simple d'afficher vos actions rapides consiste à utiliser un raccourci clavier global.
De cette façon, quoi que vous fassiez sur votre machine, vous pouvez toujours interagir avec Home Assistant.
@@ -214,24 +214,24 @@ De cette façon, quoi que vous fassiez sur votre machine, vous pouvez toujours i
Combinaison du raccourcis clavier
- Effacer le cache d'image
+ Effacer le cache d'image
Ouvrir le dossier
- Emplacement du cache d'images
+ Emplacement du cache d'images
Jours
Les images affichées dans les notifications doivent être temporairement stockées localement. Vous pouvez configurer le nombre de
-jours de conservation avant que HASS.Agent ne les supprimes. Entrez '0' pour les conserver en permanence.
+jours de conservation avant que HASS.Agent ne les supprimes. Entrez '0' pour les conserver en permanence.
Fuzzy
- Les logs étendus fournit un log plus détaillée et plus approfondie, au cas où celle par défaut ne serait pas suffisante. Veuillez noter que l'activation de cette option peut entraîner une augmentation de la taille des fichiers journaux et doit être utilisé seulement lorsque vous soupçonnez que quelque chose ne va pas avec HASS.Agent lui-même ou lorsque demandé par le développeurs.
+ Les logs étendus fournit un log plus détaillée et plus approfondie, au cas où celle par défaut ne serait pas suffisante. Veuillez noter que l'activation de cette option peut entraîner une augmentation de la taille des fichiers journaux et doit être utilisé seulement lorsque vous soupçonnez que quelque chose ne va pas avec HASS.Agent lui-même ou lorsque demandé par le développeurs.
Fuzzy
@@ -259,11 +259,11 @@ jours de conservation avant que HASS.Agent ne les supprimes. Entrez '0&apos
Effacer les paramètres
- (Laisser vide si vous n'êtes pas sûr)
+ (Laisser vide si vous n'êtes pas sûr)
- Les commandes et les capteurs sont envoyés via MQTT. Veuillez fournir les informations d'identification de votre serveur. Si
-vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse prédéfinie.
+ Les commandes et les capteurs sont envoyés via MQTT. Veuillez fournir les informations d'identification de votre serveur. Si
+vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse prédéfinie.
Fuzzy
@@ -279,7 +279,7 @@ vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse
Port
- IP ou nom d'hôte du broker
+ IP ou nom d'hôte du broker
(Laisser vide pour aléatoire)
@@ -288,9 +288,9 @@ vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse
ID du client
- Si quelque chose ne fonctionne pas, assurez-vous d'avoir suivi ces étapes :
+ Si quelque chose ne fonctionne pas, assurez-vous d'avoir suivi ces étapes :
-- Installer l'intégration HASS.Agent-Notifier
+- Installer l'intégration HASS.Agent-Notifier
- Redémarrez Home Assistant
- Configurer une entité de notification
- Redémarrez Home Assistant
@@ -320,7 +320,7 @@ vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse
Le Service Windows vous permet de lancer capteurs et commandes même sans utilisateur connecté.
-Utiliser le bouton 'Service Windows' sur la fenêtre principale pour le gérer.
+Utiliser le bouton 'Service Windows' sur la fenêtre principale pour le gérer.
Statuts du service
@@ -346,11 +346,11 @@ Utiliser le bouton 'Service Windows' sur la fenêtre principale pour l
Si vous ne le configurez pas, il ne fera rien. Cependant, vous pouvez le désactiver quand même.
-L'installateur laissera le service désactivé seul (si vous désinstallez le service, l'installateur le réinstallera).
+L'installateur laissera le service désactivé seul (si vous désinstallez le service, l'installateur le réinstallera).
Fuzzy
- Vous pouvez essayer de réinstaller le service s'il ne fonctionne pas correctement.
+ Vous pouvez essayer de réinstaller le service s'il ne fonctionne pas correctement.
Vos paramètres et vos entités ne seront pas supprimées.
@@ -358,7 +358,7 @@ Vos paramètres et vos entités ne seront pas supprimées.
Fuzzy
- Si le service continue d'échouer après réinstallation,
+ Si le service continue d'échouer après réinstallation,
veuillez ouvrir un ticket et envoyer le contenu du dernier journal.
@@ -367,7 +367,7 @@ veuillez ouvrir un ticket et envoyer le contenu du dernier journal.
HASS.Agent étant basé sur un utilisateur, si vous voulez le lancer pour un autre utilisateur, installez et configurez HASS.Agent sur celui-ci.
- Activer le démarrage à l'ouverture de session
+ Activer le démarrage à l'ouverture de session
Statut du démarrage auto :
@@ -377,8 +377,8 @@ HASS.Agent étant basé sur un utilisateur, si vous voulez le lancer pour un aut
Fuzzy
- Lorsqu'il y a une mise à jour, HASS.Agent vous proposera l'option d'ouvrir la page de version.
-Mais si vous voulez HASS.Agent peut également télécharger et lancer l'installateur pour vous - encore moins de choses à faire !
+ Lorsqu'il y a une mise à jour, HASS.Agent vous proposera l'option d'ouvrir la page de version.
+Mais si vous voulez HASS.Agent peut également télécharger et lancer l'installateur pour vous - encore moins de choses à faire !
Le fichier de certificat de téléchargement sera vérifié avant exécution.
Fuzzy
@@ -389,24 +389,24 @@ Le fichier de certificat de téléchargement sera vérifié avant exécution.
Si vous le souhaitez, HASS.Agent peut vérifier les mises à jour en arrière-plan.
-Vous recevrez une notification (une fois par mise à jour), vous informant qu'une nouvelle version est prête à être installée.
+Vous recevrez une notification (une fois par mise à jour), vous informant qu'une nouvelle version est prête à être installée.
- Me notifier lors de la présence d'une nouvelle version
+ Me notifier lors de la présence d'une nouvelle version
Fuzzy
Il semble que ce soit la première fois que vous lanciez HASS.Agent.
Pour vous aider lors de la première configuration, suivez les étapes de configuration ci-dessous
-ou bien, cliquez sur 'Fermer'.
+ou bien, cliquez sur 'Fermer'.
- Le nom de l'appareil est utilisé pour identifier votre machine sur HA.
+ Le nom de l'appareil est utilisé pour identifier votre machine sur HA.
Il est également utilisé comme préfixe suggéré pour vos commandes et capteurs.
- Nom de l'appareil
+ Nom de l'appareil
Fuzzy
@@ -418,10 +418,10 @@ Il est également utilisé comme préfixe suggéré pour vos commandes et capteu
Vous pouvez toujours supprimer (ou recréer) cette clé via la fenêtre de Paramètres.
- Une seconde, détermination de l'état actuel ..
+ Une seconde, détermination de l'état actuel ..
- Remarque : 5115 est le port par défaut, ne le modifiez que si vous l'avez modifié dans Home Assistant.
+ Remarque : 5115 est le port par défaut, ne le modifiez que si vous l'avez modifié dans Home Assistant.
Oui, accepter les notifications sur le port
@@ -435,17 +435,17 @@ Voulez-vous activer cette fonction ?
Page GitHub HASS.Agent-Notifier
- Assurez-vous d'avoir suivi ces étapes :
+ Assurez-vous d'avoir suivi ces étapes :
-- Installer l'intégration HASS.Agent-Notifier
+- Installer l'intégration HASS.Agent-Notifier
- Redémarrez Home Assistant
- Configurer une entité de notification
- Redémarrez Home Assistant
- Pour utiliser les notifications, vous devez installer et configurer l'intégration HASS.Agent-notifier dans Home Assistant.
+ Pour utiliser les notifications, vous devez installer et configurer l'intégration HASS.Agent-notifier dans Home Assistant.
-C'est très facile avec HACS, mais vous pouvez également l'installer manuellement. Visitez le lien ci-dessous pour plus
+C'est très facile avec HACS, mais vous pouvez également l'installer manuellement. Visitez le lien ci-dessous pour plus
informations.
@@ -459,8 +459,8 @@ informations.
Pour connaître les entités que vous avez configurées et envoyer des actions rapides, HASS.Agent utilise
API de Home Assistant.
-Veuillez fournir un jeton d'accès de longue durée et l'adresse de votre instance Home Assistant.
-Vous pouvez obtenir un jeton via votre page de profil. Faites défiler vers le bas et cliquez sur "CRÉER UN JETON".
+Veuillez fournir un jeton d'accès de longue durée et l'adresse de votre instance Home Assistant.
+Vous pouvez obtenir un jeton via votre page de profil. Faites défiler vers le bas et cliquez sur "CRÉER UN JETON".
Fuzzy
@@ -474,26 +474,26 @@ Vous pouvez obtenir un jeton via votre page de profil. Faites défiler vers le b
Mot de passe
- Nom d'utilisateur
+ Nom d'utilisateur
Port
- IP ou nom d'hôte
+ IP ou nom d'hôte
- Les commandes et les capteurs sont envoyés via MQTT. Veuillez fournir les informations d'identification de votre serveur.
-Si vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse prédéfinie.
+ Les commandes et les capteurs sont envoyés via MQTT. Veuillez fournir les informations d'identification de votre serveur.
+Si vous utilisez l'addon HA, vous pouvez probablement utiliser l'adresse prédéfinie.
-Laissez vide si vous n'utilisez pas de commandes et de capteurs.
+Laissez vide si vous n'utilisez pas de commandes et de capteurs.
Fuzzy
Préfixe de découverte
- (laisser par défaut si vous n'êtes pas sûr)
+ (laisser par défaut si vous n'êtes pas sûr)
Astuce : des paramètres spécialisés peuvent être trouvés dans la fenêtre Paramètres.
@@ -502,7 +502,7 @@ Laissez vide si vous n'utilisez pas de commandes et de capteurs.
Combinaison de touches
- Un moyen simple d'afficher vos actions rapides consiste à utiliser un raccourci clavier global.
+ Un moyen simple d'afficher vos actions rapides consiste à utiliser un raccourci clavier global.
De cette façon, quoi que vous fassiez sur votre machine, vous pouvez toujours interagir avec Home Assistant.
@@ -512,7 +512,7 @@ De cette façon, quoi que vous fassiez sur votre machine, vous pouvez toujours i
Si vous le souhaitez, HASS.Agent peut vérifier les mises à jour en arrière-plan.
-Vous recevrez une notification (une fois par mise à jour) , vous informant qu'une nouvelle version est prête à être installée.
+Vous recevrez une notification (une fois par mise à jour) , vous informant qu'une nouvelle version est prête à être installée.
Voulez-vous activer cette fonctionnalité ?
Fuzzy
@@ -521,23 +521,23 @@ Voulez-vous activer cette fonctionnalité ?
Oui, informez moi des nouvelles mises à jour
- Oui, téléchargez et lancez l'installation pour moi
+ Oui, téléchargez et lancez l'installation pour moi
- Lorsqu'il y a une mise à jour, HASS.Agent offre la possibilité d'ouvrir la page de publication. Mais si vous
-voulez, HASS.Agent peut également télécharger et lancer le programme d'installation pour vous - encore moins à faire !
+ Lorsqu'il y a une mise à jour, HASS.Agent offre la possibilité d'ouvrir la page de publication. Mais si vous
+voulez, HASS.Agent peut également télécharger et lancer le programme d'installation pour vous - encore moins à faire !
-Le certificat du fichier téléchargé sera vérifié. Vous verrez toujours une page avec les notes de version, et vous devrez toujours approuver manuellement - rien n'est fait sans votre consentement.
+Le certificat du fichier téléchargé sera vérifié. Vous verrez toujours une page avec les notes de version, et vous devrez toujours approuver manuellement - rien n'est fait sans votre consentement.
Fuzzy
Page GitHub HASS.Agent
- Astuce : il y a beaucoup plus à tripatouiller, alors assurez-vous de jeter un coup d'œil à la fenêtre de Paramètres !
+ Astuce : il y a beaucoup plus à tripatouiller, alors assurez-vous de jeter un coup d'œil à la fenêtre de Paramètres !
-Merci d'utiliser HASS.Agent, j'espère que cela vous sera utile :-)
+Merci d'utiliser HASS.Agent, j'espère que cela vous sera utile :-)
Fuzzy
@@ -583,7 +583,7 @@ Merci d'utiliser HASS.Agent, j'espère que cela vous sera utile :-)Se connectez au service
- Connexion avec le Service Windows, un instant s'il vous plaît ..
+ Connexion avec le Service Windows, un instant s'il vous plaît ..
Récupérer les paramètres
@@ -596,7 +596,7 @@ Merci d'utiliser HASS.Agent, j'espère que cela vous sera utile :-)Fuzzy
- Nom de l'appareil
+ Nom de l'appareil
Astuce : double-cliquez pour parcourir
@@ -650,11 +650,11 @@ Merci d'utiliser HASS.Agent, j'espère que cela vous sera utile :-)Effacer les paramètres
- (laisser par défaut si vous n'êtes pas sûr)
+ (laisser par défaut si vous n'êtes pas sûr)
- Les commandes et les capteurs sont envoyés via MQTT. Veuillez fournir les informations d'identification de votre serveur. Si vous utilisez l'addon HA,
-vous pouvez probablement utiliser l'adresse prédéfinie.
+ Les commandes et les capteurs sont envoyés via MQTT. Veuillez fournir les informations d'identification de votre serveur. Si vous utilisez l'addon HA,
+vous pouvez probablement utiliser l'adresse prédéfinie.
Préfixe de découverte
@@ -663,13 +663,13 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Mot de passe
- Nom d'utilisateur
+ Nom d'utilisateur
Port
- Adresse IP ou nom d'hôte du broker
+ Adresse IP ou nom d'hôte du broker
Envoyer et activer la configuration
@@ -738,7 +738,7 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Veuillez patienter un peu pendant que HASS.Agent redémarre ..
- En attente de la fermeture de l'instance précédente
+ En attente de la fermeture de l'instance précédente
Relancer HASS.Agent
@@ -771,7 +771,7 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Fermer
- Voici le topic MQTT sur lequel vous pouvez publier des commandes d'action :
+ Voici le topic MQTT sur lequel vous pouvez publier des commandes d'action :
Copier dans le presse papier
@@ -780,7 +780,7 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Aide et exemples
- Topic d'Action MQTT
+ Topic d'Action MQTT
Supprimer
@@ -823,10 +823,10 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Description
- Exécuter en 'faible intégrité'
+ Exécuter en 'faible intégrité'
- Qu'est ce que c'est ?
+ Qu'est ce que c'est ?
type
@@ -844,10 +844,10 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
hass.agent seulement !
- Type d'entité
+ Type d'entité
- Afficher le topic d'action MQTT
+ Afficher le topic d'action MQTT
Action
@@ -899,7 +899,7 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Configuration des actions rapides
- Enregistrer l'action rapide
+ Enregistrer l'action rapide
Domaine
@@ -924,7 +924,7 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
Combinaison de raccourcis
- (optionnel, sera utilisé à la place du nom de l'entité)
+ (optionnel, sera utilisé à la place du nom de l'entité)
Action Rapide
@@ -1027,11 +1027,11 @@ vous pouvez probablement utiliser l'adresse prédéfinie.
composants utilisés pour leurs licences individuelles :
- Un grand 'merci' aux développeurs de ces projets, qui ont eu la gentillesse de partager
-leurs travails acharnés avec le reste d'entre nous, simples mortels.
+ Un grand 'merci' aux développeurs de ces projets, qui ont eu la gentillesse de partager
+leurs travails acharnés avec le reste d'entre nous, simples mortels.
- Et bien sûr; merci à Paulus Shoutsen et à toute l'équipe de développeurs qui
+ Et bien sûr; merci à Paulus Shoutsen et à toute l'équipe de développeurs qui
ont créé et maintiennent Home Assistant :-)
@@ -1050,7 +1050,7 @@ ont créé et maintiennent Home Assistant :-)
Outils Externes
- API d'Home Assistant
+ API d'Home Assistant
Raccourcis
@@ -1111,7 +1111,7 @@ ont créé et maintiennent Home Assistant :-)
fermer
- Vous êtes bloqué lors de l'utilisation de HASS.Agent, vous avez besoin d'aide pour intégrer les capteurs/commandes ou vous avez une idée géniale pour la prochaine version ?
+ Vous êtes bloqué lors de l'utilisation de HASS.Agent, vous avez besoin d'aide pour intégrer les capteurs/commandes ou vous avez une idée géniale pour la prochaine version ?
Il existe plusieurs canaux par lesquels vous pouvez nous joindre :
@@ -1125,13 +1125,13 @@ Il existe plusieurs canaux par lesquels vous pouvez nous joindre :
tickets GitHub
- Un peu de tout, avec en plus l'aide d'autres utilisateurs HA.
+ Un peu de tout, avec en plus l'aide d'autres utilisateurs HA.
Signaler des bugs, demande de fonctionnalités, idées, astuces, ..
- Obtenir de l'aide sur le paramétrage et l'utilisation de HASS.Agent, signaler des problèmes ou juste parler de différents sujets.
+ Obtenir de l'aide sur le paramétrage et l'utilisation de HASS.Agent, signaler des problèmes ou juste parler de différents sujets.
Documentation et exemples.
@@ -1214,7 +1214,7 @@ Il existe plusieurs canaux par lesquels vous pouvez nous joindre :
Actions rapides :
- API d'home assistant :
+ API d'home assistant :
API de notification :
@@ -1235,7 +1235,7 @@ Il existe plusieurs canaux par lesquels vous pouvez nous joindre :
HASS.Agent Onboarding
- une seconde, collecte d'infos ..
+ une seconde, collecte d'infos ..
Il y a une nouvelle version disponible :
@@ -1250,19 +1250,19 @@ Il existe plusieurs canaux par lesquels vous pouvez nous joindre :
page des mises à jour
- Mise à jour d'HASS.Agent
+ Mise à jour d'HASS.Agent
Exécutez une commande personnalisée.
-Ces commandes s'exécutent sans droits spéciaux. Pour exécuter en temps qu'administrateur, créez une tâche planifiée et utilisez la ligne de commande 'schtasks /Run /TN "TaskName"' exécuter votre tâche.
+Ces commandes s'exécutent sans droits spéciaux. Pour exécuter en temps qu'administrateur, créez une tâche planifiée et utilisez la ligne de commande 'schtasks /Run /TN "TaskName"' exécuter votre tâche.
-Ou utilisez 'Exécuter avec une faible intégrité' pour une exécution encore plus stricte.
+Ou utilisez 'Exécuter avec une faible intégrité' pour une exécution encore plus stricte.
Lancer la commande via le programme personnalisé défini (dans Paramètres -> Outils Externes).
-Votre commande est passée en tant qu'argument 'tel quel', vous devez donc fournir vos propres guillemets, etc. si nécessaire.
+Votre commande est passée en tant qu'argument 'tel quel', vous devez donc fournir vos propres guillemets, etc. si nécessaire.
Mettre Windows en veille prolongée
@@ -1270,16 +1270,16 @@ Votre commande est passée en tant qu'argument 'tel quel', vous d
Simule un appui sur une touche de clavier.
-Cliquez sur la zone de texte "Code de touche" et appuyez sur la touche que vous souhaitez simuler. Le code touche correspondant sera saisi pour vous.
+Cliquez sur la zone de texte "Code de touche" et appuyez sur la touche que vous souhaitez simuler. Le code touche correspondant sera saisi pour vous.
-Si vous avez besoin de plus de touches et/ou de combinaison tel que CTRL, utilisez la commande "Séries de touche et combinaisons".
+Si vous avez besoin de plus de touches et/ou de combinaison tel que CTRL, utilisez la commande "Séries de touche et combinaisons".
- Ouvre l'URL fournie, par défaut dans votre navigateur par défaut.
+ Ouvre l'URL fournie, par défaut dans votre navigateur par défaut.
-Pour utiliser le mode 'incognito', fournissez un navigateur spécifique dans Paramètres -> Outils externes.
+Pour utiliser le mode 'incognito', fournissez un navigateur spécifique dans Paramètres -> Outils externes.
-Si vous voulez juste une fenêtre avec une URL spécifique (pas le navigateur entier), utilisez une commande 'WebView'.
+Si vous voulez juste une fenêtre avec une URL spécifique (pas le navigateur entier), utilisez une commande 'WebView'.
Verrouiller la session.
@@ -1288,27 +1288,27 @@ Si vous voulez juste une fenêtre avec une URL spécifique (pas le navigateur en
Se déconnecter de la session.
- Simuler la touche 'mute'
+ Simuler la touche 'mute'
- Simuler la touche 'Media suivant'.
+ Simuler la touche 'Media suivant'.
- Simuler la touche 'lecture/pause du media'.
+ Simuler la touche 'lecture/pause du media'.
- Simuler la touche 'Media précédent'.
+ Simuler la touche 'Media précédent'.
- Simuler la touche 'Baisser le volume'.
+ Simuler la touche 'Baisser le volume'.
- Simuler la touche 'Augmenter le volume'.
+ Simuler la touche 'Augmenter le volume'.
- Simule l'appui de plusieurs touches.
+ Simule l'appui de plusieurs touches.
-Vous devez encadrer chaque touche ou combinaison de touches par des crochets [ ], sinon HASS.Agent ne peut pas les distinguer. Supposons que vous souhaitiez appuyer sur X, TAB, Y, et SHIFT-Z, ça s'écrirai [X] [{TAB}] [Y] [+Z].
+Vous devez encadrer chaque touche ou combinaison de touches par des crochets [ ], sinon HASS.Agent ne peut pas les distinguer. Supposons que vous souhaitiez appuyer sur X, TAB, Y, et SHIFT-Z, ça s'écrirai [X] [{TAB}] [Y] [+Z].
Il y a quelques astuces que vous pouvez utiliser :
@@ -1320,12 +1320,12 @@ Il y a quelques astuces que vous pouvez utiliser :
- Pour plusieurs appuis, utilisez {z 15}, ce qui signifie que Z sera appuyé 15 fois.
-Plus d'informations : https://docs.microsoft.com/en-us/dotnet/api/system.windows.forms.sendkeys
+Plus d'informations : https://docs.microsoft.com/en-us/dotnet/api/system.windows.forms.sendkeys
Exécutez une commande ou un script Powershell.
-Vous pouvez soit fournir l'emplacement d'un script (*.ps1), soit une seule ligne de commande.
+Vous pouvez soit fournir l'emplacement d'un script (*.ps1), soit une seule ligne de commande.
Cela fonctionnera sans droits particuliers.
@@ -1337,44 +1337,44 @@ Utile par exemple si vous souhaitez forcer HASS.Agent à mettre à jour tous vos
Redémarre la machine après une minute.
-Astuce : déclenché accidentellement ? Exécutez la commande 'shutdown /a' pour annuler.
+Astuce : déclenché accidentellement ? Exécutez la commande 'shutdown /a' pour annuler.
Arrête la machine après une minute.
-Astuce : déclenché accidentellement ? Exécutez 'shutdown /a' pour annuler.
+Astuce : déclenché accidentellement ? Exécutez 'shutdown /a' pour annuler.
Met la machine en veille.
-Remarque : en raison d'une limitation de Windows, cela ne fonctionne que si la veille prolongée est désactivée, sinon il se mettra en veille prolongée.
+Remarque : en raison d'une limitation de Windows, cela ne fonctionne que si la veille prolongée est désactivée, sinon il se mettra en veille prolongée.
Vous pouvez utiliser un outil tel que NirCmd (http://www.nirsoft.net/utils/nircmd.html) pour contourner le problème.
- Veuillez saisir l'emplacement de l'exécutable de votre navigateur (fichier .exe).
+ Veuillez saisir l'emplacement de l'exécutable de votre navigateur (fichier .exe).
- L'exécutable fourni est introuvable.
+ L'exécutable fourni est introuvable.
- Vous n'avez indiqué aucun argument de navigation privée, le navigateur se lancera donc probablement normalement.
+ Vous n'avez indiqué aucun argument de navigation privée, le navigateur se lancera donc probablement normalement.
Voulez-vous continuer?
- Une erreur s'est produite lors du lancement de votre navigateur en mode navigation privée.
+ Une erreur s'est produite lors du lancement de votre navigateur en mode navigation privée.
-Consultez les journaux pour plus d'informations.
+Consultez les journaux pour plus d'informations.
- Merci d'entrer une clef d'API valide.
+ Merci d'entrer une clef d'API valide.
- Merci d'entrer d'adresse de votre Home Assistant.
+ Merci d'entrer d'adresse de votre Home Assistant.
- Impossible de se connecter, l'erreur suivante a été renvoyée :
+ Impossible de se connecter, l'erreur suivante a été renvoyée :
{0}
@@ -1393,7 +1393,7 @@ Version de Home Assistant : {0}
Les notifications sont toujours désactivées. Veuillez les activer, redémarrer HASS.Agent et réessayer.
- La notification doit être apparue. Si ce n'est pas le cas, consultez les journaux ou lisez la documentation pour obtenir des conseils de dépannage.
+ La notification doit être apparue. Si ce n'est pas le cas, consultez les journaux ou lisez la documentation pour obtenir des conseils de dépannage.
Remarque : cela ne teste que localement si les notifications peuvent être affichées !
@@ -1401,14 +1401,14 @@ Remarque : cela ne teste que localement si les notifications peuvent être affic
Ceci est une notification de test.
- en cours d'exécution, veuillez patienter ..
+ en cours d'exécution, veuillez patienter ..
- Quelque chose s'est mal passé !
+ Quelque chose s'est mal passé !
Veuillez exécuter manuellement la commande. Elle a été copiée dans votre presse-papiers, il vous suffit de le coller dans une invite de commande avec droits administrateurs.
-N'oubliez pas de modifier également les règles de port du pare-feu.
+N'oubliez pas de modifier également les règles de port du pare-feu.
Non installé
@@ -1426,44 +1426,44 @@ N'oubliez pas de modifier également les règles de port du pare-feu.Echoué
- Une erreur s'est produite lors de la tentative d'arrêt du service. Avez-vous autorisé l'invite UAC ?
+ Une erreur s'est produite lors de la tentative d'arrêt du service. Avez-vous autorisé l'invite UAC ?
-Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
+Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
- Le service est défini sur 'désactivé', il ne peut donc pas être démarré.
+ Le service est défini sur 'désactivé', il ne peut donc pas être démarré.
-Veuillez d'abord activer le service, puis réessayer.
+Veuillez d'abord activer le service, puis réessayer.
- Une erreur s'est produite lors de la tentative de démarrage du service. Avez-vous autorisé l'invite UAC ?
+ Une erreur s'est produite lors de la tentative de démarrage du service. Avez-vous autorisé l'invite UAC ?
-Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
+Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
- Une erreur s'est produite lors de la tentative de désactivation du service. Avez-vous autorisé l'invite UAC ?
+ Une erreur s'est produite lors de la tentative de désactivation du service. Avez-vous autorisé l'invite UAC ?
-Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
+Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
- Une erreur s'est produite lors de la tentative d'activation du service. Avez-vous autorisé l'invite UAC ?
+ Une erreur s'est produite lors de la tentative d'activation du service. Avez-vous autorisé l'invite UAC ?
-Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
+Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
- Une erreur s'est produite lors de la tentative de réinstallation du service. Avez-vous autorisé l'invite UAC ?
+ Une erreur s'est produite lors de la tentative de réinstallation du service. Avez-vous autorisé l'invite UAC ?
-Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
+Consultez les journaux HASS.Agent (pas le service) pour plus d'informations.
- Une erreur s'est produite lors de la désactivation du démarrage à l'ouverture de session.
+ Une erreur s'est produite lors de la désactivation du démarrage à l'ouverture de session.
-Consultez les journaux pour plus d'informations.
+Consultez les journaux pour plus d'informations.
- Une erreur s'est produite lors de l'activation du démarrage à l'ouverture de session.
+ Une erreur s'est produite lors de l'activation du démarrage à l'ouverture de session.
-Consultez les journaux pour plus d'informations.
+Consultez les journaux pour plus d'informations.
Activé
@@ -1478,31 +1478,31 @@ Consultez les journaux pour plus d'informations.
Activer
- Démarrage à l'ouverture de session activé !
+ Démarrage à l'ouverture de session activé !
- Voulez-vous activer le lancement à l'ouverture de session maintenant ?
+ Voulez-vous activer le lancement à l'ouverture de session maintenant ?
- Le lancement à l'ouverture de session est activé !
+ Le lancement à l'ouverture de session est activé !
- Activation du lancement à l'ouverture de session, patientez ..
+ Activation du lancement à l'ouverture de session, patientez ..
- Une erreur s'est produite. Vous pouvez réessayer, ou passer à la page suivante et réessayer après le redémarrage de HASS.Agent.
+ Une erreur s'est produite. Vous pouvez réessayer, ou passer à la page suivante et réessayer après le redémarrage de HASS.Agent.
- Activer le lancement à l'ouverture de session
+ Activer le lancement à l'ouverture de session
Veuillez saisir une clé API valide.
- Veuillez saisir l'adresse de votre Home Assistant.
+ Veuillez saisir l'adresse de votre Home Assistant.
- Impossible de se connecter, l'erreur suivante a été renvoyée :
+ Impossible de se connecter, l'erreur suivante a été renvoyée :
{0}
@@ -1515,27 +1515,27 @@ Home Assistant version: {0}
test en cours ..
- Une erreur s'est produite lors de l'enregistrement des commandes, consultez les journaux pour plus d'informations.
+ Une erreur s'est produite lors de l'enregistrement des commandes, consultez les journaux pour plus d'informations.
Enregistrement et connexion, veuillez patienter ..
- Connexion avec le Service Windows, un instant s'il vous plaît ..
+ Connexion avec le Service Windows, un instant s'il vous plaît ..
La connexion au service a échoué
- Le service n'a pas été trouvé ! Vous pouvez l'installer et le gérer à partir du panneau de configuration.
+ Le service n'a pas été trouvé ! Vous pouvez l'installer et le gérer à partir du panneau de configuration.
-Lorsqu'il est opérationnel, revenez ici pour configurer les commandes et les capteurs.
+Lorsqu'il est opérationnel, revenez ici pour configurer les commandes et les capteurs.
La communication avec le service a échoué
- Impossible de communiquer avec le service. Consultez les journaux pour plus d'informations.
+ Impossible de communiquer avec le service. Consultez les journaux pour plus d'informations.
Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de paramètres.
@@ -1543,15 +1543,15 @@ Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de
Non autorisé
- Vous n'êtes pas autorisé à vous connecter au service.
+ Vous n'êtes pas autorisé à vous connecter au service.
-Si vous disposez d'un identifiant de connexion valide, vous pouvez le saisir maintenant et réessayer.
+Si vous disposez d'un identifiant de connexion valide, vous pouvez le saisir maintenant et réessayer.
La récupération des paramètres a échoué
- Le service a renvoyé une erreur lors de la récupération de ses paramètres. Consultez les journaux pour plus d'informations.
+ Le service a renvoyé une erreur lors de la récupération de ses paramètres. Consultez les journaux pour plus d'informations.
Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de paramètres.
@@ -1559,7 +1559,7 @@ Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de
La récupération des paramètres MQTT a échoué
- Le service a renvoyé une erreur lors de la récupération des paramètres MQTT. Consultez les journaux pour plus d'informations.
+ Le service a renvoyé une erreur lors de la récupération des paramètres MQTT. Consultez les journaux pour plus d'informations.
Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de paramètres.
@@ -1567,7 +1567,7 @@ Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de
La récupération des commandes configurées a échoué
- Le service a renvoyé une erreur lors de la récupération des commandes configurées. Consultez les journaux pour plus d'informations.
+ Le service a renvoyé une erreur lors de la récupération des commandes configurées. Consultez les journaux pour plus d'informations.
Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de paramètres.
@@ -1575,24 +1575,24 @@ Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de
La récupération des capteurs configurés a échoué
- Le service a renvoyé une erreur lors de la récupération des capteurs configurés. Consultez les journaux pour plus d'informations.
+ Le service a renvoyé une erreur lors de la récupération des capteurs configurés. Consultez les journaux pour plus d'informations.
Vous pouvez ouvrir les journaux et gérer le service à partir de la fenêtre de paramètres.
- La sauvegarde d'identifiant d'authentification vide permettra à tous les HASS.Agents d'accéder au serveur.
+ La sauvegarde d'identifiant d'authentification vide permettra à tous les HASS.Agents d'accéder au serveur.
Êtes-vous sûr de vouloir cela ?
Fuzzy
- Une erreur s'est produite lors de l'enregistrement, consultez les journaux pour plus d'informations.
+ Une erreur s'est produite lors de l'enregistrement, consultez les journaux pour plus d'informations.
- Veuillez d'abord saisir un nom d'appareil.
+ Veuillez d'abord saisir un nom d'appareil.
- Veuillez d'abord sélectionner un programme (astuce : double-cliquez pour parcourir).
+ Veuillez d'abord sélectionner un programme (astuce : double-cliquez pour parcourir).
Le programme sélectionné est introuvable. Veuillez en sélectionner un nouveau.
@@ -1605,41 +1605,41 @@ Seules les instances ayant le bon identifiant peuvent se connecter.
Laissez vide pour permettre à tous de se connecter.
- C'est le nom avec lequel le Service Windows s'enregistre sur Home Assistant.
+ C'est le nom avec lequel le Service Windows s'enregistre sur Home Assistant.
-Par défaut, c'est le nom de votre PC suivi de '-satellite'.
+Par défaut, c'est le nom de votre PC suivi de '-satellite'.
- Le délai qu'attendra le Service Windows avant de signaler une connexion perdue au broker MQTT.
+ Le délai qu'attendra le Service Windows avant de signaler une connexion perdue au broker MQTT.
- Erreur lors de la récupération de l'état, vérifier les journaux
+ Erreur lors de la récupération de l'état, vérifier les journaux
- Une erreur s'est produite lors de l'enregistrement de la configuration, consultez les journaux pour plus d'informations.
+ Une erreur s'est produite lors de l'enregistrement de la configuration, consultez les journaux pour plus d'informations.
enregistrement et connexion, veuillez patienter ..
- Une erreur s'est produite lors de l'enregistrement des capteurs, consultez les journaux pour plus d'informations.
+ Une erreur s'est produite lors de l'enregistrement des capteurs, consultez les journaux pour plus d'informations.
enregistrement et connexion, veuillez patienter ..
- Les étapes n'ont pas toutes été terminées avec succès. Veuillez consulter les journaux pour plus d'informations.
+ Les étapes n'ont pas toutes été terminées avec succès. Veuillez consulter les journaux pour plus d'informations.
- Les étapes n'ont pas toutes été terminées avec succès. Veuillez consulter les journaux pour plus d'informations.
+ Les étapes n'ont pas toutes été terminées avec succès. Veuillez consulter les journaux pour plus d'informations.
HASS.Agent est toujours actif après {0} secondes. Veuillez fermer toutes les instances et redémarrer manuellement.
-Consultez les journaux pour plus d'informations et informez éventuellement les développeurs.
+Consultez les journaux pour plus d'informations et informez éventuellement les développeurs.
- Toutes les étapes ne sont pas terminées avec succès. Veuillez consulter les logs pour plus d'informations.
+ Toutes les étapes ne sont pas terminées avec succès. Veuillez consulter les logs pour plus d'informations.
Activer le Service Windows
@@ -1654,9 +1654,9 @@ Consultez les journaux pour plus d'informations et informez éventuellement
Arrêter le Service Windows
- Une erreur s'est produite lors du changement d'état du service.
+ Une erreur s'est produite lors du changement d'état du service.
-Veuillez consulter les journaux pour plus d'informations.
+Veuillez consulter les journaux pour plus d'informations.
topic copié dans le presse-papier
@@ -1665,7 +1665,7 @@ Veuillez consulter les journaux pour plus d'informations.
enregistrement et connexion, veuillez patienter ..
- Une erreur s'est produite lors de l'enregistrement des commandes, consultez les logs pour plus d'informations.
+ Une erreur s'est produite lors de l'enregistrement des commandes, consultez les logs pour plus d'informations.
Nouvelle commande
@@ -1680,7 +1680,7 @@ Veuillez consulter les journaux pour plus d'informations.
Sélectionner un type de commande valide.
- Sélectionner un type d'entité valide.
+ Sélectionner un type d'entité valide.
Entrer un nom.
@@ -1689,12 +1689,12 @@ Veuillez consulter les journaux pour plus d'informations.
Il existe déjà une commande portant ce nom. Etes-vous sur de vouloir continuer?
- Si vous n'entrez pas de commande, vous ne pouvez utiliser cette entité qu'avec une valeur "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
+ Si vous n'entrez pas de commande, vous ne pouvez utiliser cette entité qu'avec une valeur "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
Êtes-vous sûr de vouloir cela ?
- Si vous n'entrez pas de commande ou de script, vous ne pouvez utiliser cette entité qu'avec une valeur "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
+ Si vous n'entrez pas de commande ou de script, vous ne pouvez utiliser cette entité qu'avec une valeur "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
Êtes-vous sûr de vouloir cela ?
@@ -1705,7 +1705,7 @@ Veuillez consulter les journaux pour plus d'informations.
La vérification des clés a échoué : {0}
- Si vous ne saisissez pas d'URL, vous ne pouvez utiliser cette entité qu'avec une valeur "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
+ Si vous ne saisissez pas d'URL, vous ne pouvez utiliser cette entité qu'avec une valeur "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
Êtes-vous sûr de vouloir cela ?
@@ -1748,46 +1748,46 @@ veuillez configurer un interpréteur de commandes ou votre commande ne fonctionn
Une faible intégrité signifie que votre commande sera exécutée avec des privilèges restreints.
- Cela signifie qu'il ne pourra enregistrer et modifier des fichiers qu'à certains endroits,
+ Cela signifie qu'il ne pourra enregistrer et modifier des fichiers qu'à certains endroits,
- comme le dossier '%USERPROFILE%\AppData\LocalLow' ou
+ comme le dossier '%USERPROFILE%\AppData\LocalLow' ou
- la clé de registre 'HKEY_CURRENT_USER\Software\AppDataLow'.
+ la clé de registre 'HKEY_CURRENT_USER\Software\AppDataLow'.
- Vous devriez tester votre commande pour vous assurer qu'elle n'est pas influencée par cela.
+ Vous devriez tester votre commande pour vous assurer qu'elle n'est pas influencée par cela.
{0} seulement !
- Le gestionnaire MQTT n'a pas été correctement configuré ou n'a pas encore terminé son démarrage.
+ Le gestionnaire MQTT n'a pas été correctement configuré ou n'a pas encore terminé son démarrage.
- Impossible de récupérer vos entités en raison d'une configuration manquante, veuillez saisir les valeurs requises dans l'écran de configuration.
+ Impossible de récupérer vos entités en raison d'une configuration manquante, veuillez saisir les valeurs requises dans l'écran de configuration.
- Une erreur s'est produite lors de la tentative de récupération de vos entités.
+ Une erreur s'est produite lors de la tentative de récupération de vos entités.
Nouvelle Action Rapide
- Modification de l'action rapide
+ Modification de l'action rapide
- Impossible de récupérer vos entités en raison d'une configuration manquante, veuillez saisir les valeurs requises dans l'écran de configuration.
+ Impossible de récupérer vos entités en raison d'une configuration manquante, veuillez saisir les valeurs requises dans l'écran de configuration.
- Une erreur s'est produite lors de la tentative de récupération de vos entités.
+ Une erreur s'est produite lors de la tentative de récupération de vos entités.
- Sélectionnez d'abord une entité.
+ Sélectionnez d'abord une entité.
- Sélectionnez d'abord un domaine.
+ Sélectionnez d'abord un domaine.
Action inconnue, veuillez en sélectionner une valide.
@@ -1796,7 +1796,7 @@ veuillez configurer un interpréteur de commandes ou votre commande ne fonctionn
enregistrement et connexion, veuillez patienter ..
- Une erreur s'est produite lors de l'enregistrement des capteurs, consultez les journaux pour plus d'informations.
+ Une erreur s'est produite lors de l'enregistrement des capteurs, consultez les journaux pour plus d'informations.
Nouveau capteur
@@ -1829,13 +1829,13 @@ veuillez configurer un interpréteur de commandes ou votre commande ne fonctionn
Service
- Sélectionnez d'abord un type de capteur.
+ Sélectionnez d'abord un type de capteur.
- Sélectionnez d'abord un type de capteur valide.
+ Sélectionnez d'abord un type de capteur valide.
- Entrez d'abord un nom.
+ Entrez d'abord un nom.
Il existe déjà un capteur à valeur unique portant ce nom. Voulez-vous vraiment continuer ?
@@ -1844,22 +1844,22 @@ veuillez configurer un interpréteur de commandes ou votre commande ne fonctionn
Il existe déjà un capteur à valeur multiple portant ce nom. Voulez-vous vraiment continuer ?
- Entrez d'abord un intervalle entre 1 et 43200 (12 heures).
+ Entrez d'abord un intervalle entre 1 et 43200 (12 heures).
- Entrez d'abord un nom de fenêtre.
+ Entrez d'abord un nom de fenêtre.
- Saisissez d'abord une requête.
+ Saisissez d'abord une requête.
- Entrez d'abord une catégorie et une instance.
+ Entrez d'abord une catégorie et une instance.
- Entrez d'abord le nom d'un processus.
+ Entrez d'abord le nom d'un processus.
- Saisissez d'abord le nom d'un service.
+ Saisissez d'abord le nom d'un service.
{0} seulement !
@@ -1871,20 +1871,20 @@ Tous vos capteurs et commandes seront désormais dépubliés, et HASS.Agent red
Ne vous inquiétez pas, ils conserveront leur nom actuel, de sorte que vos automatisations ou scripts continueront de fonctionner.
-Remarque : le nom sera 'nettoyé', ce qui signifie que tout, sauf les lettres, les chiffres et les espaces, sera remplacé par un trait de soulignement. Ceci est requis par HA.
+Remarque : le nom sera 'nettoyé', ce qui signifie que tout, sauf les lettres, les chiffres et les espaces, sera remplacé par un trait de soulignement. Ceci est requis par HA.
- Vous avez modifié le port de l'API de notification. Ce nouveau port doit être réservé.
+ Vous avez modifié le port de l'API de notification. Ce nouveau port doit être réservé.
Vous recevrez une demande UAC pour le faire, veuillez approuver.
Fuzzy
- Quelque chose s'est mal passé !
+ Quelque chose s'est mal passé !
Veuillez exécuter manuellement la commande. Elle a été copié dans votre presse-papiers, il vous suffit de la coller dans une invite de commande en mode administrateur.
-N'oubliez pas de modifier également le port dans la règle du pare-feu.
+N'oubliez pas de modifier également le port dans la règle du pare-feu.
Le port a été réservé avec succès !
@@ -1892,7 +1892,7 @@ N'oubliez pas de modifier également le port dans la règle du pare-feu.
- Une erreur s'est produite lors de la préparation du redémarrage.
+ Une erreur s'est produite lors de la préparation du redémarrage.
Veuillez redémarrer manuellement.
@@ -1901,13 +1901,13 @@ Veuillez redémarrer manuellement.
Voulez-vous redémarrer maintenant ?
- Une erreur s'est produite lors du chargement de vos paramètres.
+ Une erreur s'est produite lors du chargement de vos paramètres.
-Vérifiez appsettings.json dans le sous-dossier 'Config', ou supprimez le simplement pour recommencer à zéro.
+Vérifiez appsettings.json dans le sous-dossier 'Config', ou supprimez le simplement pour recommencer à zéro.
Fuzzy
- Une erreur s'est produite lors du lancement de HASS.Agent.
+ Une erreur s'est produite lors du lancement de HASS.Agent.
Veuillez vérifier les journaux et faire un rapport de bug sur github.
Fuzzy
@@ -1931,7 +1931,7 @@ Veuillez vérifier les journaux et faire un rapport de bug sur github.
Mise à jour HASS.Agent BETA
- Voulez-vous télécharger et lancer le programme d'installation ?
+ Voulez-vous télécharger et lancer le programme d'installation ?
Voulez-vous accéder à la page des releases ?
@@ -1982,7 +1982,7 @@ Veuillez vérifier les journaux et faire un rapport de bug sur github.
HASS.Agent intégration : Terminée [{0}/{1}]
- Voulez-vous vraiment abandonner le processus d'intégration ?
+ Voulez-vous vraiment abandonner le processus d'intégration ?
Votre progression ne sera pas enregistrée et ne sera plus affichée au prochain lancement.
@@ -1990,26 +1990,26 @@ Votre progression ne sera pas enregistrée et ne sera plus affichée au prochain
Erreur lors de la récupération des informations, vérifiez les journaux
- Impossible de préparer le téléchargement de la mise à jour, consultez les journaux pour plus d'informations.
+ Impossible de préparer le téléchargement de la mise à jour, consultez les journaux pour plus d'informations.
-La page de mise à jour s'ouvrira maintenant à la place.
+La page de mise à jour s'ouvrira maintenant à la place.
- Impossible de télécharger la mise à jour, consultez les journaux pour plus d'informations.
+ Impossible de télécharger la mise à jour, consultez les journaux pour plus d'informations.
-La page de mise à jour s'ouvrira maintenant à la place.
+La page de mise à jour s'ouvrira maintenant à la place.
- Le fichier téléchargé n'a pas pu être vérifié.
+ Le fichier téléchargé n'a pas pu être vérifié.
-Il peut s'agir d'une erreur technique, mais aussi d'un fichier trafiqué !
+Il peut s'agir d'une erreur technique, mais aussi d'un fichier trafiqué !
Veuillez vérifier les journaux et poster un ticket avec les résultats.
- Impossible de lancer le programme d'installation (avez-vous approuvé l'invite UAC ?), consultez les journaux pour plus d'informations.
+ Impossible de lancer le programme d'installation (avez-vous approuvé l'invite UAC ?), consultez les journaux pour plus d'informations.
-La page de mise à jour s'ouvrira maintenant à la place.
+La page de mise à jour s'ouvrira maintenant à la place.
HASS API : échec de la configuration de la connexion
@@ -2024,19 +2024,19 @@ La page de mise à jour s'ouvrira maintenant à la place.
Fichier de certificat client introuvable
- Impossible de se connecter, vérifier l'adresse
+ Impossible de se connecter, vérifier l'adresse
Impossible de récupérer la configuration, vérifiez la clé API
- Impossible de se connecter, vérifiez l'adresse et la configuration
+ Impossible de se connecter, vérifiez l'adresse et la configuration
- Action Rapide : échec de l'action, consultez les journaux pour plus d'informations
+ Action Rapide : échec de l'action, consultez les journaux pour plus d'informations
- Action Rapide : échec de l'action, entité introuvable
+ Action Rapide : échec de l'action, entité introuvable
MQTT : erreur lors de la connexion
@@ -2048,31 +2048,31 @@ La page de mise à jour s'ouvrira maintenant à la place.
MQTT: déconnecté
- Erreur lors de la tentative d'appairage de l'API au port {0}.
+ Erreur lors de la tentative d'appairage de l'API au port {0}.
-Assurez-vous qu'aucune autre instance de HASS.Agent n'est en cours d'exécution et que le port est disponible et enregistré.
+Assurez-vous qu'aucune autre instance de HASS.Agent n'est en cours d'exécution et que le port est disponible et enregistré.
Fournit le titre de la fenêtre active actuelle.
- Fournit des informations sur divers aspects de l'audio de votre appareil :
+ Fournit des informations sur divers aspects de l'audio de votre appareil :
Niveau de volume maximal actuel (peut être utilisé comme une simple valeur ‘quelque chose joue’).
Périphérique audio par défaut : nom, état et volume.
-Résumé de vos sessions audio : nom de l'application, état muet, volume et volume maximal actuel.
+Résumé de vos sessions audio : nom de l'application, état muet, volume et volume maximal actuel.
- Fournit à un capteur l'état de charge actuel, le nombre estimé de minutes sur une charge complète, la charge restante en pourcentage, la charge restante en minutes et l'état du branchement au courant.
+ Fournit à un capteur l'état de charge actuel, le nombre estimé de minutes sur une charge complète, la charge restante en pourcentage, la charge restante en minutes et l'état du branchement au courant.
Fuzzy
Fournit la charge actuelle du premier processeur sous forme de pourcentage.
- Fournit la vitesse d'horloge actuelle du premier processeur.
+ Fournit la vitesse d'horloge actuelle du premier processeur.
Fournit le niveau de volume actuel sous forme de pourcentage.
@@ -2080,7 +2080,7 @@ Résumé de vos sessions audio : nom de l'application, état muet, volume e
Indique le volume de votre appareil par défaut.
- Créé un capteur avec le nombre d'écrans, le nom de l'écran principal et pour chaque écran, son nom, sa résolution et ses points par pixel.
+ Créé un capteur avec le nombre d'écrans, le nom de l'écran principal et pour chaque écran, son nom, sa résolution et ses points par pixel.
Capteur factice à des fins de test, envoie une valeur entière aléatoire entre 0 et 100.
@@ -2092,12 +2092,12 @@ Indique le volume de votre appareil par défaut.
Fournit la température actuelle du premier GPU.
- Fournit la date et l'heure de la dernière utilisation d'un périphérique par l'utilisateur.
+ Fournit la date et l'heure de la dernière utilisation d'un périphérique par l'utilisateur.
Provides a datetime value containing the last moment the system (re)booted.
-Important: Windows' FastBoot option can throw this value off, because that's a form of hibernation. You can disable it through Power Options -> 'Choose what the power buttons do' -> uncheck 'Turn on fast start-up'. It doesn't make much difference for modern machines with SSDs, but disabling makes sure you get a clean state after rebooting.
+Important: Windows' FastBoot option can throw this value off, because that's a form of hibernation. You can disable it through Power Options -> 'Choose what the power buttons do' -> uncheck 'Turn on fast start-up'. It doesn't make much difference for modern machines with SSDs, but disabling makes sure you get a clean state after rebooting.
Provides the last system state change:
@@ -2105,7 +2105,7 @@ Important: Windows' FastBoot option can throw this value off, because that&
ApplicationStarted, Logoff, SystemShutdown, Resume, Suspend, ConsoleConnect, ConsoleDisconnect, RemoteConnect, RemoteDisconnect, SessionLock, SessionLogoff, SessionLogon, SessionRemoteControl and SessionUnlock.
- Renvoie le nom de l'utilisateur actuellement connecté.
+ Renvoie le nom de l'utilisateur actuellement connecté.
Fuzzy
@@ -2120,15 +2120,15 @@ ApplicationStarted, Logoff, SystemShutdown, Resume, Suspend, ConsoleConnect, Con
Fuzzy
- Fournit une valeur ON/OFF selon si la fenêtre est actuellement ouverte (elle n'a pas besoin d'être active).
+ Fournit une valeur ON/OFF selon si la fenêtre est actuellement ouverte (elle n'a pas besoin d'être active).
Fournit des informations sur la carte, la configuration, les statistiques de transfert et les adresses (ip, mac, dhcp, dns) de la ou des cartes réseau sélectionnées.
-Il s'agit d'un capteur multi-valeur.
+Il s'agit d'un capteur multi-valeur.
- Fournit les valeurs d'un compteur de performance.
+ Fournit les valeurs d'un compteur de performance.
Par exemple, le capteur de charge du processeur utilise ces valeurs :
@@ -2136,16 +2136,16 @@ Catégorie : Processeur
Compteur : % du temps processeur
Instance : _Total
-Vous pouvez explorer les compteurs via l'outil 'perfmon.exe' de Windows.
+Vous pouvez explorer les compteurs via l'outil 'perfmon.exe' de Windows.
- Fournit le nombre d'instances actives du processus.
+ Fournit le nombre d'instances actives du processus.
Fuzzy
Returns the state of the provided service: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending or Paused.
-Make sure to provide the 'Service name', not the 'Display name'.
+Make sure to provide the 'Service name', not the 'Display name'.
Provides the current session state:
@@ -2155,7 +2155,7 @@ Locked, Unlocked or Unknown.
Use a LastSystemStateChangeSensor to monitor session state changes.
- Fournit les libellés, la taille totale (MB), l'espace disponible (MB), l'espace utilisé (MB) et le système de fichiers de tous les disques non amovibles présents.
+ Fournit les libellés, la taille totale (MB), l'espace disponible (MB), l'espace utilisé (MB) et le système de fichiers de tous les disques non amovibles présents.
Provides the current user state:
@@ -2167,12 +2167,12 @@ Can for instance be used to determine whether to send notifications or TTS messa
Provides a bool value based on whether the webcam is currently being used.
-Note: if used in the satellite service, it won't detect userspace applications.
+Note: if used in the satellite service, it won't detect userspace applications.
- Provides a sensor with the amount of pending driver updates, a sensor with the amount of pending software updates, a sensor containing all pending driver updates information (title, kb article id's, hidden, type and categories) and a sensor containing the same for pending software updates.
+ Provides a sensor with the amount of pending driver updates, a sensor with the amount of pending software updates, a sensor containing all pending driver updates information (title, kb article id's, hidden, type and categories) and a sensor containing the same for pending software updates.
-This is a costly request, so the recommended interval is 15 minutes (900 seconds). But it's capped at 10 minutes, if you provide a lower value, you'll get the last known list.
+This is a costly request, so the recommended interval is 15 minutes (900 seconds). But it's capped at 10 minutes, if you provide a lower value, you'll get the last known list.
Fournit le résultat de la requête WMI.
@@ -2183,12 +2183,12 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
{0}
- Erreur lors de l'enregistrement des paramètres initiaux :
+ Erreur lors de l'enregistrement des paramètres initiaux :
{0}
- Erreur lors de l'enregistrement des paramètres :
+ Erreur lors de l'enregistrement des paramètres :
{0}
@@ -2198,7 +2198,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
{0}
- Erreur lors de l'enregistrement des commandes :
+ Erreur lors de l'enregistrement des commandes :
{0}
@@ -2208,7 +2208,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
{0}
- Erreur lors de l'enregistrement des actions rapides :
+ Erreur lors de l'enregistrement des actions rapides :
{0}
@@ -2218,7 +2218,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
{0}
- Erreur lors de l'enregistrement des capteurs :
+ Erreur lors de l'enregistrement des capteurs :
{0}
@@ -2232,7 +2232,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
Occupé, Patientez ..
- Langage de l'interface
+ Langage de l'interface
ou
@@ -2241,7 +2241,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
Terminer
- Langage de l'interface
+ Langage de l'interface
Configuration manquante
@@ -2394,7 +2394,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
Charge CPU
- Vitesse d'horloge
+ Vitesse d'horloge
Volume actuel
@@ -2418,7 +2418,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
Dernier démarrage
- Dernier changement d'état du système
+ Dernier changement d'état du système
Utilisateur connecté
@@ -2577,7 +2577,7 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
Carte du reseau
- Entrez d'abord une catégorie et un compteur.
+ Entrez d'abord une catégorie et un compteur.
Test exécuté avec succès, valeur du résultat :
@@ -2585,14 +2585,14 @@ This is a costly request, so the recommended interval is 15 minutes (900 seconds
{0}
- Le test n'a pas réussi a s'exécuter :
+ Le test n'a pas réussi a s'exécuter :
{0}
Voulez-vous ouvrir le dossier des journaux ?
- Saisissez d'abord une requête WMI.
+ Saisissez d'abord une requête WMI.
Requête exécutée avec succès, valeur du résultat :
@@ -2600,7 +2600,7 @@ Voulez-vous ouvrir le dossier des journaux ?
{0}
- La requête n'a pas réussi a s'exécuter :
+ La requête n'a pas réussi a s'exécuter :
{0}
@@ -2615,7 +2615,7 @@ The scope you entered:
{0}
-Tip: make sure you haven't switched the scope and query fields around.
+Tip: make sure you haven't switched the scope and query fields around.
Do you still want to use the current values?
@@ -2623,15 +2623,15 @@ Do you still want to use the current values?
Application démarrée
- Vous pouvez utiliser le Service Windows pour faire fonctionner les capteurs et commandes sans avoir à vous connecter. Tous ne sont pas disponibles, par exemple la commande 'LaunchUrl' ne peut pas être lancée par le service.
+ Vous pouvez utiliser le Service Windows pour faire fonctionner les capteurs et commandes sans avoir à vous connecter. Tous ne sont pas disponibles, par exemple la commande 'LaunchUrl' ne peut pas être lancée par le service.
Dernière valeur connue
- Erreur lors de la tentative de connexion de l'API au port {0}.
+ Erreur lors de la tentative de connexion de l'API au port {0}.
-Assurez vous qu'aucune autre instance de HASS.Agent n'est en cours d'exécution et que le port est disponible et enregistré.
+Assurez vous qu'aucune autre instance de HASS.Agent n'est en cours d'exécution et que le port est disponible et enregistré.
Afficher la fenêtre au premier plan
@@ -2640,26 +2640,26 @@ Assurez vous qu'aucune autre instance de HASS.Agent n'est en cours d&a
WebView
- Affiche une fenêtre avec l'URL fournie.
+ Affiche une fenêtre avec l'URL fournie.
-Cela diffère de la commande 'LaunchUrl' en ce qu'elle ne charge pas un navigateur à part entière, juste l'URL fournie dans sa propre fenêtre.
+Cela diffère de la commande 'LaunchUrl' en ce qu'elle ne charge pas un navigateur à part entière, juste l'URL fournie dans sa propre fenêtre.
-Vous pouvez l'utiliser par exemple pour afficher rapidement le tableau de bord de Home Assistant.
+Vous pouvez l'utiliser par exemple pour afficher rapidement le tableau de bord de Home Assistant.
-Par défaut, il stocke les cookies indéfiniment, vous n'avez donc qu'à vous connecter une seule fois.
+Par défaut, il stocke les cookies indéfiniment, vous n'avez donc qu'à vous connecter une seule fois.
Commandes HASS.Agent
- Recherche le processus spécifié et essaie d'afficher sa fenêtre principale au premier plan.
+ Recherche le processus spécifié et essaie d'afficher sa fenêtre principale au premier plan.
-Si l'application est réduite, elle sera restaurée.
+Si l'application est réduite, elle sera restaurée.
-Exemple : si vous voulez envoyer VLC au premier plan, utilisez 'vlc'.
+Exemple : si vous voulez envoyer VLC au premier plan, utilisez 'vlc'.
- Si vous ne configurez pas la commande, vous ne pouvez utiliser cette entité qu'avec une valeur 'action' via Home Assistant et elle s'affichera en utilisant les paramètres par défaut. La faire fonctionner tel quel ne fera rien.
+ Si vous ne configurez pas la commande, vous ne pouvez utiliser cette entité qu'avec une valeur 'action' via Home Assistant et elle s'affichera en utilisant les paramètres par défaut. La faire fonctionner tel quel ne fera rien.
Etes vous sûr de vouloir cela ?
@@ -2682,11 +2682,11 @@ Etes vous sûr de vouloir cela ?
Le cache WebView a été nettoyé !
- Il semble que vous utilisiez une mise à l'échelle personnalisée. Il se peut que certaines parties de HASS.Agent ne s'affichent pas comme prévu.
+ Il semble que vous utilisiez une mise à l'échelle personnalisée. Il se peut que certaines parties de HASS.Agent ne s'affichent pas comme prévu.
Veuillez signaler tout aspect inutilisable sur GitHub. Merci!
-Remarque : ce message ne s'affiche qu'une seule fois.
+Remarque : ce message ne s'affiche qu'une seule fois.
Impossible de charger les paramètres enregistrés de la commande, réinitialisation par défaut.
@@ -2698,12 +2698,12 @@ Remarque : ce message ne s'affiche qu'une seule fois.
Lancer la réservation des ports
- Activer l'API locale
+ Activer l'API locale
HASS.Agent a sa propre API locale, donc Home Assistant peut envoyer des requêtes (par exemple pour envoyer une notification). Vous pouvez le configurer globalement ici, et ensuite vous pouvez configurer les sections qui en dépendent (actuellement les notifications et le lecteur multimédia).
-Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fonctionne. Activez-le et utilisez-le uniquement si vous n'utilisez pas MQTT.
+Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fonctionne. Activez-le et utilisez-le uniquement si vous n'utilisez pas MQTT.
Pour pouvoir écouter les requêtes, HASS.Agents doit avoir son port réservé et ouvert dans votre pare-feu. Vous pouvez utiliser ce bouton pour le faire pour vous.
@@ -2719,10 +2719,10 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
jours
- Emplacement du cache d'images
+ Emplacement du cache d'images
- Garder l'audio pendant
+ Garder l'audio pendant
Garder les images pendant
@@ -2740,31 +2740,31 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
Activer la fonctionnalité lecteur multimédia
- HASS.Agent peut agir comme un lecteur multimédia pour Home Assistant, vous pourrez donc contrôler tous les médias en cours de lecture et envoyer de la synthèse vocale. L'API locale doit être activée pour que cela fonctionne.
+ HASS.Agent peut agir comme un lecteur multimédia pour Home Assistant, vous pourrez donc contrôler tous les médias en cours de lecture et envoyer de la synthèse vocale. L'API locale doit être activée pour que cela fonctionne.
Fuzzy
Si quelque chose ne fonctionne pas, suivez les étapes suivantes:
-- Installer l'intégration HASS.Agent-MediaPlayer
+- Installer l'intégration HASS.Agent-MediaPlayer
- Redémarrer Home Assistant
- Configurer une entité media_player
- Redémarrer Home Assistant
Fuzzy
- L'API locale est désactivée, mais le lecteur multimédia en a besoin pour fonctionner
+ L'API locale est désactivée, mais le lecteur multimédia en a besoin pour fonctionner
Fuzzy
TLS
- L'API locale est désactivée, le lecteur multimédia en a besoin pour fonctionner
+ L'API locale est désactivée, le lecteur multimédia en a besoin pour fonctionner
Fuzzy
- Afficher l'aperçu
+ Afficher l'aperçu
Afficher le menu &default
@@ -2776,7 +2776,7 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
Garder la page chargée en arrière-plan
- Contrôler la façon dont l'icone de la barre d'état se comporte suite à un clique droit.
+ Contrôler la façon dont l'icone de la barre d'état se comporte suite à un clique droit.
Cela utilise plus de ressource, mais réduit le temps de chargement
@@ -2794,13 +2794,13 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
Lecteur Multimédia
- Icon de la barre d'état
+ Icon de la barre d'état
- Votre langue de saisie '{0}' est connue pour entrer en conflit avec le raccourci clavier par défaut CTRL-ALT-Q. Veuillez en définir un autre.
+ Votre langue de saisie '{0}' est connue pour entrer en conflit avec le raccourci clavier par défaut CTRL-ALT-Q. Veuillez en définir un autre.
- Your input language '{0}' is unknown, and might collide with the default CTRL-ALT-Q hotkey. Please check to be sure. If it does, consider opening a ticket on GitHub so it can be added to the list.
+ Your input language '{0}' is unknown, and might collide with the default CTRL-ALT-Q hotkey. Please check to be sure. If it does, consider opening a ticket on GitHub so it can be added to the list.
Aucune touche trouvée
@@ -2809,7 +2809,7 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
Crochets manquants, démarrez et terminez toutes les combinaisons de touche avec [ ]
- Erreur sur une touche, vérifier le journal pour plus d'informations
+ Erreur sur une touche, vérifier le journal pour plus d'informations
Le nombre de crochets ouverts [ ne correspond pas au nombre de crochets fermés ] ! ({0} contre {1})
@@ -2818,7 +2818,7 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
Documentation
- Documentation et exemples d'utilisation.
+ Documentation et exemples d'utilisation.
Vérifier les mises à jour
@@ -2830,31 +2830,31 @@ Remarque : ceci n'est pas nécessaire pour que la nouvelle intégration fon
Gérer le Service Windows
- Pour utiliser les notifications, vous devez installer et configurer l'intégration HASS.Agent-notifier dans
+ Pour utiliser les notifications, vous devez installer et configurer l'intégration HASS.Agent-notifier dans
Home Assistant.
-C'est très facile avec HACS, mais vous pouvez également l'installer manuellement. Visitez le lien ci-dessous pour plus
+C'est très facile avec HACS, mais vous pouvez également l'installer manuellement. Visitez le lien ci-dessous pour plus
informations.
Suivez les étapes suivantes :
-- Installer l'intégration HASS.Agent-Notifier et/ou HASS.Agent-MediaPlayer
+- Installer l'intégration HASS.Agent-Notifier et/ou HASS.Agent-MediaPlayer
- Redémarrez Home Assistant
-Configurer une notification et/ou une entité media_player
-Redémarrer Home Assistant
- Il en va de même pour le lecteur multimédia. Cette intégration vous permet de contrôler votre appareil en tant qu'entité media_player, de voir ce qui se joue et d'utiliser la synthèse vocale.
+ Il en va de même pour le lecteur multimédia. Cette intégration vous permet de contrôler votre appareil en tant qu'entité media_player, de voir ce qui se joue et d'utiliser la synthèse vocale.
Page GitHub HASS.Agent-MediaPlayer
- Github de l'integration HASS.Agent
+ Github de l'integration HASS.Agent
- Oui, activez l'API locale sur le port
+ Oui, activez l'API locale sur le port
Activer le lecteur multimédia et la synthèse vocale
@@ -2865,13 +2865,13 @@ informations.
HASS.Agent a sa propre API interne, donc Home Assistant peut envoyer des requêtes (comme des notifications ou une synthèse vocale).
-Voulez-vous l'activer ?
+Voulez-vous l'activer ?
- Vous pouvez choisir les modules que vous souhaitez activer. Ils nécessitent des intégrations HA, mais ne vous inquiétez pas, la page suivante vous donnera plus d'informations sur la façon de les configurer.
+ Vous pouvez choisir les modules que vous souhaitez activer. Ils nécessitent des intégrations HA, mais ne vous inquiétez pas, la page suivante vous donnera plus d'informations sur la façon de les configurer.
- Remarque : 5115 est le port par défaut, ne le modifiez que si vous l'avez modifié dans Home Assistant.
+ Remarque : 5115 est le port par défaut, ne le modifiez que si vous l'avez modifié dans Home Assistant.
TLS
@@ -2896,7 +2896,7 @@ Do you want to use that version?
Sauvegarder
- Toujours afficher au centre de l'écran
+ Toujours afficher au centre de l'écran
Afficher la barre de titre de la fenêtre
@@ -2905,7 +2905,7 @@ Do you want to use that version?
Définir la fenêtre comme toujours en haut
- Déplacez et redimensionnez cette fenêtre pour définir la taille et l'emplacement de l'affichage WebView.
+ Déplacez et redimensionnez cette fenêtre pour définir la taille et l'emplacement de l'affichage WebView.
Localisation
@@ -2914,7 +2914,7 @@ Do you want to use that version?
Taille
- Conseil : Appuyez sur "ESC" pour fermer une vue WebView
+ Conseil : Appuyez sur "ESC" pour fermer une vue WebView
URL
@@ -2926,21 +2926,21 @@ Do you want to use that version?
WebView
- Le code de touche que vous avez entré n'est pas valide !
+ Le code de touche que vous avez entré n'est pas valide !
Assurez vous que le champ du code de touche est sélectionné et appuyez sur la touche que vous souhaitez simuler, le code de touche devrait alors être rempli pour vous.
- Activer le nettoyage du nom de l'appareil
+ Activer le nettoyage du nom de l'appareil
- Activer les notifications d'état
+ Activer les notifications d'état
- HASS.Agent va nettoyer le nom de votre appareil pour s'assurer que HA l'acceptera, vous pouvez annuler cette règle ci-dessous si vous êtes sûr que votre nom sera accepté tel quel.
+ HASS.Agent va nettoyer le nom de votre appareil pour s'assurer que HA l'acceptera, vous pouvez annuler cette règle ci-dessous si vous êtes sûr que votre nom sera accepté tel quel.
- HASS.Agent envoie des notifications lorsque l'état d'un module change, vous pouvez définir si vous souhaitez ou non recevoir ces notifications ci-dessous.
+ HASS.Agent envoie des notifications lorsque l'état d'un module change, vous pouvez définir si vous souhaitez ou non recevoir ces notifications ci-dessous.
Vous avez changé le nom de votre appareil.
@@ -3009,7 +3009,7 @@ Remarque : vous avez désactivé le nettoyage du nom, assurez vous donc que le n
Met tous les moniteurs en mode veille.
- Essaie de réveiller tous les écrans en simulant une pression sur la touche "flèche vers le haut".
+ Essaie de réveiller tous les écrans en simulant une pression sur la touche "flèche vers le haut".
Régler le volume du périphérique audio par défaut actuel au niveau spécifié.
@@ -3021,7 +3021,7 @@ Remarque : vous avez désactivé le nettoyage du nom, assurez vous donc que le n
Commande
- Si vous ne saisissez pas de valeur de volume, vous ne pouvez utiliser cette entité qu'avec une commande "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
+ Si vous ne saisissez pas de valeur de volume, vous ne pouvez utiliser cette entité qu'avec une commande "action" via Home Assistant. Le faire fonctionner tel quel ne fera rien.
Êtes-vous sûr de vouloir cela ?
@@ -3033,21 +3033,21 @@ Remarque : vous avez désactivé le nettoyage du nom, assurez vous donc que le n
Voulez-vous utiliser cette version ?
- Votre jeton d'API n'a pas l'air correct. Assurez vous d'avoir sélectionné le jeton entier (n'utilisez pas CTRL+A ou double-clic).
+ Votre jeton d'API n'a pas l'air correct. Assurez vous d'avoir sélectionné le jeton entier (n'utilisez pas CTRL+A ou double-clic).
Il doit contenir trois parties (séparées par deux points).
-Etes-vous sûr de vouloir l'utiliser comme ça ?
+Etes-vous sûr de vouloir l'utiliser comme ça ?
- Votre URI ne semble pas correct. Cela devrait ressembler à quelque chose comme 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
+ Votre URI ne semble pas correct. Cela devrait ressembler à quelque chose comme 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
-Etes-vous sûr de vouloir l'utiliser comme ça ?
+Etes-vous sûr de vouloir l'utiliser comme ça ?
test ...
- L'API locale et MQTT sont tous deux désactivés, l'intégration a besoin d'au moins l'un des deux pour fonctionner.
+ L'API locale et MQTT sont tous deux désactivés, l'intégration a besoin d'au moins l'un des deux pour fonctionner.
Activer MQTT
@@ -3056,43 +3056,43 @@ Etes-vous sûr de vouloir l'utiliser comme ça ?
Sans MQTT, Les commandes et capteurs ne fonctionneront pas !
- L'API locale et MQTT sont tous deux désactivés, l'intégration a besoin d'au moins l'un des deux pour fonctionner.
+ L'API locale et MQTT sont tous deux désactivés, l'intégration a besoin d'au moins l'un des deux pour fonctionner.
Gérer le service
- Le service est actuellement à l'arrêt, vous ne pourrez donc pas le configurer.
+ Le service est actuellement à l'arrêt, vous ne pourrez donc pas le configurer.
-Assurez vous d'abord qu'il soit opérationnel.
+Assurez vous d'abord qu'il soit opérationnel.
- Si vous souhaitez gérer le service (ajouter des commandes et capteurs, modifier les paramètres), vous pouvez le faire ici ou en utilisant le bouton "Service Windows" de la fenêtre principale.
+ Si vous souhaitez gérer le service (ajouter des commandes et capteurs, modifier les paramètres), vous pouvez le faire ici ou en utilisant le bouton "Service Windows" de la fenêtre principale.
Afficher le menu par défaut en cliquant avec le bouton gauche de la souris
- Votre jeton d'API Home Assistant ne semble pas correct. Assurez-vous d'avoir sélectionné le jeton entier (n'utilisez pas CTRL+A ou double-clic).
+ Votre jeton d'API Home Assistant ne semble pas correct. Assurez-vous d'avoir sélectionné le jeton entier (n'utilisez pas CTRL+A ou double-clic).
Il doit contenir trois parties (séparées par deux points).
-Etes-vous sûr de vouloir l'utiliser comme ça ?
+Etes-vous sûr de vouloir l'utiliser comme ça ?
- L'URI de votre assistant domestique semble incorrect. Cela devrait ressembler à quelque chose comme 'http://homeassistant.local:8123' ou 'https://192.168.0.1:8123'.
+ L'URI de votre assistant domestique semble incorrect. Cela devrait ressembler à quelque chose comme 'http://homeassistant.local:8123' ou 'https://192.168.0.1:8123'.
-Etes-vous sûr de vouloir l'utiliser comme ça ?
+Etes-vous sûr de vouloir l'utiliser comme ça ?
- L'URI de votre broker MQTT ne semble pas correct. Il devrait ressembler à quelque chose comme 'homeassistant.local' ou '192.168.0.1'.
+ L'URI de votre broker MQTT ne semble pas correct. Il devrait ressembler à quelque chose comme 'homeassistant.local' ou '192.168.0.1'.
-Etes-vous sûr de vouloir l'utiliser comme ça ?
+Etes-vous sûr de vouloir l'utiliser comme ça ?
Fermer
- J'ai déjà fait un don, cachez le bouton dans la fenêtre principale.
+ J'ai déjà fait un don, cachez le bouton dans la fenêtre principale.
HASS.Agent is completely free, and will always stay that way without restrictions!
@@ -3111,21 +3111,21 @@ Like most developers, I run on caffeïne - so if you can spare it, a cup of coff
Vérifier les mises à jour
- Votre jeton d'API ne semble pas correct. Assurez vous d'avoir sélectionné le jeton entier (n'utilisez pas CTRL+A ou double-clic).
+ Votre jeton d'API ne semble pas correct. Assurez vous d'avoir sélectionné le jeton entier (n'utilisez pas CTRL+A ou double-clic).
Il doit contenir trois parties (séparées par deux points).
-Etes-vous sûr de vouloir l'utiliser comme ça ?
+Etes-vous sûr de vouloir l'utiliser comme ça ?
- Votre URI ne semble pas correct. Cela devrait ressembler à quelque chose comme 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
+ Votre URI ne semble pas correct. Cela devrait ressembler à quelque chose comme 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
-Etes-vous sûr de vouloir l'utiliser ainsi ?
+Etes-vous sûr de vouloir l'utiliser ainsi ?
- Développer et maintenir cet outil (et tout ce qui l'entoure) prend beaucoup de temps. Comme la plupart des développeurs, je fonctionne à la caféine - donc si vous pouvez vous le permettre, une tasse de café est toujours très appréciée !
+ Développer et maintenir cet outil (et tout ce qui l'entoure) prend beaucoup de temps. Comme la plupart des développeurs, je fonctionne à la caféine - donc si vous pouvez vous le permettre, une tasse de café est toujours très appréciée !
- Astuce : d'autres méthodes de dons sont disponibles dans la fenêtre À propos.
+ Astuce : d'autres méthodes de dons sont disponibles dans la fenêtre À propos.
Activer le lecteur multimédia (et le text-to-speech)
@@ -3140,28 +3140,28 @@ Etes-vous sûr de vouloir l'utiliser ainsi ?
HASS.Agent Post Update
- Fournit un capteur avec le nombre d'appareils Bluetooth trouvés.
+ Fournit un capteur avec le nombre d'appareils Bluetooth trouvés.
-Les appareils et leur état de connexion sont ajoutés en tant qu'attributs.
+Les appareils et leur état de connexion sont ajoutés en tant qu'attributs.
- Fournit à des capteurs le nombre d'appareils Bluetooth LE trouvés.
+ Fournit à des capteurs le nombre d'appareils Bluetooth LE trouvés.
-Les appareils et leur état de connexion sont ajoutés en tant qu'attributs.
+Les appareils et leur état de connexion sont ajoutés en tant qu'attributs.
-Affiche uniquement les appareils qui ont été vus depuis le dernier rapport, c'est-à-dire que lorsque le capteur publie, la liste s'efface.
+Affiche uniquement les appareils qui ont été vus depuis le dernier rapport, c'est-à-dire que lorsque le capteur publie, la liste s'efface.
Renvoie votre latitude, longitude et altitude actuelles sous forme de valeurs séparées par des virgules.
Assurez-vous que les services de localisation de Windows sont activés !
-Selon votre version de Windows, cela peut être trouvé dans le nouveau panneau de configuration -> 'confidentialité et sécurité' -> 'emplacement'.
+Selon votre version de Windows, cela peut être trouvé dans le nouveau panneau de configuration -> 'confidentialité et sécurité' -> 'emplacement'.
- Provides the name of the process that's currently using the microphone.
+ Provides the name of the process that's currently using the microphone.
-Note: if used in the satellite service, it won't detect userspace applications.
+Note: if used in the satellite service, it won't detect userspace applications.
Provides the last monitor power state change:
@@ -3174,15 +3174,15 @@ Dimmed, PowerOff, PowerOn and Unkown.
Converts the outcome to text.
- Fournit des informations sur toutes les imprimantes installées et leurs files d'attente.
+ Fournit des informations sur toutes les imprimantes installées et leurs files d'attente.
Fournit le nom du processus qui utilise actuellement la webcam.
-Remarque : s'il est utilisé dans le Service Windows, il ne détectera pas les applications de l'espace utilisateur.
+Remarque : s'il est utilisé dans le Service Windows, il ne détectera pas les applications de l'espace utilisateur.
- Provides the current state of the process' window:
+ Provides the current state of the process' window:
Hidden, Maximized, Minimized, Normal and Unknown.
@@ -3208,7 +3208,7 @@ Voulez-vous utiliser cette version ?
{0}
- Le test n'a pas pu s'exécuter :
+ Le test n'a pas pu s'exécuter :
{0}
@@ -3224,16 +3224,16 @@ Voulez-vous ouvrir le dossier des logs ?
Erreur fatale, consultez les logs
- Délai d'attente expiré
+ Délai d'attente expiré
Raison inconnue
- Impossible d'ouvrir le gestionnaire de service
+ Impossible d'ouvrir le gestionnaire de service
- Impossible d'ouvrir le service
+ Impossible d'ouvrir le service
Erreur de configuration du mode de démarrage, consultez les logs
@@ -3242,14 +3242,20 @@ Voulez-vous ouvrir le dossier des logs ?
Erreur lors de la mise en place du mode de démarrage, vérifier les journaux
- Microsoft's WebView2 runtime isn't found on your machine. Usually this is handled by the installer, but you can install it manually.
+ Microsoft's WebView2 runtime isn't found on your machine. Usually this is handled by the installer, but you can install it manually.
Do you want to download the runtime installer?
- Une erreur s'est produite lors de l'initialisation de WebView ! Veuillez vérifier vos journaux et ouvrir un ticket GitHub pour obtenir de l'aide.
+ Une erreur s'est produite lors de l'initialisation de WebView ! Veuillez vérifier vos journaux et ouvrir un ticket GitHub pour obtenir de l'aide.
domain
+
+ Active le bureau virtuel fourni.
+
+
+ Fournit l'ID du bureau virtuel actuellement actif.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.nl.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.nl.resx
index 8723f4b6..4ff9a0a3 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.nl.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.nl.resx
@@ -118,13 +118,13 @@
System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089
- Op deze pagina kun je koppelingen met externe programma's configureren.
+ Op deze pagina kun je koppelingen met externe programma's configureren.
browser naam
- Standaard start HASS.Agent URL's met je standaardbrowser. Als je wilt, kun je ook een specifieke browser configureren. Daarnaast kan je de argumenten configureren die worden gebruikt om in privémodus te starten.
+ Standaard start HASS.Agent URL's met je standaardbrowser. Als je wilt, kun je ook een specifieke browser configureren. Daarnaast kan je de argumenten configureren die worden gebruikt om in privémodus te starten.
browser binary
@@ -137,7 +137,7 @@
Je kunt HASS.Agent configureren om een eigen uitvoerder te gebruiken, zoals perl of python.
-Gebruik het 'eigen uitvoerder' commando om 'm te starten.
+Gebruik het 'eigen uitvoerder' commando om 'm te starten.
eigen uitvoerder naam
@@ -149,7 +149,7 @@ Gebruik het 'eigen uitvoerder' commando om 'm te starten.
&test
- HASS.Agent wacht even voordat je een bericht krijgt over een verbroken verbinding met MQTT of HA's API.
+ HASS.Agent wacht even voordat je een bericht krijgt over een verbroken verbinding met MQTT of HA's API.
Je kunt het aantal seconden hier instellen.
@@ -187,11 +187,11 @@ Je automatiseringen en scripts blijven werken.
&test verbinding
- Om te leren welke entiteiten je geconfigureerd hebt, en om snelle acties te versturen, gebruikt HASS.Agent Home Assistant's API.
+ Om te leren welke entiteiten je geconfigureerd hebt, en om snelle acties te versturen, gebruikt HASS.Agent Home Assistant's API.
-Geef een 'long-lived access token' op, en het adres van je Home Assistant installatie.
+Geef een 'long-lived access token' op, en het adres van je Home Assistant installatie.
-Je kunt zo'n token krijgen via je profiel pagina. Blader naar onderaan de pagina en klik op 'TOKEN AANMAKEN'.
+Je kunt zo'n token krijgen via je profiel pagina. Blader naar onderaan de pagina en klik op 'TOKEN AANMAKEN'.
Fuzzy
@@ -229,7 +229,7 @@ Op deze manier kun je, wat je ook aan het doen bent op je machine, altijd commun
Sommige objecten, zoals afbeeldingen getoond in notificaties, moeten tijdelijk lokaal opgeslagen worden. Je kunt het aantal dagen dat ze bewaard worden instellen, voordat HASS.Agent ze verwijdert.
-Voer '0' in om ze permanent te behouden.
+Voer '0' in om ze permanent te behouden.
Uitgebreide logging biedt uitgebreidere logging, voor het geval dat de standaard logging niet voldoende is. Het is belangrijk te weten dat het inschakelen hiervan ervoor zorgt dat de logbestanden flink groeien, en zou dus alleen gebruikt moeten worden als je vermoedt dat er iets mis is met HASS.Agent of als een ontwikkelaar het vraagt.
@@ -263,7 +263,7 @@ Voer '0' in om ze permanent te behouden.
(leeglaten bij twijfel)
- Commando's en sensoren worden verstuurd via MQTT, net als notificaties en mediaspeler functies als je de nieuwe integratie gebruikt.
+ Commando's en sensoren worden verstuurd via MQTT, net als notificaties en mediaspeler functies als je de nieuwe integratie gebruikt.
Geef hier de inloggegevens van je server op. Als je de HA addon gebruikt, kun je waarschijnlijk de vooringevulde gegevens gebruiken.
@@ -324,8 +324,8 @@ Notitie: deze instellingen (behalve de cliënt id) zullen ook toegepast worden o
cert&ificaat fouten voor afbeeldingen negeren
- De satelliet service laat je sensoren en commando's uitvoeren, zelfs wanneer er geen gebruiker ingelogd is.
-Gebruik de 'satelliet service' knop in het hoofdscherm om 'm te beheren.
+ De satelliet service laat je sensoren en commando's uitvoeren, zelfs wanneer er geen gebruiker ingelogd is.
+Gebruik de 'satelliet service' knop in het hoofdscherm om 'm te beheren.
service status:
@@ -346,8 +346,8 @@ Gebruik de 'satelliet service' knop in het hoofdscherm om 'm te b
se&rvice herinstalleren
- Als je de service niet configureert, doet hij niks. Je kunt alsnog kiezen om 'm helemaal uit te schakelen.
-De installer zal de uitgeschakelde service met rust laten (als je 'm verwijdert, zal de installer hem terugzetten).
+ Als je de service niet configureert, doet hij niks. Je kunt alsnog kiezen om 'm helemaal uit te schakelen.
+De installer zal de uitgeschakelde service met rust laten (als je 'm verwijdert, zal de installer hem terugzetten).
Je kunt proberen om de service opnieuw te installeren als hij niet goed werkt.
@@ -362,7 +362,7 @@ Je configuratie en entiteiten blijven bewaard.
HASS.Agent kan starten als je inlogt via het register van je gebruikersprofiel.
-Aangezien HASS.Agent gebruiker-gebaseerd is, als je 'm voor een andere gebruiker wilt starten, kun je daar de configuratie uitvoeren.
+Aangezien HASS.Agent gebruiker-gebaseerd is, als je 'm voor een andere gebruiker wilt starten, kun je daar de configuratie uitvoeren.
start-bij-inlogg&en inschakelen
@@ -392,11 +392,11 @@ Je krijgt een notificatie (eenmalig per update) om je te laten weten dat er een
Het lijkt erop dat dit de eerste keer is dat je HASS.Agent start.
-Als je wilt, kunnen we de configuratie doorlopen. Zo niet, klik dan op 'sluiten'.
+Als je wilt, kunnen we de configuratie doorlopen. Zo niet, klik dan op 'sluiten'.
Apparaatnaam wordt gebruikt om je machine te identificeren binnen HA.
-Het wordt ook gebruikt om een voorvoegsel voor te stellen voor je commando's en sensoren.
+Het wordt ook gebruikt om een voorvoegsel voor te stellen voor je commando's en sensoren.
apparaat&naam
@@ -437,7 +437,7 @@ Wil je deze functionaliteit inschakelen?
Om notificaties te gebruiken, moet je de HASS.Agent-Notifier integratie installeren en configureren in Home Assistant.
-Dit is simpel met HACS, maar je kunt 'm ook handmatig installeren.
+Dit is simpel met HACS, maar je kunt 'm ook handmatig installeren.
Bezoek de onderstaande link voor meer informatie.
@@ -447,11 +447,11 @@ Bezoek de onderstaande link voor meer informatie.
server &uri (zou al goed moeten zijn)
- Om te leren welke entiteiten je geconfigureerd hebt, en om snelle acties te versturen, gebruikt HASS.Agent Home Assistant's API.
+ Om te leren welke entiteiten je geconfigureerd hebt, en om snelle acties te versturen, gebruikt HASS.Agent Home Assistant's API.
-Geef een 'long-lived access token' op, en het adres van je Home Assistant installatie.
+Geef een 'long-lived access token' op, en het adres van je Home Assistant installatie.
-Je kunt zo'n token krijgen via je profiel pagina. Blader naar onderaan de pagina en klik op 'TOKEN AANMAKEN'.
+Je kunt zo'n token krijgen via je profiel pagina. Blader naar onderaan de pagina en klik op 'TOKEN AANMAKEN'.
Fuzzy
@@ -473,7 +473,7 @@ Je kunt zo'n token krijgen via je profiel pagina. Blader naar onderaan de p
ip adres of hostname
- Commando's en sensoren worden via MQTT verstuurd. De notificaties- en mediaspeler integratie gebruikt het ook.
+ Commando's en sensoren worden via MQTT verstuurd. De notificaties- en mediaspeler integratie gebruikt het ook.
Tip: als je de HA addon gebruikt, kan je het vooringevulde adres waarschijnlijk gebruiken - geef alleen nog credenties.
Fuzzy
@@ -555,10 +555,10 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)nieuwe toevoegen
- ver&stuur en activeer commando's
+ ver&stuur en activeer commando's
- commando's opgeslagen!
+ commando's opgeslagen!
toep&assen
@@ -579,7 +579,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)Configuratie ophalen
- Deze pagina bevat generieke configuratie opties. Blader door de tabbladen bovenaan voor MQTT instellingen, sensoren en commando's.
+ Deze pagina bevat generieke configuratie opties. Blader door de tabbladen bovenaan voor MQTT instellingen, sensoren en commando's.
auth id
@@ -643,7 +643,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)(leeglaten bij twijfel)
- Commando's en sensoren worden verstuurd via MQTT. Geef de inloggegevens op voor je server. Als je de HA addon gebruikt, kan je waarschijnlijk het vooringevulde adres gebruiken.
+ Commando's en sensoren worden verstuurd via MQTT. Geef de inloggegevens op voor je server. Als je de HA addon gebruikt, kan je waarschijnlijk het vooringevulde adres gebruiken.
discovery voorvoegsel
@@ -781,7 +781,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)nieuwe toevoegen
- op&slaan en activeren commando's
+ op&slaan en activeren commando's
naam
@@ -796,7 +796,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)actie
- Commando's Config
+ Commando's Config
commando op&slaan
@@ -811,7 +811,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)omschrijving
- uitvoe&ren als 'verlaagde integriteit'
+ uitvoe&ren als 'verlaagde integriteit'
wat is dit?
@@ -993,7 +993,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-) MQTT
- Commando's
+ Commando's
Sensoren
@@ -1008,10 +1008,10 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)Een Windows-gebaseerde cliënt voor het Home Assistant platform.
- Deze applicatie is open source en volledig gratis. Bekijk de project-pagina's van de gebruikte componenten voor hun individuele licenties.
+ Deze applicatie is open source en volledig gratis. Bekijk de project-pagina's van de gebruikte componenten voor hun individuele licenties.
- Een oprechte 'bedankt' voor de ontwikkelaars van deze projecten, die zo aardig waren om hun harde werken te delen met de rest van de stervelingen ..
+ Een oprechte 'bedankt' voor de ontwikkelaars van deze projecten, die zo aardig waren om hun harde werken te delen met de rest van de stervelingen ..
En natuurlijk; bedankt Paulus Shoutsen en het hele team van ontwikkelaars dat Home Assistant gebouwd hebben en onderhouden :-)
@@ -1092,7 +1092,7 @@ Bedankt voor het gebruiken van HASS.Agent, hopelijk heb je er wat aan :-)sluiten
- Zit je vast tijdens het gebruik van HASS.Agent, heb je hulp nodig bij het integreren van sensoren/commando's of heb je een top idee voor de volgende versie?
+ Zit je vast tijdens het gebruik van HASS.Agent, heb je hulp nodig bij het integreren van sensoren/commando's of heb je een top idee voor de volgende versie?
Er zijn een paar kanalen waar je ons kunt bereiken:
@@ -1136,7 +1136,7 @@ Er zijn een paar kanalen waar je ons kunt bereiken:
lokale sensoren beheren
- commando's beheren
+ commando's beheren
controleren op updates
@@ -1186,7 +1186,7 @@ Er zijn een paar kanalen waar je ons kunt bereiken:
satelliet service:
- commando's:
+ commando's:
sensoren:
@@ -1233,12 +1233,12 @@ Er zijn een paar kanalen waar je ons kunt bereiken:
Een eigen commando uitvoeren.
-Deze commando's draaien zonder speciale privileges. Om met verhoogde privileges uit te voeren, maak een Geplande Taak en gebruik 'schtasks /Run /TN "TaskName"' als commando om the taak uit te voeren.
+Deze commando's draaien zonder speciale privileges. Om met verhoogde privileges uit te voeren, maak een Geplande Taak en gebruik 'schtasks /Run /TN "TaskName"' als commando om the taak uit te voeren.
-Of schakel 'uitvoeren met verlaagde integriteit' in voor een strictere uitvoering.
+Of schakel 'uitvoeren met verlaagde integriteit' in voor een strictere uitvoering.
- Voert het commando uit via de geconfigureerde eigen executor (in Configuratie -> Externe Programma's).
+ Voert het commando uit via de geconfigureerde eigen executor (in Configuratie -> Externe Programma's).
Je commando wordt onveranderd toegevoegd als argument, dus je moet je eigen haakjes etc. toevoegen indien nodig.
@@ -1248,7 +1248,7 @@ Je commando wordt onveranderd toegevoegd als argument, dus je moet je eigen haak
Simuleert een enkele toetsaanslag.
-Klik op het 'keycode' veld en druk de toets in die je gesimuleerd wilt hebben. De corresponderende keycode wordt voor je ingevuld.
+Klik op het 'keycode' veld en druk de toets in die je gesimuleerd wilt hebben. De corresponderende keycode wordt voor je ingevuld.
Als je meer toetsen nodig hebt en/of extra opties zoals CTRL, gebruik dan de MeerdereToetsen commando.
Fuzzy
@@ -1256,9 +1256,9 @@ Als je meer toetsen nodig hebt en/of extra opties zoals CTRL, gebruik dan de Mee
Opent de opgegeven URL, normaliter in je standaard browser.
-Om 'privémodus' te gebruiken, moet je een specifieke browser toevoegen in Configuratie -> Externe Programma's.
+Om 'privémodus' te gebruiken, moet je een specifieke browser toevoegen in Configuratie -> Externe Programma's.
-Als je alleen een scherm wilt met een specifieke URL (niet een complete browser), gebruik dan een 'WebView' commando.
+Als je alleen een scherm wilt met een specifieke URL (niet een complete browser), gebruik dan een 'WebView' commando.
Vergrendelt de huidige sessie.
@@ -1267,22 +1267,22 @@ Als je alleen een scherm wilt met een specifieke URL (niet een complete browser)
Logt de huidige sessie uit.
- Simuleert de 'demp' (mute) knop.
+ Simuleert de 'demp' (mute) knop.
- Simuleert de 'media volgende' knop.
+ Simuleert de 'media volgende' knop.
- Simuleert de 'media afspelen/pauze' knop.
+ Simuleert de 'media afspelen/pauze' knop.
- Simuleert de 'media vorige' knop.
+ Simuleert de 'media vorige' knop.
- Simuleert de 'volume lager' knop.
+ Simuleert de 'volume lager' knop.
- Simuleert de 'volume hoger' knop.
+ Simuleert de 'volume hoger' knop.
Simuleert het indrukken van meerdere toetsen:
@@ -1291,7 +1291,7 @@ Je moet [ ] om elke toets heen zetten, anders kan HASS.Agent ze niet onderscheid
Er zijn een paar trucs die je kunt gebruiken:
-- Als je een haakje wilt indrukken, 'escape' die dan, dus [ is [\[] en ] is [\]]
+- Als je een haakje wilt indrukken, 'escape' die dan, dus [ is [\[] en ] is [\]]
- Speciale tekens moeten tussen { }, zoals {TAB} of {UP}
@@ -1316,12 +1316,12 @@ Handig om bijvoorbeeld HASS.Agent te forceren om al je sensoren te updaten na ee
Herstart de machine na één minuut.
-Tip: per ongeluk geactiveerd? Voer 'shutdown /a' uit om te annuleren.
+Tip: per ongeluk geactiveerd? Voer 'shutdown /a' uit om te annuleren.
Sluit de machine af na één minuut.
-Tip: per ongeluk geactiveerd? Voer 'shutdown /a' uit om te annuleren.
+Tip: per ongeluk geactiveerd? Voer 'shutdown /a' uit om te annuleren.
Zet de machine in slaap modus.
@@ -1331,7 +1331,7 @@ Info: vanwege een limiet van Windows, werkt dit alleen als hibernation uitgescha
Je kunt iets als NirCmd (http://www.nirsoft.net/utils/nircmd.html) gebruiken om dit te omzeilen.
- Voer de locatie van je browser's binary in (.exe bestand).
+ Voer de locatie van je browser's binary in (.exe bestand).
De opgegeven binary is niet gevonden.
@@ -1350,7 +1350,7 @@ Controleer de logs voor meer info.
Voer een geldige API sleutel in.
- Voeg je Home Assistant's URI in.
+ Voeg je Home Assistant's URI in.
Kan niet verbinden, de volgende error werd opgegeven:
@@ -1385,7 +1385,7 @@ Ter info: dit test alleen of lokaal notificaties getoond kunnen worden!
Er ging iets mis!
-Probeer handmatig het vereiste commando uit te voeren. Die is gekopieerd naar je klembord, je hoeft 'm alleen maar te plakken in een 'command prompt' met verhoogde privileges.
+Probeer handmatig het vereiste commando uit te voeren. Die is gekopieerd naar je klembord, je hoeft 'm alleen maar te plakken in een 'command prompt' met verhoogde privileges.
Vergeet niet om de poort van je firewall regel ook aan te passen.
@@ -1410,7 +1410,7 @@ Vergeet niet om de poort van je firewall regel ook aan te passen.
Controleer de HASS.Agent (niet de service) logs voor meer info.
- De service staat op 'uitgeschakeld', dus kan niet gestart worden.
+ De service staat op 'uitgeschakeld', dus kan niet gestart worden.
Schakel eerst de service in, en probeer het dan opnieuw.
@@ -1478,7 +1478,7 @@ Controleer de logs voor meer info.
Vul een geldige API sleutel in.
- Vul Home Assistant's URI in.
+ Vul Home Assistant's URI in.
Kan niet verbinden, de volgende error was teruggegeven:
@@ -1494,7 +1494,7 @@ Home Assistant versie: {0}
testen ..
- Er is iets mis gegaan bij het opslaan van de commando's, controleer de logs voor meer info.
+ Er is iets mis gegaan bij het opslaan van de commando's, controleer de logs voor meer info.
opslaan en registreren, ogenblik geduld ..
@@ -1506,9 +1506,9 @@ Home Assistant versie: {0}
verbinden met de service is gefaald
- The service is niet gevonden! Je kunt 'm installeren en beheren vanuit het configuratie paneel.
+ The service is niet gevonden! Je kunt 'm installeren en beheren vanuit het configuratie paneel.
-Wanneer hij weer draait, kun je hier terugkomen om de commando's en sensoren te configureren.
+Wanneer hij weer draait, kun je hier terugkomen om de commando's en sensoren te configureren.
communiceren met de service is gefaald
@@ -1543,10 +1543,10 @@ Je kunt de logs openen en de service beheren via het configuratie paneel.
- ophalen geconfigureerde commando's gefaald
+ ophalen geconfigureerde commando's gefaald
- De service heeft een fout teruggegeven tijdens het ophalen van de opgeslagen commando's. Controleer de logs voor meer info.
+ De service heeft een fout teruggegeven tijdens het ophalen van de opgeslagen commando's. Controleer de logs voor meer info.
Je kunt de logs openen en de service beheren via het configuratie paneel.
@@ -1586,7 +1586,7 @@ Leeglaten om ze allemaal te laten verbinden.
Met deze naam registreert de satelliet service zichzelf bij Home Assistant.
-Standaard is het je PC naam plus '-satellite'.
+Standaard is het je PC naam plus '-satellite'.
De hoeveelheid tijd dat de satelliet service wacht voordat hij een verbroken verbinding met de MQTT broker meldt.
@@ -1644,7 +1644,7 @@ Controleer de logs voor meer informatie.
opslaan en registreren, ogenblik geduld ..
- Er is iets mis gegaan bij het opslaan van de commando's, controleer de logs voor meer info.
+ Er is iets mis gegaan bij het opslaan van de commando's, controleer de logs voor meer info.
Nieuwe Commando
@@ -1668,12 +1668,12 @@ Controleer de logs voor meer informatie.
Er is al een commando met die naam. Weet je zeker dat je door wilt gaan?
- Als je geen commando invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Uitvoeren in de huidige vorm doet niks.
+ Als je geen commando invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Uitvoeren in de huidige vorm doet niks.
Weet je zeker dat je dit wilt?
- Als je geen commando of script invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Uitvoeren in de huidige vorm doet niks.
+ Als je geen commando of script invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Uitvoeren in de huidige vorm doet niks.
Weet je zeker dat je dit wilt?
@@ -1684,7 +1684,7 @@ Weet je zeker dat je dit wilt?
Controleer van keys gefaald: {0}
- Als je geen URL invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Uitvoeren in de huidige vorm doet niks.
+ Als je geen URL invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Uitvoeren in de huidige vorm doet niks.
Weet je zeker dat je dit wilt?
@@ -1730,10 +1730,10 @@ configureer een executor, anders kan het commando niet uitvoeren
Dat betekent dat het alleen bestanden kan opslaan en aanpassen op bepaalde plekken,
- zoals de '%USERPROFILE%\AppData\LocalLow' map of
+ zoals de '%USERPROFILE%\AppData\LocalLow' map of
- de 'HKEY_CURRENT_USER\Software\AppDataLow' register sleutel.
+ de 'HKEY_CURRENT_USER\Software\AppDataLow' register sleutel.
Je kunt het beste je commando testen om zeker te weten dat hij hier niet door wordt beïnvloed.
@@ -1847,11 +1847,11 @@ configureer een executor, anders kan het commando niet uitvoeren
Je hebt je apparaatnaam aangepast.
-Al je sensoren en commando's worden nu ongepubliceerd, waarna HASS.Agent zal herstarten en ze daarna opnieuw zal publiceren.
+Al je sensoren en commando's worden nu ongepubliceerd, waarna HASS.Agent zal herstarten en ze daarna opnieuw zal publiceren.
Geen zorgen, ze behouden hun huidige namen, dus al je automatiseringen en scripts blijven werken.
-Ter info: de naam zal 'opgeschoond' worden, wat betekent dat alles behalve letters, cijfers en spaties wordt omgezet naar een laag streepje. Dit is vereist door HA.
+Ter info: de naam zal 'opgeschoond' worden, wat betekent dat alles behalve letters, cijfers en spaties wordt omgezet naar een laag streepje. Dit is vereist door HA.
Je hebt de poort van de lokale API aangepast. Deze nieuwe poort moet gereserveerd wordt.
@@ -1862,7 +1862,7 @@ Je krijgt een UAC verzoek te zien om dat te doen, deze graag toestemming geven.<
Er is iets misgegaan!
-Voer het vereiste commando handmatig uit. Hij is gekopieerd naar je klembord, je hoeft 'm alleen maar te plakken in een 'command prompt' met verhoogde privileges.
+Voer het vereiste commando handmatig uit. Hij is gekopieerd naar je klembord, je hoeft 'm alleen maar te plakken in een 'command prompt' met verhoogde privileges.
Vergeet niet om de poort van je firewall regel ook aan te passen.
@@ -1883,7 +1883,7 @@ Wil je nu herstarten?
Er is iets misgegaan bij het laden van je instellingen.
-Controleer appsettings.json in de 'config' subfolder, or verwijder 'm gewoon om schoon te starten.
+Controleer appsettings.json in de 'config' subfolder, or verwijder 'm gewoon om schoon te starten.
Fuzzy
@@ -1896,7 +1896,7 @@ Controleer de logs en rapporteer eventuele bugs op GitHub.
Fuzzy
- &commando's
+ &commando's
Fuzzy
@@ -2039,7 +2039,7 @@ Controleer of er niet nog een andere instantie van HASS.Agent actief is, en of d
Geeft informatie over meerdere aspecten van het geluid van je apparaat:
-Huidige piek volumeniveau (kan gebruikt worden als een simpele 'speelt er iets' waarde).
+Huidige piek volumeniveau (kan gebruikt worden als een simpele 'speelt er iets' waarde).
Standaard geluidsapparaat: naam, status en volume.
@@ -2078,7 +2078,7 @@ Pakt momenteel het volume van je standaardapparaat.
Geeft een datetime waarde met het laatste moment dat het systeem (her)startte.
-Belangrijk: Windows' FastBoot optie kan deze waarde beïnvloeden, omdat dat een vorm van hibernation is. Je kunt het uitschakelen via Energiebeheer. Het maakt niet veel verschil voor moderne machines met SSDs, maar het uitschakelen ervan zorgt ervoor dat je altijd een schone lei hebt na een herstart.
+Belangrijk: Windows' FastBoot optie kan deze waarde beïnvloeden, omdat dat een vorm van hibernation is. Je kunt het uitschakelen via Energiebeheer. Het maakt niet veel verschil voor moderne machines met SSDs, maar het uitschakelen ervan zorgt ervoor dat je altijd een schone lei hebt na een herstart.
Geeft de volgende systeemstatus veranderingen:
@@ -2120,7 +2120,7 @@ Categorie: Processor
Teller: % Processor Time
Instance: _Total
-Je kunt de tellers verkennen via Windows' 'perfmon.exe' applicatie.
+Je kunt de tellers verkennen via Windows' 'perfmon.exe' applicatie.
Geeft het aantal actieve instanties van het proces.
@@ -2129,7 +2129,7 @@ Je kunt de tellers verkennen via Windows' 'perfmon.exe' applicati
Geeft de staat van de opgegeven service: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending or Paused.
-Zorg dat je de 'Service naam' geeft, niet de 'Weergavenaam'.
+Zorg dat je de 'Service naam' geeft, niet de 'Weergavenaam'.
Geeft de huidige sessie staat:
@@ -2155,7 +2155,7 @@ Notitie: als hij gebruikt wordt in de satelliet service, zal hij geen gebruikers
Fuzzy
- Geeft een sensor met het aantal beschikbare driver updates, een sensor met het aantal beschikbare software updates, een sensor met info over de beschikbare driver updates (titel, kb, artikel id's, verborgen, type en categorieën) en een sensor met hetzelfde voor de beschikbare software updates.
+ Geeft een sensor met het aantal beschikbare driver updates, een sensor met het aantal beschikbare software updates, een sensor met info over de beschikbare driver updates (titel, kb, artikel id's, verborgen, type en categorieën) en een sensor met hetzelfde voor de beschikbare software updates.
Dit is een duur verzoek, dus de aanbevolen interval is 15 minuten (900 seconden). Maar de ondergrens is 10 minuten, als je een lagere waarde geeft krijg je de laatst-bekende lijst terug.
Fuzzy
@@ -2179,12 +2179,12 @@ Dit is een duur verzoek, dus de aanbevolen interval is 15 minuten (900 seconden)
{0}
- Fout tijdens laden commando's:
+ Fout tijdens laden commando's:
{0}
- Fout tijdens opslaan commando's:
+ Fout tijdens opslaan commando's:
{0}
@@ -2609,7 +2609,7 @@ Wil je alsnog met de huidige waardes testen?
ApplicatieGestart
- Je kunt de satelliet service gebruiken om sensoren en commando's uit te voeren zonder ingelogd te hoeven zijn. Niet alle types zijn beschikbaar, bijvoorbeeld het 'LanceerUrl' commando kan alleen als regulier commando toegevoegd worden.
+ Je kunt de satelliet service gebruiken om sensoren en commando's uit te voeren zonder ingelogd te hoeven zijn. Niet alle types zijn beschikbaar, bijvoorbeeld het 'LanceerUrl' commando kan alleen als regulier commando toegevoegd worden.
laatst bekende waarde
@@ -2628,24 +2628,24 @@ Controleer of er geen andere HASS.Agent instanties actief zijn, en of de poort b
Toont een scherm met de opgegeven URL.
-Dit wijkt af van het 'LanceerUrl' commando in dat het geen volledige browser laadt, alleen de opgegeven URL in een eigen scherm.
+Dit wijkt af van het 'LanceerUrl' commando in dat het geen volledige browser laadt, alleen de opgegeven URL in een eigen scherm.
Je kunt dit bijvoorbeeld gebruiken om snel een dashboard van Home Assistant te tonen.
Standaard slaat hij cookies oneindig op, dus je hoeft maar één keer in te loggen.
- HASS.Agent Commando's
+ HASS.Agent Commando's
- Zoekt het opgegeven proces, en probeert z'n hoofdscherm naar de voorgrond te halen.
+ Zoekt het opgegeven proces, en probeert z'n hoofdscherm naar de voorgrond te halen.
Als de applicatie geminimaliseerd is, wordt hij hersteld.
-Voorbeeld: als je VLC naar de voorgrond wilt sturen, gebruik dan 'vlc'.
+Voorbeeld: als je VLC naar de voorgrond wilt sturen, gebruik dan 'vlc'.
- Als je het commando niet configureert, kan je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant en hij toont met de standaard instellingen. Uitvoeren zonder een actie doet niks.
+ Als je het commando niet configureert, kan je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant en hij toont met de standaard instellingen. Uitvoeren zonder een actie doet niks.
Weet je zeker dat je dit wilt?
@@ -2687,7 +2687,7 @@ Ter info: deze melding toont éénmalig.
lokal&e api uitvoeren
- HASS.Agent heeft z'n eigen lokale API, zodat Home Assistant verzoeken kan sturen (bijvoorbeeld om een notificatie te versturen). Je kunt hem hier globlaal configureren, en daarna kun je de afhankelijke onderdelen configureren (momenteel notificaties en mediaspeler).
+ HASS.Agent heeft z'n eigen lokale API, zodat Home Assistant verzoeken kan sturen (bijvoorbeeld om een notificatie te versturen). Je kunt hem hier globlaal configureren, en daarna kun je de afhankelijke onderdelen configureren (momenteel notificaties en mediaspeler).
Notitie: dit is niet vereist om de nieuwe integratie te laten werken. Alleen inschakelen en gebruiken als je geen MQTT gebruikt.
Fuzzy
@@ -2741,14 +2741,14 @@ Notitie: dit is niet vereist om de nieuwe integratie te laten werken. Alleen ins
Fuzzy
- de lokale API is uitgeschakeld, maar de mediaspeler heeft 'm nodig om te functioneren
+ de lokale API is uitgeschakeld, maar de mediaspeler heeft 'm nodig om te functioneren
Fuzzy
&TLS
- de lokale API is uitgeschakeld, maar de mediaspeler heeft 'm nodig om te functioneren
+ de lokale API is uitgeschakeld, maar de mediaspeler heeft 'm nodig om te functioneren
Fuzzy
@@ -2785,10 +2785,10 @@ Notitie: dit is niet vereist om de nieuwe integratie te laten werken. Alleen ins
Systeemvak Pictogram
- Je invoertaal '{0}' staat erom bekend te botsen met de standaard CTRL-ALT-Q sneltoets. Stel daarom je eigen in.
+ Je invoertaal '{0}' staat erom bekend te botsen met de standaard CTRL-ALT-Q sneltoets. Stel daarom je eigen in.
- Je invoertaal '{0}' is onbekend, en kan botsen met de standaard CTRL-ALT-Q sneltoets. Controleer dit voor de zekerheid. Als het zo is, overweeg dan een ticket te openen op GitHub om 'm aan de lijst toe te laten voegen.
+ Je invoertaal '{0}' is onbekend, en kan botsen met de standaard CTRL-ALT-Q sneltoets. Controleer dit voor de zekerheid. Als het zo is, overweeg dan een ticket te openen op GitHub om 'm aan de lijst toe te laten voegen.
geen toetsen gevonden
@@ -2800,7 +2800,7 @@ Notitie: dit is niet vereist om de nieuwe integratie te laten werken. Alleen ins
fout tijdens verwerken toetsen, controleer de logs voor meer info
- het aantal '[' haakjes komt niet overeen met het aantal ']' haakjes ({0} tegenover {1})
+ het aantal '[' haakjes komt niet overeen met het aantal ']' haakjes ({0} tegenover {1})
Documentatie
@@ -2852,7 +2852,7 @@ Dit is makkelijk via HACS, maar je kunt ook handmatig installeren. Bezoek de lin
activeer ¬ificaties
- HASS.Agent gebruikt z'n eigen ingebouwde API, zodat Home Assistant verzoeken kan sturen (zoals notificaties of tekst-naar-spraak).
+ HASS.Agent gebruikt z'n eigen ingebouwde API, zodat Home Assistant verzoeken kan sturen (zoals notificaties of tekst-naar-spraak).
Wil je dit activeren?
@@ -2860,7 +2860,7 @@ Wil je dit activeren?
Je kunt kiezen welke modules te wilt activeren. Ze vereisen HA integraties, maar geen zorgen, de volgende pagina geeft je meer info over hoe je ze in kunt stellen.
- Ter info: 5115 is de standaard poort, verander 'm alleen als je dit ook in Home Assistant hebt gedaan.
+ Ter info: 5115 is de standaard poort, verander 'm alleen als je dit ook in Home Assistant hebt gedaan.
&TLS
@@ -2903,7 +2903,7 @@ Wil je die versie gebruiken?
grootte
- tip: druk op 'esc' om een webview te sluiten
+ tip: druk op 'esc' om een webview te sluiten
&URL
@@ -2926,7 +2926,7 @@ Controleer of het keycode veld focus heeft, en druk dan op de toets die je gesim
status notificaties inschakelen
- HASS.Agent zal je apparaatnaam opschonen, om zeker te zijn dat HA 'm accepteert. Je kunt dit uitschakelen als je zeker weet dat je naam wordt geaccepteerd.
+ HASS.Agent zal je apparaatnaam opschonen, om zeker te zijn dat HA 'm accepteert. Je kunt dit uitschakelen als je zeker weet dat je naam wordt geaccepteerd.
Als je wilt, kun je status notificaties compleet uitschakelen. HASS.Agent zal je niet melden dat een verbinding verbroken of hersteld is.
@@ -2934,7 +2934,7 @@ Controleer of het keycode veld focus heeft, en druk dan op de toets die je gesim
Je hebt je apparaatnaam aangepast.
-Al je sensoren en commando's worden nu ongepubliceerd, waarna HASS.Agent zal herstarten en ze daarna opnieuw zal publiceren.
+Al je sensoren en commando's worden nu ongepubliceerd, waarna HASS.Agent zal herstarten en ze daarna opnieuw zal publiceren.
Geen zorgen, ze behouden hun huidige namen, dus al je automatiseringen en scripts blijven werken.
@@ -2998,7 +2998,7 @@ Ter info: je hebt opschoning uitgeschakeld, dus verzeker je ervan dat je apparaa
Zet alle beeldschermen in slaap (laag energieverbruik) modus.
- Probeert alle beeldschermen wakker te maken door de 'pijl omhoog' knop te simuleren.
+ Probeert alle beeldschermen wakker te maken door de 'pijl omhoog' knop te simuleren.
Stelt de volume van de huidige standaard geluidapparaat in op het opgegeven niveau.
@@ -3010,7 +3010,7 @@ Ter info: je hebt opschoning uitgeschakeld, dus verzeker je ervan dat je apparaa
Commando
- Als je geen volume waarde invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Zonder activeren doet niks.
+ Als je geen volume waarde invult, kun je deze entiteit alleen gebruiken met een 'actie' waarde via Home Assistant. Zonder activeren doet niks.
Weet je zeker dat je dit wilt?
@@ -3025,12 +3025,12 @@ Wil je deze variant gebruiken?
Je API token ziet er verkeerd uit. Controleer dat je de hele token geselecteerd hebt (geen CTRL+A of dubbelklik gebruiken).
Er zouden drie secties moeten zijn (gescheiden door twee punten).
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
- Je URI ziet er verkeerd uit. Het zou moeten lijken op 'http://homeassistant.local:8123' of 'https://192.168.0.1:8123'.
+ Je URI ziet er verkeerd uit. Het zou moeten lijken op 'http://homeassistant.local:8123' of 'https://192.168.0.1:8123'.
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
testen ..
@@ -3042,7 +3042,7 @@ Weet je zeker dat je 'm zo wilt gebruiken?
mqtt inschakelen
- zonder mqtt, zullen commando's en sensoren niet werken!
+ zonder mqtt, zullen commando's en sensoren niet werken!
zowel de lokale API als MQTT zijn uitgeschakeld, maar de integratie heeft ten minste één nodig om te werken
@@ -3053,10 +3053,10 @@ Weet je zeker dat je 'm zo wilt gebruiken?
De service is momenteel gestopt, dus je kunt hem niet configureren.
-Zorg dat je 'm eerst geactiveerd en gestart hebt.
+Zorg dat je 'm eerst geactiveerd en gestart hebt.
- Als je de service wilt beheren (commando's en sensors toevoegen, instellingen aanpassen) dan kan dat hier, of door de 'satellite service' knop op het hoofdscherm.
+ Als je de service wilt beheren (commando's en sensors toevoegen, instellingen aanpassen) dan kan dat hier, of door de 'satellite service' knop op het hoofdscherm.
toon standaard menu bij linker muisknop klik
@@ -3065,17 +3065,17 @@ Zorg dat je 'm eerst geactiveerd en gestart hebt.
Je Home Assistant API token ziet er verkeerd uit. Controleer dat je de hele token geselecteerd hebt (geen CTRL+A of dubbelklik gebruiken).
Er zouden drie secties moeten zijn (gescheiden door twee punten).
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
- Je Home Assistant URI ziet er verkeerd uit. Het zou moeten lijken op 'http://homeassistant.local:8123' of 'https://192.168.0.1:8123'.
+ Je Home Assistant URI ziet er verkeerd uit. Het zou moeten lijken op 'http://homeassistant.local:8123' of 'https://192.168.0.1:8123'.
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
- Je MQTT broker URI ziet er verkeerd uit. Het zou moeten lijken op 'homeassistant.local' or '192.168.0.1'.
+ Je MQTT broker URI ziet er verkeerd uit. Het zou moeten lijken op 'homeassistant.local' or '192.168.0.1'.
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
sluiten
@@ -3088,7 +3088,7 @@ Weet je zeker dat je 'm zo wilt gebruiken?
Het ontwikkelen en onderhouden van deze tool (en alles wat erbij komt kijken, zoals support, deze vertaling en de documentatie) neemt een hoop tijd in beslag.
-Zoals de meeste ontwikkelaars draai ik op caffeïne - dus als je 't kunt missen, wordt een kop koffie altijd erg gewaardeerd!
+Zoals de meeste ontwikkelaars draai ik op caffeïne - dus als je 't kunt missen, wordt een kop koffie altijd erg gewaardeerd!
Doneren
@@ -3103,15 +3103,15 @@ Zoals de meeste ontwikkelaars draai ik op caffeïne - dus als je 't kunt mi
Je API token ziet er verkeerd uit. Controleer dat je de hele token geselecteerd hebt (geen CTRL+A of dubbelklik gebruiken).
Er zouden drie secties moeten zijn (gescheiden door twee punten).
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
- Je URI ziet er verkeerd uit. Het zou moeten lijken op 'http://homeassistant.local:8123' of 'https://192.168.0.1:8123'.
+ Je URI ziet er verkeerd uit. Het zou moeten lijken op 'http://homeassistant.local:8123' of 'https://192.168.0.1:8123'.
-Weet je zeker dat je 'm zo wilt gebruiken?
+Weet je zeker dat je 'm zo wilt gebruiken?
- Het ontwikkelen en onderhouden van deze tool (en alles wat erbij komt kijken, zoals support, deze vertaling en de documentatie) neemt een hoop tijd in beslag. Zoals de meeste ontwikkelaars draai ik op caffeïne - dus als je 't kunt missen, wordt een kop koffie altijd erg gewaardeerd!
+ Het ontwikkelen en onderhouden van deze tool (en alles wat erbij komt kijken, zoals support, deze vertaling en de documentatie) neemt een hoop tijd in beslag. Zoals de meeste ontwikkelaars draai ik op caffeïne - dus als je 't kunt missen, wordt een kop koffie altijd erg gewaardeerd!
Tip: andere donatie methodes zijn beschikbaar in het Over scherm.
@@ -3143,9 +3143,9 @@ Toont alleen apparaten die zijn gezien sinds het laatste rapport, oftewel, zodra
Geeft je huidige latitude, longitude en altitude als een kommagescheiden waarde.
-Verzeker dat Windows' localisatieservices ingeschakeld zijn!
+Verzeker dat Windows' localisatieservices ingeschakeld zijn!
-Afhankelijk van je Windows versie, kan dit gevonden worden in het nieuwe configuratiescherm -> 'privacy en beveiliging' -> 'locatie'.
+Afhankelijk van je Windows versie, kan dit gevonden worden in het nieuwe configuratiescherm -> 'privacy en beveiliging' -> 'locatie'.
Geeft de naam van het proces dat momenteel de microfoon gebruikt.
@@ -3231,7 +3231,7 @@ Wil je de logmap openen?
error tijdens instellen opstartmodus, controleer logs
- Microsoft's WebView2 runtime is niet op je machine gevonden. Normaliter handelt de installatie dit af, maar je kunt het ook handmatig installeren.
+ Microsoft's WebView2 runtime is niet op je machine gevonden. Normaliter handelt de installatie dit af, maar je kunt het ook handmatig installeren.
Wil je de runtime installatie downloaden?
@@ -3241,4 +3241,10 @@ Wil je de runtime installatie downloaden?
domein
+
+ Activeert het meegeleverde virtuele bureaublad.
+
+
+ Geeft de ID van het momenteel actieve virtuele bureaublad.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pl.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pl.resx
index c3c1de48..4302204f 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pl.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pl.resx
@@ -239,7 +239,7 @@ W ten sposób, cokolwiek robisz na swoim komputerze, zawsze możesz wchodzić w
Niektóre elementy, takie jak obrazy wyświetlane w powiadomieniach, muszą być tymczasowo przechowywane lokalnie. Możesz
skonfigurować, przez ile dni mają być przechowywane, zanim HASS.Agent je usunie.
-Aby zachować je na stałe, wpisz "0".
+Aby zachować je na stałe, wpisz "0".
Rozszerzone rejestrowanie logów zapewnia bardziej szczegółowe i wnikliwe informacje w przypadku, gdy domyślne rejestrowanie nie jest wystarczające.
@@ -775,7 +775,7 @@ HASS.Agent do nasłuchiwania na określonym porcie.
HASS.Agent Aktualizacja
- Poczekaj na ponowne uruchomienie HASS.Agent'a..
+ Poczekaj na ponowne uruchomienie HASS.Agent'a..
Czakam na zamkniecie poprzedniej instancji..
@@ -1199,7 +1199,7 @@ zgłaszaj błędy lub po prostu rozmawiaj o czymkolwiek.
Pomoc
- pokaż HASS.Agent'a
+ pokaż HASS.Agent'a
pokaż szybkie akcje
@@ -1277,7 +1277,7 @@ k&onfiguracja
szybkie akcje:
- api home assistant'a:
+ api home assistant'a:
api powiadomień
@@ -1319,7 +1319,7 @@ k&onfiguracja
Wykonaj niestandardowe polecenie.
-Te polecenia działają bez podwyższonych uprawnień. Aby uruchomić z podwyższonym poziomem uprawnień, utwórz Zaplanowane zadanie i użyj 'schtasks /Run /TN "NazwaZadania"' jako polecenia do wykonania zadania.
+Te polecenia działają bez podwyższonych uprawnień. Aby uruchomić z podwyższonym poziomem uprawnień, utwórz Zaplanowane zadanie i użyj 'schtasks /Run /TN "NazwaZadania"' jako polecenia do wykonania zadania.
Lub włącz opcję „uruchom jako niską integralność”, aby uzyskać jeszcze bardziej rygorystyczne wykonanie.
@@ -1402,12 +1402,12 @@ Przydatne na przykład, jeśli chcesz zmusić HASS.Agent do aktualizacji wszystk
Ponowne uruchomi maszynę po jednej minucie.
-Wskazówka: włączono przypadkowo? Uruchom 'shutdown /a', aby przerwać.
+Wskazówka: włączono przypadkowo? Uruchom 'shutdown /a', aby przerwać.
Wyłączy maszynę po jednej minucie.
-Wskazówka: włączono przypadkowo? Uruchom 'shutdown /a', aby przerwać.
+Wskazówka: włączono przypadkowo? Uruchom 'shutdown /a', aby przerwać.
Usypia maszynę.
@@ -1555,7 +1555,7 @@ Sprawdź logi, aby uzyskać więcej informacji.
Aktywowanie Uruchomienie-przy-logowaniu..
- Coś poszło nie tak. Możesz spróbować ponownie, lub przejść do następnej strony i spróbować ponownie po ponownym uruchomieniu HASS.Agent'a.
+ Coś poszło nie tak. Możesz spróbować ponownie, lub przejść do następnej strony i spróbować ponownie po ponownym uruchomieniu HASS.Agent'a.
Włącz Uruchomienie-przy-logowaniu
@@ -1663,7 +1663,7 @@ Czy jesteś pewien?
Wybrane środowisko wykonania nie zostało znalezione. Wybierz nowe.
- Ustawia klucz autoryzacji, jeżeli chcesz aby tylko jedna instancja HASS.Agent'a na tym komputerze łączyła się z usługą usługą Satellite.
+ Ustawia klucz autoryzacji, jeżeli chcesz aby tylko jedna instancja HASS.Agent'a na tym komputerze łączyła się z usługą usługą Satellite.
Tylko instancja z odpowiednim kluczem autoryzacji może się połączyć.
@@ -1673,7 +1673,7 @@ Pozostaw puste aby pozwolić łączyć się wszystkim.
Nazwa pod którą usługa Satellite zostanie zarejestrowana w Home Assistant.
-Domyślnie jest to nazwa twojego komputera oraz '-satellite'.
+Domyślnie jest to nazwa twojego komputera oraz '-satellite'.
Czas po jakim usługa Satellite wyśle informacje o utracie połączenia przez MQTT.
@@ -2132,7 +2132,7 @@ Upewnij się, że żadne inna instancja HASS.Agent nie jest uruchomiona, a port
Zwraca informacje na temat urządzenia audio:
-Aktualny maksymalny poziom głośności (może być używany jako prosta wartość 'czy coś aktualnie gra').
+Aktualny maksymalny poziom głośności (może być używany jako prosta wartość 'czy coś aktualnie gra').
Domyślne urządzenie audio: nazwa, stan, głośność.
@@ -2212,7 +2212,7 @@ Category: Processor
Counter: % Processor Time
Instance: _Total
-Możesz odnaleźć liczniki wydajności przez narzędzie Windows 'perfmon.exe'.
+Możesz odnaleźć liczniki wydajności przez narzędzie Windows 'perfmon.exe'.
Zwraca ilość instancji danego procesu.
@@ -2221,7 +2221,7 @@ Możesz odnaleźć liczniki wydajności przez narzędzie Windows 'perfmon.e
Zwraca stan usługi: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending or Paused.
-Upewnij się że wpisujesz 'Service name', nie 'Dispaly name'.
+Upewnij się że wpisujesz 'Service name', nie 'Dispaly name'.
Fuzzy
@@ -2702,7 +2702,7 @@ Czy chcesz użyć obecnej ścieżki?
ApplicationStarted
- Możesz użyć usługi Satellite aby przesyłać czujniki i komendy bez potrzeby bycia zalogowanym. Nie wszystkie typy działają, na przykład komenda 'UruchomUrl' może zostać dodana tylko jako normalna komenda.
+ Możesz użyć usługi Satellite aby przesyłać czujniki i komendy bez potrzeby bycia zalogowanym. Nie wszystkie typy działają, na przykład komenda 'UruchomUrl' może zostać dodana tylko jako normalna komenda.
Ostatnie Znana Wartość
@@ -2978,7 +2978,7 @@ Czy akceptujesz taką nazwę?
Pokazuje nazwe okna
- Ustawia okno jako '&Zawsze na wierzchu'
+ Ustawia okno jako '&Zawsze na wierzchu'
Złap i przeciągnij okno aby ustalić rozmiar i miejsce komendy WebView
@@ -3085,7 +3085,7 @@ Uwaga: wyłączyłeś czyszczenie nazw, więc upewnij się, że nazwa Twojego ur
Usypia wszystkie monitory (niski zużycie energii).
- Stara się wybudzić wszystkie monitory poprzez symulowanie wciśnięcia przycisku "do góry".
+ Stara się wybudzić wszystkie monitory poprzez symulowanie wciśnięcia przycisku "do góry".
Ustawia poziom głośności domyślnego urządzenia na podaną wartość.
@@ -3097,7 +3097,7 @@ Uwaga: wyłączyłeś czyszczenie nazw, więc upewnij się, że nazwa Twojego ur
komenda
- Nie podając żadnej wartości głośności musisz używać encji z 'akcją' w Home Assistant. Uruchomienie jej tak jak teraz nie przyniesie żadnego efektu.
+ Nie podając żadnej wartości głośności musisz używać encji z 'akcją' w Home Assistant. Uruchomienie jej tak jak teraz nie przyniesie żadnego efektu.
Czy jesteś pewien?
@@ -3155,12 +3155,12 @@ Proszę włącz usługę aby ją skonfigurować.
Czy jesteś pewien, że chcesz użyć tego tokenu?
- Twój adres Home Assistant wygląda na błędny. Powinien wyglądać mniej więcej tak 'http://homeassistant.local:8123' lub tak 'https://192.168.0.1:8123'.
+ Twój adres Home Assistant wygląda na błędny. Powinien wyglądać mniej więcej tak 'http://homeassistant.local:8123' lub tak 'https://192.168.0.1:8123'.
Jesteś pewien że chcesz używać takiego?
- Twój adres brokera MQTT wygląda na błędny. Powinien wyglądać mniej więcej tak 'homeassistant.local' lub tak '192.168.0.1'.
+ Twój adres brokera MQTT wygląda na błędny. Powinien wyglądać mniej więcej tak 'homeassistant.local' lub tak '192.168.0.1'.
Jesteś pewien że chcesz używać takiego?
@@ -3233,7 +3233,7 @@ Pokazuje tylko te urządzenia które zgłaszały się w okresie od ostatniego ra
Upewnij się że lokalizacja jest włączona w systemie Windows!
-W zalezności od Twojej wersji Windows'a opcje te możesz znaleźć w Ustawienia -> Prywatność i Zabezpieczenia -> Lokalizacja
+W zalezności od Twojej wersji Windows'a opcje te możesz znaleźć w Ustawienia -> Prywatność i Zabezpieczenia -> Lokalizacja
Zwraca nazwę procesu który obecnie używa mikrofonu.
@@ -3319,7 +3319,7 @@ Czy chcesz otworzyć plik log?
Błąd podczas ustawiania trybu uruchamiania. Sprawdź logi, aby uzyskać więcej informacji.
- Na twoim komputerze nie ma zainstalowanego Microsoft's WebView2 runtime. Zazwyczaj jest on instalowany automatycznie, ale możesz to zrobić też ręcznie.
+ Na twoim komputerze nie ma zainstalowanego Microsoft's WebView2 runtime. Zazwyczaj jest on instalowany automatycznie, ale możesz to zrobić też ręcznie.
Czy chcesz pobrać plik instalacyjny?
@@ -3329,4 +3329,10 @@ Czy chcesz pobrać plik instalacyjny?
domain
+
+ Włącza podany wirtualny pulpit.
+
+
+ Zwraca identyfikator aktualnie aktywnego pulpitu wirtualnego.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pt-br.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pt-br.resx
index 82d1b56a..45d7f92c 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pt-br.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pt-br.resx
@@ -131,7 +131,7 @@
páginas dos componentes usados para suas licenças individuais:
- Um grande 'obrigado' aos desenvolvedores desses projetos, que foram gentis o
+ Um grande 'obrigado' aos desenvolvedores desses projetos, que foram gentis o
suficiente para compartilhar seu trabalho duro com o resto de nós, meros mortais.
@@ -219,19 +219,19 @@ uma xícara de café:
Se o aplicativo for minimizado, ele será restaurado.
-Exemplo: se você deseja enviar o VLC para o primeiro plano, use 'vlc'.
+Exemplo: se você deseja enviar o VLC para o primeiro plano, use 'vlc'.
Execute um comando personalizado.
-Esses comandos são executados sem elevação especial. Para executar elevado, crie uma tarefa agendada e use 'schtasks /Run /TN "TaskName"' como o comando para executar sua tarefa.
+Esses comandos são executados sem elevação especial. Para executar elevado, crie uma tarefa agendada e use 'schtasks /Run /TN "TaskName"' como o comando para executar sua tarefa.
-Ou habilite 'executar como baixa integridade' para uma execução ainda mais rigorosa.
+Ou habilite 'executar como baixa integridade' para uma execução ainda mais rigorosa.
Executa o comando através do executor personalizado configurado (em Configuração -> Ferramentas Externas).
-Seu comando é fornecido como um argumento 'as is', então você deve fornecer suas próprias cotações, etc., se necessário.
+Seu comando é fornecido como um argumento 'as is', então você deve fornecer suas próprias cotações, etc., se necessário.
Coloca a máquina em hibernação.
@@ -247,7 +247,7 @@ Se você precisar de mais teclas e/ou modificadores como CTRL, use o comando Mul
Inicia a URL fornecida, por padrão em seu navegador padrão.
-Para usar o modo 'anônimo', forneça um navegador específico em Configuração -> Ferramentas Externas.
+Para usar o modo 'anônimo', forneça um navegador específico em Configuração -> Ferramentas Externas.
Fuzzy
@@ -257,28 +257,28 @@ Para usar o modo 'anônimo', forneça um navegador específico em Conf
Faz logoff da sessão atual.
- Simula a tecla 'mute'.
+ Simula a tecla 'mute'.
- Simula a tecla 'próxima mídia'.
+ Simula a tecla 'próxima mídia'.
- Simula a tecla 'play/pause mídia'.
+ Simula a tecla 'play/pause mídia'.
- Simula a tecla 'mídia anterior'.
+ Simula a tecla 'mídia anterior'.
- Simula a tecla 'diminuir volume'.
+ Simula a tecla 'diminuir volume'.
- Simula a tecla 'aumentar o volume'.
+ Simula a tecla 'aumentar o volume'.
Coloca todos os monitores no modo de suspensão (baixo consumo de energia).
- Tente acordar todos os monitores simulando um pressionamento de tecla 'seta para cima'.
+ Tente acordar todos os monitores simulando um pressionamento de tecla 'seta para cima'.
Simula o pressionamento de várias teclas.
@@ -311,7 +311,7 @@ Isso será executado sem elevação especial.
Reinicia a máquina após um minuto.
-Dica: acionado acidentalmente? Execute 'shutdown /a' para abortar.
+Dica: acionado acidentalmente? Execute 'shutdown /a' para abortar.
Define o volume do dispositivo de áudio padrão atual para o nível especificado.
@@ -319,7 +319,7 @@ Dica: acionado acidentalmente? Execute 'shutdown /a' para abortar.
Desliga a máquina após um minuto.
-Dica: acionado acidentalmente? Execute 'shutdown /a' para abortar.
+Dica: acionado acidentalmente? Execute 'shutdown /a' para abortar.
Coloca a máquina em sleep.
@@ -331,7 +331,7 @@ Você pode usar algo como NirCmd (http://www.nirsoft.net/utils/nircmd.html) para
Mostra uma janela com a URL fornecida.
-Isso difere do comando 'LaunchUrl', pois não carrega um navegador completo, apenas o URL fornecido em sua própria janela.
+Isso difere do comando 'LaunchUrl', pois não carrega um navegador completo, apenas o URL fornecido em sua própria janela.
Você pode usar isso para, por exemplo, mostrar rapidamente o painel do Home Assistant.
@@ -356,7 +356,7 @@ Por padrão, ele armazena cookies indefinidamente, então você só precisa faze
Já existe um comando com esse nome. Você tem certeza que quer continuar?
- Se você não inserir um comando, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
+ Se você não inserir um comando, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
Tem certeza de que quer isso?
@@ -367,12 +367,12 @@ Tem certeza de que quer isso?
Falha na verificação das chaves: {0}
- Se você não inserir uma URL, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
+ Se você não inserir uma URL, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
Tem certeza de que quer isso?
- Se você não configurar o comando, só poderá usar esta entidade com um valor de 'ação' por meio do Home Assistant e ela será exibida usando as configurações padrão. Executar ela como está não fará nada.
+ Se você não configurar o comando, só poderá usar esta entidade com um valor de 'ação' por meio do Home Assistant e ela será exibida usando as configurações padrão. Executar ela como está não fará nada.
Tem certeza que quer isso?
@@ -385,7 +385,7 @@ Certifique-se de que o campo de código de acesso esteja em foco e pressione a t
iniciar no modo de navegação anônima
- &executar como 'baixa integridade'
+ &executar como 'baixa integridade'
tipo
@@ -432,10 +432,10 @@ por favor configure um executor ou seu comando não será executado
Isso significa que ele só poderá salvar e modificar arquivos em determinados locais,
- como a pasta '%USERPROFILE%\AppData\LocalLow' ou
+ como a pasta '%USERPROFILE%\AppData\LocalLow' ou
- a chave de registro 'HKEY_CURRENT_USER\Software\AppDataLow'.
+ a chave de registro 'HKEY_CURRENT_USER\Software\AppDataLow'.
Você deve testar seu comando para garantir que ele não seja influenciado por isso.
@@ -478,12 +478,12 @@ por favor configure um executor ou seu comando não será executado
hass.agent apenas!
- Se você não inserir um comando ou script, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
+ Se você não inserir um comando ou script, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
Tem certeza de que quer isso?
- Se você não inserir um valor de volume, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
+ Se você não inserir um valor de volume, só poderá usar essa entidade com um valor de 'ação' por meio do Home Assistant. Executá-lo como está não fará nada.
Tem certeza de que quer isso?
@@ -643,7 +643,7 @@ os argumentos usados para iniciar em modo privado.
Você pode configurar o HASS.Agent para usar um executor específico, como perl ou python.
-Use o comando 'custom executor' para iniciar este executor.
+Use o comando 'custom executor' para iniciar este executor.
iniciar incógnito argumento
@@ -718,7 +718,7 @@ Deve conter três seções (separadas por dois pontos).
Tem certeza de que deseja usá-lo assim?
- Sua URL não parece correta. Deve ser algo como 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
+ Sua URL não parece correta. Deve ser algo como 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
Tem certeza de que deseja usá-la assim?
@@ -740,7 +740,7 @@ API do Home Assistant.
Forneça um token de acesso de longa duração e o endereço da sua instância do Home Assistant.
-Você pode obter um token através da sua página de perfil. Role até o final e clique em 'CRIAR TOKEN'
+Você pode obter um token através da sua página de perfil. Role até o final e clique em 'CRIAR TOKEN'
Fuzzy
@@ -829,7 +829,7 @@ poderá interagir com o Home Assistant.
As imagens mostradas nas notificações devem ser armazenadas temporariamente localmente.
Você pode configurar a quantidade de dias eles devem ser mantidos antes que o HASS.Agent
-os exclua. Digite '0' para mantê-los permanentemente.
+os exclua. Digite '0' para mantê-los permanentemente.
Fuzzy
@@ -1037,7 +1037,7 @@ Verifique os logs do HASS.Agent (não do serviço) para obter mais informações
&começar serviço
- O serviço está definido como 'desativado', portanto, não pode ser iniciado.
+ O serviço está definido como 'desativado', portanto, não pode ser iniciado.
Ative o serviço primeiro e tente novamente.
@@ -1062,7 +1062,7 @@ Verifique os logs do HASS.Agent (não do serviço) para obter mais informações
O serviço satélite permite que você execute sensores e comandos mesmo quando nenhum usuário
-estiver conectado. Use o botão 'serviço de satélite' na janela principal para gerenciá-lo.
+estiver conectado. Use o botão 'serviço de satélite' na janela principal para gerenciá-lo.
Se você não configurar o serviço, ele não fará nada. No entanto, você ainda pode decidir desativá-lo
@@ -1078,7 +1078,7 @@ Sua configuração e entidades não serão removidas.
Se o serviço ainda falhar após a reinstalação, abra um ticket e envie o conteúdo do log mais recente.
- Se você deseja gerenciar o serviço (adicionar comandos e sensores, alterar configurações), pode fazê-lo aqui ou usando o botão 'serviço satélite' na janela principal.
+ Se você deseja gerenciar o serviço (adicionar comandos e sensores, alterar configurações), pode fazê-lo aqui ou usando o botão 'serviço satélite' na janela principal.
status do serviço:
@@ -1199,12 +1199,12 @@ Deve conter três seções (separadas por dois pontos).
Tem certeza de que deseja usá-lo assim?
- Sua URL não parece correta. Deve ser algo como 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
+ Sua URL não parece correta. Deve ser algo como 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
Tem certeza de que deseja usá-la assim?
- Sua URL do broker MQTT não está correta. Deve ser algo como 'homeassistant.local' ou '192.168.0.1'.
+ Sua URL do broker MQTT não está correta. Deve ser algo como 'homeassistant.local' ou '192.168.0.1'.
Tem certeza de que deseja usá-la assim?
@@ -1457,10 +1457,10 @@ conosco:
Ajuda
- Seu idioma de entrada '{0}' é conhecido por colidir com a tecla de atalho CTRL-ALT-Q padrão. Por favor, defina o seu próprio.
+ Seu idioma de entrada '{0}' é conhecido por colidir com a tecla de atalho CTRL-ALT-Q padrão. Por favor, defina o seu próprio.
- Seu idioma de entrada '{0}' é desconhecido e pode colidir com a tecla de atalho CTRL-ALT-Q padrão. Por favor, verifique para ter certeza. Se isso acontecer, considere abrir um ticket no GitHub para que possa ser adicionado à lista.
+ Seu idioma de entrada '{0}' é desconhecido e pode colidir com a tecla de atalho CTRL-ALT-Q padrão. Por favor, verifique para ter certeza. Se isso acontecer, considere abrir um ticket no GitHub para que possa ser adicionado à lista.
nenhuma tecla encontrada
@@ -1472,7 +1472,7 @@ conosco:
erro ao analisar as teclas, verifique o log para obter mais informações
- o número de colchetes '[' não corresponde aos ']' ({0} a {1})
+ o número de colchetes '[' não corresponde aos ']' ({0} a {1})
Certifique-se de que nenhuma outra instância do HASS.Agent esteja em execução e que a porta esteja disponível e registrada.
@@ -1569,7 +1569,7 @@ Nota: esta mensagem é exibida apenas uma vez.
Algo deu errado ao carregar suas configurações.
-Verifique appsettings.json na subpasta 'Config' ou apenas exclua-o para começar de novo.
+Verifique appsettings.json na subpasta 'Config' ou apenas exclua-o para começar de novo.
Fuzzy
@@ -1683,7 +1683,7 @@ Deve conter três seções (separadas por dois pontos).
Tem certeza de que deseja usá-lo assim?
- Sua URL não parece correta. Deve ser algo como 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
+ Sua URL não parece correta. Deve ser algo como 'http://homeassistant.local:8123' ou 'http://192.168.0.1:8123'.
Tem certeza de que deseja usá-la assim?
@@ -1699,7 +1699,7 @@ HASS.Agent usa API do Home Assistant.
Forneça um token de acesso de longa duração e o endereço da sua instância do Home
Assistant. Você pode obter um token através da sua página de perfil. Role até o final e
-clique em 'CRIAR TOKEN'.
+clique em 'CRIAR TOKEN'.
Fuzzy
@@ -1956,7 +1956,7 @@ O certificado do arquivo baixado será verificado.
Parece que esta é a primeira vez que você iniciou o HASS.Agent.
-Se você quiser, podemos passar pela configuração. Se não, basta clicar em 'fechar'.
+Se você quiser, podemos passar pela configuração. Se não, basta clicar em 'fechar'.
O nome do dispositivo é usado para identificar sua máquina no HA.
@@ -2165,7 +2165,7 @@ Verifique os logs para obter mais informações e, opcionalmente, informe os des
Fornece informações sobre vários aspectos do áudio do seu dispositivo:
-Nível de volume de pico atual (pode ser usado como um valor simples de 'algo está tocando').
+Nível de volume de pico atual (pode ser usado como um valor simples de 'algo está tocando').
Dispositivo de áudio padrão: nome, estado e volume.
@@ -2209,7 +2209,7 @@ Atualmente leva o volume do seu dispositivo padrão.
Certifique-se de que os serviços de localização do Windows estejam ativados!
-Dependendo da sua versão do Windows, isso pode ser encontrado no novo painel de controle -> 'privacidade e segurança' -> 'localização'.
+Dependendo da sua versão do Windows, isso pode ser encontrado no novo painel de controle -> 'privacidade e segurança' -> 'localização'.
Fornece a carga atual da GPU como uma porcentagem.
@@ -2223,7 +2223,7 @@ Dependendo da sua versão do Windows, isso pode ser encontrado no novo painel de
Fornece um valor de data e hora contendo o último momento em que o sistema (re)inicializou.
-Importante: a opção FastBoot do Windows pode prejudicar esse valor, porque é uma forma de hibernação. Você pode desativá-lo através de Opções de energia -> 'Escolha o que os botões de energia fazem' -> desmarque 'Ativar inicialização rápida'. Não faz muita diferença para máquinas modernas com SSDs, mas desabilitar garante que você obtenha um estado limpo após a reinicialização.
+Importante: a opção FastBoot do Windows pode prejudicar esse valor, porque é uma forma de hibernação. Você pode desativá-lo através de Opções de energia -> 'Escolha o que os botões de energia fazem' -> desmarque 'Ativar inicialização rápida'. Não faz muita diferença para máquinas modernas com SSDs, mas desabilitar garante que você obtenha um estado limpo após a reinicialização.
Fornece a última alteração de estado do sistema:
@@ -2273,7 +2273,7 @@ Categoria: Processador
Contador: % de tempo do processador
Instância: _Total
-Você pode explorar os contadores através da ferramenta 'perfmon.exe' do Windows.
+Você pode explorar os contadores através da ferramenta 'perfmon.exe' do Windows.
Retorna o resultado do comando ou script do Powershell fornecido.
@@ -2290,7 +2290,7 @@ Converte o resultado em texto.
Retorna o estado do serviço fornecido: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending ou Paused.
-Certifique-se de fornecer o 'Nome do serviço', não o 'Nome de exibição'.
+Certifique-se de fornecer o 'Nome do serviço', não o 'Nome de exibição'.
Fornece o estado da sessão atual:
@@ -2810,7 +2810,7 @@ Deixe em branco para permitir que todos se conectem.
Este é o nome com o qual o serviço satélite se registra no Home Assistant.
-Por padrão, é o nome do seu PC mais '-satellite'.
+Por padrão, é o nome do seu PC mais '-satellite'.
&período de desconexão
@@ -2822,7 +2822,7 @@ Por padrão, é o nome do seu PC mais '-satellite'.
Esta página contém itens de configuração geral. Para configurações, sensores e comandos do MQTT, navegue nas guias na parte superior.
- Você pode usar o serviço satélite para executar sensores e comandos sem precisar estar logado. Nem todos os tipos estão disponíveis, por exemplo, o comando 'Iniciar Url' só pode ser adicionado como um comando regular.
+ Você pode usar o serviço satélite para executar sensores e comandos sem precisar estar logado. Nem todos os tipos estão disponíveis, por exemplo, o comando 'Iniciar Url' só pode ser adicionado como um comando regular.
segundos
@@ -3240,7 +3240,7 @@ Deseja baixar o Microsoft WebView2 runtime?
tamanho
- dica: pressione 'esc' para fechar uma visualização da web
+ dica: pressione 'esc' para fechar uma visualização da web
&URL
@@ -3266,4 +3266,10 @@ Deseja baixar o Microsoft WebView2 runtime?
Desconhecido
+
+ Ativa a área de trabalho virtual fornecida.
+
+
+ Fornece a ID da área de trabalho virtual atualmente ativa.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.ru.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.ru.resx
index 212a9ec8..21af2c40 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.ru.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.ru.resx
@@ -139,7 +139,7 @@
Вы можете настроить HASS.Agent для использования определенного исполнителя, например perl или python.
-Используйте команду 'пользовательский исполнитель', чтобы запустить этот исполнитель.
+Используйте команду 'пользовательский исполнитель', чтобы запустить этот исполнитель.
пользовательское имя исполнителя
@@ -198,7 +198,7 @@ API домашнего помощника.
Пожалуйста, предоставьте токен доступа с длительным сроком действия и адрес вашего экземпляра Home Assistant.
-Вы можете получить токен через страницу своего профиля. Прокрутите страницу вниз и нажмите 'СОЗДАТЬ ТОКЕН'.
+Вы можете получить токен через страницу своего профиля. Прокрутите страницу вниз и нажмите 'СОЗДАТЬ ТОКЕН'.
Fuzzy
@@ -241,7 +241,7 @@ API домашнего помощника.
Некоторые элементы, например изображения, отображаемые в уведомлениях, должны временно храниться локально. Вы можете
настроить количество дней, в течение которых они должны храниться до того как HASS.Агент удаляет их.
-Введите '0', чтобы сохранить их навсегда.
+Введите '0', чтобы сохранить их навсегда.
Расширенное ведение журнала обеспечивает более подробное ведение журнала в случае, если ведение журнала по умолчанию недостаточно
@@ -342,7 +342,7 @@ API домашнего помощника.
Спутниковая служба позволяет запускать датчики и команды, даже если ни один пользователь не вошел в систему.
-Используйте кнопку 'спутниковая служба' в главном окне, чтобы управлять ею.
+Используйте кнопку 'спутниковая служба' в главном окне, чтобы управлять ею.
статус сервиса:
@@ -416,7 +416,7 @@ HASS.Agent там.
Похоже это первый раз, когда вы запустили HASS.Agent.
-Если вы хотите, мы можем просмотреть конфигурацию. Если нет, просто нажмите кнопку 'закрыть'.
+Если вы хотите, мы можем просмотреть конфигурацию. Если нет, просто нажмите кнопку 'закрыть'.
@@ -476,10 +476,10 @@ Home Assistant.
Чтобы узнать, какие объекты вы настроили, и отправить быстрые действия, HASS.Agent использует
-Home Assistant's API.
+Home Assistant's API.
Пожалуйста, предоставьте токен доступа с длительным сроком действия и адрес вашего экземпляра Home Assistant.
-Вы можете получить токен через страницу своего профиля.Прокрутите страницу вниз и нажмите 'СОЗДАТЬ ТОКЕН'.
+Вы можете получить токен через страницу своего профиля.Прокрутите страницу вниз и нажмите 'СОЗДАТЬ ТОКЕН'.
Fuzzy
@@ -848,7 +848,7 @@ HASS.Agent для прослушивания на указанном порту.
описание
- &запускать как 'low integrity'
+ &запускать как 'low integrity'
что это?
@@ -1049,7 +1049,7 @@ HASS.Agent для прослушивания на указанном порту.
проекта используемых компонентов на предмет их индивидуальных лицензий:
- Большое 'спасибо' разработчикам этих проектов, которые были достаточно любезны, чтобы поделиться
+ Большое 'спасибо' разработчикам этих проектов, которые были достаточно любезны, чтобы поделиться
своей тяжелой работой с остальными из нас, простых смертных.
@@ -1276,14 +1276,14 @@ HASS.Agent для прослушивания на указанном порту.
Выполните пользовательскую команду.
-Эти команды выполняются без специального разрешения. Для запуска с повышенными правами создайте запланированную задачу и используйте 'schtasks /Run /TN "TaskName"' в качестве команды для выполнения вашей задачи.
+Эти команды выполняются без специального разрешения. Для запуска с повышенными правами создайте запланированную задачу и используйте 'schtasks /Run /TN "TaskName"' в качестве команды для выполнения вашей задачи.
-Или включите 'run as low integrity' для еще более строгого выполнения.
+Или включите 'run as low integrity' для еще более строгого выполнения.
Выполняет команду через настроенный пользовательский исполнитель (в разделе Конфигурация -> Внешние инструменты).
-Ваша команда предоставляется в качестве аргумента 'как есть', поэтому при необходимости вы должны указать свои собственные кавычки и т.д.
+Ваша команда предоставляется в качестве аргумента 'как есть', поэтому при необходимости вы должны указать свои собственные кавычки и т.д.
Переводит машину в режим гибернации.
@@ -1291,7 +1291,7 @@ HASS.Agent для прослушивания на указанном порту.
Имитирует одно нажатие клавиши.
-Нажмите на текстовое поле 'код ключа' и нажмите клавишу, которую вы хотите смоделировать. Для вас будет введен соответствующий код ключа.
+Нажмите на текстовое поле 'код ключа' и нажмите клавишу, которую вы хотите смоделировать. Для вас будет введен соответствующий код ключа.
Если вам нужно больше клавиш и/или модификаторов, таких как CTRL, используйте команду Multiple Keys.
Fuzzy
@@ -1299,9 +1299,9 @@ HASS.Agent для прослушивания на указанном порту.
Запускает указанный URL-адрес по умолчанию в вашем браузере по умолчанию.
-Чтобы использовать 'инкогнито', укажите конкретный браузер в разделе Конфигурация -> Внешние инструменты.
+Чтобы использовать 'инкогнито', укажите конкретный браузер в разделе Конфигурация -> Внешние инструменты.
-Если вам нужно просто окно с определенным URL-адресом (а не весь браузер целиком), используйте команду 'WebView'.
+Если вам нужно просто окно с определенным URL-адресом (а не весь браузер целиком), используйте команду 'WebView'.
Блокировать текущий сеанс.
@@ -1313,13 +1313,13 @@ HASS.Agent для прослушивания на указанном порту.
Имитирует клавишу отключения звука.
- Имитирует клавишу 'media next'.
+ Имитирует клавишу 'media next'.
- Имитирует клавишу 'media playpause'.
+ Имитирует клавишу 'media playpause'.
- Имитирует клавишу 'media previous'.
+ Имитирует клавишу 'media previous'.
Имитирует клавишу уменьшения громкости.
@@ -1359,12 +1359,12 @@ HASS.Agent для прослушивания на указанном порту.
Перезапускает машину через одну минуту.
-Совет: случайно сработало? Запустите 'shutdown /a', чтобы прервать работу.
+Совет: случайно сработало? Запустите 'shutdown /a', чтобы прервать работу.
Выключает машину через одну минуту.
-Совет: случайно сработало? Запустите 'shutdown /a', чтобы прервать работу.
+Совет: случайно сработало? Запустите 'shutdown /a', чтобы прервать работу.
Переводит машину в спящий режим.
@@ -1393,7 +1393,7 @@ HASS.Agent для прослушивания на указанном порту.
Пожалуйста, введите действительный ключ API.
- Пожалуйста, введите ваш Home Assistant's URI.
+ Пожалуйста, введите ваш Home Assistant's URI.
Не удалось подключиться, была возвращена следующая ошибка:
@@ -1453,7 +1453,7 @@ Home Assistant version: {0}
Проверь HASS.Agent (не службы) логи для получения дополнительной информации.
- Для службы установлено значение 'отключено', поэтому ее нельзя запустить.
+ Для службы установлено значение 'отключено', поэтому ее нельзя запустить.
Пожалуйста, сначала включите службу, а затем повторите попытку.
@@ -1512,7 +1512,7 @@ Home Assistant version: {0}
активируя запуск при входе в систему, подождите ..
- Что-то пошло не так. Вы можете попробовать еще раз или перейти к следующей странице и повторить попытку после перезагрузки HASS.Agent's.
+ Что-то пошло не так. Вы можете попробовать еще раз или перейти к следующей странице и повторить попытку после перезагрузки HASS.Agent's.
включить запуск при входе в систему
@@ -1629,7 +1629,7 @@ Home Assistant version: {0}
Это имя, под которым спутниковая служба регистрируется в Home Assistant.
-По умолчанию это имя вашего КОМПЬЮТЕРА плюс '-satellite'.
+По умолчанию это имя вашего КОМПЬЮТЕРА плюс '-satellite'.
Количество времени, в течение которого спутниковая служба будет ждать, прежде чем сообщить о потере соединения брокеру MQTT.
@@ -1711,12 +1711,12 @@ Home Assistant version: {0}
Команда с таким именем уже существует. Вы уверены, что хотите продолжить?
- Если вы не вводите команду, вы можете использовать эту сущность только со значением 'действие' через Home Assistant. Запуск его как есть ничего не даст.
+ Если вы не вводите команду, вы можете использовать эту сущность только со значением 'действие' через Home Assistant. Запуск его как есть ничего не даст.
Ты уверен, что хочешь этого?
- Если вы не вводите команду или сценарий, вы можете использовать эту сущность только со значением 'действие' через Home Assistant. Запуск его как есть ничего не даст.
+ Если вы не вводите команду или сценарий, вы можете использовать эту сущность только со значением 'действие' через Home Assistant. Запуск его как есть ничего не даст.
Ты уверен, что хочешь этого?
@@ -1727,7 +1727,7 @@ Home Assistant version: {0}
Проверка клавиш не удалась: {0}
- Если вы не вводите URL-адрес, вы можете использовать этот объект только со значением 'действие' через Home Assistant. Запуск его как есть ничего не даст.
+ Если вы не вводите URL-адрес, вы можете использовать этот объект только со значением 'действие' через Home Assistant. Запуск его как есть ничего не даст.
Ты уверен, что хочешь этого?
@@ -1773,10 +1773,10 @@ Home Assistant version: {0}
Это означает, что он сможет сохранять и изменять файлы только в определенных местах,
- например, в папке '%USERPROFILE%\AppData\LocalLow' или
+ например, в папке '%USERPROFILE%\AppData\LocalLow' или
- раздел реестра 'HKEY_CURRENT_USER\Software\AppDataLow'.
+ раздел реестра 'HKEY_CURRENT_USER\Software\AppDataLow'.
Вы должны протестировать свою команду, чтобы убедиться, что это не повлияет на нее.
@@ -1894,7 +1894,7 @@ Home Assistant version: {0}
Не волнуйтесь, они сохранят свои текущие имена, так что ваши средства автоматизации или скрипты будут продолжать работать.
-Примечание: имя будет 'очищено', что означает, что все, кроме букв, цифр и пробелов, будет заменено символом подчеркивания. Этого требует HA.
+Примечание: имя будет 'очищено', что означает, что все, кроме букв, цифр и пробелов, будет заменено символом подчеркивания. Этого требует HA.
Вы изменили порт локального API. Этот новый порт должен быть зарезервирован.
@@ -1926,7 +1926,7 @@ Home Assistant version: {0}
Что-то пошло не так при загрузке ваших настроек.
-Проверьте appsettings.json во вложенной папке 'config' или просто удалите его, чтобы начать все сначала.
+Проверьте appsettings.json во вложенной папке 'config' или просто удалите его, чтобы начать все сначала.
Fuzzy
@@ -2082,7 +2082,7 @@ Home Assistant version: {0}
Предоставляет информацию о различных аспектах звука вашего устройства:
-Текущий пиковый уровень громкости (может использоваться как простое значение 'что-то играет').
+Текущий пиковый уровень громкости (может использоваться как простое значение 'что-то играет').
Аудиоустройство по умолчанию: имя, состояние и громкость.
@@ -2121,7 +2121,7 @@ Home Assistant version: {0}
Предоставляет значение даты и времени, содержащее последний момент (повторной) загрузки системы.
-Важно: опция быстрой загрузки Windows может сбросить это значение, потому что это форма гибернации. Вы можете отключить его через Параметры питания -> 'Выберите, что делают кнопки питания' -> снимите флажок 'Включить быстрый запуск'. Это не имеет большого значения для современных машин с твердотельными накопителями, но отключение гарантирует, что вы получите чистое состояние после перезагрузки.
+Важно: опция быстрой загрузки Windows может сбросить это значение, потому что это форма гибернации. Вы можете отключить его через Параметры питания -> 'Выберите, что делают кнопки питания' -> снимите флажок 'Включить быстрый запуск'. Это не имеет большого значения для современных машин с твердотельными накопителями, но отключение гарантирует, что вы получите чистое состояние после перезагрузки.
Обеспечивает последнее изменение состояния системы:
@@ -2163,7 +2163,7 @@ Category: Processor
Counter: % Processor Time
Instance: _Total
-Вы можете исследовать счетчики через Windows' 'perfmon.exe' - инструмент.
+Вы можете исследовать счетчики через Windows' 'perfmon.exe' - инструмент.
Указывает количество активных экземпляров процесса.
@@ -2172,7 +2172,7 @@ Instance: _Total
Возвращает состояние предоставленной службы: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending or Paused.
-Обязательно укажите 'Имя службы', а не 'Display name'.
+Обязательно укажите 'Имя службы', а не 'Display name'.
Предоставляет текущее состояние сеанса:
@@ -2652,7 +2652,7 @@ NotPresent, Busy, RunningDirect3dFullScreen, PresentationMode, AcceptsNotificati
ApplicationStarted
- Вы можете использовать спутниковую службу для запуска датчиков и команд без необходимости входа в систему. Доступны не все типы, например, команда 'launchUrl' может быть добавлена только как обычная команда.
+ Вы можете использовать спутниковую службу для запуска датчиков и команд без необходимости входа в систему. Доступны не все типы, например, команда 'launchUrl' может быть добавлена только как обычная команда.
последнее известное значение
@@ -2685,10 +2685,10 @@ NotPresent, Busy, RunningDirect3dFullScreen, PresentationMode, AcceptsNotificati
Если приложение свернуто, оно будет восстановлено.
-Пример: если вы хотите отправить VLC на передний план, используйте 'vlc'.
+Пример: если вы хотите отправить VLC на передний план, используйте 'vlc'.
- Если вы не настроили команду, вы можете использовать эту сущность только со значением 'действие' через Home Assistant, и она будет отображаться с использованием настроек по умолчанию. Запуск его как есть ничего не даст.
+ Если вы не настроили команду, вы можете использовать эту сущность только со значением 'действие' через Home Assistant, и она будет отображаться с использованием настроек по умолчанию. Запуск его как есть ничего не даст.
Ты уверен, что хочешь этого?
@@ -2828,10 +2828,10 @@ NotPresent, Busy, RunningDirect3dFullScreen, PresentationMode, AcceptsNotificati
Значок в трее
- Известно, что ваш язык ввода '{0}' конфликтует с горячей клавишей CTRL-ALT-Q по умолчанию. Пожалуйста, установите свой собственный.
+ Известно, что ваш язык ввода '{0}' конфликтует с горячей клавишей CTRL-ALT-Q по умолчанию. Пожалуйста, установите свой собственный.
- Ваш язык ввода '{0}' неизвестен и может конфликтовать с горячей клавишей CTRL-ALT-Q по умолчанию. Пожалуйста, проверьте, чтобы быть уверенным. Если это произойдет, рассмотрите возможность открытия заявки на GitHub, чтобы ее можно было добавить в список.
+ Ваш язык ввода '{0}' неизвестен и может конфликтовать с горячей клавишей CTRL-ALT-Q по умолчанию. Пожалуйста, проверьте, чтобы быть уверенным. Если это произойдет, рассмотрите возможность открытия заявки на GitHub, чтобы ее можно было добавить в список.
клавиши не найдены
@@ -2843,7 +2843,7 @@ NotPresent, Busy, RunningDirect3dFullScreen, PresentationMode, AcceptsNotificati
ошибка при разборе клавиш, проверьте журнал для получения дополнительной информации
- количество скобок '[' не соответствует скобкам ']' (от {0} до {1})
+ количество скобок '[' не соответствует скобкам ']' (от {0} до {1})
Документация
@@ -2947,7 +2947,7 @@ Home Assistant.
размер
- совет: нажмите клавишу 'esc', чтобы закрыть веб-просмотр
+ совет: нажмите клавишу 'esc', чтобы закрыть веб-просмотр
&URL
@@ -3054,7 +3054,7 @@ Home Assistant.
Command
- Если вы не вводите значение громкости, вы можете использовать этот объект только со значением "действие" через Home Assistant. Запуск его как есть ничего не даст.
+ Если вы не вводите значение громкости, вы можете использовать этот объект только со значением "действие" через Home Assistant. Запуск его как есть ничего не даст.
Ты уверен, что хочешь этого?
@@ -3101,7 +3101,7 @@ Home Assistant.
Пожалуйста, сначала запустите службу, чтобы настроить ее.
- Если вы хотите управлять сервисом (добавьте команды и датчики, измените настройки), вы можете сделать это здесь или с помощью кнопки 'спутниковая служба' в главном окне.
+ Если вы хотите управлять сервисом (добавьте команды и датчики, измените настройки), вы можете сделать это здесь или с помощью кнопки 'спутниковая служба' в главном окне.
Показать меню по умолчанию при щелчке левой кнопкой мыши
@@ -3113,12 +3113,12 @@ Home Assistant.
Вы уверены, что хотите использовать его именно так?
- Ваш Home Assistant URI выглядит неправильно. Это должно выглядеть примерно так 'http://homeassistant.local:8123' или 'https://192.168.0.1:8123'.
+ Ваш Home Assistant URI выглядит неправильно. Это должно выглядеть примерно так 'http://homeassistant.local:8123' или 'https://192.168.0.1:8123'.
Вы уверены, что хотите использовать его именно так?
- Ваш URI брокера MQTT выглядит неправильно. Это должно выглядеть примерно как 'homeassistant.local' или '192.168.0.1'.
+ Ваш URI брокера MQTT выглядит неправильно. Это должно выглядеть примерно как 'homeassistant.local' или '192.168.0.1'.
Вы уверены, что хотите использовать его именно так?
@@ -3160,7 +3160,7 @@ Home Assistant.
Разработка и обслуживание этого инструмента (и всего, что его окружает) отнимает много времени. Как и большинство разработчиков, я работаю на кофеине - так что, если вы можете поделиться им, чашка кофе всегда очень ценится!
- Совет: Другие способы пожертвования доступны в окне 'О программе'.
+ Совет: Другие способы пожертвования доступны в окне 'О программе'.
Включить &медиаплеер (включая преобразование текста в речь)
@@ -3191,7 +3191,7 @@ Home Assistant.
Убедитесь, что службы определения местоположения Windows включены!
-В зависимости от вашей версии Windows, это можно найти в новой панели управления -> 'конфиденциальность и безопасность' -> 'местоположение'.
+В зависимости от вашей версии Windows, это можно найти в новой панели управления -> 'конфиденциальность и безопасность' -> 'местоположение'.
Указывает имя процесса, который в данный момент использует микрофон.
@@ -3287,4 +3287,10 @@ Home Assistant.
domain
+
+ Активирует предоставленный виртуальный рабочий стол.
+
+
+ Предоставляет идентификатор текущего активного виртуального рабочего стола.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.sl.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.sl.resx
index f47a9cf9..362aeaf2 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.sl.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.sl.resx
@@ -132,7 +132,7 @@
uporabljenih komponentah za njihove posamezne licence:
- Velika 'hvala' razvijalcem teh projektov, ki so bili dovolj prijazni, da so jih delili
+ Velika 'hvala' razvijalcem teh projektov, ki so bili dovolj prijazni, da so jih delili
njihovo trdo delo z nami, navadnimi smrtniki.
@@ -225,19 +225,19 @@ je ustvarila in vzdržujte Home Assistant :-)
Če je aplikacija minimirana jo poveča.
-Primer: če želite v ospredje poslati VLC uporabite 'vlc'
+Primer: če želite v ospredje poslati VLC uporabite 'vlc'
Izvedite ukaz po meri.
-Ti ukazi se izvajajo brez posebnih pravic. Če želite zagnati z večjimi pravicami, ustvarite načrtovano opravilo in uporabite 'schtasks /Run /TN "TaskName"' kot ukaz za izvedbo vaše naloge.
+Ti ukazi se izvajajo brez posebnih pravic. Če želite zagnati z večjimi pravicami, ustvarite načrtovano opravilo in uporabite 'schtasks /Run /TN "TaskName"' kot ukaz za izvedbo vaše naloge.
-Ali pa omogočite 'zaženi z nizko integriteto' za še strožjo izvedbo.
+Ali pa omogočite 'zaženi z nizko integriteto' za še strožjo izvedbo.
Izvede ukaz prek konfiguriranega izvajalca po meri (v Konfiguracija -> Zunanja orodja).
-Vaš ukaz je podan kot argument 'tako kot je', zato morate po potrebi navesti svoje narekovaje itd.
+Vaš ukaz je podan kot argument 'tako kot je', zato morate po potrebi navesti svoje narekovaje itd.
Preklopi napravo v stanje mirovanja.
@@ -245,7 +245,7 @@ Vaš ukaz je podan kot argument 'tako kot je', zato morate po potrebi
Simulira en sam pritisk na tipko.
-Kliknite na 'keycode' in pritisnite tipko, ki jo želite simulirati. Koda tipke bo avtomatično vpisana.
+Kliknite na 'keycode' in pritisnite tipko, ki jo želite simulirati. Koda tipke bo avtomatično vpisana.
Če potrebujete več tipk in/ali modifikatorjev, kot je CTRL, uporabite ukaz MultipleKeys.
Fuzzy
@@ -253,9 +253,9 @@ Kliknite na 'keycode' in pritisnite tipko, ki jo želite simulirati. K
Zažene navedeni URL, privzeto v privzetem brskalniku.
-Če želite uporabljati 'brez beleženja zgodovine', navedite določen brskalnik v Konfiguracija -> Zunanja orodja.
+Če želite uporabljati 'brez beleženja zgodovine', navedite določen brskalnik v Konfiguracija -> Zunanja orodja.
-Če želite samo okno z določenim URL (ne cel brskalnik) uporabite ukaz 'WebView'.
+Če želite samo okno z določenim URL (ne cel brskalnik) uporabite ukaz 'WebView'.
Fuzzy
@@ -268,10 +268,10 @@ Kliknite na 'keycode' in pritisnite tipko, ki jo želite simulirati. K
Simulira tipko za izklop zvoka.
- Simulira tipko 'media next'.
+ Simulira tipko 'media next'.
- Simulira tipko 'media playpause'.
+ Simulira tipko 'media playpause'.
Simulira tipko »prejšnji mediji«.
@@ -286,7 +286,7 @@ Kliknite na 'keycode' in pritisnite tipko, ki jo želite simulirati. K
Nastavi vse monitorje na spanje (low power).
- Poskusi zbuditi vse monitorje tako, da simulira pritisk tipke 'gor'.
+ Poskusi zbuditi vse monitorje tako, da simulira pritisk tipke 'gor'.
Simulira pritiskanje več tipk.
@@ -319,7 +319,7 @@ Uporabno na primer, če želite prisiliti HASS.Agent, da posodobi vse vaše senz
Po eni minuti znova zažene napravo.
-Nasvet: slučajno sprožen? Zaženite 'shutdown /a' za prekinitev.
+Nasvet: slučajno sprožen? Zaženite 'shutdown /a' za prekinitev.
Nastavi glasnost trenutno privzete avdio naprave na nastavljeno vrednost.
@@ -327,7 +327,7 @@ Nasvet: slučajno sprožen? Zaženite 'shutdown /a' za prekinitev.
Po eni minuti izklopi napravo.
-Nasvet: slučajno sprožen? Zaženite 'shutdown /a' za prekinitev.
+Nasvet: slučajno sprožen? Zaženite 'shutdown /a' za prekinitev.
Preklopi napravo v stanje spanja.
@@ -339,7 +339,7 @@ Lahko uporabite nekaj, kot je NirCmd (http://www.nirsoft.net/utils/nircmd.html),
Prikaže okno z vpisanim URL.
-Tole se razlikuje od ukaza 'LaunchUrl' tkao, da se ne naloži v polnem brskalniku, ampak samo naveden URL v svojem oknu.
+Tole se razlikuje od ukaza 'LaunchUrl' tkao, da se ne naloži v polnem brskalniku, ampak samo naveden URL v svojem oknu.
To lahko uporabite npr. za hitri prikaz glavnega okna Home Assistant.
@@ -376,12 +376,12 @@ Ste prepričani, da želite to?
Preverjanje ključev ni uspelo: {0}
- Če ne vnesete URL-ja, lahko to entiteto uporabite samo z vrednostjo 'action' prek Home Assistant. Če ga zaženete kot je, ne boste naredili ničesar.
+ Če ne vnesete URL-ja, lahko to entiteto uporabite samo z vrednostjo 'action' prek Home Assistant. Če ga zaženete kot je, ne boste naredili ničesar.
Ste prepričani, da želite to?
- Če ukaza ne skonfigurirate ga lahko uporabite samo kot 'akcija' preko Home Assistant, prikazana pa bo samo privzeta vrednost. Zagon 'kot je' ne bo naredil ničesar.
+ Če ukaza ne skonfigurirate ga lahko uporabite samo kot 'akcija' preko Home Assistant, prikazana pa bo samo privzeta vrednost. Zagon 'kot je' ne bo naredil ničesar.
Ali ste prepričani, da želite to?
@@ -394,7 +394,7 @@ Prepričajte se, da je polje kode tipke v fokusu, nato pritisnite tipko, ki jo
zagon v načinu brez beleženja zgodovine
- &zaženi kot 'nizka integriteta'
+ &zaženi kot 'nizka integriteta'
Fuzzy
@@ -443,10 +443,10 @@ prosimo, konfigurirajte izvajalca, sicer se vaš ukaz ne bo zagnal
To pomeni, da bo lahko shranil in spreminjal datoteke samo na določenih lokacijah,
- kot je mapa '%USERPROFILE%\AppData\LocalLow' oz
+ kot je mapa '%USERPROFILE%\AppData\LocalLow' oz
- registrski ključ 'HKEY_CURRENT_USER\Software\AppDataLow'.
+ registrski ključ 'HKEY_CURRENT_USER\Software\AppDataLow'.
Preizkusite svoj ukaz, da se prepričate, da to ne vpliva nanj.
@@ -496,7 +496,7 @@ prosimo, konfigurirajte izvajalca, sicer se vaš ukaz ne bo zagnal
Ste prepričani, da želite to?
- Če ne vpišete vrednosti za glasnost boste to entiteto lahko uporabljali samo kot 'akcijsko' vrednost preko Home Assistant-a. Zagon 'tako, kot je' ne bo naredil ničesar.
+ Če ne vpišete vrednosti za glasnost boste to entiteto lahko uporabljali samo kot 'akcijsko' vrednost preko Home Assistant-a. Zagon 'tako, kot je' ne bo naredil ničesar.
Ali ste prepričani v to?
@@ -657,7 +657,7 @@ Dodatno lahko nastaviš tudi argumente za zagon v privatnem načinu.
HASS.Agent lahko konfigurirate za uporabo določenega izvajalca, kot sta perl ali python.
-Za zagon tega izvajalca uporabite ukaz 'custom executor'.
+Za zagon tega izvajalca uporabite ukaz 'custom executor'.
argumenti za privatni način
@@ -735,7 +735,7 @@ Različica Home Assistant: {0}
Ali ste prepričani, da ga želite uporabiti takole?
- Vaš URI naslov ne izgleda v redu. Izgledati bi moral nekako takole: 'http://homeassistant.local:8123' or 'http://192.168.0.1:8123'.
+ Vaš URI naslov ne izgleda v redu. Izgledati bi moral nekako takole: 'http://homeassistant.local:8123' or 'http://192.168.0.1:8123'.
Ali ste prepričani, da ga želite uporabiti takole?
@@ -760,7 +760,7 @@ API Home Assistant.
Navedite dolgotrajni žeton za dostop in naslov svojega primerka Home Assistant.
-Žeton lahko dobite na strani vašega profila. Pomaknite se do dna in kliknite 'USTVARI ŽETON'.
+Žeton lahko dobite na strani vašega profila. Pomaknite se do dna in kliknite 'USTVARI ŽETON'.
Fuzzy
@@ -855,7 +855,7 @@ Opomba: za delovanje nove integracije to ni nujno. Omogočite in uporabljajte ga
Slike, prikazane v obvestilih, je treba začasno shraniti lokalno. Konfigurirate lahko koliko
dni jih je treba hraniti, preden jih HASS.Agent izbriše.
-Vnesite '0', da jih obdržite za vedno.
+Vnesite '0', da jih obdržite za vedno.
Fuzzy
@@ -1081,7 +1081,7 @@ Za več informacij preverite dnevnike HASS.Agent (ne storitve).
Fuzzy
- Storitev je nastavljena na 'onemogočena', zato je ni mogoče zagnati.
+ Storitev je nastavljena na 'onemogočena', zato je ni mogoče zagnati.
Najprej omogočite storitev, nato poskusite znova.
@@ -1107,7 +1107,7 @@ Za več informacij preverite dnevnike HASS.Agent (ne storitve).
Satelitski servis omogoča izvajanje senzorjev in komand tudi, ko ni nihče prijavljen.
-Uporabi gumb 'Satelitski servis' v glavnem meniju za upravljanje.
+Uporabi gumb 'Satelitski servis' v glavnem meniju za upravljanje.
Če servisa ne nastaviš, ne bo naredil ničesar. Če želiš, ga lahko še vedno samo onemogočiš.
@@ -1122,7 +1122,7 @@ Konfiguracija in entitete ne bodo odstranjene.
Če storitev po ponovni namestitvi še vedno ne uspe, odprite vstopnico in pošljite vsebino najnovejšega dnevnika.
- Če želite upravljati storitev (dodajanje ukazov, senzorjev, spremembe) lahko to storite tukaj, ali pa z uporabo gumba 'satelitska storitev' v glavnem oknu.
+ Če želite upravljati storitev (dodajanje ukazov, senzorjev, spremembe) lahko to storite tukaj, ali pa z uporabo gumba 'satelitska storitev' v glavnem oknu.
stanje servisa:
@@ -1249,12 +1249,12 @@ Vsebovati mora tri sekcije (ločene s pikami).
Ali ste prepričani, da ga želite uporabiti takole?
- Vaša povezava do Home Assistant-a ne izgleda v redu. Morala bi biti nekako takole: 'http://homeassistant.local:8123' ali 'https://192.168.0.1:8123'.
+ Vaša povezava do Home Assistant-a ne izgleda v redu. Morala bi biti nekako takole: 'http://homeassistant.local:8123' ali 'https://192.168.0.1:8123'.
Ali ste prepričani, da jo želite uporabiti takole?
- Vaša povezava do MQTT strežnika ne izgleda v redu. Morala bi biti nekako takole: 'homeassistant.local' ali '192.168.0.1'.
+ Vaša povezava do MQTT strežnika ne izgleda v redu. Morala bi biti nekako takole: 'homeassistant.local' ali '192.168.0.1'.
Ali ste prepričani, da jo želite uporabiti takole?
@@ -1270,7 +1270,7 @@ se bo nato znova zagnal, da jih bo znova objavil.
Ne skrbite, ohranili bodo svoja trenutna imena, tako da bodo vaše avtomatizacije ali skripti normalno delovali.
-Opomba: ime se bo 'očistilo', kar pomeni, da bo vse, razen črk, številk in presledkov nadomeščeno s podčrtajem. To je zahteva Home Assistant.
+Opomba: ime se bo 'očistilo', kar pomeni, da bo vse, razen črk, številk in presledkov nadomeščeno s podčrtajem. To je zahteva Home Assistant.
Fuzzy
@@ -1511,10 +1511,10 @@ Obstaja nekaj kanalov, preko katerih nas lahko dosežete:
Pomoč
- Vaš vhodni jezik '{0}' je znan, da je v konfliktu s privzeto bližnjivo CTRL-ALT-Q. Prosim, nastavite svojo.
+ Vaš vhodni jezik '{0}' je znan, da je v konfliktu s privzeto bližnjivo CTRL-ALT-Q. Prosim, nastavite svojo.
- Vaš vhodni jezik '{0}' je neznan in je lahko v konfliktu s privzeto bližnjivo CTRL-ALT-Q. Prosim, preverite. Če je v konfliktu odprite pomoč v GitHub, da bo dodan na seznam.
+ Vaš vhodni jezik '{0}' je neznan in je lahko v konfliktu s privzeto bližnjivo CTRL-ALT-Q. Prosim, preverite. Če je v konfliktu odprite pomoč v GitHub, da bo dodan na seznam.
Ni najdenih ključev
@@ -1526,7 +1526,7 @@ Obstaja nekaj kanalov, preko katerih nas lahko dosežete:
napaka pri razčlenjevanju ključev, glejte dnevnik
- število oklepajev '[' ne ustreza številu oklepajev ']' ({0} do {1})
+ število oklepajev '[' ne ustreza številu oklepajev ']' ({0} do {1})
Napaka pri povezovanju API z vrati {0}.
@@ -1626,7 +1626,7 @@ Opomba: to sporočilo bo prikazano samo enkrat.
Pri nalaganju nastavitev je šlo nekaj narobe.
-Preverite appsettings.json v podmapi 'Config' ali jo preprosto izbrišite, da začnete znova.
+Preverite appsettings.json v podmapi 'Config' ali jo preprosto izbrišite, da začnete znova.
Fuzzy
@@ -1744,7 +1744,7 @@ Vsebovati mora tri sekcije (ločene s pikami).
Ali ste prepričani, da ga želite uporabiti takole?
- Vaša povezava ne izgleda v redu. Morala bi biti nekako takole: 'http://homeassistant.local:8123' ali 'https://192.168.0.1:8123'.
+ Vaša povezava ne izgleda v redu. Morala bi biti nekako takole: 'http://homeassistant.local:8123' ali 'https://192.168.0.1:8123'.
Ali ste prepričani, da jo želite uporabiti takole?
@@ -1760,7 +1760,7 @@ Ali ste prepričani, da jo želite uporabiti takole?
API Home Assistant.
Navedite dolgotrajni žeton za dostop in naslov svojega primerka Home Assistant.
-Žeton lahko dobite na strani profila. Pomaknite se do dna in kliknite 'USTVARI ŽETEN'.
+Žeton lahko dobite na strani profila. Pomaknite se do dna in kliknite 'USTVARI ŽETEN'.
Fuzzy
@@ -1791,7 +1791,7 @@ Hvala, ker uporabljate HASS.Agent. Upam, da vam bo koristil :-)
Razvoj in vzdrževanje tega dodatka (in vsega, kar spada zraven, kot je podpora, navodila) vzame veliko časa. Kot večina razvijalcev tudi jaz delam na kofein - zato bi bil zelo hvaležen kake skodelice kave, če jo lahko pogrešate!
- Namig: ostale možnosti donacij so na voljo v zavihku "Vizitka".
+ Namig: ostale možnosti donacij so na voljo v zavihku "Vizitka".
počisti
@@ -2016,7 +2016,7 @@ Potrdilo prenesene datoteke bo preverjeno. Še vedno boste videli stran z izdaja
Izgleda, da je to tvoj prvi zagon HASS.Agenta.
-Če želiš, lahko greva čez nastavitve. Če ne, samo pritisni 'zapri'.
+Če želiš, lahko greva čez nastavitve. Če ne, samo pritisni 'zapri'.
@@ -2242,7 +2242,7 @@ Preverite dnevnike za več informacij in po želji obvestite razvijalce.
Zagotavlja informacije o različnih vidikih zvoka vaše naprave:
-Trenutna najvišja raven glasnosti (lahko se uporabi kot preprosta vrednost 'is something playing').
+Trenutna najvišja raven glasnosti (lahko se uporabi kot preprosta vrednost 'is something playing').
Privzeta zvočna naprava: ime, stanje in glasnost.
@@ -2350,7 +2350,7 @@ Kategorija: Procesor
Števec: % procesorskega časa
Primer: _Skupaj
-Številke lahko raziščete z orodjem Windows 'perfmon.exe'.
+Številke lahko raziščete z orodjem Windows 'perfmon.exe'.
Vrne rezultat Powershell ukaza ali skripta.
@@ -2367,7 +2367,7 @@ Pretvori rezultat v tekst.
Vrne stanje zagotovljene storitve: NotFound, Stopped, StartPending, StopPending, Running, ContinuePending, PausePending ali Paused.
-Prepričajte se, da ste navedli 'Service name', ne pa 'Display name'.
+Prepričajte se, da ste navedli 'Service name', ne pa 'Display name'.
Zagotavlja trenutno stanje seje:
@@ -2393,7 +2393,7 @@ Lahko se na primer uporablja za določanje, ali želite poslati obvestila ali sp
Vrne ime procesa, ki trenutno uporablja kamero.
-Opomba: če jo uporablja satelitska storitev, potem 'userspace' aplikacije ne bodo zaznane.
+Opomba: če jo uporablja satelitska storitev, potem 'userspace' aplikacije ne bodo zaznane.
Vrne trenutno stanje okna procesa:
@@ -2900,7 +2900,7 @@ Pustite prazno, da se vsi povežejo.
To je ime, s katerim se satelitska storitev registrira v Home Assistant.
-Privzeto je to ime vašega računalnika in '-satellite'.
+Privzeto je to ime vašega računalnika in '-satellite'.
prekinjena milostna doba
@@ -2913,7 +2913,7 @@ Privzeto je to ime vašega računalnika in '-satellite'.
Ta stran vsebuje splošne konfiguracijske elemente. Za nastavitve, senzorje in ukaze MQTT brskajte po zavihkih na vrhu.
- Lahko uporabite satelitsko storitev za senzorje in ukaze brez, da ste prijavljeni. Vsi tipi niso na voljo, npr. 'LaunchUrl' ukaz se lahko doda samo kot klasičen ukaz.
+ Lahko uporabite satelitsko storitev za senzorje in ukaze brez, da ste prijavljeni. Vsi tipi niso na voljo, npr. 'LaunchUrl' ukaz se lahko doda samo kot klasičen ukaz.
sekundah
@@ -3315,7 +3315,7 @@ Namesto tega se bo odprla stran za izdajo.
Ali želite prenesti runtime installer?
- Nekaj je šlo narobe pri inicializaciji WebView. Preverite dnevnike in odprite GitHub 'ticket' za pomoč.
+ Nekaj je šlo narobe pri inicializaciji WebView. Preverite dnevnike in odprite GitHub 'ticket' za pomoč.
WebView
@@ -3342,7 +3342,7 @@ Ali želite prenesti runtime installer?
velikost
- namig: pritisni 'esc' da zapreš webview
+ namig: pritisni 'esc' da zapreš webview
&URL
@@ -3368,4 +3368,10 @@ Ali želite prenesti runtime installer?
Neznano
+
+ Aktivira ponujeno navidezno namizje.
+
+
+ Zagotavlja ID trenutno aktivnega navideznega namizja.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.tr.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.tr.resx
index 9af1ec50..3ad4001e 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.tr.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.tr.resx
@@ -124,7 +124,7 @@
Tarayıcı adı
- Varsayılan olarak HASS.Agent, varsayılan tarayıcınızı kullanarak URL'leri başlatır.
+ Varsayılan olarak HASS.Agent, varsayılan tarayıcınızı kullanarak URL'leri başlatır.
Ayrıca,
özel modda çalışacak başlatma argümanlarıyla birlikte kullanılacak belirli bir tarayıcıyı da yapılandırabilirsiniz.
Fuzzy
@@ -139,8 +139,8 @@ Ayrıca,
Özel Yürütücü İkili Dosyası
- HASS.Agent'ı Perl veya Python gibi belirli bir yorumlayıcı kullanacak şekilde yapılandırabilirsiniz.
-Bu yürütücüyü başlatmak için 'özel yürütücü' komutunu kullanın.
+ HASS.Agent'ı Perl veya Python gibi belirli bir yorumlayıcı kullanacak şekilde yapılandırabilirsiniz.
+Bu yürütücüyü başlatmak için 'özel yürütücü' komutunu kullanın.
Özel Yürütücü Adı
@@ -152,7 +152,7 @@ Bu yürütücüyü başlatmak için 'özel yürütücü' komutunu kull
&Ölçek
- HASS.Agent, MQTT veya HA'nın API'si ile olan bağlantı kesintilerini size bildirmeden önce bir ek süre bekleyecektir.
+ HASS.Agent, MQTT veya HA'nın API'si ile olan bağlantı kesintilerini size bildirmeden önce bir ek süre bekleyecektir.
Aşağıda bu ek süre içinde beklenecek saniye miktarını ayarlayabilirsiniz.
@@ -166,7 +166,7 @@ Aşağıda bu ek süre içinde beklenecek saniye miktarını ayarlayabilirsiniz.
Otomasyonlarınız ve komut dosyalarınız çalışmaya devam edecek.
- Cihaz adı, Home Assistant'ta makinenizi tanımlamak için kullanılır. Ayrıca komut/sensör adlarınız için bir önek olarak kullanılır (bu, varlık başına değiştirilebilir).
+ Cihaz adı, Home Assistant'ta makinenizi tanımlamak için kullanılır. Ayrıca komut/sensör adlarınız için bir önek olarak kullanılır (bu, varlık başına değiştirilebilir).
Fuzzy
@@ -189,11 +189,11 @@ Otomasyonlarınız ve komut dosyalarınız çalışmaya devam edecek.
Hangi varlıkları yapılandırdığınızı öğrenmek ve hızlı eylemler göndermek için HASS.Agent,
-Home Assistant'ın API'sini kullanır.
+Home Assistant'ın API'sini kullanır.
Lütfen uzun ömürlü bir erişim belirteci ve Home Assistant örneğinizin adresini sağlayın.
-Home Assistant'ta sol alttaki profil resminize tıklayarak
-ve 'TOKEN OLUŞTUR' düğmesini görene kadar sayfanın en altına giderek bir token alabilirsiniz.
+Home Assistant'ta sol alttaki profil resminize tıklayarak
+ve 'TOKEN OLUŞTUR' düğmesini görene kadar sayfanın en altına giderek bir token alabilirsiniz.
&API Simgesi
@@ -231,12 +231,12 @@ Bu şekilde, makinenizde ne yapıyorsanız yapın, Home Assistant ile her zaman
Bildirimlerde gösterilen resimler gibi bazı öğelerin geçici olarak yerel olarak depolanması gerekir. HASS.Agent
bunları silmeden önce tutulması gereken gün miktarını yapılandırabilirsiniz.
-Bunları kalıcı olarak tutmak için '0' girin.
+Bunları kalıcı olarak tutmak için '0' girin.
Genişletilmiş günlük kaydı, varsayılan günlük kaydının yeterli olmaması durumunda daha ayrıntılı ve derinlemesine günlük
kaydı sağlar. Lütfen bunun etkinleştirilmesinin günlük dosyalarının büyümesine neden olabileceğini
-ve yalnızca HASS.Agent'ın kendisinde bir sorun olduğundan şüphelendiğinizde veya
+ve yalnızca HASS.Agent'ın kendisinde bir sorun olduğundan şüphelendiğinizde veya
geliştiriciler tarafından istendiğinde kullanılması gerektiğini unutmayın.
@@ -267,7 +267,7 @@ geliştiriciler tarafından istendiğinde kullanılması gerektiğini unutmayın
(emin değilseniz varsayılanı bırakın)
- Komutlar ve sensörler, yeni entegrasyonu kullanırken bildirimler ve medya oynatıcı işlevlerinin yanı sıra MQTT'yi kullanır.
+ Komutlar ve sensörler, yeni entegrasyonu kullanırken bildirimler ve medya oynatıcı işlevlerinin yanı sıra MQTT'yi kullanır.
Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini kullanıyorsanız, muhtemelen önceden ayarlanmış adresi kullanabilirsiniz.
@@ -295,10 +295,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Müşteri Kimliği
- Bir şey çalışmıyorsa, aşağıdaki adımları denediğinizden emin olun: - HASS.Agent entegrasyonunu kurun - Home Assistant'ı yeniden başlatın - MQTT etkinken HASS.Agent'ın etkin olduğundan emin olun! - Cihazınız otomatik olarak bir varlık olarak algılanmalı ve eklenmelidir - İsteğe bağlı olarak: yerel API'yi kullanarak manuel olarak ekleyin
+ Bir şey çalışmıyorsa, aşağıdaki adımları denediğinizden emin olun: - HASS.Agent entegrasyonunu kurun - Home Assistant'ı yeniden başlatın - MQTT etkinken HASS.Agent'ın etkin olduğundan emin olun! - Cihazınız otomatik olarak bir varlık olarak algılanmalı ve eklenmelidir - İsteğe bağlı olarak: yerel API'yi kullanarak manuel olarak ekleyin
- HASS.Agent metin, resim ve eylemleri kullanarak Home Assistant'tan bildirimler alabilir. MQTT'yi etkinleştirdiyseniz, cihazınız otomatik olarak eklenir. Aksi takdirde, yerel API'yi kullanmak için entegrasyonu manuel olarak yapılandırın.
+ HASS.Agent metin, resim ve eylemleri kullanarak Home Assistant'tan bildirimler alabilir. MQTT'yi etkinleştirdiyseniz, cihazınız otomatik olarak eklenir. Aksi takdirde, yerel API'yi kullanmak için entegrasyonu manuel olarak yapılandırın.
Bildirimler ve Belgeler
@@ -319,7 +319,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
&Görüntüler için sertifika hatalarını yoksay
- Uydu hizmeti, hiçbir kullanıcı oturum açmadığında bile sensörleri ve komutları çalıştırmanıza izin verir. Yönetmek için ana penceredeki 'uydu hizmeti' düğmesini kullanın.
+ Uydu hizmeti, hiçbir kullanıcı oturum açmadığında bile sensörleri ve komutları çalıştırmanıza izin verir. Yönetmek için ana penceredeki 'uydu hizmeti' düğmesini kullanın.
Servis durumu:
@@ -352,7 +352,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Yeniden yüklemeden sonra hizmet hala başarısız olursa, lütfen bir bilet açın ve en son günlüğün içeriğini gönderin.
- HASS.Agent, kullanıcı profilinizin kayıt defterinde bir giriş oluşturarak oturum açtığınızda başlayabilir. HASS.Agent kullanıcı tabanlı olduğundan, başka bir kullanıcı için başlatmak istiyorsanız, HASS.Agent'ı orada kurun ve yapılandırın.
+ HASS.Agent, kullanıcı profilinizin kayıt defterinde bir giriş oluşturarak oturum açtığınızda başlayabilir. HASS.Agent kullanıcı tabanlı olduğundan, başka bir kullanıcı için başlatmak istiyorsanız, HASS.Agent'ı orada kurun ve yapılandırın.
&Oturum Açıldığında Başlatmayı Etkinleştir
@@ -376,16 +376,16 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Yeni bir &sürüm çıktığında bana haber ver
- HASS.Agent'a hoş geldiniz! Aracıyı ilk kez başlatıyorsunuz gibi görünüyor. İlk kurulumda size yardımcı olmak için aşağıdaki yapılandırma adımlarını uygulayın veya alternatif olarak 'Kapat'ı tıklayın.
+ HASS.Agent'a hoş geldiniz! Aracıyı ilk kez başlatıyorsunuz gibi görünüyor. İlk kurulumda size yardımcı olmak için aşağıdaki yapılandırma adımlarını uygulayın veya alternatif olarak 'Kapat'ı tıklayın.
- Cihaz adı, Home Assistant'ta makinenizi tanımlamak için kullanılır, ayrıca komutlarınız ve sensörleriniz için önerilen bir önek olarak kullanılır.
+ Cihaz adı, Home Assistant'ta makinenizi tanımlamak için kullanılır, ayrıca komutlarınız ve sensörleriniz için önerilen bir önek olarak kullanılır.
Cihaz adı
- Evet, Sistem Girişinde HASS.Agent'ı &başlatın
+ Evet, Sistem Girişinde HASS.Agent'ı &başlatın
HASS.Agent, sisteminizle başlayabilir, bu, oturum açar açmaz cihazınız ve Home Assistant arasındaki tüm sensörlerin ve veri aktarımının başlamasına olanak tanır. Bu ayar, daha sonra HASS.Agent yapılandırma penceresinde herhangi bir zamanda değiştirilebilir.
@@ -394,22 +394,22 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Mevcut durum getiriliyor, lütfen bekleyin..
- Not: 5115 varsayılan bağlantı noktasıdır, yalnızca Home Assistant'ta değiştirdiyseniz değiştirin.
+ Not: 5115 varsayılan bağlantı noktasıdır, yalnızca Home Assistant'ta değiştirdiyseniz değiştirin.
Evet, bağlantı noktasındaki bildirimleri kabul et
- HASS.Agent, metin ve/veya resimler kullanarak Home Assistant'tan bildirimler alabilir. Bu işlevi etkinleştirmek istiyor musunuz?
+ HASS.Agent, metin ve/veya resimler kullanarak Home Assistant'tan bildirimler alabilir. Bu işlevi etkinleştirmek istiyor musunuz?
HASS.Agent-Notifier GitHub Sayfası
- Şu adımları uyguladığınızdan emin olun: - HASS.Agent-Notifier entegrasyonunu kurun - Home Assistant'ı yeniden başlatın - Bir bildirim varlığı yapılandırın - Home Assistant'ı yeniden başlatın
+ Şu adımları uyguladığınızdan emin olun: - HASS.Agent-Notifier entegrasyonunu kurun - Home Assistant'ı yeniden başlatın - Bir bildirim varlığı yapılandırın - Home Assistant'ı yeniden başlatın
- Bildirimleri kullanmak için Home Assistant'ta HASS.Agent-notifier entegrasyonunu kurmanız ve yapılandırmanız gerekir. Bu, HACS'yi kullanmak çok kolaydır, ancak manuel olarak da kurulabilir, daha fazla bilgi için aşağıdaki bağlantıyı ziyaret edin.
+ Bildirimleri kullanmak için Home Assistant'ta HASS.Agent-notifier entegrasyonunu kurmanız ve yapılandırmanız gerekir. Bu, HACS'yi kullanmak çok kolaydır, ancak manuel olarak da kurulabilir, daha fazla bilgi için aşağıdaki bağlantıyı ziyaret edin.
API & Jeton
@@ -418,7 +418,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Sunucu &URI (böyle olması gerekir)
- Hangi varlıkları yapılandırdığınızı öğrenmek ve hızlı eylemler göndermek için HASS.Agent, Home Assistant'ın API'sini kullanır. Lütfen uzun ömürlü bir erişim belirteci ve Home Assistant örneğinizin adresini sağlayın. Home Assistant'ta sol alttaki profil resminize tıklayarak ve 'TOKEN OLUŞTUR' düğmesini görene kadar sayfanın en altına giderek bir jeton alabilirsiniz.
+ Hangi varlıkları yapılandırdığınızı öğrenmek ve hızlı eylemler göndermek için HASS.Agent, Home Assistant'ın API'sini kullanır. Lütfen uzun ömürlü bir erişim belirteci ve Home Assistant örneğinizin adresini sağlayın. Home Assistant'ta sol alttaki profil resminize tıklayarak ve 'TOKEN OLUŞTUR' düğmesini görene kadar sayfanın en altına giderek bir jeton alabilirsiniz.
Test bağlantısı
@@ -475,7 +475,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
HASS.Agent GitHub sayfası
- Kurcalanacak daha çok şey var, bu yüzden Yapılandırma Penceresine bir göz attığınızdan emin olun! HASS.Agent'ı kullandığınız için teşekkür ederiz, umarım işinize yarar :-)
+ Kurcalanacak daha çok şey var, bu yüzden Yapılandırma Penceresine bir göz attığınızdan emin olun! HASS.Agent'ı kullandığınız için teşekkür ederiz, umarım işinize yarar :-)
HASS.Agent şimdi yapılandırma değişikliklerinizi uygulamak için yeniden başlatılacak.
@@ -610,7 +610,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
&Gönder && Yapılandırmayı Etkinleştir
- &HASS.Agent'tan kopyala
+ &HASS.Agent'tan kopyala
Yapılandırma kaydedildi!
@@ -676,7 +676,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Önceki örneğin kapanması bekleniyor..
- HASS.Agent'ı Yeniden Başlatın
+ HASS.Agent'ı Yeniden Başlatın
HASS.Agent Yeniden Başlatıcı
@@ -757,7 +757,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Tanım
- &'Düşük Bütünlük' olarak çalıştır
+ &'Düşük Bütünlük' olarak çalıştır
Bu nedir?
@@ -957,7 +957,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Bu uygulama açık kaynak kodlu ve tamamen ücretsizdir, lütfen kullanılan bileşenlerin proje sayfalarını bireysel lisansları için kontrol edin:
- Sıkı çalışmalarını biz fanilerle paylaşma nezaketini gösteren bu projelerin geliştiricilerine büyük bir 'teşekkür ederim'.
+ Sıkı çalışmalarını biz fanilerle paylaşma nezaketini gösteren bu projelerin geliştiricilerine büyük bir 'teşekkür ederim'.
Ve tabi ki; Paulus Shoutsen ve Home Assistant :-) yaratan ve bakımını yapan tüm geliştirici ekibine teşekkürler
@@ -978,7 +978,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Harici Araçlar
- Ev Yardımcısı API'sı
+ Ev Yardımcısı API'sı
Kısayol tuşu
@@ -1056,7 +1056,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Hataları bildirin, özellik istekleri gönderin, en son değişiklikleri görün vb.
- HASS.Agent'ı kurma ve kullanma konusunda yardım alın, hataları bildirin veya genel sohbete katılın!
+ HASS.Agent'ı kurma ve kullanma konusunda yardım alın, hataları bildirin veya genel sohbete katılın!
HASS.Agent belgelerine ve kullanım örneklerine göz atın.
@@ -1065,7 +1065,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Yardım
- HASS.Agent'ı göster
+ HASS.Agent'ı göster
Hızlı İşlemleri Göster
@@ -1095,7 +1095,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Hakkında
- HASS.Agent'tan çıkın
+ HASS.Agent'tan çıkın
&Saklamak
@@ -1134,10 +1134,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Hızlı İşlemler:
- Ev Asistanı API'sı:
+ Ev Asistanı API'sı:
- bildirim API'si:
+ bildirim API'si:
&Sonraki
@@ -1170,19 +1170,19 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
HASS.Agent Güncellemesi
- Özel bir komut yürütün. Bu komutlar özel yükseltme olmadan çalışır. Yükseltilmiş olarak çalıştırmak için bir Zamanlanmış Görev oluşturun ve görevinizi yürütmek için komut olarak 'schtasks /Run /TN "TaskName"'i kullanın. Veya daha sıkı yürütme için 'düşük bütünlük olarak çalıştır'ı etkinleştirin.
+ Özel bir komut yürütün. Bu komutlar özel yükseltme olmadan çalışır. Yükseltilmiş olarak çalıştırmak için bir Zamanlanmış Görev oluşturun ve görevinizi yürütmek için komut olarak 'schtasks /Run /TN "TaskName"'i kullanın. Veya daha sıkı yürütme için 'düşük bütünlük olarak çalıştır'ı etkinleştirin.
- Komutu, yapılandırılmış özel yürütücü aracılığıyla yürütür (Yapılandırma -> Dış Araçlar'da). Komutunuz 'olduğu gibi' bir argüman olarak sağlanır, bu nedenle gerekirse kendi alıntılarınızı vb. sağlamanız gerekir.
+ Komutu, yapılandırılmış özel yürütücü aracılığıyla yürütür (Yapılandırma -> Dış Araçlar'da). Komutunuz 'olduğu gibi' bir argüman olarak sağlanır, bu nedenle gerekirse kendi alıntılarınızı vb. sağlamanız gerekir.
Makineyi hazırda bekletme moduna geçirir.
- Tek bir tuşa basmayı simüle eder. 'Anahtar kodu' metin kutusuna tıklayın ve simüle edilmesini istediğiniz tuşa basın. İlgili anahtar kodu sizin için girilecektir. CTRL gibi daha fazla tuşa ve/veya değiştiriciye ihtiyacınız varsa, MultipleKeys komutunu kullanın.
+ Tek bir tuşa basmayı simüle eder. 'Anahtar kodu' metin kutusuna tıklayın ve simüle edilmesini istediğiniz tuşa basın. İlgili anahtar kodu sizin için girilecektir. CTRL gibi daha fazla tuşa ve/veya değiştiriciye ihtiyacınız varsa, MultipleKeys komutunu kullanın.
- Varsayılan tarayıcınızda varsayılan olarak sağlanan URL'yi başlatır. 'Gizli' kullanmak için Yapılandırma -> Harici Araçlar'da belirli bir tarayıcı sağlayın. Yalnızca belirli bir URL'ye sahip bir pencere istiyorsanız (tam bir tarayıcı değil), bir 'WebView' komutu kullanın.
+ Varsayılan tarayıcınızda varsayılan olarak sağlanan URL'yi başlatır. 'Gizli' kullanmak için Yapılandırma -> Harici Araçlar'da belirli bir tarayıcı sağlayın. Yalnızca belirli bir URL'ye sahip bir pencere istiyorsanız (tam bir tarayıcı değil), bir 'WebView' komutu kullanın.
Geçerli oturumu kilitler.
@@ -1191,40 +1191,40 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Geçerli oturumun oturumunu kapatır.
- 'Sessiz' tuşunu simüle eder.
+ 'Sessiz' tuşunu simüle eder.
- 'Sonraki Medya' tuşunu simüle eder.
+ 'Sonraki Medya' tuşunu simüle eder.
- 'Medya Duraklat/Oynat' tuşunu simüle eder.
+ 'Medya Duraklat/Oynat' tuşunu simüle eder.
- 'Önceki Medya' tuşunu simüle eder.
+ 'Önceki Medya' tuşunu simüle eder.
- 'Sesi Kısma' tuşunu simüle eder.
+ 'Sesi Kısma' tuşunu simüle eder.
- 'Sesi Aç' tuşunu simüle eder.
+ 'Sesi Aç' tuşunu simüle eder.
- Birden fazla tuşa basmayı simüle eder. Her tuşun arasına [ ] koymanız gerekir, aksi takdirde HASS.Agent onları ayırt edemez. Diyelim ki X TAB Y SHIFT-Z'ye basmak istiyorsunuz, bu [X] [{TAB}] [Y] [+Z] olur. Kullanabileceğiniz birkaç numara vardır: - Bir parantezin basılmasını istiyorsanız, ondan kaçının, bu nedenle [ [\[] ve ] [\]] olur - Özel tuşlar { } arasında gidip gelir, örneğin {TAB} veya {UP} - SHIFT, CTRL için ^ ve ALT için % eklemek için bir tuşun önüne + koyun. Yani +C, SHIFT-C'dir. Veya +(CD), SHIFT-C ve SHIFT-D'dir, +CD ise SHIFT-C ve D'dir - Birden fazla basış için {z 15} kullanın, bu, Z'ye 15 kez basılacağı anlamına gelir. Daha fazla bilgi: https://docs.microsoft.com/en-us/dotnet/api/system.windows.forms.sendkeys
+ Birden fazla tuşa basmayı simüle eder. Her tuşun arasına [ ] koymanız gerekir, aksi takdirde HASS.Agent onları ayırt edemez. Diyelim ki X TAB Y SHIFT-Z'ye basmak istiyorsunuz, bu [X] [{TAB}] [Y] [+Z] olur. Kullanabileceğiniz birkaç numara vardır: - Bir parantezin basılmasını istiyorsanız, ondan kaçının, bu nedenle [ [\[] ve ] [\]] olur - Özel tuşlar { } arasında gidip gelir, örneğin {TAB} veya {UP} - SHIFT, CTRL için ^ ve ALT için % eklemek için bir tuşun önüne + koyun. Yani +C, SHIFT-C'dir. Veya +(CD), SHIFT-C ve SHIFT-D'dir, +CD ise SHIFT-C ve D'dir - Birden fazla basış için {z 15} kullanın, bu, Z'ye 15 kez basılacağı anlamına gelir. Daha fazla bilgi: https://docs.microsoft.com/en-us/dotnet/api/system.windows.forms.sendkeys
Bir Powershell komutu veya betiği yürütün. Bir komut dosyasının (*.ps1) konumunu veya tek satırlı bir komutu sağlayabilirsiniz. Bu, özel yükseklik olmadan çalışacaktır.
- Tüm sensör kontrollerini sıfırlar, tüm sensörleri değerlerini işlemeye ve göndermeye zorlar. Örneğin, bir HA yeniden başlatma sonrasında HASS.Agent'ı tüm sensörlerinizi güncellemeye zorlamak istiyorsanız kullanışlıdır.
+ Tüm sensör kontrollerini sıfırlar, tüm sensörleri değerlerini işlemeye ve göndermeye zorlar. Örneğin, bir HA yeniden başlatma sonrasında HASS.Agent'ı tüm sensörlerinizi güncellemeye zorlamak istiyorsanız kullanışlıdır.
- Bir dakika sonra makineyi yeniden başlatır. İpucu: Yanlışlıkla mı tetiklendi? Kapatmayı iptal etmek için 'shutdown /a' komutunu çalıştırın.
+ Bir dakika sonra makineyi yeniden başlatır. İpucu: Yanlışlıkla mı tetiklendi? Kapatmayı iptal etmek için 'shutdown /a' komutunu çalıştırın.
- Bir dakika sonra makineyi kapatır. İpucu: Yanlışlıkla mı tetiklendi? Kapatmayı iptal etmek için 'shutdown /a' komutunu çalıştırın.
+ Bir dakika sonra makineyi kapatır. İpucu: Yanlışlıkla mı tetiklendi? Kapatmayı iptal etmek için 'shutdown /a' komutunu çalıştırın.
- Makineyi uyku moduna geçirir. Not: Windows'taki bir sınırlama nedeniyle, bu yalnızca hazırda bekletme modu devre dışı bırakıldığında çalışır, aksi takdirde yalnızca hazırda bekletme moduna geçer. Bunu atlatmak için NirCmd (http://www.nirsoft.net/utils/nircmd.html) gibi bir şey kullanabilirsiniz.
+ Makineyi uyku moduna geçirir. Not: Windows'taki bir sınırlama nedeniyle, bu yalnızca hazırda bekletme modu devre dışı bırakıldığında çalışır, aksi takdirde yalnızca hazırda bekletme moduna geçer. Bunu atlatmak için NirCmd (http://www.nirsoft.net/utils/nircmd.html) gibi bir şey kullanabilirsiniz.
Lütfen tarayıcınızın ikili dosyasının konumunu girin! (.exe dosyası)
@@ -1242,7 +1242,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Lütfen geçerli bir API anahtarı girin!
- Lütfen Ev Asistanınızın URI'si için bir değer girin.
+ Lütfen Ev Asistanınızın URI'si için bir değer girin.
Bağlanılamadı, aşağıdaki hata döndürüldü: {0}
@@ -1257,7 +1257,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Temizlik..
- Bildirimler şu anda devre dışı, lütfen bunları etkinleştirin ve HASS.Agent'ı yeniden başlatın, ardından tekrar deneyin.
+ Bildirimler şu anda devre dışı, lütfen bunları etkinleştirin ve HASS.Agent'ı yeniden başlatın, ardından tekrar deneyin.
Test bildiriminin görünmesi gerekirdi, almadıysanız lütfen günlükleri kontrol edin veya sorun giderme ipuçları için belgelere bakın. Not: Bu, yalnızca yerel olarak bildirimlerin gösterilip gösterilmeyeceğini test eder!
@@ -1290,7 +1290,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Hizmeti durdururken bir şeyler ters gitti, UAC istemine izin verdiniz mi? Daha fazla bilgi için HASS.Agent (hizmet değil) günlüklerini kontrol edin.
- Hizmet 'devre dışı' olarak ayarlanmıştır, bu nedenle başlatılamaz. Lütfen önce hizmeti etkinleştirin ve tekrar deneyin.
+ Hizmet 'devre dışı' olarak ayarlanmıştır, bu nedenle başlatılamaz. Lütfen önce hizmeti etkinleştirin ve tekrar deneyin.
Hizmeti başlatırken bir şeyler ters gitti, UAC istemine izin verdiniz mi? Daha fazla bilgi için HASS.Agent (hizmet değil) günlüklerini kontrol edin.
@@ -1326,7 +1326,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Girişte Başlat etkinleştirildi!
- Girişte Başlat'ı şimdi etkinleştirmek istiyor musunuz?
+ Girişte Başlat'ı şimdi etkinleştirmek istiyor musunuz?
Girişte Başlat zaten etkinleştirildi, her şey hazır!
@@ -1335,7 +1335,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Oturum Açılırken Başlat etkinleştiriliyor..
- Bir şeyler yanlış gitti. Tekrar deneyebilir veya sonraki sayfaya atlayıp HASS.Agent'ın yeniden başlatılmasından sonra yeniden deneyebilirsiniz.
+ Bir şeyler yanlış gitti. Tekrar deneyebilir veya sonraki sayfaya atlayıp HASS.Agent'ın yeniden başlatılmasından sonra yeniden deneyebilirsiniz.
Oturum Açıldığında Başlatmayı Etkinleştir
@@ -1344,7 +1344,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Lütfen geçerli bir API anahtarı sağlayın.
- Lütfen Ev Asistanınızın URI'sini girin.
+ Lütfen Ev Asistanınızın URI'sini girin.
Bağlanılamadı, aşağıdaki hata döndürüldü: {0}
@@ -1380,7 +1380,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Yetkisiz
- Servisle iletişime geçme yetkiniz yok. Doğru auth ID'niz varsa, şimdi ayarlayabilir ve tekrar deneyebilirsiniz.
+ Servisle iletişime geçme yetkiniz yok. Doğru auth ID'niz varsa, şimdi ayarlayabilir ve tekrar deneyebilirsiniz.
Ayarlar getirilemedi!
@@ -1407,7 +1407,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Hizmet, yapılandırılmış sensörlerini isterken bir hata döndürdü. Daha fazla bilgi için günlükleri kontrol edin. Yapılandırma panelinden günlükleri açabilir ve hizmeti yönetebilirsiniz.
- Boş bir kimlik doğrulama kimliğinin saklanması, tüm HASS.Agent'ların hizmete erişmesine izin verecektir. Bunu istediğinden emin misin?
+ Boş bir kimlik doğrulama kimliğinin saklanması, tüm HASS.Agent'ların hizmete erişmesine izin verecektir. Bunu istediğinden emin misin?
Kaydederken bir hata oluştu, daha fazla bilgi için günlükleri kontrol edin.
@@ -1425,7 +1425,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Bu bilgisayardaki her HASS.Agent örneğinin uydu hizmetine bağlanmasını istemiyorsanız bir kimlik doğrulama kimliği ayarlayın. Yalnızca doğru kimliğe sahip örnekler bağlanabilir. Herkesin bağlanmasına izin vermek için boş bırakın.
- Bu, uydu hizmetinin kendisini Home Assistant'a kaydettiği addır. Varsayılan olarak, bilgisayarınızın adı artı '-uydu'dur.
+ Bu, uydu hizmetinin kendisini Home Assistant'a kaydettiği addır. Varsayılan olarak, bilgisayarınızın adı artı '-uydu'dur.
Uydu hizmetinin, MQTT aracısına bağlantının koptuğunu bildirmeden önce bekleyeceği süre.
@@ -1503,10 +1503,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Bu ada sahip bir komut zaten var, devam etmek istediğinizden emin misiniz?
- Bir komut sağlanmazsa, bu varlığı Home Assistant aracılığıyla yalnızca bir 'eylem' değeriyle kullanabilirsiniz, olduğu gibi çalıştırdığınızda herhangi bir işlem yapılmaz. Devam etmek istediğinizden emin misiniz?
+ Bir komut sağlanmazsa, bu varlığı Home Assistant aracılığıyla yalnızca bir 'eylem' değeriyle kullanabilirsiniz, olduğu gibi çalıştırdığınızda herhangi bir işlem yapılmaz. Devam etmek istediğinizden emin misiniz?
- Bir komut veya komut dosyası girmezseniz, bu varlığı yalnızca Home Assistant aracılığıyla bir 'eylem' değeriyle kullanabilirsiniz. Olduğu gibi çalıştırmak hiçbir şey yapmaz. Bunu istediğinden emin misin?
+ Bir komut veya komut dosyası girmezseniz, bu varlığı yalnızca Home Assistant aracılığıyla bir 'eylem' değeriyle kullanabilirsiniz. Olduğu gibi çalıştırmak hiçbir şey yapmaz. Bunu istediğinden emin misin?
Lütfen bir anahtar kodu girin!
@@ -1515,7 +1515,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Anahtarlar kontrol edilemedi: {0}
- Bir URL sağlanmazsa, bu varlığı Home Assistant aracılığıyla yalnızca bir 'eylem' değeriyle kullanabilirsiniz, olduğu gibi çalıştırdığınızda herhangi bir işlem yapılmaz. Devam etmek istediğinizden emin misiniz?
+ Bir URL sağlanmazsa, bu varlığı Home Assistant aracılığıyla yalnızca bir 'eylem' değeriyle kullanabilirsiniz, olduğu gibi çalıştırdığınızda herhangi bir işlem yapılmaz. Devam etmek istediğinizden emin misiniz?
Emretmek
@@ -1554,10 +1554,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Bu, yalnızca belirli konumlardaki dosyaları kaydedip değiştirebileceği anlamına gelir,
- '%USERPROFILE%\AppData\LocalLow' klasörü gibi veya
+ '%USERPROFILE%\AppData\LocalLow' klasörü gibi veya
- 'HKEY_CURRENT_USER\Software\AppDataLow' kayıt defteri anahtarı.
+ 'HKEY_CURRENT_USER\Software\AppDataLow' kayıt defteri anahtarı.
Bundan etkilenmediğinden emin olmak için komutunuzu test etmelisiniz!
@@ -1668,10 +1668,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
yalnızca {0}!
- Cihazınızın adını değiştirdiniz. Tüm sensörleriniz ve komutlarınız artık yayından kaldırılacak ve HASS.Agent daha sonra bunları yeniden yayınlamak için yeniden başlatılacaktır. Endişelenmeyin, mevcut adlarını koruyacaklar, böylece otomasyonlarınız veya komut dosyalarınız çalışmaya devam edecek. Not: ad 'temizlenecek', bu da harfler, rakamlar ve boşluklar dışındaki her şeyin bir alt çizgi ile değiştirileceği anlamına gelir. Bu, HA tarafından gereklidir.
+ Cihazınızın adını değiştirdiniz. Tüm sensörleriniz ve komutlarınız artık yayından kaldırılacak ve HASS.Agent daha sonra bunları yeniden yayınlamak için yeniden başlatılacaktır. Endişelenmeyin, mevcut adlarını koruyacaklar, böylece otomasyonlarınız veya komut dosyalarınız çalışmaya devam edecek. Not: ad 'temizlenecek', bu da harfler, rakamlar ve boşluklar dışındaki her şeyin bir alt çizgi ile değiştirileceği anlamına gelir. Bu, HA tarafından gereklidir.
- Yerel API'nin bağlantı noktasını değiştirdiniz. Bu yeni limanın rezerve edilmesi gerekiyor. Bunu yapmak için bir UAC isteği alacaksınız, lütfen onaylayın.
+ Yerel API'nin bağlantı noktasını değiştirdiniz. Bu yeni limanın rezerve edilmesi gerekiyor. Bunu yapmak için bir UAC isteği alacaksınız, lütfen onaylayın.
Bir şeyler yanlış gitti! Lütfen gerekli komutu manuel olarak yürütün. Panonuza kopyalandı, sadece yükseltilmiş bir komut istemine yapıştırmanız gerekiyor. Güvenlik duvarı kuralınızın bağlantı noktasını da değiştirmeyi unutmayın.
@@ -1683,13 +1683,13 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Yeniden başlatmaya hazırlanırken bir şeyler ters gitti. Lütfen manuel olarak yeniden başlatın.
- Yapılandırmanız kaydedildi. Çoğu değişiklik, HASS.Agent'ın yürürlüğe girmeden önce yeniden başlatılmasını gerektirir. Şimdi yeniden başlatmak istiyor musunuz?
+ Yapılandırmanız kaydedildi. Çoğu değişiklik, HASS.Agent'ın yürürlüğe girmeden önce yeniden başlatılmasını gerektirir. Şimdi yeniden başlatmak istiyor musunuz?
- Ayarlarınız yüklenirken bir şeyler ters gitti. 'config' alt klasöründeki appsettings.json dosyasını kontrol edin veya yeni bir başlangıç yapmak için silin.
+ Ayarlarınız yüklenirken bir şeyler ters gitti. 'config' alt klasöründeki appsettings.json dosyasını kontrol edin veya yeni bir başlangıç yapmak için silin.
- HASS.Agent başlatılırken bir hata oluştu. Lütfen günlükleri kontrol edin ve GitHub'da bir hata raporu oluşturun.
+ HASS.Agent başlatılırken bir hata oluştu. Lütfen günlükleri kontrol edin ve GitHub'da bir hata raporu oluşturun.
Yerel ve Sensörler
@@ -1792,13 +1792,13 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
İstemci sertifika dosyası bulunamadı.
- Bağlanamıyor, URI'yi kontrol edin.
+ Bağlanamıyor, URI'yi kontrol edin.
Yapılandırma getirilemiyor, lütfen API anahtarını kontrol edin.
- Bağlanamıyor, lütfen URI'yi ve yapılandırmayı kontrol edin.
+ Bağlanamıyor, lütfen URI'yi ve yapılandırmayı kontrol edin.
hızlı eylem: eylem başarısız oldu, bilgi için günlükleri kontrol edin
@@ -1816,22 +1816,22 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
MQTT: Bağlantı kesildi
- API'yi {0} bağlantı noktasına bağlamaya çalışırken hata oluştu. HASS.Agent'ın başka hiçbir örneğinin çalışmadığından ve bağlantı noktasının kullanılabilir ve kayıtlı olduğundan emin olun.
+ API'yi {0} bağlantı noktasına bağlamaya çalışırken hata oluştu. HASS.Agent'ın başka hiçbir örneğinin çalışmadığından ve bağlantı noktasının kullanılabilir ve kayıtlı olduğundan emin olun.
Geçerli etkin pencerenin başlığını sağlar.
- Cihazınızın sesinin çeşitli yönleri hakkında bilgi sağlar: Mevcut en yüksek ses seviyesi (basit bir 'bir şey çalıyor' değeri olarak kullanılabilir). Varsayılan ses aygıtı: ad, durum ve ses düzeyi. Sesli oturumlarınızın özeti: uygulama adı, sessiz durumu, ses düzeyi ve mevcut en yüksek ses düzeyi.
+ Cihazınızın sesinin çeşitli yönleri hakkında bilgi sağlar: Mevcut en yüksek ses seviyesi (basit bir 'bir şey çalıyor' değeri olarak kullanılabilir). Varsayılan ses aygıtı: ad, durum ve ses düzeyi. Sesli oturumlarınızın özeti: uygulama adı, sessiz durumu, ses düzeyi ve mevcut en yüksek ses düzeyi.
Mevcut şarj durumunu, tam şarjda tahmini dakika miktarını, yüzde olarak kalan şarjı, dakika cinsinden kalan şarjı ve elektrik hattı durumunu gösteren bir sensör sağlar.
- İlk CPU'nun mevcut yükünü yüzde olarak sağlar.
+ İlk CPU'nun mevcut yükünü yüzde olarak sağlar.
- İlk CPU'nun mevcut saat hızını sağlar.
+ İlk CPU'nun mevcut saat hızını sağlar.
Geçerli ses seviyesini yüzde olarak sağlar. Şu anda varsayılan cihazınızın hacmini alıyor.
@@ -1843,16 +1843,16 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Test amaçlı kukla sensör, 0 ile 100 arasında rastgele bir tamsayı değeri gönderir.
- Yüzde olarak ilk GPU'nun mevcut yükünü sağlar.
+ Yüzde olarak ilk GPU'nun mevcut yükünü sağlar.
- İlk GPU'nun mevcut sıcaklığını sağlar.
+ İlk GPU'nun mevcut sıcaklığını sağlar.
Kullanıcının herhangi bir girdi sağladığı son anı içeren bir tarih saat değeri sağlar.
- Sistemin (yeniden) başlatıldığı son anı içeren bir tarih saat değeri sağlar. Önemli: Windows'un FastBoot seçeneği bu değeri atabilir, çünkü bu bir hazırda bekletme modudur. Güç Seçenekleri -> 'Güç düğmelerinin ne yapacağını seçin' -> 'Hızlı başlatmayı aç' seçeneğinin işaretini kaldırarak devre dışı bırakabilirsiniz. SSD'li modern makineler için pek bir fark yaratmaz, ancak devre dışı bırakmak, yeniden başlattıktan sonra temiz bir durum almanızı sağlar.
+ Sistemin (yeniden) başlatıldığı son anı içeren bir tarih saat değeri sağlar. Önemli: Windows'un FastBoot seçeneği bu değeri atabilir, çünkü bu bir hazırda bekletme modudur. Güç Seçenekleri -> 'Güç düğmelerinin ne yapacağını seçin' -> 'Hızlı başlatmayı aç' seçeneğinin işaretini kaldırarak devre dışı bırakabilirsiniz. SSD'li modern makineler için pek bir fark yaratmaz, ancak devre dışı bırakmak, yeniden başlattıktan sonra temiz bir durum almanızı sağlar.
Son sistem durumu değişikliğini sağlar: ApplicationStarted, Logoff, SystemShutdown, Resume, Suspend, ConsoleConnect, ConsoleDisconnect, RemoteConnect, RemoteDisconnect, SessionLock, SessionLogoff, SessionLogon, SessionRemoteControl ve SessionUnlock.
@@ -1878,14 +1878,14 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Seçilen ağ kartının/kartlarının kart bilgilerini, yapılandırmasını, aktarım ve paket istatistiklerini ve adreslerini (ip, mac, dhcp, dns) sağlar. Bu çok değerli bir sensördür.
- Bir performans sayacının değerlerini sağlar. Örneğin, yerleşik CPU yük sensörü şu değerleri kullanır: Kategori: İşlemci Sayacı: % İşlemci Zaman Örneği: _Toplam Sayaçları Windows' 'perfmon.exe' aracıyla keşfedebilirsiniz.
+ Bir performans sayacının değerlerini sağlar. Örneğin, yerleşik CPU yük sensörü şu değerleri kullanır: Kategori: İşlemci Sayacı: % İşlemci Zaman Örneği: _Toplam Sayaçları Windows' 'perfmon.exe' aracıyla keşfedebilirsiniz.
İşlemin etkin örneklerinin sayısını sağlar.
Fuzzy
- Sağlanan hizmetin durumunu döndürür: Bulunamadı, Durduruldu, StartPending, StopPending, Running, ContinuePending, PausePending veya Paused. 'Görünen ad' değil, 'Hizmet adı' sağladığınızdan emin olun.
+ Sağlanan hizmetin durumunu döndürür: Bulunamadı, Durduruldu, StartPending, StopPending, Running, ContinuePending, PausePending veya Paused. 'Görünen ad' değil, 'Hizmet adı' sağladığınızdan emin olun.
Geçerli oturum durumunu sağlar: Kilitli, Kilitli Değil veya Bilinmiyor. Oturum durumu değişikliklerini izlemek için bir LastSystemStateChangeSensor kullanın.
@@ -2311,13 +2311,13 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Uygulama Başladı
- Uydu hizmetini, oturum açmak zorunda kalmadan sensörleri ve komutları çalıştırmak için kullanabilirsiniz. Tüm türler mevcut değildir, örneğin 'LaunchUrl' komutu yalnızca normal bir komut olarak eklenebilir.
+ Uydu hizmetini, oturum açmak zorunda kalmadan sensörleri ve komutları çalıştırmak için kullanabilirsiniz. Tüm türler mevcut değildir, örneğin 'LaunchUrl' komutu yalnızca normal bir komut olarak eklenebilir.
Bilinen Son Değer
- API'yi {0} bağlantı noktasına bağlamaya çalışırken hata oluştu. HASS.Agent'ın başka hiçbir örneğinin çalışmadığından ve bağlantı noktasının kullanılabilir ve kayıtlı olduğundan emin olun.
+ API'yi {0} bağlantı noktasına bağlamaya çalışırken hata oluştu. HASS.Agent'ın başka hiçbir örneğinin çalışmadığından ve bağlantı noktasının kullanılabilir ve kayıtlı olduğundan emin olun.
SendWindowToFront
@@ -2326,16 +2326,16 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Web Görünümü
- Sağlanan URL ile bir pencere gösterir. Bu, 'LaunchUrl' komutundan farklıdır, çünkü tam teşekküllü bir tarayıcı yüklemez, yalnızca kendi penceresinde sağlanan URL'yi yükler. Bunu, örneğin Home Assistant'ın kontrol panelini hızlı bir şekilde göstermek için kullanabilirsiniz. Varsayılan olarak, çerezleri süresiz olarak saklar, bu nedenle yalnızca bir kez oturum açmanız gerekir.
+ Sağlanan URL ile bir pencere gösterir. Bu, 'LaunchUrl' komutundan farklıdır, çünkü tam teşekküllü bir tarayıcı yüklemez, yalnızca kendi penceresinde sağlanan URL'yi yükler. Bunu, örneğin Home Assistant'ın kontrol panelini hızlı bir şekilde göstermek için kullanabilirsiniz. Varsayılan olarak, çerezleri süresiz olarak saklar, bu nedenle yalnızca bir kez oturum açmanız gerekir.
HASS.Ajan Komutları
- Belirtilen işlemi arar ve ana penceresini öne göndermeye çalışır. Uygulama simge durumuna küçültülürse geri yüklenir. Örnek: VLC'yi ön plana göndermek istiyorsanız, 'vlc' kullanın.
+ Belirtilen işlemi arar ve ana penceresini öne göndermeye çalışır. Uygulama simge durumuna küçültülürse geri yüklenir. Örnek: VLC'yi ön plana göndermek istiyorsanız, 'vlc' kullanın.
- Komutu yapılandırmazsanız, bu varlığı yalnızca Home Assistant aracılığıyla bir 'eylem' değeriyle kullanabilirsiniz ve varsayılan ayarlar kullanılarak görünür, olduğu gibi çalıştırıldığında herhangi bir işlem yapılmaz. Bunu yapmak istediğinden emin misin?
+ Komutu yapılandırmazsanız, bu varlığı yalnızca Home Assistant aracılığıyla bir 'eylem' değeriyle kullanabilirsiniz ve varsayılan ayarlar kullanılarak görünür, olduğu gibi çalıştırıldığında herhangi bir işlem yapılmaz. Bunu yapmak istediğinden emin misin?
Ses Önbelleğini Temizle
@@ -2356,7 +2356,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
WebView önbelleği temizlendi!
- Görünüşe göre alternatif bir ölçeklendirme kullanıyorsunuz. Bu, HASS.Agent'ın bazı bölümlerinin amaçlandığı gibi görünmemesine neden olabilir. Lütfen kullanılamayan yönleri GitHub'da bildirin. Teşekkürler! Not: Bu mesaj yalnızca bir kez gösterilir.
+ Görünüşe göre alternatif bir ölçeklendirme kullanıyorsunuz. Bu, HASS.Agent'ın bazı bölümlerinin amaçlandığı gibi görünmemesine neden olabilir. Lütfen kullanılamayan yönleri GitHub'da bildirin. Teşekkürler! Not: Bu mesaj yalnızca bir kez gösterilir.
Depolanan komut ayarları yüklenemiyor, varsayılana sıfırlanıyor.
@@ -2368,13 +2368,13 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Bağlantı Noktası ve Rezervasyonu Yürüt
- &Yerel API'yi Etkinleştir
+ &Yerel API'yi Etkinleştir
- HASS.Agent'ın kendi yerel API'si vardır, bu nedenle Home Assistant istek gönderebilir (örneğin bir bildirim göndermek için). Buradan global olarak yapılandırabilir ve daha sonra bağımlı bölümleri (şu anda bildirimler ve mediaplayer) yapılandırabilirsiniz. Not: Yeni entegrasyonun çalışması için bu gerekli değildir. Yalnızca MQTT kullanmıyorsanız etkinleştirin ve kullanın.
+ HASS.Agent'ın kendi yerel API'si vardır, bu nedenle Home Assistant istek gönderebilir (örneğin bir bildirim göndermek için). Buradan global olarak yapılandırabilir ve daha sonra bağımlı bölümleri (şu anda bildirimler ve mediaplayer) yapılandırabilirsiniz. Not: Yeni entegrasyonun çalışması için bu gerekli değildir. Yalnızca MQTT kullanmıyorsanız etkinleştirin ve kullanın.
- İstekleri dinleyebilmek için HASS.Agent'ın portunun ayrılmış ve güvenlik duvarınızda açılmış olması gerekir. Bunu sizin için yaptırmak için bu düğmeyi kullanabilirsiniz.
+ İstekleri dinleyebilmek için HASS.Agent'ın portunun ayrılmış ve güvenlik duvarınızda açılmış olması gerekir. Bunu sizin için yaptırmak için bu düğmeyi kullanabilirsiniz.
&Liman
@@ -2407,10 +2407,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
&Medya Oynatıcı İşlevselliğini Etkinleştir
- HASS.Agent, Home Assistant için bir medya oynatıcı görevi görebilir, böylece çalmakta olan herhangi bir medyayı görebilir ve kontrol edebilir ve metinden konuşmaya gönderebilirsiniz. MQTT'yi etkinleştirdiyseniz, cihazınız otomatik olarak eklenir. Aksi takdirde, yerel API'yi kullanmak için entegrasyonu manuel olarak yapılandırın.
+ HASS.Agent, Home Assistant için bir medya oynatıcı görevi görebilir, böylece çalmakta olan herhangi bir medyayı görebilir ve kontrol edebilir ve metinden konuşmaya gönderebilirsiniz. MQTT'yi etkinleştirdiyseniz, cihazınız otomatik olarak eklenir. Aksi takdirde, yerel API'yi kullanmak için entegrasyonu manuel olarak yapılandırın.
- Bir şey çalışmıyorsa, aşağıdaki adımları denediğinizden emin olun: - HASS.Agent entegrasyonunu kurun - Home Assistant'ı yeniden başlatın - MQTT etkinken HASS.Agent'ın etkin olduğundan emin olun! - Cihazınız otomatik olarak bir varlık olarak algılanmalı ve eklenmelidir - İsteğe bağlı olarak: yerel API'yi kullanarak manuel olarak ekleyin
+ Bir şey çalışmıyorsa, aşağıdaki adımları denediğinizden emin olun: - HASS.Agent entegrasyonunu kurun - Home Assistant'ı yeniden başlatın - MQTT etkinken HASS.Agent'ın etkin olduğundan emin olun! - Cihazınız otomatik olarak bir varlık olarak algılanmalı ve eklenmelidir - İsteğe bağlı olarak: yerel API'yi kullanarak manuel olarak ekleyin
Yerel API devre dışıdır, ancak medya oynatıcının çalışması için buna ihtiyacı vardır.
@@ -2443,7 +2443,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Boyut (px)
- &WebView URL'si (Örneğin, Home Assistant Dashboard URL'niz)
+ &WebView URL'si (Örneğin, Home Assistant Dashboard URL'niz)
Yerel API
@@ -2455,10 +2455,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Tepsi ikonu
- Giriş dilinizin '{0}' varsayılan CTRL-ALT-Q kısayol tuşuyla çakıştığı biliniyor. Lütfen kendinizinkini ayarlayın.
+ Giriş dilinizin '{0}' varsayılan CTRL-ALT-Q kısayol tuşuyla çakıştığı biliniyor. Lütfen kendinizinkini ayarlayın.
- Giriş diliniz '{0}' bilinmiyor ve varsayılan CTRL-ALT-Q kısayol tuşuyla çakışabilir. Lütfen emin olmak için kontrol edin. Varsa, listeye eklenebilmesi için GitHub'da bir bilet açmayı düşünün.
+ Giriş diliniz '{0}' bilinmiyor ve varsayılan CTRL-ALT-Q kısayol tuşuyla çakışabilir. Lütfen emin olmak için kontrol edin. Varsa, listeye eklenebilmesi için GitHub'da bir bilet açmayı düşünün.
Anahtar bulunamadı
@@ -2470,7 +2470,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Anahtarlar ayrıştırılırken hata oluştu, daha fazla bilgi için lütfen günlükleri kontrol edin.
- Açık parantezlerin sayısı ('['), kapalı parantezlerin sayısına karşılık gelmez. (']')! ({0} - {1})
+ Açık parantezlerin sayısı ('['), kapalı parantezlerin sayısına karşılık gelmez. (']')! ({0} - {1})
belgeler
@@ -2488,10 +2488,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Uydu Hizmetini Yönet
- Bildirimleri kullanmak için Home Assistant'ta HASS.Agent-notifier entegrasyonunu kurmanız ve yapılandırmanız gerekir. Bu, HACS'ı kullanmak çok kolaydır, ancak manuel olarak da kurabilirsiniz. Daha fazla bilgi için aşağıdaki bağlantıyı ziyaret edin.
+ Bildirimleri kullanmak için Home Assistant'ta HASS.Agent-notifier entegrasyonunu kurmanız ve yapılandırmanız gerekir. Bu, HACS'ı kullanmak çok kolaydır, ancak manuel olarak da kurabilirsiniz. Daha fazla bilgi için aşağıdaki bağlantıyı ziyaret edin.
- Aşağıdaki adımları uyguladığınızdan emin olun: - HASS.Agent-Notifier ve/veya HASS.Agent-MediaPlayer entegrasyonunu kurun - Home Assistant'ı yeniden başlatın -Bir bildirim ve/veya media_player varlığı yapılandırın -Home Assistant'ı yeniden başlatın
+ Aşağıdaki adımları uyguladığınızdan emin olun: - HASS.Agent-Notifier ve/veya HASS.Agent-MediaPlayer entegrasyonunu kurun - Home Assistant'ı yeniden başlatın -Bir bildirim ve/veya media_player varlığı yapılandırın -Home Assistant'ı yeniden başlatın
Aynı şey medya oynatıcı için de geçerlidir; bu entegrasyon, cihazınızı bir media_player varlığı olarak kontrol etmenize, neyin oynatıldığını görmenize ve metinden konuşmaya göndermenize olanak tanır.
@@ -2503,7 +2503,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
HASS.Agent-Entegrasyon GitHub Sayfası
- Evet, bağlantı noktasında yerel API'yi &etkinleştirin
+ Evet, bağlantı noktasında yerel API'yi &etkinleştirin
&Medya Oynatıcıyı ve metinden konuşmaya (TTS) etkinleştirin
@@ -2512,13 +2512,13 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
&Bildirimleri Etkinleştir
- HASS.Agent'ın kendi dahili API'si vardır, bu nedenle Home Assistant istek gönderebilir (bildirimler veya metinden konuşmaya gibi). Etkinleştirmek istiyor musunuz?
+ HASS.Agent'ın kendi dahili API'si vardır, bu nedenle Home Assistant istek gönderebilir (bildirimler veya metinden konuşmaya gibi). Etkinleştirmek istiyor musunuz?
Hangi modülleri etkinleştirmek istediğinizi seçebilirsiniz. HA entegrasyonları gerektirirler, ancak merak etmeyin, sonraki sayfa bunları nasıl kuracağınız konusunda size daha fazla bilgi verecektir.
- Not: 5115 varsayılan bağlantı noktasıdır, yalnızca Home Assistant'ta değiştirdiyseniz değiştirin.
+ Not: 5115 varsayılan bağlantı noktasıdır, yalnızca Home Assistant'ta değiştirdiyseniz değiştirin.
&TLS
@@ -2545,7 +2545,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Pencerenin &başlık çubuğunu göster
- Pencereyi 'Her zaman &Üstte' olarak ayarla
+ Pencereyi 'Her zaman &Üstte' olarak ayarla
Web görünümü komutunuzun boyutunu ve konumunu ayarlamak için bu pencereyi sürükleyip yeniden boyutlandırın.
@@ -2557,7 +2557,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Boyut
- İpucu: Bir Web Görünümünü kapatmak için ESCAPE'e basın.
+ İpucu: Bir Web Görünümünü kapatmak için ESCAPE'e basın.
&URL
@@ -2578,7 +2578,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Durum Bildirimlerini Etkinleştir
- HASS.Agent, HA'nın kabul edeceğinden emin olmak için cihaz adınızı temizleyecektir, adınızın olduğu gibi kabul edileceğinden eminseniz aşağıdaki bu kuralı geçersiz kılabilirsiniz.
+ HASS.Agent, HA'nın kabul edeceğinden emin olmak için cihaz adınızı temizleyecektir, adınızın olduğu gibi kabul edileceğinden eminseniz aşağıdaki bu kuralı geçersiz kılabilirsiniz.
HASS.Agent, bir modülün durumu değiştiğinde bildirim gönderir, bu bildirimleri almak isteyip istemediğinizi aşağıdan ayarlayabilirsiniz.
@@ -2644,7 +2644,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Tüm monitörleri uyku (düşük güç) moduna geçirir.
- 'Yukarı ok' tuş basımını simüle ederek tüm monitörleri uyandırmaya çalışır.
+ 'Yukarı ok' tuş basımını simüle ederek tüm monitörleri uyandırmaya çalışır.
Geçerli varsayılan ses cihazının sesini belirtilen düzeye ayarlar.
@@ -2656,7 +2656,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Emretmek
- Bir hacim değeri girmezseniz, bu varlığı yalnızca Home Assistant aracılığıyla bir 'eylem' değeriyle kullanabilirsiniz. Olduğu gibi çalıştırmak hiçbir şey yapmaz. Bunu istediğinden emin misin?
+ Bir hacim değeri girmezseniz, bu varlığı yalnızca Home Assistant aracılığıyla bir 'eylem' değeriyle kullanabilirsiniz. Olduğu gibi çalıştırmak hiçbir şey yapmaz. Bunu istediğinden emin misin?
Sağladığınız ad, desteklenmeyen karakterler içeriyor ve çalışmayacak. Önerilen sürüm: {0} Bu sürümü kullanmak istiyor musunuz?
@@ -2674,7 +2674,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
hem yerel API hem de MQTT devre dışı bırakıldı, ancak entegrasyonun çalışması için en az birine ihtiyacı var
- MQTT'yi etkinleştir
+ MQTT'yi etkinleştir
MQTT etkinleştirilmezse komutlar ve sensörler çalışmayacaktır!
@@ -2689,7 +2689,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Hizmet şu anda durduruldu ve yapılandırılamıyor. Lütfen yapılandırmak için önce hizmeti başlatın.
- Servisi yönetmek istiyorsanız (komut ve sensör ekleyin, ayarları değiştirin) buradan veya ana penceredeki 'uydu servisi' butonunu kullanarak yapabilirsiniz.
+ Servisi yönetmek istiyorsanız (komut ve sensör ekleyin, ayarları değiştirin) buradan veya ana penceredeki 'uydu servisi' butonunu kullanarak yapabilirsiniz.
Fare sol tıklamasıyla varsayılan menüyü göster
@@ -2698,10 +2698,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Home Assistant API jetonunuz doğru görünmüyor. Tüm belirteci seçtiğinizden emin olun (CTRL+A kullanmayın veya çift tıklamayın). Üç bölüm içermelidir (iki nokta ile ayrılmış). Bu şekilde kullanmak istediğinizden emin misiniz?
- Ev Asistanı URI'niz doğru görünmüyor. 'http://homeassistant.local:8123' veya 'https://192.168.0.1:8123' gibi görünmelidir. Bu şekilde kullanmak istediğinizden emin misiniz?
+ Ev Asistanı URI'niz doğru görünmüyor. 'http://homeassistant.local:8123' veya 'https://192.168.0.1:8123' gibi görünmelidir. Bu şekilde kullanmak istediğinizden emin misiniz?
- MQTT broker URI'niz doğru görünmüyor. 'homeassistant.local' veya '192.168.0.1' gibi görünmelidir. Bu şekilde kullanmak istediğinizden emin misiniz?
+ MQTT broker URI'niz doğru görünmüyor. 'homeassistant.local' veya '192.168.0.1' gibi görünmelidir. Bu şekilde kullanmak istediğinizden emin misiniz?
&Kapat
@@ -2734,13 +2734,13 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
İpucu: Hakkında Penceresinde başka bağış yöntemleri de mevcuttur.
- &Media Player'ı etkinleştir (metinden sese dahil)
+ &Media Player'ı etkinleştir (metinden sese dahil)
&Bildirimleri Etkinleştir
- MQTT'yi etkinleştir
+ MQTT'yi etkinleştir
HASS.Agent Gönderi Güncellemesi
@@ -2752,7 +2752,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Bulunan bluetooth LE cihazlarının miktarını gösteren bir sensör sağlar. Cihazlar ve bağlı durumları nitelik olarak eklenir. Yalnızca son rapordan bu yana görülen cihazları gösterir, ör. sensör yayınlandığında liste temizlenir.
- Geçerli enlem, boylam ve yüksekliğinizi virgülle ayrılmış bir değer olarak döndürür. Windows'un konum hizmetlerinin etkinleştirildiğinden emin olun! Windows sürümünüze bağlı olarak bu, yeni kontrol panelinde -> 'gizlilik ve güvenlik' -> 'konum'da bulunabilir.
+ Geçerli enlem, boylam ve yüksekliğinizi virgülle ayrılmış bir değer olarak döndürür. Windows'un konum hizmetlerinin etkinleştirildiğinden emin olun! Windows sürümünüze bağlı olarak bu, yeni kontrol panelinde -> 'gizlilik ve güvenlik' -> 'konum'da bulunabilir.
Şu anda mikrofonu kullanan işlemin adını sağlar. Not: uydu hizmetinde kullanılırsa, kullanıcı alanı uygulamalarını algılamaz.
@@ -2818,7 +2818,7 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
Başlangıç modu ayarlanırken hata oluştu, lütfen daha fazla bilgi için günlükleri kontrol edin.
- Microsoft'un WebView2 çalışma zamanı makinenizde bulunamadı. Bu genellikle yükleyici tarafından gerçekleştirilir, ancak manuel olarak yükleyebilirsiniz. Çalışma zamanı yükleyicisini indirmek istiyor musunuz?
+ Microsoft'un WebView2 çalışma zamanı makinenizde bulunamadı. Bu genellikle yükleyici tarafından gerçekleştirilir, ancak manuel olarak yükleyebilirsiniz. Çalışma zamanı yükleyicisini indirmek istiyor musunuz?
WebView başlatılırken bir şeyler ters gitti! Lütfen günlüklerinizi kontrol edin ve daha fazla yardım için bir GitHub sorunu açın.
@@ -2826,4 +2826,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
domain
+
+ Sağlanan Sanal Masaüstünü etkinleştirir.
+
+
+ Şu anda etkin olan sanal masaüstünün kimliğini sağlar.
+
\ No newline at end of file
From 1da2c4e215976624326271a0b55d85ea25a0c81d Mon Sep 17 00:00:00 2001
From: Amadeo Alex <68441479+amadeo-alex@users.noreply.github.com>
Date: Mon, 3 Jul 2023 17:46:10 +0200
Subject: [PATCH 6/7] updated command description
---
.../HASS.Agent/Resources/Localization/Languages.de.resx | 6 +++---
.../HASS.Agent/Resources/Localization/Languages.en.resx | 2 +-
.../HASS.Agent/Resources/Localization/Languages.es.resx | 6 +++---
.../HASS.Agent/Resources/Localization/Languages.fr.resx | 6 +++---
.../HASS.Agent/Resources/Localization/Languages.nl.resx | 6 +++---
.../HASS.Agent/Resources/Localization/Languages.pl.resx | 6 +++---
.../HASS.Agent/Resources/Localization/Languages.pt-br.resx | 6 +++---
.../HASS.Agent/Resources/Localization/Languages.resx | 2 +-
.../HASS.Agent/Resources/Localization/Languages.ru.resx | 6 +++---
.../HASS.Agent/Resources/Localization/Languages.sl.resx | 6 +++---
.../HASS.Agent/Resources/Localization/Languages.tr.resx | 6 +++---
11 files changed, 29 insertions(+), 29 deletions(-)
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.de.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.de.resx
index cae7a2a8..e42b8903 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.de.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.de.resx
@@ -3343,10 +3343,10 @@ Willst Du den Runtime Installer herunterladen?
domain
-
- Aktiviert den bereitgestellten virtuellen Desktop.
-
Stellt die ID des aktuell aktiven virtuellen Desktops bereit.
+
+ Aktiviert den bereitgestellten virtuellen Desktop. Die Desktop-ID kann vom „ActiveDesktop“-Sensor abgerufen werden.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.en.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.en.resx
index 568d24a1..e2ab8cbf 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.en.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.en.resx
@@ -3220,7 +3220,7 @@ Do you want to download the runtime installer?
domain
- Activates provided Virtual Desktop.
+ Activates provided Virtual Desktop. Desktop ID can be retrieved from "ActiveDesktop" sensor.
Provides the ID of the currently active virtual desktop.
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.es.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.es.resx
index 1114c33f..ca92f883 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.es.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.es.resx
@@ -3219,10 +3219,10 @@ Oculta, Maximizada, Minimizada, Normal y Desconocida.
domain
-
- Activa el escritorio virtual proporcionado.
-
Proporciona el ID del escritorio virtual actualmente activo.
+
+ Activa el escritorio virtual proporcionado. Desktop ID se puede recuperar del sensor "ActiveDesktop".
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.fr.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.fr.resx
index 46a10228..920313d3 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.fr.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.fr.resx
@@ -3252,10 +3252,10 @@ Do you want to download the runtime installer?
domain
-
- Active le bureau virtuel fourni.
-
Fournit l'ID du bureau virtuel actuellement actif.
+
+ Active le bureau virtuel fourni. L'ID du bureau peut être récupéré à partir du capteur "ActiveDesktop".
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.nl.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.nl.resx
index 4ff9a0a3..cf86df2e 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.nl.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.nl.resx
@@ -3241,10 +3241,10 @@ Wil je de runtime installatie downloaden?
domein
-
- Activeert het meegeleverde virtuele bureaublad.
-
Geeft de ID van het momenteel actieve virtuele bureaublad.
+
+ Activeert het meegeleverde virtuele bureaublad. Desktop-ID kan worden opgehaald van de "ActiveDesktop"-sensor.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pl.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pl.resx
index 4302204f..9dad2ed3 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pl.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pl.resx
@@ -3329,10 +3329,10 @@ Czy chcesz pobrać plik instalacyjny?
domain
-
- Włącza podany wirtualny pulpit.
-
Zwraca identyfikator aktualnie aktywnego pulpitu wirtualnego.
+
+ Aktywuje podany pulpit wirtualny. Identyfikator pulpitu można pobrać z czujnika „ActiveDesktop”.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pt-br.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pt-br.resx
index 45d7f92c..8990796e 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pt-br.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.pt-br.resx
@@ -3266,10 +3266,10 @@ Deseja baixar o Microsoft WebView2 runtime?
Desconhecido
-
- Ativa a área de trabalho virtual fornecida.
-
Fornece a ID da área de trabalho virtual atualmente ativa.
+
+ Ativa a área de trabalho virtual fornecida. A ID da área de trabalho pode ser recuperada do sensor "ActiveDesktop".
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.resx
index 5395e606..a71e14cc 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.resx
@@ -3235,6 +3235,6 @@ Do you want to download the runtime installer?
ActiveDesktop
- Activates provided Virtual Desktop.
+ Activates provided Virtual Desktop. Desktop ID can be retrieved from "ActiveDesktop" sensor.
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.ru.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.ru.resx
index 21af2c40..0265fec7 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.ru.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.ru.resx
@@ -3287,10 +3287,10 @@ Home Assistant.
domain
-
- Активирует предоставленный виртуальный рабочий стол.
-
Предоставляет идентификатор текущего активного виртуального рабочего стола.
+
+ Активирует предоставленный виртуальный рабочий стол. Идентификатор рабочего стола можно получить с датчика ActiveDesktop.
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.sl.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.sl.resx
index 362aeaf2..e6906f1d 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.sl.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.sl.resx
@@ -3368,10 +3368,10 @@ Ali želite prenesti runtime installer?
Neznano
-
- Aktivira ponujeno navidezno namizje.
-
Zagotavlja ID trenutno aktivnega navideznega namizja.
+
+ Aktivira ponujeno navidezno namizje. ID namizja je mogoče pridobiti iz senzorja "ActiveDesktop".
+
\ No newline at end of file
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.tr.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.tr.resx
index 3ad4001e..2af5258b 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.tr.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.tr.resx
@@ -2826,10 +2826,10 @@ Lütfen aracınız için credentialları sağlayın, HA Mosquitto eklentisini ku
domain
-
- Sağlanan Sanal Masaüstünü etkinleştirir.
-
Şu anda etkin olan sanal masaüstünün kimliğini sağlar.
+
+ Sağlanan Sanal Masaüstünü etkinleştirir. Masaüstü Kimliği "ActiveDesktop" sensöründen alınabilir.
+
\ No newline at end of file
From df820b8fbfab657c2715ee7ace193c7f1a489ef3 Mon Sep 17 00:00:00 2001
From: Amadeo Alex <68441479+amadeo-alex@users.noreply.github.com>
Date: Mon, 3 Jul 2023 17:47:37 +0200
Subject: [PATCH 7/7] updated command description
---
.../HASS.Agent/Resources/Localization/Languages.en.resx | 2 +-
.../HASS.Agent/Resources/Localization/Languages.resx | 2 +-
2 files changed, 2 insertions(+), 2 deletions(-)
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.en.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.en.resx
index e2ab8cbf..a937472a 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.en.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.en.resx
@@ -3220,7 +3220,7 @@ Do you want to download the runtime installer?
domain
- Activates provided Virtual Desktop. Desktop ID can be retrieved from "ActiveDesktop" sensor.
+ Activates provided Virtual Desktop. Desktop ID can be retrieved from the "ActiveDesktop" sensor.
Provides the ID of the currently active virtual desktop.
diff --git a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.resx b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.resx
index a71e14cc..cee02787 100644
--- a/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.resx
+++ b/src/HASS.Agent.Staging/HASS.Agent/Resources/Localization/Languages.resx
@@ -3235,6 +3235,6 @@ Do you want to download the runtime installer?
ActiveDesktop
- Activates provided Virtual Desktop. Desktop ID can be retrieved from "ActiveDesktop" sensor.
+ Activates provided Virtual Desktop. Desktop ID can be retrieved from the "ActiveDesktop" sensor.
\ No newline at end of file