Merge branch 'master' into issue-5143-oracle-monitoring

This commit is contained in:
Nelson Chan 2025-04-02 00:02:35 +08:00 committed by GitHub
commit bfa528f0af
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
46 changed files with 2954 additions and 995 deletions

View file

@ -0,0 +1,13 @@
// Fix #5721: Change proxy port column type to integer to support larger port numbers
exports.up = function (knex) {
return knex.schema
.alterTable("proxy", function (table) {
table.integer("port").alter();
});
};
exports.down = function (knex) {
return knex.schema.alterTable("proxy", function (table) {
table.smallint("port").alter();
});
};

1693
package-lock.json generated

File diff suppressed because it is too large Load diff

View file

@ -1,6 +1,6 @@
{ {
"name": "uptime-kuma", "name": "uptime-kuma",
"version": "2.0.0-beta.1", "version": "2.0.0-beta.2",
"license": "MIT", "license": "MIT",
"repository": { "repository": {
"type": "git", "type": "git",
@ -41,7 +41,7 @@
"build-docker-pr-test": "docker buildx build -f docker/dockerfile --platform linux/amd64,linux/arm64 -t louislam/uptime-kuma:pr-test2 --target pr-test2 . --push", "build-docker-pr-test": "docker buildx build -f docker/dockerfile --platform linux/amd64,linux/arm64 -t louislam/uptime-kuma:pr-test2 --target pr-test2 . --push",
"upload-artifacts": "node extra/release/upload-artifacts.mjs", "upload-artifacts": "node extra/release/upload-artifacts.mjs",
"upload-artifacts-beta": "node extra/release/upload-artifacts-beta.mjs", "upload-artifacts-beta": "node extra/release/upload-artifacts-beta.mjs",
"setup": "git checkout 1.23.16 && npm ci --production && npm run download-dist", "setup": "git checkout 1.23.16 && npm ci --omit dev && npm run download-dist",
"download-dist": "node extra/download-dist.js", "download-dist": "node extra/download-dist.js",
"mark-as-nightly": "node extra/mark-as-nightly.js", "mark-as-nightly": "node extra/mark-as-nightly.js",
"reset-password": "node extra/reset-password.js", "reset-password": "node extra/reset-password.js",
@ -72,7 +72,7 @@
"@louislam/sqlite3": "15.1.6", "@louislam/sqlite3": "15.1.6",
"@vvo/tzdb": "^6.125.0", "@vvo/tzdb": "^6.125.0",
"args-parser": "~1.3.0", "args-parser": "~1.3.0",
"axios": "~0.28.1", "axios": "~0.29.0",
"badge-maker": "~3.3.1", "badge-maker": "~3.3.1",
"bcryptjs": "~2.4.3", "bcryptjs": "~2.4.3",
"chardet": "~1.4.0", "chardet": "~1.4.0",
@ -179,7 +179,7 @@
"postcss-html": "~1.5.0", "postcss-html": "~1.5.0",
"postcss-rtlcss": "~3.7.2", "postcss-rtlcss": "~3.7.2",
"postcss-scss": "~4.0.4", "postcss-scss": "~4.0.4",
"prismjs": "~1.29.0", "prismjs": "~1.30.0",
"qrcode": "~1.5.0", "qrcode": "~1.5.0",
"rollup-plugin-visualizer": "^5.6.0", "rollup-plugin-visualizer": "^5.6.0",
"sass": "~1.42.1", "sass": "~1.42.1",
@ -190,14 +190,14 @@
"testcontainers": "^10.13.1", "testcontainers": "^10.13.1",
"typescript": "~4.4.4", "typescript": "~4.4.4",
"v-pagination-3": "~0.1.7", "v-pagination-3": "~0.1.7",
"vite": "~5.4.14", "vite": "~5.4.15",
"vite-plugin-compression": "^0.5.1", "vite-plugin-compression": "^0.5.1",
"vite-plugin-vue-devtools": "^7.0.15", "vite-plugin-vue-devtools": "^7.0.15",
"vue": "~3.4.2", "vue": "~3.4.2",
"vue-chartjs": "~5.2.0", "vue-chartjs": "~5.2.0",
"vue-confirm-dialog": "~1.0.2", "vue-confirm-dialog": "~1.0.2",
"vue-contenteditable": "~3.0.4", "vue-contenteditable": "~3.0.4",
"vue-i18n": "~9.2.2", "vue-i18n": "~9.14.3",
"vue-image-crop-upload": "~3.0.3", "vue-image-crop-upload": "~3.0.3",
"vue-multiselect": "~3.0.0-alpha.2", "vue-multiselect": "~3.0.0-alpha.2",
"vue-prism-editor": "~2.0.0-alpha.2", "vue-prism-editor": "~2.0.0-alpha.2",

Binary file not shown.

Before

Width:  |  Height:  |  Size: 4.7 KiB

After

Width:  |  Height:  |  Size: 8.7 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 2.6 KiB

After

Width:  |  Height:  |  Size: 10 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 9.5 KiB

After

Width:  |  Height:  |  Size: 30 KiB

View file

@ -1434,7 +1434,7 @@ class Monitor extends BeanModel {
for (let notification of notificationList) { for (let notification of notificationList) {
try { try {
log.debug("monitor", "Sending to " + notification.name); log.debug("monitor", "Sending to " + notification.name);
await Notification.send(JSON.parse(notification.config), `[${this.name}][${this.url}] ${certType} certificate ${certCN} will be expired in ${daysRemaining} days`); await Notification.send(JSON.parse(notification.config), `[${this.name}][${this.url}] ${certType} certificate ${certCN} will expire in ${daysRemaining} days`);
sent = true; sent = true;
} catch (e) { } catch (e) {
log.error("monitor", "Cannot send cert notification to " + notification.name); log.error("monitor", "Cannot send cert notification to " + notification.name);

View file

@ -1,3 +1,6 @@
const { Liquid } = require("liquidjs");
const { DOWN } = require("../../src/util");
class NotificationProvider { class NotificationProvider {
/** /**
@ -49,6 +52,50 @@ class NotificationProvider {
} }
} }
/**
* Renders a message template with notification context
* @param {string} template the template
* @param {string} msg the message that will be included in the context
* @param {?object} monitorJSON Monitor details (For Up/Down/Cert-Expiry only)
* @param {?object} heartbeatJSON Heartbeat details (For Up/Down only)
* @returns {Promise<string>} rendered template
*/
async renderTemplate(template, msg, monitorJSON, heartbeatJSON) {
const engine = new Liquid();
const parsedTpl = engine.parse(template);
// Let's start with dummy values to simplify code
let monitorName = "Monitor Name not available";
let monitorHostnameOrURL = "testing.hostname";
if (monitorJSON !== null) {
monitorName = monitorJSON["name"];
monitorHostnameOrURL = this.extractAddress(monitorJSON);
}
let serviceStatus = "⚠️ Test";
if (heartbeatJSON !== null) {
serviceStatus = (heartbeatJSON["status"] === DOWN) ? "🔴 Down" : "✅ Up";
}
const context = {
// for v1 compatibility, to be removed in v3
"STATUS": serviceStatus,
"NAME": monitorName,
"HOSTNAME_OR_URL": monitorHostnameOrURL,
// variables which are officially supported
"status": serviceStatus,
"name": monitorName,
"hostnameOrURL": monitorHostnameOrURL,
monitorJSON,
heartbeatJSON,
msg,
};
return engine.render(parsedTpl, context);
}
/** /**
* Throws an error * Throws an error
* @param {any} error The error to throw * @param {any} error The error to throw

View file

@ -0,0 +1,56 @@
const NotificationProvider = require("./notification-provider");
const axios = require("axios");
const { DOWN, UP } = require("../../src/util");
class PushPlus extends NotificationProvider {
name = "PushPlus";
/**
* @inheritdoc
* @param {BeanModel} notification Notification object
* @param {string} msg Message content
* @param {?object} monitorJSON Monitor details
* @param {?object} heartbeatJSON Heartbeat details
* @returns {Promise<string>} Success message
*/
async send(notification, msg, monitorJSON = null, heartbeatJSON = null) {
const okMsg = "Sent Successfully.";
const url = "https://www.pushplus.plus/send";
try {
const config = {
headers: {
"Content-Type": "application/json",
},
};
const params = {
"token": notification.pushPlusSendKey,
"title": this.checkStatus(heartbeatJSON, monitorJSON),
"content": msg,
"template": "html"
};
await axios.post(url, params, config);
return okMsg;
} catch (error) {
this.throwGeneralAxiosError(error);
}
}
/**
* Get the formatted title for message
* @param {?object} heartbeatJSON Heartbeat details (For Up/Down only)
* @param {?object} monitorJSON Monitor details (For Up/Down only)
* @returns {string} Formatted title
*/
checkStatus(heartbeatJSON, monitorJSON) {
let title = "UptimeKuma Message";
if (heartbeatJSON != null && heartbeatJSON["status"] === UP) {
title = "UptimeKuma Monitor Up " + monitorJSON["name"];
}
if (heartbeatJSON != null && heartbeatJSON["status"] === DOWN) {
title = "UptimeKuma Monitor Down " + monitorJSON["name"];
}
return title;
}
}
module.exports = PushPlus;

View file

@ -1,7 +1,5 @@
const nodemailer = require("nodemailer"); const nodemailer = require("nodemailer");
const NotificationProvider = require("./notification-provider"); const NotificationProvider = require("./notification-provider");
const { DOWN } = require("../../src/util");
const { Liquid } = require("liquidjs");
class SMTP extends NotificationProvider { class SMTP extends NotificationProvider {
name = "smtp"; name = "smtp";
@ -53,15 +51,11 @@ class SMTP extends NotificationProvider {
const customSubject = notification.customSubject?.trim() || ""; const customSubject = notification.customSubject?.trim() || "";
const customBody = notification.customBody?.trim() || ""; const customBody = notification.customBody?.trim() || "";
const context = this.generateContext(msg, monitorJSON, heartbeatJSON);
const engine = new Liquid();
if (customSubject !== "") { if (customSubject !== "") {
const tpl = engine.parse(customSubject); subject = await this.renderTemplate(customSubject, msg, monitorJSON, heartbeatJSON);
subject = await engine.render(tpl, context);
} }
if (customBody !== "") { if (customBody !== "") {
const tpl = engine.parse(customBody); body = await this.renderTemplate(customBody, msg, monitorJSON, heartbeatJSON);
body = await engine.render(tpl, context);
} }
} }
@ -78,43 +72,6 @@ class SMTP extends NotificationProvider {
return okMsg; return okMsg;
} }
/**
* Generate context for LiquidJS
* @param {string} msg the message that will be included in the context
* @param {?object} monitorJSON Monitor details (For Up/Down/Cert-Expiry only)
* @param {?object} heartbeatJSON Heartbeat details (For Up/Down only)
* @returns {{STATUS: string, status: string, HOSTNAME_OR_URL: string, hostnameOrUrl: string, NAME: string, name: string, monitorJSON: ?object, heartbeatJSON: ?object, msg: string}} the context
*/
generateContext(msg, monitorJSON, heartbeatJSON) {
// Let's start with dummy values to simplify code
let monitorName = "Monitor Name not available";
let monitorHostnameOrURL = "testing.hostname";
if (monitorJSON !== null) {
monitorName = monitorJSON["name"];
monitorHostnameOrURL = this.extractAddress(monitorJSON);
}
let serviceStatus = "⚠️ Test";
if (heartbeatJSON !== null) {
serviceStatus = (heartbeatJSON["status"] === DOWN) ? "🔴 Down" : "✅ Up";
}
return {
// for v1 compatibility, to be removed in v3
"STATUS": serviceStatus,
"NAME": monitorName,
"HOSTNAME_OR_URL": monitorHostnameOrURL,
// variables which are officially supported
"status": serviceStatus,
"name": monitorName,
"hostnameOrURL": monitorHostnameOrURL,
monitorJSON,
heartbeatJSON,
msg,
};
}
} }
module.exports = SMTP; module.exports = SMTP;

View file

@ -9,7 +9,7 @@ class Telegram extends NotificationProvider {
*/ */
async send(notification, msg, monitorJSON = null, heartbeatJSON = null) { async send(notification, msg, monitorJSON = null, heartbeatJSON = null) {
const okMsg = "Sent Successfully."; const okMsg = "Sent Successfully.";
const url = "https://api.telegram.org"; const url = notification.telegramServerUrl ?? "https://api.telegram.org";
try { try {
let params = { let params = {
@ -22,6 +22,14 @@ class Telegram extends NotificationProvider {
params.message_thread_id = notification.telegramMessageThreadID; params.message_thread_id = notification.telegramMessageThreadID;
} }
if (notification.telegramUseTemplate) {
params.text = await this.renderTemplate(notification.telegramTemplate, msg, monitorJSON, heartbeatJSON);
if (notification.telegramTemplateParseMode !== "plain") {
params.parse_mode = notification.telegramTemplateParseMode;
}
}
await axios.get(`${url}/bot${notification.telegramBotToken}/sendMessage`, { await axios.get(`${url}/bot${notification.telegramBotToken}/sendMessage`, {
params: params, params: params,
}); });

View file

@ -0,0 +1,40 @@
const NotificationProvider = require("./notification-provider");
const axios = require("axios");
class WAHA extends NotificationProvider {
name = "waha";
/**
* @inheritdoc
*/
async send(notification, msg, monitorJSON = null, heartbeatJSON = null) {
const okMsg = "Sent Successfully.";
try {
const config = {
headers: {
"Accept": "application/json",
"Content-Type": "application/json",
"X-Api-Key": notification.wahaApiKey,
}
};
let data = {
"session": notification.wahaSession,
"chatId": notification.wahaChatId,
"text": msg,
};
let url = notification.wahaApiUrl.replace(/([^/])\/+$/, "$1") + "/api/sendText";
await axios.post(url, data, config);
return okMsg;
} catch (error) {
this.throwGeneralAxiosError(error);
}
}
}
module.exports = WAHA;

View file

@ -1,7 +1,6 @@
const NotificationProvider = require("./notification-provider"); const NotificationProvider = require("./notification-provider");
const axios = require("axios"); const axios = require("axios");
const FormData = require("form-data"); const FormData = require("form-data");
const { Liquid } = require("liquidjs");
class Webhook extends NotificationProvider { class Webhook extends NotificationProvider {
name = "webhook"; name = "webhook";
@ -28,17 +27,7 @@ class Webhook extends NotificationProvider {
config.headers = formData.getHeaders(); config.headers = formData.getHeaders();
data = formData; data = formData;
} else if (notification.webhookContentType === "custom") { } else if (notification.webhookContentType === "custom") {
// Initialize LiquidJS and parse the custom Body Template data = await this.renderTemplate(notification.webhookCustomBody, msg, monitorJSON, heartbeatJSON);
const engine = new Liquid();
const tpl = engine.parse(notification.webhookCustomBody);
// Insert templated values into Body
data = await engine.render(tpl,
{
msg,
heartbeatJSON,
monitorJSON
});
} }
if (notification.webhookAdditionalHeaders) { if (notification.webhookAdditionalHeaders) {

View file

@ -0,0 +1,57 @@
const NotificationProvider = require("./notification-provider");
const { DOWN, UP } = require("../../src/util");
const { default: axios } = require("axios");
class YZJ extends NotificationProvider {
name = "YZJ";
/**
* @inheritdoc
*/
async send(notification, msg, monitorJSON = null, heartbeatJSON = null) {
let okMsg = "Sent Successfully.";
try {
if (heartbeatJSON !== null) {
msg = `${this.statusToString(heartbeatJSON["status"])} ${monitorJSON["name"]} \n> ${heartbeatJSON["msg"]}\n> Time (${heartbeatJSON["timezone"]}): ${heartbeatJSON["localDateTime"]}`;
}
const config = {
headers: {
"Content-Type": "application/json",
},
};
const params = {
content: msg
};
// yzjtype=0 => general robot
const url = `${notification.yzjWebHookUrl}?yzjtype=0&yzjtoken=${notification.yzjToken}`;
const result = await axios.post(url, params, config);
if (!result.data?.success) {
throw new Error(result.data?.errmsg ?? "yzj's server did not respond with the expected result");
}
return okMsg;
} catch (error) {
this.throwGeneralAxiosError(error);
}
}
/**
* Convert status constant to string
* @param {string} status The status constant
* @returns {string} status
*/
statusToString(status) {
switch (status) {
case DOWN:
return "❌";
case UP:
return "✅";
default:
return status;
}
}
}
module.exports = YZJ;

View file

@ -39,6 +39,7 @@ const PromoSMS = require("./notification-providers/promosms");
const Pushbullet = require("./notification-providers/pushbullet"); const Pushbullet = require("./notification-providers/pushbullet");
const PushDeer = require("./notification-providers/pushdeer"); const PushDeer = require("./notification-providers/pushdeer");
const Pushover = require("./notification-providers/pushover"); const Pushover = require("./notification-providers/pushover");
const PushPlus = require("./notification-providers/pushplus");
const Pushy = require("./notification-providers/pushy"); const Pushy = require("./notification-providers/pushy");
const RocketChat = require("./notification-providers/rocket-chat"); const RocketChat = require("./notification-providers/rocket-chat");
const SerwerSMS = require("./notification-providers/serwersms"); const SerwerSMS = require("./notification-providers/serwersms");
@ -64,11 +65,13 @@ const ServerChan = require("./notification-providers/serverchan");
const ZohoCliq = require("./notification-providers/zoho-cliq"); const ZohoCliq = require("./notification-providers/zoho-cliq");
const SevenIO = require("./notification-providers/sevenio"); const SevenIO = require("./notification-providers/sevenio");
const Whapi = require("./notification-providers/whapi"); const Whapi = require("./notification-providers/whapi");
const WAHA = require("./notification-providers/waha");
const GtxMessaging = require("./notification-providers/gtx-messaging"); const GtxMessaging = require("./notification-providers/gtx-messaging");
const Cellsynt = require("./notification-providers/cellsynt"); const Cellsynt = require("./notification-providers/cellsynt");
const Onesender = require("./notification-providers/onesender"); const Onesender = require("./notification-providers/onesender");
const Wpush = require("./notification-providers/wpush"); const Wpush = require("./notification-providers/wpush");
const SendGrid = require("./notification-providers/send-grid"); const SendGrid = require("./notification-providers/send-grid");
const YZJ = require("./notification-providers/yzj");
class Notification { class Notification {
@ -126,6 +129,7 @@ class Notification {
new Pushbullet(), new Pushbullet(),
new PushDeer(), new PushDeer(),
new Pushover(), new Pushover(),
new PushPlus(),
new Pushy(), new Pushy(),
new RocketChat(), new RocketChat(),
new ServerChan(), new ServerChan(),
@ -151,10 +155,12 @@ class Notification {
new ZohoCliq(), new ZohoCliq(),
new SevenIO(), new SevenIO(),
new Whapi(), new Whapi(),
new WAHA(),
new GtxMessaging(), new GtxMessaging(),
new Cellsynt(), new Cellsynt(),
new Wpush(), new Wpush(),
new SendGrid() new SendGrid(),
new YZJ()
]; ];
for (let item of list) { for (let item of list) {
if (! item.name) { if (! item.name) {

View file

@ -163,6 +163,7 @@ export default {
"ZohoCliq": "ZohoCliq", "ZohoCliq": "ZohoCliq",
"SevenIO": "SevenIO", "SevenIO": "SevenIO",
"whapi": "WhatsApp (Whapi)", "whapi": "WhatsApp (Whapi)",
"waha": "WhatsApp (WAHA)",
"gtxmessaging": "GtxMessaging", "gtxmessaging": "GtxMessaging",
"Cellsynt": "Cellsynt", "Cellsynt": "Cellsynt",
"SendGrid": "SendGrid" "SendGrid": "SendGrid"
@ -181,8 +182,10 @@ export default {
"SMSManager": "SmsManager (smsmanager.cz)", "SMSManager": "SmsManager (smsmanager.cz)",
"WeCom": "WeCom (企业微信群机器人)", "WeCom": "WeCom (企业微信群机器人)",
"ServerChan": "ServerChan (Server酱)", "ServerChan": "ServerChan (Server酱)",
"PushPlus": "PushPlus (推送加)",
"smsc": "SMSC", "smsc": "SMSC",
"WPush": "WPush(wpush.cn)", "WPush": "WPush(wpush.cn)",
"YZJ": "YZJ (云之家自定义机器人)"
}; };
// Sort by notification name // Sort by notification name

View file

@ -0,0 +1,75 @@
<template>
<div class="form-text mb-2">
<i18n-t tag="div" keypath="liquidIntroduction">
<a href="https://liquidjs.com/" target="_blank">{{ $t("documentation") }}</a>
</i18n-t>
<code v-pre>{{ msg }}</code>: {{ $t("templateMsg") }}<br />
<code v-pre>{{ name }}</code>: {{ $t("templateServiceName") }}<br />
<code v-pre>{{ status }}</code>: {{ $t("templateStatus") }}<br />
<code v-pre>{{ hostnameOrURL }}</code>: {{ $t("templateHostnameOrURL") }}<br />
<code v-pre>{{ heartbeatJSON }}</code>: {{ $t("templateHeartbeatJSON") }} <b>({{ $t("templateLimitedToUpDownNotifications") }})</b><br />
<code v-pre>{{ monitorJSON }}</code>: {{ $t("templateMonitorJSON") }} <b>({{ $t("templateLimitedToUpDownCertNotifications") }})</b><br />
</div>
<input
:id="id"
ref="templatedInput"
v-model="model"
type="text"
class="form-control"
:placeholder="placeholder"
:required="required"
autocomplete="false"
>
</template>
<script>
export default {
props: {
/**
* The value of the templated input.
*/
modelValue: {
type: String,
default: ""
},
/**
* id for the templated input.
*/
id: {
type: String,
required: true,
},
/**
* Whether the templated input is required.
* @example true
*/
required: {
type: Boolean,
required: true,
},
/**
* Placeholder text for the templated input.
*/
placeholder: {
type: String,
default: ""
},
},
emits: [ "update:modelValue" ],
computed: {
/**
* Send value update to parent on change.
*/
model: {
get() {
return this.modelValue;
},
set(value) {
this.$emit("update:modelValue", value);
}
}
},
};
</script>

View file

@ -0,0 +1,80 @@
<template>
<div class="form-text mb-2">
<i18n-t tag="div" keypath="liquidIntroduction">
<a href="https://liquidjs.com/" target="_blank">{{ $t("documentation") }}</a>
</i18n-t>
<code v-pre>{{ msg }}</code>: {{ $t("templateMsg") }}<br />
<code v-pre>{{ name }}</code>: {{ $t("templateServiceName") }}<br />
<code v-pre>{{ status }}</code>: {{ $t("templateStatus") }}<br />
<code v-pre>{{ hostnameOrURL }}</code>: {{ $t("templateHostnameOrURL") }}<br />
<code v-pre>{{ heartbeatJSON }}</code>: {{ $t("templateHeartbeatJSON") }} <b>({{ $t("templateLimitedToUpDownNotifications") }})</b><br />
<code v-pre>{{ monitorJSON }}</code>: {{ $t("templateMonitorJSON") }} <b>({{ $t("templateLimitedToUpDownCertNotifications") }})</b><br />
</div>
<textarea
:id="id"
ref="templatedTextarea"
v-model="model"
class="form-control"
:placeholder="placeholder"
:required="required"
autocomplete="false"
></textarea>
</template>
<script>
export default {
props: {
/**
* The value of the templated textarea.
*/
modelValue: {
type: String,
default: ""
},
/**
* id for the templated textarea.
*/
id: {
type: String,
required: true,
},
/**
* Whether the templated textarea is required.
* @example true
*/
required: {
type: Boolean,
required: true,
},
/**
* Placeholder text for the templated textarea.
*/
placeholder: {
type: String,
default: ""
},
},
emits: [ "update:modelValue" ],
computed: {
/**
* Send value update to parent on change.
*/
model: {
get() {
return this.modelValue;
},
set(value) {
this.$emit("update:modelValue", value);
}
}
},
};
</script>
<style lang="scss" scoped>
textarea {
min-height: 150px;
}
</style>

View file

@ -0,0 +1,19 @@
<template>
<div class="mb-3">
<label for="pushPlus-sendkey" class="form-label">{{ $t("SendKey") }}</label>
<HiddenInput id="pushPlus-sendkey" v-model="$parent.notification.pushPlusSendKey" :required="true" autocomplete="new-password"></HiddenInput>
</div>
<i18n-t tag="div" keypath="More info on:" class="mb-3 form-text">
<a href="https://www.pushplus.plus/" target="_blank">https://www.pushplus.plus/</a>
</i18n-t>
</template>
<script>
import HiddenInput from "../HiddenInput.vue";
export default {
components: {
HiddenInput,
},
};
</script>

View file

@ -67,25 +67,15 @@
<input id="to-bcc" v-model="$parent.notification.smtpBCC" type="text" class="form-control" autocomplete="false" :required="!hasRecipient"> <input id="to-bcc" v-model="$parent.notification.smtpBCC" type="text" class="form-control" autocomplete="false" :required="!hasRecipient">
</div> </div>
<p class="form-text">
<i18n-t tag="div" keypath="smtpLiquidIntroduction" class="form-text mb-3">
<a href="https://liquidjs.com/" target="_blank">{{ $t("documentation") }}</a>
</i18n-t>
<code v-pre>{{name}}</code>: {{ $t("emailTemplateServiceName") }}<br />
<code v-pre>{{msg}}</code>: {{ $t("emailTemplateMsg") }}<br />
<code v-pre>{{status}}</code>: {{ $t("emailTemplateStatus") }}<br />
<code v-pre>{{heartbeatJSON}}</code>: {{ $t("emailTemplateHeartbeatJSON") }}<b>{{ $t("emailTemplateLimitedToUpDownNotification") }}</b><br />
<code v-pre>{{monitorJSON}}</code>: {{ $t("emailTemplateMonitorJSON") }} <b>{{ $t("emailTemplateLimitedToUpDownNotification") }}</b><br />
<code v-pre>{{hostnameOrURL}}</code>: {{ $t("emailTemplateHostnameOrURL") }}<br />
</p>
<div class="mb-3"> <div class="mb-3">
<label for="subject-email" class="form-label">{{ $t("emailCustomSubject") }}</label> <label for="subject-email" class="form-label">{{ $t("emailCustomSubject") }}</label>
<input id="subject-email" v-model="$parent.notification.customSubject" type="text" class="form-control" autocomplete="false" placeholder=""> <TemplatedInput id="subject-email" v-model="$parent.notification.customSubject" :required="false" placeholder=""></TemplatedInput>
<div class="form-text">{{ $t("leave blank for default subject") }}</div> <div class="form-text">{{ $t("leave blank for default subject") }}</div>
</div> </div>
<div class="mb-3"> <div class="mb-3">
<label for="body-email" class="form-label">{{ $t("emailCustomBody") }}</label> <label for="body-email" class="form-label">{{ $t("emailCustomBody") }}</label>
<textarea id="body-email" v-model="$parent.notification.customBody" type="text" class="form-control" autocomplete="false" placeholder=""></textarea> <TemplatedTextarea id="body-email" v-model="$parent.notification.customBody" :required="false" placeholder=""></TemplatedTextarea>
<div class="form-text">{{ $t("leave blank for default body") }}</div> <div class="form-text">{{ $t("leave blank for default body") }}</div>
</div> </div>
@ -124,11 +114,15 @@
<script> <script>
import HiddenInput from "../HiddenInput.vue"; import HiddenInput from "../HiddenInput.vue";
import TemplatedInput from "../TemplatedInput.vue";
import TemplatedTextarea from "../TemplatedTextarea.vue";
import ToggleSection from "../ToggleSection.vue"; import ToggleSection from "../ToggleSection.vue";
export default { export default {
components: { components: {
HiddenInput, HiddenInput,
TemplatedInput,
TemplatedTextarea,
ToggleSection, ToggleSection,
}, },
computed: { computed: {

View file

@ -33,6 +33,56 @@
<input id="message_thread_id" v-model="$parent.notification.telegramMessageThreadID" type="text" class="form-control"> <input id="message_thread_id" v-model="$parent.notification.telegramMessageThreadID" type="text" class="form-control">
<p class="form-text">{{ $t("telegramMessageThreadIDDescription") }}</p> <p class="form-text">{{ $t("telegramMessageThreadIDDescription") }}</p>
<label for="server_url" class="form-label">{{ $t("telegramServerUrl") }}</label>
<input id="server_url" v-model="$parent.notification.telegramServerUrl" type="text" class="form-control">
<div class="form-text">
<i18n-t keypath="telegramServerUrlDescription">
<a
href="https://core.telegram.org/bots/api#using-a-local-bot-api-server"
target="_blank"
>{{ $t("here") }}</a>
<a
href="https://api.telegram.org"
target="_blank"
>https://api.telegram.org</a>
</i18n-t>
</div>
</div>
<div class="mb-3">
<div class="form-check form-switch">
<input v-model="$parent.notification.telegramUseTemplate" class="form-check-input" type="checkbox">
<label class="form-check-label">{{ $t("telegramUseTemplate") }}</label>
</div>
<div class="form-text">
{{ $t("telegramUseTemplateDescription") }}
</div>
</div>
<template v-if="$parent.notification.telegramUseTemplate">
<div class="mb-3">
<label class="form-label" for="message_parse_mode">{{ $t("Message Format") }}</label>
<select
id="message_parse_mode"
v-model="$parent.notification.telegramTemplateParseMode"
class="form-select"
required
>
<option value="plain">{{ $t("Plain Text") }}</option>
<option value="HTML">HTML</option>
<option value="MarkdownV2">MarkdownV2</option>
</select>
<i18n-t tag="p" keypath="telegramTemplateFormatDescription" class="form-text">
<a href="https://core.telegram.org/bots/api#formatting-options" target="_blank">{{ $t("documentation") }}</a>
</i18n-t>
<label class="form-label" for="message_template">{{ $t('Message Template') }}</label>
<TemplatedTextarea id="message_template" v-model="$parent.notification.telegramTemplate" :required="true" :placeholder="telegramTemplatedTextareaPlaceholder"></TemplatedTextarea>
</div>
</template>
<div class="mb-3">
<div class="form-check form-switch"> <div class="form-check form-switch">
<input v-model="$parent.notification.telegramSendSilently" class="form-check-input" type="checkbox"> <input v-model="$parent.notification.telegramSendSilently" class="form-check-input" type="checkbox">
<label class="form-check-label">{{ $t("telegramSendSilently") }}</label> <label class="form-check-label">{{ $t("telegramSendSilently") }}</label>
@ -57,11 +107,27 @@
<script> <script>
import HiddenInput from "../HiddenInput.vue"; import HiddenInput from "../HiddenInput.vue";
import TemplatedTextarea from "../TemplatedTextarea.vue";
import axios from "axios"; import axios from "axios";
export default { export default {
components: { components: {
HiddenInput, HiddenInput,
TemplatedTextarea,
},
computed: {
telegramTemplatedTextareaPlaceholder() {
return this.$t("Example:", [
`
Uptime Kuma Alert{% if monitorJSON %} - {{ monitorJSON['name'] }}{% endif %}
{{ msg }}
`,
]);
}
},
mounted() {
this.$parent.notification.telegramServerUrl ||= "https://api.telegram.org";
}, },
methods: { methods: {
/** /**
@ -80,7 +146,7 @@ export default {
} }
} }
return `https://api.telegram.org/bot${token}/getUpdates`; return `${this.$parent.notification.telegramServerUrl}/bot${token}/getUpdates`;
}, },
/** /**
@ -115,3 +181,9 @@ export default {
} }
}; };
</script> </script>
<style lang="scss" scoped>
textarea {
min-height: 150px;
}
</style>

View file

@ -0,0 +1,38 @@
<template>
<div class="mb-3">
<label for="waha-api-url" class="form-label">{{ $t("API URL") }}</label>
<input id="waha-api-url" v-model="$parent.notification.wahaApiUrl" placeholder="http://localhost:3000/" type="url" class="form-control" required>
<div class="form-text">{{ $t("wayToGetWahaApiUrl") }}</div>
</div>
<div class="mb-3">
<label for="waha-api-key" class="form-label">{{ $t("API Key") }}</label>
<HiddenInput id="waha-api-key" v-model="$parent.notification.wahaApiKey" :required="false" autocomplete="new-password"></HiddenInput>
<div class="form-text">{{ $t("wayToGetWahaApiKey") }}</div>
</div>
<div class="mb-3">
<label for="waha-session" class="form-label">{{ $t("wahaSession") }}</label>
<input id="waha-session" v-model="$parent.notification.wahaSession" type="text" placeholder="default" class="form-control" required>
<div class="form-text">{{ $t("wayToGetWahaSession") }}</div>
</div>
<div class="mb-3">
<label for="waha-chat-id" class="form-label">{{ $t("wahaChatId") }}</label>
<input id="waha-chat-id" v-model="$parent.notification.wahaChatId" type="text" pattern="^[\d-]{10,31}$" class="form-control" required>
<div class="form-text">{{ $t("wayToWriteWahaChatId", ["00117612345678", "00117612345678@c.us", "123456789012345678@g.us"]) }}</div>
</div>
<i18n-t tag="div" keypath="More info on:" class="mb-3 form-text">
<a href="https://waha.devlike.pro/" target="_blank">https://waha.devlike.pro/</a>
</i18n-t>
</template>
<script>
import HiddenInput from "../HiddenInput.vue";
export default {
components: {
HiddenInput,
}
};
</script>

View file

@ -32,20 +32,7 @@
</template> </template>
</i18n-t> </i18n-t>
<template v-else-if="$parent.notification.webhookContentType == 'custom'"> <template v-else-if="$parent.notification.webhookContentType == 'custom'">
<i18n-t tag="div" keypath="liquidIntroduction" class="form-text"> <TemplatedTextarea id="customBody" v-model="$parent.notification.webhookCustomBody" :required="true" :placeholder="customBodyPlaceholder"></TemplatedTextarea>
<a href="https://liquidjs.com/" target="_blank">{{ $t("documentation") }}</a>
</i18n-t>
<code v-pre>{{msg}}</code>: {{ $t("templateMsg") }}<br />
<code v-pre>{{heartbeatJSON}}</code>: {{ $t("templateHeartbeatJSON") }} <b>({{ $t("templateLimitedToUpDownNotifications") }})</b><br />
<code v-pre>{{monitorJSON}}</code>: {{ $t("templateMonitorJSON") }} <b>({{ $t("templateLimitedToUpDownCertNotifications") }})</b><br />
<textarea
id="customBody"
v-model="$parent.notification.webhookCustomBody"
class="form-control"
:placeholder="customBodyPlaceholder"
required
></textarea>
</template> </template>
</div> </div>
@ -67,7 +54,12 @@
</template> </template>
<script> <script>
import TemplatedTextarea from "../TemplatedTextarea.vue";
export default { export default {
components: {
TemplatedTextarea,
},
data() { data() {
return { return {
showAdditionalHeadersField: this.$parent.notification.webhookAdditionalHeaders != null, showAdditionalHeadersField: this.$parent.notification.webhookAdditionalHeaders != null,

View file

@ -0,0 +1,19 @@
<template>
<div class="mb-3">
<label for="yzjWebHookUrl" class="form-label">{{ $t("YZJ Webhook URL") }}<span style="color: red;"><sup>*</sup></span></label>
<input id="yzjWebHookUrl" v-model="$parent.notification.yzjWebHookUrl" type="url" class="form-control" required />
<i18n-t class="form-text" keypath="wayToGetTeamsURL">
<a href="https://www.yunzhijia.com/opendocs/docs.html#/tutorial/index/robot" target="_blank">{{ $t("here") }}</a>
</i18n-t>
</div>
<div class="mb-3">
<label for="yzjToken" class="form-label">{{ $t("YZJ Robot Token") }}<span style="color: red;"><sup>*</sup></span></label>
<HiddenInput id="yzjToken" v-model="$parent.notification.yzjToken" :required="true" autocomplete="new-password"></HiddenInput>
<i18n-t class="form-text" keypath="wayToGetLineNotifyToken">
<a href="https://www.yunzhijia.com/opendocs/docs.html#/server-api/im/index?id=%e6%8e%a5%e5%8f%a3%e5%9c%b0%e5%9d%80%e5%92%8c%e6%8e%88%e6%9d%83%e7%a0%81" target="_blank">{{ $t("here") }}</a>
</i18n-t>
</div>
</template>
<script setup lang="ts">
import HiddenInput from "../HiddenInput.vue";
</script>

View file

@ -39,6 +39,7 @@ import PromoSMS from "./PromoSMS.vue";
import Pushbullet from "./Pushbullet.vue"; import Pushbullet from "./Pushbullet.vue";
import PushDeer from "./PushDeer.vue"; import PushDeer from "./PushDeer.vue";
import Pushover from "./Pushover.vue"; import Pushover from "./Pushover.vue";
import PushPlus from "./PushPlus.vue";
import Pushy from "./Pushy.vue"; import Pushy from "./Pushy.vue";
import RocketChat from "./RocketChat.vue"; import RocketChat from "./RocketChat.vue";
import ServerChan from "./ServerChan.vue"; import ServerChan from "./ServerChan.vue";
@ -63,10 +64,12 @@ import ZohoCliq from "./ZohoCliq.vue";
import Splunk from "./Splunk.vue"; import Splunk from "./Splunk.vue";
import SevenIO from "./SevenIO.vue"; import SevenIO from "./SevenIO.vue";
import Whapi from "./Whapi.vue"; import Whapi from "./Whapi.vue";
import WAHA from "./WAHA.vue";
import Cellsynt from "./Cellsynt.vue"; import Cellsynt from "./Cellsynt.vue";
import WPush from "./WPush.vue"; import WPush from "./WPush.vue";
import SIGNL4 from "./SIGNL4.vue"; import SIGNL4 from "./SIGNL4.vue";
import SendGrid from "./SendGrid.vue"; import SendGrid from "./SendGrid.vue";
import YZJ from "./YZJ.vue";
/** /**
* Manage all notification form. * Manage all notification form.
@ -114,6 +117,7 @@ const NotificationFormList = {
"PushByTechulus": TechulusPush, "PushByTechulus": TechulusPush,
"PushDeer": PushDeer, "PushDeer": PushDeer,
"pushover": Pushover, "pushover": Pushover,
"PushPlus": PushPlus,
"pushy": Pushy, "pushy": Pushy,
"rocket.chat": RocketChat, "rocket.chat": RocketChat,
"serwersms": SerwerSMS, "serwersms": SerwerSMS,
@ -138,10 +142,12 @@ const NotificationFormList = {
"ZohoCliq": ZohoCliq, "ZohoCliq": ZohoCliq,
"SevenIO": SevenIO, "SevenIO": SevenIO,
"whapi": Whapi, "whapi": Whapi,
"waha": WAHA,
"gtxmessaging": GtxMessaging, "gtxmessaging": GtxMessaging,
"Cellsynt": Cellsynt, "Cellsynt": Cellsynt,
"WPush": WPush, "WPush": WPush,
"SendGrid": SendGrid, "SendGrid": SendGrid,
"YZJ": YZJ,
}; };
export default NotificationFormList; export default NotificationFormList;

View file

@ -31,6 +31,7 @@ const languageList = {
"sv-SE": "Svenska", "sv-SE": "Svenska",
"tr-TR": "Türkçe", "tr-TR": "Türkçe",
"ko-KR": "한국어", "ko-KR": "한국어",
"lt": "Lietuvių",
"ru-RU": "Русский", "ru-RU": "Русский",
"zh-CN": "简体中文", "zh-CN": "简体中文",
"pl": "Polski", "pl": "Polski",

View file

@ -1098,5 +1098,24 @@
"RabbitMQ Nodes": "Възли за управление на RabbitMQ", "RabbitMQ Nodes": "Възли за управление на RabbitMQ",
"rabbitmqNodesDescription": "Въведете URL адреса на възлите за управление на RabbitMQ, включително протокол и порт. Пример: {0}", "rabbitmqNodesDescription": "Въведете URL адреса на възлите за управление на RabbitMQ, включително протокол и порт. Пример: {0}",
"rabbitmqHelpText": "За да използвате монитора, ще трябва да активирате добавката за управление във вашата настройка на RabbitMQ. За повече информация моля, вижте {rabitmq_documentation}.", "rabbitmqHelpText": "За да използвате монитора, ще трябва да активирате добавката за управление във вашата настройка на RabbitMQ. За повече информация моля, вижте {rabitmq_documentation}.",
"aboutSlackUsername": "Променя показваното име на подателя на съобщението. Ако желаете да споменете някого, вместо това го включете в приятелското име." "aboutSlackUsername": "Променя показваното име на подателя на съобщението. Ако желаете да споменете някого, вместо това го включете в приятелското име.",
"YZJ Robot Token": "YZJ Robot токен код",
"YZJ Webhook URL": "YZJ Уеб кука URL адрес",
"templateServiceName": "име на услугата",
"templateHostnameOrURL": "име на хоста или URL адрес",
"Plain Text": "Обикновен текст",
"Message Template": "Шаблон за съобщение",
"templateStatus": "статус",
"telegramUseTemplate": "Използвай персонализиран шаблон за съобщение",
"telegramUseTemplateDescription": "Ако е активирано, съобщението ще бъде изпратено чрез персонализиран шаблон.",
"telegramTemplateFormatDescription": "Telegram позволява използването на различни \"markup\" езици за съобщенията. Вижте Telegram {0} за детайли.",
"Template Format": "Формат на шаблона",
"wayToGetWahaApiUrl": "Вашият WAHA URL адрес.",
"wahaSession": "Сесия",
"wahaChatId": "Чат ID (телефонен номер / ID на контакт / ID на група)",
"wayToGetWahaApiKey": "API ключът, е стойността на променливата WHATSAPP_API_KEY, която сте използвали за стартиране на WAHA.",
"wayToWriteWahaChatId": "Телефонният номер с международния префикс, но без знака плюс в началото ({0}), ID на контакта ({1}) или ID на групата ({2}). Известията се изпращат до това чат ID от WAHA сесия.",
"wayToGetWahaSession": "От тази сесия WAHA изпраща известия до чат ID. Можете да го намерите в таблото за управление на WAHA.",
"telegramServerUrlDescription": "За премахване на API бот ограниченията за Telegram или за получаване на достъп в блокирани зони (Китай, Иран и др.). За повече информация щракнете върху {0}. По подразбиране: {1}",
"telegramServerUrl": "(По избор) URL адрес на сървъра"
} }

View file

@ -49,7 +49,7 @@
"Delete": "Eliminar", "Delete": "Eliminar",
"Current": "Actual", "Current": "Actual",
"Uptime": "Temps actiu", "Uptime": "Temps actiu",
"Cert Exp.": "Caducitat del certificat", "Cert Exp.": "Caducitat del certificat.",
"Monitor": "Monitor | Monitors", "Monitor": "Monitor | Monitors",
"day": "dia | dies", "day": "dia | dies",
"-day": "-dia", "-day": "-dia",
@ -218,7 +218,7 @@
"Required": "Obligatori", "Required": "Obligatori",
"Post URL": "Posar URL", "Post URL": "Posar URL",
"Content Type": "Content Type", "Content Type": "Content Type",
"Json Query Expression": "Json Query Expression", "Json Query Expression": "Expressió de consulta Json",
"now": "ara", "now": "ara",
"-year": "-any", "-year": "-any",
"Status Pages": "Pàgines d'estat", "Status Pages": "Pàgines d'estat",
@ -226,5 +226,339 @@
"time ago": "fa {0}", "time ago": "fa {0}",
"ignoredTLSError": "Errors TLS/SSL ignorats", "ignoredTLSError": "Errors TLS/SSL ignorats",
"webhookFormDataDesc": "{multipart} es bo per PHP. El JSON haurà d'analitzar-se amb {decodeFunction}", "webhookFormDataDesc": "{multipart} es bo per PHP. El JSON haurà d'analitzar-se amb {decodeFunction}",
"webhookJsonDesc": "{0} es bo per qualsevol servidor HTTP modern com Express.js" "webhookJsonDesc": "{0} es bo per qualsevol servidor HTTP modern com Express.js",
"templateMsg": "missatge de la notificació",
"webhookAdditionalHeadersTitle": "Capçaleres addicionals",
"Application Token": "Testimoni d'aplicació",
"Server URL": "URL del servidor",
"Priority": "Prioritat",
"Webhook URL": "URL del Webhook",
"emojiCheatSheet": "Full de trampa d'emoji: {0}",
"Read more": "Llegeix més",
"appriseInstalled": "S'ha instal·lat l'apèndix.",
"templateHeartbeatJSON": "objecte que descriu el batec del cor",
"templateMonitorJSON": "objecte que descriu el monitor",
"templateLimitedToUpDownCertNotifications": "només disponible per a notificacions de venciment UP/DOWN/Certificate",
"templateLimitedToUpDownNotifications": "només disponible per a notificacions UP/DOWN",
"webhookAdditionalHeadersDesc": "Estableix les capçaleres addicionals enviades amb el webhook. Cada capçalera s'ha de definir com una clau/valor JSON.",
"webhookBodyPresetOption": "Predefinit - {0}",
"webhookBodyCustomOption": "Cos personalitzat",
"Headers": "Capçaleres",
"Monitor History": "Historial del monitor",
"PasswordsDoNotMatch": "Les contrasenyes no coincideixen.",
"records": "registres",
"One record": "Un registre",
"Current User": "Usuari actual",
"topic": "Tema",
"topicExplanation": "tema MQTT a monitorar",
"successKeyword": "Paraula clau d'èxit",
"successKeywordExplanation": "Paraula clau MQTT que es considerarà un èxit",
"recent": "Recent",
"Reset Token": "Restableix el testimoni",
"Done": "Fet",
"Info": "Info",
"Steam API Key": "Clau API de Steam",
"Shrink Database": "Redueix la base de dades",
"Pick a RR-Type...": "Trieu un tipus RR…",
"Default": "Per defecte",
"HTTP Options": "Opcions HTTP",
"Create Incident": "Crear Incident",
"Title": "Títol",
"Content": "Contingut",
"Style": "Estil",
"info": "info",
"warning": "avís",
"danger": "perill",
"primary": "primària",
"light": "lleuger",
"dark": "fosc",
"Post": "Post",
"Created": "Creat",
"Last Updated": "Darrera actualització",
"Switch to Light Theme": "Canvia a tema clar",
"Switch to Dark Theme": "Canviar a tema fosc",
"Show Tags": "Mostra les etiquetes",
"Hide Tags": "Amaga les etiquetes",
"Description": "Descripció",
"No monitors available.": "No hi ha monitors disponibles.",
"Add one": "Afegeix-ne un",
"No Monitors": "Sense monitors",
"Untitled Group": "Grup sense títol",
"Services": "Serveis",
"Discard": "Descarta",
"Cancel": "Canel·la",
"Select": "Selecciona",
"Check/Uncheck": "Comprova/desmarca",
"Powered by": "Funciona amb",
"Customize": "Personalitza",
"Custom Footer": "Peu de pàgina personalitzat",
"Custom CSS": "CSS personalitzat",
"default": "Per defecte",
"enabled": "Habilitat",
"setAsDefault": "Estableix com a predeterminat",
"deleteProxyMsg": "Esteu segur que voleu suprimir aquest servidor intermediari per a tots els monitors?",
"setAsDefaultProxyDescription": "Aquest servidor intermediari s'habilitarà de manera predeterminada per als monitors nous. Encara podeu desactivar el servidor intermediari per separat per a cada monitor.",
"Certificate Chain": "Cadena de certificats",
"Valid": "Vàlid",
"Invalid": "Invàlid",
"User": "Usuari",
"Installed": "Instal·lat",
"Not installed": "No instal·lat",
"Running": "En execució",
"Not running": "No en execució",
"Remove Token": "Elimina el testimoni",
"Start": "Inicia",
"Stop": "Aturar",
"Add New Status Page": "Afegeix una pàgina d'estat nova",
"Slug": "Àlies",
"Accept characters:": "Accepta caràcters:",
"startOrEndWithOnly": "Inicia o acaba només amb {0}",
"No consecutive dashes": "Sense guions consecutius",
"Next": "Següent",
"The slug is already taken. Please choose another slug.": "L'àlias ja està agafat. Si us plau, escolliu un altre àlies.",
"No Proxy": "Sense servidor intermediari",
"Proxies": "Servidors intermediaris",
"HTTP Basic Auth": "Autenticació bàsica HTTP",
"New Status Page": "Pàgina d'estat nova",
"Reverse Proxy": "Servidor intermediari invertit",
"Backup": "Còpia de seguretat",
"About": "Quant a",
"wayToGetCloudflaredURL": "(Descarrega de cloudfared des de {0})",
"cloudflareWebsite": "Lloc web de Cloudflare",
"Message:": "Missatge:",
"HTTP Headers": "Capçaleres HTTP",
"Trust Proxy": "Confia en el servidor intermediari",
"Other Software": "Un altre programari",
"For example: nginx, Apache and Traefik.": "Per exemple: nginx, Apache i Traefik.",
"Please read": "Llegiu",
"Subject:": "Assumpte:",
"Valid To:": "Vàlid per a:",
"Days Remaining:": "Dies restants:",
"Issuer:": "Emissor:",
"Fingerprint:": "Empremta digital:",
"No status pages": "Sense pàgines d'estat",
"Domain Name Expiry Notification": "Notificació de venciment del nom de domini",
"Add a new expiry notification day": "Notificació de venciment del nom de domini",
"Remove the expiry notification": "Elimina el dia de notificació de venciment",
"Proxy": "Servidor intermediari",
"Date Created": "Data de creació",
"Footer Text": "Text del peu de pàgina",
"Refresh Interval Description": "La pàgina d'estat farà una actualització completa del lloc cada {0} segons",
"Show Powered By": "Mostra Impulsat per",
"Domain Names": "Noms de domini",
"signedInDisp": "Sessió iniciada com a {0}",
"RadiusSecret": "Secret de Radius",
"RadiusSecretDescription": "Secret compartit entre client i servidor",
"RadiusCalledStationId": "Id de l'estació cridada",
"RadiusCallingStationId": "Id de l'estació de trucada",
"RadiusCallingStationIdDescription": "Identificador del dispositiu de crida",
"Certificate Expiry Notification": "Notificació de venciment del certificat",
"API Username": "Nom d'usuari API",
"API Key": "Clau API",
"Show update if available": "Mostra l'actualització si està disponible",
"Using a Reverse Proxy?": "Usar un servidor intermediari invers?",
"Check how to config it for WebSocket": "Comprova com configurar-lo per a WebSocket",
"Steam Game Server": "Servidor de jocs Steam",
"Most likely causes:": "Causes més probables:",
"There might be a typing error in the address.": "Pot haver-hi un error d'escriptura a l'adreça.",
"What you can try:": "Què podeu provar:",
"Retype the address.": "Torneu a teclejar l'adreça.",
"Go back to the previous page.": "Torna a la pàgina anterior.",
"Coming Soon": "Properament",
"Connection String": "Cadena de connexió",
"Query": "Consulta",
"settingsCertificateExpiry": "Caducitat del certificat TLS",
"Setup Docker Host": "Configura l'amfitrió Docker",
"Connection Type": "Tipus de connexió",
"Docker Daemon": "Dimoni Docker",
"noDockerHostMsg": "No disponible. Primer configureu un amfitrió Docker.",
"DockerHostRequired": "Establiu l'amfitrió Docker per a aquest monitor.",
"socket": "Sòcol",
"tcp": "TCP / HTTP",
"Docker Container": "Contenidor Docker",
"Container Name / ID": "Nom del contenidor / ID",
"Docker Host": "Amfitrió Docker",
"Docker Hosts": "Amfitrions Docker",
"Domain": "Domini",
"Workstation": "Estació de treball",
"Packet Size": "Mida del paquet",
"Bot Token": "Testimoni de bot",
"wayToGetTelegramToken": "Podeu obtenir un testimoni de {0}.",
"Chat ID": "ID de xat",
"telegramMessageThreadID": "(Opcional) ID del fil del missatge",
"telegramMessageThreadIDDescription": "Identificador únic opcional per al fil del missatge de destinació (tema) del fòrum; només per als supergrups del fòrum",
"telegramSendSilently": "Envia silenciosament",
"telegramProtectContent": "Protegeix la reenviament/desament",
"supportTelegramChatID": "Admet xat directe / grup / ID de xat del canal",
"YOUR BOT TOKEN HERE": "EL VOSTRE TESTIMONI DE BOT AQUÍ",
"chatIDNotFound": "No s'ha trobat l'ID del xat; primer envieu un missatge a aquest bot",
"disableCloudflaredNoAuthMsg": "Esteu en mode No Auth, no cal una contrasenya.",
"wayToGetLineNotifyToken": "Podeu obtenir un testimoni d'accés des de {0}",
"Examples": "Exemples",
"Home Assistant URL": "URL de l'assistent d'inici",
"Long-Lived Access Token": "Testimoni d'accés viu",
"Notification Service": "Servei de notificacions",
"Automations can optionally be triggered in Home Assistant:": "Les automatitzacions es poden activar opcionalment a l'assistent d'inici:",
"Trigger type:": "Tipus d'activador:",
"Event type:": "Tipus d'esdeveniment:",
"Event data:": "Dades de l'esdeveniment:",
"Then choose an action, for example switch the scene to where an RGB light is red.": "A continuació, trieu una acció, per exemple, canvieu l'escena a on una llum RGB és vermella.",
"Frontend Version": "Versió del frontal",
"Frontend Version do not match backend version!": "La versió frontal no coincideix amb la versió del dorsal!",
"backupRecommend": "Si us plau, feu una còpia de seguretat del volum o de la carpeta de dades (./data/) directament.",
"Optional": "Opcional",
"and": "i",
"startDateTime": "Data/hora d'inici",
"endDateTime": "Data/hora final",
"cronExpression": "Expressió Cron",
"cronSchedule": "Planificació: ",
"invalidCronExpression": "Expressió Cron no vàlida: {0}",
"recurringInterval": "Interval",
"Recurring": "Recurrència",
"strategyManual": "Activa/Inactiva manualment",
"warningTimezone": "Està utilitzant la zona horària del servidor",
"weekdayShortMon": "Dill",
"weekdayShortTue": "Dim",
"weekdayShortWed": "Dim",
"weekdayShortThu": "Dij",
"weekdayShortFri": "Div",
"weekdayShortSat": "Diss",
"weekdayShortSun": "Dg",
"dayOfWeek": "Dia de la setmana",
"dayOfMonth": "Dia del mes",
"lastDay": "Últim dia",
"lastDay2": "2n últim dia del mes",
"lastDay3": "3r Darrer Dia del Mes",
"lastDay4": "4t Darrer Dia del Mes",
"No Maintenance": "Sense manteniment",
"maintenanceStatus-under-maintenance": "Sota manteniment",
"maintenanceStatus-inactive": "Inactiu",
"maintenanceStatus-scheduled": "Programat",
"maintenanceStatus-unknown": "Desconegut",
"Server Timezone": "Zona horària del servidor",
"statusPageMaintenanceEndDate": "Final",
"IconUrl": "URL de la icona",
"Enable DNS Cache": "(Obsolet) Habilita la memòria cau DNS per als monitors HTTP(s)",
"Enable": "Habilita",
"Disable": "Desactiva",
"chromeExecutable": "Executable Chrome/Chromium",
"chromeExecutableAutoDetect": "Detecció automàtica",
"dnsCacheDescription": "Pot ser que no funcioni treballant amb entorns IPv6, desactiva'l si detectes qualsevol problema.",
"Single Maintenance Window": "Finestra de Manteniment únic",
"Maintenance Time Window of a Day": "Finestra de Temps del manteniment d'un Dia",
"Effective Date Range": "Rang de data eficaç (Opcional)",
"Schedule Maintenance": "Programa de manteniment",
"Edit Maintenance": "Edita el manteniment",
"Date and Time": "Data i hora",
"DateTime Range": "Rang de data i temps",
"loadingError": "Impossible obtenir la data, si us plau prova-ho més endavant.",
"plugin": "Connector | Connectors",
"install": "Instal·la",
"installing": "Instal·lant",
"uninstall": "Desinstal·la",
"confirmUninstallPlugin": "Estàs segur de desinstal·lar aquest connector?",
"notificationRegional": "Regional",
"Clone Monitor": "Clona el monitor",
"Clone": "Clona",
"cloneOf": "Clon de {0}",
"secureOptionNone": "Cap / STARTTLS (25, 587)",
"secureOptionTLS": "TLS (465)",
"Ignore TLS Error": "Ignora error TLS",
"From Email": "Des de Correu",
"emailCustomisableContent": "Contingut personalitzable",
"emailCustomSubject": "Tema personalitzable",
"leave blank for default subject": "deixar en blanc per tema per defecte",
"emailCustomBody": "Cos personalitzat",
"leave blank for default body": "deixa en blanc per un cos per defecte",
"emailTemplateServiceName": "Nom de servei",
"emailTemplateHostnameOrURL": "Nom de host o URL",
"emailTemplateStatus": "Estat",
"emailTemplateMonitorJSON": "objecte que descriu el monitor",
"emailTemplateHeartbeatJSON": "objecte que descriu el batec del cor",
"To Email": "Destí email",
"smtpCC": "CC",
"smtpBCC": "BCC",
"Discord Webhook URL": "Discord Webhook URL",
"wayToGetDiscordURL": "Pots rebre aquest per anar a Paràmetres de Servidor -> Integracions -> Vista *Webhooks -> Nou *Webhook",
"Bot Display Name": "Nom de pantalla de bot",
"Prefix Custom Message": "Prefix de missatge personalitzat",
"Hello @everyone is...": "Hola {'@'} a tothom …",
"Send to channel": "Envia al canal",
"Create new forum post": "Crea una nova publicació",
"postToExistingThread": "Publica a un fil existent",
"forumPostName": "Nom de publicació de fòrum",
"threadForumPostID": "Fil / identificador de fòrum",
"e.g. {discordThreadID}": "exemple {discordThreadID}",
"wayToGetTeamsURL": "Pot aprendre com crear una URL de webhook {0}.",
"wayToGetZohoCliqURL": "Pot aprendre com crear una URL de webhook {0}.",
"needSignalAPI": "Necessites tenir una senyal de client amb REST API.",
"wayToCheckSignalURL": "Pot comprovar aquesta URL per veure com configurar:",
"Number": "Número",
"Recipients": "Receptors",
"Access Token": "Fitxa d'accés",
"Channel access token (Long-lived)": "Fitxa d'accés del canal (de llarga vida)",
"Line Developers Console": "Consola de Desenvolupadors de la línia",
"appriseNotInstalled": "L'apèndix no està instal·lat. {0}",
"Method": "Mètode",
"clearDataOlderThan": "Conserva les dades de l'historial del monitor durant {0} dies.",
"steamApiKeyDescription": "Per a monitoritzar un servidor de jocs de vapor, necessiteu una clau Steam Web-API. Podeu registrar la vostra clau API aquí: ",
"shrinkDatabaseDescriptionSqlite": "Activa la base de dades {vacuum} per a SQLite. {auto.vacuum} ja està activat, però això no desfragmenta la base de dades ni reempaqueta les pàgines individuals de la base de dades de la manera com ho fa l'ordre {vacuum}.",
"liquidIntroduction": "S'aconsegueix la flexibilitat mitjançant el llenguatge de templatació líquid. Consulteu el {0} per a les instruccions d'ús. Aquestes són les variables disponibles:",
"selectedMonitorCount": "Seleccionat: {0}",
"deleteStatusPageMsg": "Esteu segur que voleu suprimir aquesta pàgina d'estat?",
"proxyDescription": "Els intermediaris s'han d'assignar a un monitor perquè funcioni.",
"enableProxyDescription": "Aquest servidor intermediari no afectarà les sol·licituds del monitor fins que estigui activat. Podeu controlar temporalment desactivar el servidor intermediari de tots els monitors per l'estat d'activació.",
"statusPageSpecialSlugDesc": "Àlies especial {0}: aquesta pàgina es mostrarà quan no es proporcioni l'àlies",
"Authentication": "Autenticació",
"Page Not Found": "Pàgina no trobada",
"Don't know how to get the token? Please read the guide:": "No saps com aconseguir el testimoni? Si us plau, llegiu la guia:",
"The current connection may be lost if you are currently connecting via Cloudflare Tunnel. Are you sure want to stop it? Type your current password to confirm it.": "La connexió actual es pot perdre si esteu connectant a través del túnel Cloudflare. Segur que voleu aturar-ho? Escriviu la contrasenya actual per confirmar-la.",
"Refresh Interval": "Interval de refresc",
"signedInDispDisabled": "Autenticació desactivada.",
"RadiusCalledStationIdDescription": "Identificador del dispositiu anomenat",
"Also check beta release": "Comprova també la versió beta",
"The resource is no longer available.": "El recurs ja no està disponible.",
"certificationExpiryDescription": "Els monitors HTTPS activen la notificació quan el certificat TLS caduca a:",
"deleteDockerHostMsg": "Esteu segur que voleu suprimir aquest amfitrió de l'acoblador per a tots els monitors?",
"tailscalePingWarning": "Per utilitzar el monitor de Ping Tailscale, heu d'instal·lar el Kuma Uptime sense Docker i també instal·lar el client Tailscale al vostre servidor.",
"telegramSendSilentlyDescription": "Envia el missatge en silenci. Els usuaris rebran una notificació sense so.",
"telegramProtectContentDescription": "Si està activat, els missatges del bot del Telegram estaran protegits contra reenviaments i desaments.",
"wayToGetTelegramChatID": "Podeu obtenir el vostre ID de xat enviant un missatge al bot i anant a aquest URL per veure el xat id:",
"trustProxyDescription": "Confia en les capçaleres «X-Forwarded-*». Si voleu obtenir la IP del client correcta i el vostre Kuma Uptime està darrere d'un servidor intermediari com Nginx o Apache, hauríeu d'activar-ho.",
"Long-Lived Access Token can be created by clicking on your profile name (bottom left) and scrolling to the bottom then click Create Token. ": "Es pot crear un testimoni d'accés de llarga durada fent clic al nom del vostre perfil (a baix a l'esquerra) i desplaçant-vos a la part inferior i després feu clic a Crea un testimoni. ",
"default: notify all devices": "per defecte: notifica tots els dispositius",
"A list of Notification Services can be found in Home Assistant under \"Developer Tools > Services\" search for \"notification\" to find your device/phone name.": "Podeu trobar una llista dels Serveis de Notificació a l'assistent d'inici a «Eines de revelador . Serveis» cerca «notificació» per trobar el nom del vostre dispositiu/telèfon.",
"backupOutdatedWarning": "Obsolet: Atès que s'han afegit moltes característiques i aquesta funció de còpia de seguretat és una mica inexistent, no pot generar o restaurar una còpia de seguretat completa.",
"lastDay1": "L'últim dia del mes",
"pauseMaintenanceMsg": "Segur que voleu fer una pausa?",
"maintenanceStatus-ended": "Finalitzat",
"Display Timezone": "Mostra la zona horària",
"enableNSCD": "Habilita NSCD (Dimoni de memòria cau de Servei del Nom ) per accelerar les sol·licituds de DNS",
"chromeExecutableDescription": "Per a usuaris de Docker, si el Chrome no està encara instal·lat, pot dur uns quants minuts per instal·lar i mostrar el resultat de prova. Duu 1*GB d'espai de disc.",
"uninstalling": "Desinstal·lant",
"smtp": "Correu electrònic (SMTP)",
"smtpLiquidIntroduction": "Els següents dos camps són personalitzables via \"Liquid templating Language\". Per favor refereix al {0} per a instruccions d'ús. Aquests són les variables disponibles:",
"emailTemplateMsg": "missatge de la notificació",
"emailTemplateLimitedToUpDownNotification": "només disponible per estats UP/Down, altrament null",
"Select message type": "Selecciona el tipus de missatge",
"whatHappensAtForumPost": "Crea una nova publicació de fòrum. Això no publica un missatge a un fòrum existent. Per publicar un fil existent utilitza \"{option}\"",
"Channel access token": "Fitxa d'accés del canal",
"Body": "Cos",
"or": "o",
"PushUrl": "URL de captura",
"HeadersInvalidFormat": "Les capçaleres de sol·licitud no són JSON vàlides: ",
"BodyInvalidFormat": "El cos de petició no és JSON vàlid: ",
"Security": "Seguretat",
"Pick Accepted Status Codes...": "Trieu els codis d'estat acceptats…",
"error": "error",
"critical": "crítica",
"Please input title and content": "Introduïu el títol i el contingut",
"telegramServerUrl": "(Opcional) Url del servidor",
"telegramServerUrlDescription": "Per saltar-se les limitacions del bot de Telegram o tenir accés a regions bloquejades (China, Iran, etc). Per a més informació fes click {0}. Per defecte {1}",
"templateServiceName": "Nom del servei",
"templateHostnameOrURL": "Adreça URL o nom del host",
"templateStatus": "Estat",
"telegramUseTemplate": "Fes servir una plantilla de missatge personalitzada",
"telegramUseTemplateDescription": "Si s'activa, el missatge s'enviarà fent servir una plantilla personalitzada.",
"telegramTemplateFormatDescription": "Telegram permet l'ús de diferents tipus de llenguatges de marcat, llegeix Telegram {0} per més detalls."
} }

View file

@ -1095,5 +1095,24 @@
"Separate multiple email addresses with commas": "Mehrere E-Mail-Adressen mit Kommas trennen", "Separate multiple email addresses with commas": "Mehrere E-Mail-Adressen mit Kommas trennen",
"rabbitmqNodesInvalid": "Benutze eine vollständig qualifizierte URL (beginnend mit 'http') für RabbitMQ-Knoten.", "rabbitmqNodesInvalid": "Benutze eine vollständig qualifizierte URL (beginnend mit 'http') für RabbitMQ-Knoten.",
"rabbitmqHelpText": "Um den Monitor zu benutzen, musst du das Management Plugin in deinem RabbitMQ-Setup aktivieren. Weitere Informationen siehe {rabitmq_documentation}.", "rabbitmqHelpText": "Um den Monitor zu benutzen, musst du das Management Plugin in deinem RabbitMQ-Setup aktivieren. Weitere Informationen siehe {rabitmq_documentation}.",
"aboutSlackUsername": "Ändert den Anzeigenamen des Absenders. Wenn du jemanden erwähnen möchtest, füge ihn stattdessen in den Namen ein." "aboutSlackUsername": "Ändert den Anzeigenamen des Absenders. Wenn du jemanden erwähnen möchtest, füge ihn stattdessen in den Namen ein.",
"templateHostnameOrURL": "Hostname oder URL",
"telegramUseTemplate": "Benutzerdefinierte Nachrichtenvorlage verwenden",
"telegramUseTemplateDescription": "Wenn diese Option aktiviert ist, wird die Nachricht unter Verwendung einer benutzerdefinierten Vorlage gesendet.",
"templateServiceName": "Service-Name",
"YZJ Webhook URL": "YZJ Webhook URL",
"YZJ Robot Token": "YZJ Robot Token",
"templateStatus": "Status",
"telegramTemplateFormatDescription": "Telegram ermöglicht die Verwendung verschiedener Markup-Sprachen für Nachrichten, siehe Telegram {0} für spezifische Details.",
"Plain Text": "Nur Text",
"Message Template": "Nachrichtenvorlage",
"Template Format": "Vorlagenformat",
"wayToGetWahaApiUrl": "Die URL deiner WAHA-Instanz.",
"wayToGetWahaSession": "Von dieser Sitzung aus sendet WAHA Benachrichtigungen an die Chat-ID. Du kannst sie im WAHA Dashboard finden.",
"wahaSession": "Sitzung",
"wahaChatId": "Chat-ID (Telefonnummer / Kontakt-ID / Gruppen-ID)",
"wayToGetWahaApiKey": "API-Schlüssel ist der Wert der WHATSAPP_API_KEY-Umgebungsvariable, den du beim Ausführen von WAHA verwendet hast.",
"wayToWriteWahaChatId": "Die Telefonnummer mit internationaler Vorwahl, ohne den anfänglichen Pluszeichen ({0}), die Kontakt-ID ({1}) oder die Gruppen-ID ({2}). Die Benachrichtigungen werden an diese Chat-ID von der WAHA-Sitzung gesendet.",
"telegramServerUrl": "(Optional) Server URL",
"telegramServerUrlDescription": "Um die Telegram-Bot-API-Beschränkungen aufzuheben oder in gesperrten Gebieten (China, Iran usw.) Zugriff zu erhalten. Weitere Informationen findest du unter {0}. Standard: {1}"
} }

View file

@ -1098,5 +1098,24 @@
"rabbitmqNodesDescription": "Gib die URL für die RabbitMQ-Verwaltungsknoten einschließlich Protokoll und Port ein. Beispiel: {0}", "rabbitmqNodesDescription": "Gib die URL für die RabbitMQ-Verwaltungsknoten einschließlich Protokoll und Port ein. Beispiel: {0}",
"rabbitmqNodesInvalid": "Benutze eine vollständig qualifizierte URL (beginnend mit 'http') für RabbitMQ-Knoten.", "rabbitmqNodesInvalid": "Benutze eine vollständig qualifizierte URL (beginnend mit 'http') für RabbitMQ-Knoten.",
"rabbitmqHelpText": "Um den Monitor zu benutzen, musst du das Management Plugin in deinem RabbitMQ-Setup aktivieren. Weitere Informationen siehe {rabitmq_documentation}.", "rabbitmqHelpText": "Um den Monitor zu benutzen, musst du das Management Plugin in deinem RabbitMQ-Setup aktivieren. Weitere Informationen siehe {rabitmq_documentation}.",
"aboutSlackUsername": "Ändert den Anzeigenamen des Absenders. Wenn du jemanden erwähnen möchtest, füge ihn stattdessen in den Namen ein." "aboutSlackUsername": "Ändert den Anzeigenamen des Absenders. Wenn du jemanden erwähnen möchtest, füge ihn stattdessen in den Namen ein.",
"templateHostnameOrURL": "Hostname oder URL",
"telegramUseTemplate": "Benutzerdefinierte Nachrichtenvorlage verwenden",
"telegramTemplateFormatDescription": "Telegram ermöglicht die Verwendung verschiedener Markup-Sprachen für Nachrichten, siehe Telegram {0} für spezifische Details.",
"Plain Text": "Nur Text",
"templateServiceName": "Service-Name",
"YZJ Webhook URL": "YZJ Webhook URL",
"YZJ Robot Token": "YZJ Robot Token",
"templateStatus": "Status",
"telegramUseTemplateDescription": "Wenn diese Option aktiviert ist, wird die Nachricht unter Verwendung einer benutzerdefinierten Vorlage gesendet.",
"Message Template": "Nachrichtenvorlage",
"Template Format": "Vorlagenformat",
"wayToGetWahaApiUrl": "Die URL deiner WAHA-Instanz.",
"wahaSession": "Sitzung",
"wahaChatId": "Chat-ID (Telefonnummer / Kontakt-ID / Gruppen-ID)",
"wayToGetWahaApiKey": "API-Schlüssel ist der Wert der WHATSAPP_API_KEY-Umgebungsvariable, den du beim Ausführen von WAHA verwendet hast.",
"wayToGetWahaSession": "Von dieser Sitzung aus sendet WAHA Benachrichtigungen an die Chat-ID. Du kannst sie im WAHA Dashboard finden.",
"wayToWriteWahaChatId": "Die Telefonnummer mit internationaler Vorwahl, ohne den anfänglichen Pluszeichen ({0}), die Kontakt-ID ({1}) oder die Gruppen-ID ({2}). Die Benachrichtigungen werden an diese Chat-ID von der WAHA-Sitzung gesendet.",
"telegramServerUrlDescription": "Um die Telegram-Bot-API-Beschränkungen aufzuheben oder in gesperrten Gebieten (China, Iran usw.) Zugriff zu erhalten. Weitere Informationen findest du unter {0}. Standard: {1}",
"telegramServerUrl": "(Optional) Server URL"
} }

View file

@ -231,6 +231,9 @@
"templateMonitorJSON": "object describing the monitor", "templateMonitorJSON": "object describing the monitor",
"templateLimitedToUpDownCertNotifications": "only available for UP/DOWN/Certificate expiry notifications", "templateLimitedToUpDownCertNotifications": "only available for UP/DOWN/Certificate expiry notifications",
"templateLimitedToUpDownNotifications": "only available for UP/DOWN notifications", "templateLimitedToUpDownNotifications": "only available for UP/DOWN notifications",
"templateServiceName": "service name",
"templateHostnameOrURL": "hostname or URL",
"templateStatus": "status",
"webhookAdditionalHeadersTitle": "Additional Headers", "webhookAdditionalHeadersTitle": "Additional Headers",
"webhookAdditionalHeadersDesc": "Sets additional headers sent with the webhook. Each header should be defined as a JSON key/value.", "webhookAdditionalHeadersDesc": "Sets additional headers sent with the webhook. Each header should be defined as a JSON key/value.",
"webhookBodyPresetOption": "Preset - {0}", "webhookBodyPresetOption": "Preset - {0}",
@ -421,8 +424,13 @@
"telegramSendSilentlyDescription": "Sends the message silently. Users will receive a notification with no sound.", "telegramSendSilentlyDescription": "Sends the message silently. Users will receive a notification with no sound.",
"telegramProtectContent": "Protect Forwarding/Saving", "telegramProtectContent": "Protect Forwarding/Saving",
"telegramProtectContentDescription": "If enabled, the bot messages in Telegram will be protected from forwarding and saving.", "telegramProtectContentDescription": "If enabled, the bot messages in Telegram will be protected from forwarding and saving.",
"telegramUseTemplate": "Use custom message template",
"telegramUseTemplateDescription": "If enabled, the message will be sent using a custom template.",
"telegramTemplateFormatDescription": "Telegram allows using different markup languages for messages, see Telegram {0} for specifc details.",
"supportTelegramChatID": "Support Direct Chat / Group / Channel's Chat ID", "supportTelegramChatID": "Support Direct Chat / Group / Channel's Chat ID",
"wayToGetTelegramChatID": "You can get your chat ID by sending a message to the bot and going to this URL to view the chat_id:", "wayToGetTelegramChatID": "You can get your chat ID by sending a message to the bot and going to this URL to view the chat_id:",
"telegramServerUrl": "(Optional) Server Url",
"telegramServerUrlDescription": "To lift Telegram's bot api limitations or gain access in blocked areas (China, Iran, etc). For more information click {0}. Default: {1}",
"YOUR BOT TOKEN HERE": "YOUR BOT TOKEN HERE", "YOUR BOT TOKEN HERE": "YOUR BOT TOKEN HERE",
"chatIDNotFound": "Chat ID is not found; please send a message to this bot first", "chatIDNotFound": "Chat ID is not found; please send a message to this bot first",
"disableCloudflaredNoAuthMsg": "You are in No Auth mode, a password is not required.", "disableCloudflaredNoAuthMsg": "You are in No Auth mode, a password is not required.",
@ -519,9 +527,6 @@
"leave blank for default subject": "leave blank for default subject", "leave blank for default subject": "leave blank for default subject",
"emailCustomBody": "Custom Body", "emailCustomBody": "Custom Body",
"leave blank for default body": "leave blank for default body", "leave blank for default body": "leave blank for default body",
"emailTemplateServiceName": "Service Name",
"emailTemplateHostnameOrURL": "Hostname or URL",
"emailTemplateStatus": "Status",
"emailTemplateMonitorJSON": "object describing the monitor", "emailTemplateMonitorJSON": "object describing the monitor",
"emailTemplateHeartbeatJSON": "object describing the heartbeat", "emailTemplateHeartbeatJSON": "object describing the heartbeat",
"emailTemplateMsg": "message of the notification", "emailTemplateMsg": "message of the notification",
@ -1051,5 +1056,16 @@
"RabbitMQ Password": "RabbitMQ Password", "RabbitMQ Password": "RabbitMQ Password",
"rabbitmqHelpText": "To use the monitor, you will need to enable the Management Plugin in your RabbitMQ setup. For more information, please consult the {rabitmq_documentation}.", "rabbitmqHelpText": "To use the monitor, you will need to enable the Management Plugin in your RabbitMQ setup. For more information, please consult the {rabitmq_documentation}.",
"SendGrid API Key": "SendGrid API Key", "SendGrid API Key": "SendGrid API Key",
"Separate multiple email addresses with commas": "Separate multiple email addresses with commas" "Separate multiple email addresses with commas": "Separate multiple email addresses with commas",
"wahaSession": "Session",
"wahaChatId": "Chat ID (Phone Number / Contact ID / Group ID)",
"wayToGetWahaApiUrl": "Your WAHA Instance URL.",
"wayToGetWahaApiKey": "API Key is WHATSAPP_API_KEY environment variable value you used to run WAHA.",
"wayToGetWahaSession": "From this session WAHA sends notifications to Chat ID. You can find it in WAHA Dashboard.",
"wayToWriteWahaChatId": "The phone number with the international prefix, but without the plus sign at the start ({0}), the Contact ID ({1}) or the Group ID ({2}). Notifications are sent to this Chat ID from WAHA Session.",
"YZJ Webhook URL": "YZJ Webhook URL",
"YZJ Robot Token": "YZJ Robot token",
"Plain Text": "Plain Text",
"Message Template": "Message Template",
"Template Format": "Template Format"
} }

View file

@ -1036,5 +1036,37 @@
"Elevator": "آسانسور", "Elevator": "آسانسور",
"Guitar": "گیتار", "Guitar": "گیتار",
"Pop": "پاپ", "Pop": "پاپ",
"From": "از" "From": "از",
"telegramServerUrl": "(اختیاری) آدرس سرور",
"telegramServerUrlDescription": "برای کاهش محدودیت‌های بات تلگرام یا دسترسی در مناطقی که تلگرام فیلتر شده است (مثل ایران یا چین و ...). برای اطلاعات بیشتر {0} را ببینید. مقدار پیشفرض: {1}",
"Alphanumerical string and hyphens only": "فقط حروف الفبا، اعداد و -",
"Time sensitive notifications will be delivered immediately, even if the device is in do not disturb mode.": "اعلان‌های حساس به زمان در لحظه ارسال خواهند شد، حتی اگر دستگاه در حالت بدون مزاحمت قرار داشته باشد.",
"rabbitmqNodesRequired": "لطفا گره‌های این پایش‌گر را تنظیم کنید.",
"RabbitMQ Password": "گذرواژه RabbitMQ",
"RabbitMQ Nodes": "گره‌های مدیریت RabbitMQ",
"rabbitmqHelpText": "برای پایش، لازم است افزونه مدیریت (Management) در RabbitMQ را فعال کنید. برای اطلاعات بیشتر به {rabitmq_documentation} مراجعه کنید.",
"wayToWriteWahaChatId": "شماره موبایل در قالب بین‌المللی و بدون علامت مثبت ابتدایی ({0})، شناسه مخاطب ({1}) یا شناسه گروه ({2}). اعلان‌ها از نشست WAHA به این شناسه گفتگو ارسال خواهند شد.",
"wahaSession": "نشست",
"wahaChatId": "شناسه گفتگو (شماره موبایل / شناسه مخاطب / شناسه گروه)",
"wayToGetWahaSession": "با این نشست WAHA اعلان‌ها را به شناسه گفتگو ارسال میکند. قابل مشاهده در پنل کاربری WAHA.",
"Message Template": "قالب پیام",
"Template Format": "فرمت قالب",
"YZJ Webhook URL": "آدرس وب‌هوک YZJ",
"Fail": "شکست",
"Custom sound to override default notification sound": "نوای دلخواه به جای نوای پیشفرض اعلان",
"Time Sensitive (iOS Only)": "حساس به زمان (فقط iOS)",
"Can be found on:": "در {0} یافت میشود",
"Either a text sender ID or a phone number in E.164 format if you want to be able to receive replies.": "شناسه ارسال کننده متنی و در صورتی که میخواهید پاسخ‌ها را دریافت کنید، شماره موبایل در قالب E.164.",
"rabbitmqNodesDescription": "آدرس گره‌های مدیریت RabbitMQ را به همراه پروتکل و شماره پورت وارد کنید. مثال: {0}",
"RabbitMQ Username": "نام کاربری RabbitMQ",
"Separate multiple email addresses with commas": "آدرس‌های ایمیل را با استفاده از ویرگول انگلیسی یا کاما جدا کنید",
"Plain Text": "متن ساده",
"aboutSlackUsername": "نام نمایشی ارسال کننده پیام را تغییر میدهد. اگر میخواهید شخصی را نام ببرید، در قسمت نام دوستانه بنویسید.",
"Clear": "پاک‌سازی",
"templateServiceName": "نام خدمت",
"templateHostnameOrURL": "آدرس یا نام میزبان",
"templateStatus": "وضعیت",
"telegramUseTemplate": "استفاده از قالب پیام دلخواه",
"telegramUseTemplateDescription": "در صورت فعال‌سازی، پیام با قالب دلخواه ارسال خواهد شد.",
"telegramTemplateFormatDescription": "در تلگرام امکان استفاده از زبان‌های نشانه‌گذاری مختلفی وجود دارد، برای جزئیات بیشتر {0} را ببینید."
} }

View file

@ -1098,5 +1098,24 @@
"rabbitmqHelpText": "Pour utiliser la sonde, vous devrez activer le plug-in de gestion dans votre configuration RabbitMQ. Pour plus d'informations, veuillez consulter la {rabitmq_documentation}.", "rabbitmqHelpText": "Pour utiliser la sonde, vous devrez activer le plug-in de gestion dans votre configuration RabbitMQ. Pour plus d'informations, veuillez consulter la {rabitmq_documentation}.",
"SendGrid API Key": "Clé API SendGrid", "SendGrid API Key": "Clé API SendGrid",
"Separate multiple email addresses with commas": "Séparez plusieurs adresses e-mail par des virgules", "Separate multiple email addresses with commas": "Séparez plusieurs adresses e-mail par des virgules",
"aboutSlackUsername": "Modifie le nom d'affichage de l'expéditeur du message. Si vous souhaitez mentionner quelquun, incluez-le plutôt dans le nom convivial." "aboutSlackUsername": "Modifie le nom d'affichage de l'expéditeur du message. Si vous souhaitez mentionner quelquun, incluez-le plutôt dans le nom convivial.",
"templateHostnameOrURL": "Nom d'hôte ou URL",
"telegramUseTemplate": "Utiliser un modèle de message personnalisé",
"telegramTemplateFormatDescription": "Telegram permet d'utiliser différents langages de balisage pour les messages, voir Telegram {0} pour plus de détails.",
"Plain Text": "Texte brut",
"YZJ Webhook URL": "URL du webhook YZJ",
"YZJ Robot Token": "Jeton robot YZJ",
"templateServiceName": "Nom du service",
"templateStatus": "Status",
"telegramUseTemplateDescription": "Si cette option est activée, le message sera envoyé à l'aide d'un modèle personnalisé.",
"Message Template": "Modèle de message",
"Template Format": "Format du modèle",
"wayToGetWahaApiUrl": "LURL de votre instance WAHA.",
"wayToGetWahaSession": "À partir de cette session, WAHA envoie des notifications à l'ID de discussion. Vous pouvez le trouver dans le tableau de bord WAHA.",
"wahaSession": "Session",
"wahaChatId": "ID de discussion (numéro de téléphone / ID de contact / ID de groupe)",
"wayToGetWahaApiKey": "La clé API est la valeur de la variable d'environnement WHATSAPP_API_KEY que vous avez utilisée pour exécuter WAHA.",
"wayToWriteWahaChatId": "Le numéro de téléphone avec le préfixe international, mais sans le signe plus ({0}), l'identifiant de contact ({1}) ni l'identifiant de groupe ({2}). Les notifications sont envoyées à cet identifiant de chat depuis la session WAHA.",
"telegramServerUrlDescription": "Pour lever les limitations de lAPI des bots Telegram ou accéder aux zones bloquées (Chine, Iran, etc.). Pour plus dinformations, cliquez sur {0}. Par défaut : {1}",
"telegramServerUrl": "(Facultatif) URL du serveur"
} }

View file

@ -194,11 +194,11 @@
"telegram": "Telegram", "telegram": "Telegram",
"Bot Token": "Token bota", "Bot Token": "Token bota",
"wayToGetTelegramToken": "Token možete nabaviti preko {0}.", "wayToGetTelegramToken": "Token možete nabaviti preko {0}.",
"Chat ID": "ID razgovora", "Chat ID": "Identifikator razgovora",
"supportTelegramChatID": "Podržani su ID-jevi izravnih razgovora, grupa i kanala", "supportTelegramChatID": "Podržani su identifikatori izravnih razgovora, grupa i kanala",
"wayToGetTelegramChatID": "ID razgovora možete saznati tako da botu pošaljete poruku te odete na ovaj URL:", "wayToGetTelegramChatID": "Identifikator razgovora možete saznati tako da botu pošaljete poruku te odete na ovaj URL:",
"YOUR BOT TOKEN HERE": "OVDJE IDE TOKEN BOTA", "YOUR BOT TOKEN HERE": "TOKEN BOTA STAVITI OVDJE",
"chatIDNotFound": "ID razgovora nije pronađen; prvo morate poslati poruku botu", "chatIDNotFound": "Identifikator razgovora nije pronađen; prvo morate poslati poruku botu",
"webhook": "Webhook", "webhook": "Webhook",
"Post URL": "URL Post zahtjeva", "Post URL": "URL Post zahtjeva",
"Content Type": "Tip sadržaja (Content Type)", "Content Type": "Tip sadržaja (Content Type)",
@ -267,7 +267,7 @@
"Check octopush prices": "Provjerite cijene usluge Octopush {0}.", "Check octopush prices": "Provjerite cijene usluge Octopush {0}.",
"octopushPhoneNumber": "Telefonski broj (međunarodni format, primjerice: +38512345678) ", "octopushPhoneNumber": "Telefonski broj (međunarodni format, primjerice: +38512345678) ",
"octopushSMSSender": "Naziv SMS pošiljatelja : 3-11 alfanumeričkih znakova i razmak (a-zA-Z0-9)", "octopushSMSSender": "Naziv SMS pošiljatelja : 3-11 alfanumeričkih znakova i razmak (a-zA-Z0-9)",
"LunaSea Device ID": "LunaSea ID Uređaja", "LunaSea Device ID": "LunaSea identifikator uređaja",
"Apprise URL": "URL usluge Apprise", "Apprise URL": "URL usluge Apprise",
"Example:": "Primjerice: {0}", "Example:": "Primjerice: {0}",
"Read more:": "Pročitajte više: {0}", "Read more:": "Pročitajte više: {0}",
@ -280,9 +280,9 @@
"Line Developers Console": "LINE razvojnoj konzoli", "Line Developers Console": "LINE razvojnoj konzoli",
"lineDevConsoleTo": "LINE razvojna konzola - {0}", "lineDevConsoleTo": "LINE razvojna konzola - {0}",
"Basic Settings": "Osnovne Postavke", "Basic Settings": "Osnovne Postavke",
"User ID": "Korisnički ID", "User ID": "Korisnički identifikator",
"Messaging API": "API za razmjenu poruka", "Messaging API": "API za razmjenu poruka",
"wayToGetLineChannelToken": "Prvo, pristupite {0}, kreirajte pružatelja usluga te kanal (API za razmjenu poruka), zatim možete dobiti token za pristup kanalu te korisnički ID za polja iznad.", "wayToGetLineChannelToken": "Prvo, pristupite {0}, kreirajte pružatelja usluga te kanal (API za razmjenu poruka), zatim možete dobiti token za pristup kanalu te identifikator korisnika za polja iznad.",
"Icon URL": "URL slike", "Icon URL": "URL slike",
"aboutIconURL": "Možete postaviti poveznicu na sliku u polju \"URL slike\" kako biste spriječili korištenje zadane slike. Ovo se polje neće koristiti ako je postavljeno polje \"Emotikon\".", "aboutIconURL": "Možete postaviti poveznicu na sliku u polju \"URL slike\" kako biste spriječili korištenje zadane slike. Ovo se polje neće koristiti ako je postavljeno polje \"Emotikon\".",
"aboutMattermostChannelName": "Možete promijeniti kanal u kojeg webhook šalje tako da ispunite polje \"Naziv kanala\". Ta opcija mora biti omogućena unutar Mattermost postavki za webhook. Primjerice: #neki-kanal", "aboutMattermostChannelName": "Možete promijeniti kanal u kojeg webhook šalje tako da ispunite polje \"Naziv kanala\". Ta opcija mora biti omogućena unutar Mattermost postavki za webhook. Primjerice: #neki-kanal",
@ -554,7 +554,7 @@
"socket": "Docker socket", "socket": "Docker socket",
"tcp": "TCP / HTTP", "tcp": "TCP / HTTP",
"Docker Container": "Docker kontejner", "Docker Container": "Docker kontejner",
"Container Name / ID": "Naziv / ID kontejnera", "Container Name / ID": "Naziv / identifikator kontejnera",
"Docker Host": "Docker domaćin", "Docker Host": "Docker domaćin",
"Docker Hosts": "Docker domaćini", "Docker Hosts": "Docker domaćini",
"ntfy Topic": "ntfy tema", "ntfy Topic": "ntfy tema",
@ -632,7 +632,7 @@
"Authorization Identity": "Identitet autorizacije", "Authorization Identity": "Identitet autorizacije",
"weekdayShortThu": "Čet", "weekdayShortThu": "Čet",
"setupDatabaseChooseDatabase": "Koju bazu podataka želite koristiti?", "setupDatabaseChooseDatabase": "Koju bazu podataka želite koristiti?",
"setupDatabaseEmbeddedMariaDB": "Ne morate ništa dodatno postavljati. Ovaj docker image ima ugrađenu i konfiguriranu MariaDB bazu podataka za Vas. Uptime Kuma će se spojiti na ovu bazu preko UNIX socketa.", "setupDatabaseEmbeddedMariaDB": "Ne morate ništa dodatno postavljati. Ovaj Docker image ima ugrađenu i konfiguriranu MariaDB bazu podataka za Vas. Uptime Kuma će se spojiti na ovu bazu preko UNIX socketa.",
"setupDatabaseMariaDB": "Spojite vanjsku MariaDB bazu podataka. Morate unijeti informacije o konekciji prema bazi.", "setupDatabaseMariaDB": "Spojite vanjsku MariaDB bazu podataka. Morate unijeti informacije o konekciji prema bazi.",
"setupDatabaseSQLite": "Jednostavna datoteka s bazom podataka, preporuča se samo za manje implementacije. Prije inačice v2.0.0, Uptime Kuma je koristila SQLite kao zadanu bazu podataka.", "setupDatabaseSQLite": "Jednostavna datoteka s bazom podataka, preporuča se samo za manje implementacije. Prije inačice v2.0.0, Uptime Kuma je koristila SQLite kao zadanu bazu podataka.",
"dbName": "Naziv baze podataka", "dbName": "Naziv baze podataka",
@ -648,7 +648,7 @@
"webhookBodyCustomOption": "Prilagođeno tijelo zahtjeva", "webhookBodyCustomOption": "Prilagođeno tijelo zahtjeva",
"selectedMonitorCount": "Odabrano: {0}", "selectedMonitorCount": "Odabrano: {0}",
"Check/Uncheck": "Označi/odznači", "Check/Uncheck": "Označi/odznači",
"telegramMessageThreadID": "(Neobavezno) ID dretve poruka", "telegramMessageThreadID": "(Neobvezno) Identivikator dretve poruka",
"telegramMessageThreadIDDescription": "Neobavezni jedinstveni identifikator za dretvu poruka (temu) foruma; samo za forumske supergrupe", "telegramMessageThreadIDDescription": "Neobavezni jedinstveni identifikator za dretvu poruka (temu) foruma; samo za forumske supergrupe",
"telegramSendSilently": "Pošalji nečujno", "telegramSendSilently": "Pošalji nečujno",
"telegramSendSilentlyDescription": "Šalje poruku nečujno. Primatelji će dobiti obavijest bez zvuka.", "telegramSendSilentlyDescription": "Šalje poruku nečujno. Primatelji će dobiti obavijest bez zvuka.",
@ -689,7 +689,7 @@
"confirmDeleteTagMsg": "Jeste li sigurni da želite izbrisati ovu oznaku? Monitori povezani s ovom oznakom neće biti izbrisani.", "confirmDeleteTagMsg": "Jeste li sigurni da želite izbrisati ovu oznaku? Monitori povezani s ovom oznakom neće biti izbrisani.",
"enableGRPCTls": "Omogući sigurno slanje gRPC zahtjeva koristeći TLS", "enableGRPCTls": "Omogući sigurno slanje gRPC zahtjeva koristeći TLS",
"deleteMaintenanceMsg": "Jeste li sigurni da želite izbrisati ovo održavanje?", "deleteMaintenanceMsg": "Jeste li sigurni da želite izbrisati ovo održavanje?",
"Guild ID": "ID za guild", "Guild ID": "Identifikator za guild",
"pushoverMessageTtl": "Vrijeme isteka poruke (u sekundama)", "pushoverMessageTtl": "Vrijeme isteka poruke (u sekundama)",
"Proto Method": "Metoda poziva", "Proto Method": "Metoda poziva",
"Proto Content": "Proto sadržaj", "Proto Content": "Proto sadržaj",
@ -937,7 +937,7 @@
"cellsyntOriginator": "Vidljivo na mobilnom telefonu primatelja kao autor poruke. Dopuštene vrijednosti i funkcija ovise o vrsti izvorišta.", "cellsyntOriginator": "Vidljivo na mobilnom telefonu primatelja kao autor poruke. Dopuštene vrijednosti i funkcija ovise o vrsti izvorišta.",
"cellsyntDestination": "Telefonski broj primatelja u međunarodnom formatu s početnim 00 iza kojeg slijedi pozivni broj države (maksimalno 17 znamenki). Primjerice, za broj iz UK-a 07920-110-000 vrijednost mora biti 00447920110000 . Maksimalno 25.000 primatelja odvojenih zarezom po HTTP zahtjevu.", "cellsyntDestination": "Telefonski broj primatelja u međunarodnom formatu s početnim 00 iza kojeg slijedi pozivni broj države (maksimalno 17 znamenki). Primjerice, za broj iz UK-a 07920-110-000 vrijednost mora biti 00447920110000 . Maksimalno 25.000 primatelja odvojenih zarezom po HTTP zahtjevu.",
"Channel access token (Long-lived)": "Pristupni token za kanal (dugovječni)", "Channel access token (Long-lived)": "Pristupni token za kanal (dugovječni)",
"Your User ID": "Vaš korisnički identifikator", "Your User ID": "Vaš korisnički identifikator (ID)",
"wayToGetSevenIOApiKey": "Posjetite nadzornu ploču odlaskom na app.seven.io > Developer > API Key i dodajte novi ključ koristeći zeleni gumb za dodavanje", "wayToGetSevenIOApiKey": "Posjetite nadzornu ploču odlaskom na app.seven.io > Developer > API Key i dodajte novi ključ koristeći zeleni gumb za dodavanje",
"Command": "Naredba", "Command": "Naredba",
"mongodbCommandDescription": "Pokreni MongoDB naredbu na bazi podataka. Za informacije o dostupnim naredbama posjetite {documentation}", "mongodbCommandDescription": "Pokreni MongoDB naredbu na bazi podataka. Za informacije o dostupnim naredbama posjetite {documentation}",
@ -1092,5 +1092,24 @@
"RabbitMQ Nodes": "RabbitMQ upravljački čvorovi", "RabbitMQ Nodes": "RabbitMQ upravljački čvorovi",
"rabbitmqNodesDescription": "Unesite URL za upravljačke čvorove RabbitMQ uključujući protokol i port. Primjer: {0}", "rabbitmqNodesDescription": "Unesite URL za upravljačke čvorove RabbitMQ uključujući protokol i port. Primjer: {0}",
"rabbitmqHelpText": "Za korištenje ovog Monitora morat ćete omogućiti dodatak \"Management Plugin\" u svom RabbitMQ-u. Za više informacija pogledajte {rabitmq_documentation}.", "rabbitmqHelpText": "Za korištenje ovog Monitora morat ćete omogućiti dodatak \"Management Plugin\" u svom RabbitMQ-u. Za više informacija pogledajte {rabitmq_documentation}.",
"aboutSlackUsername": "Mijenja ime pošiljatelja vidljivo svima ostalima." "aboutSlackUsername": "Mijenja ime pošiljatelja vidljivo svima ostalima.",
"templateServiceName": "naziv servisa",
"telegramUseTemplate": "Koristi prilagođeni predložak poruke",
"telegramTemplateFormatDescription": "Telegram dozvoljava korištenje različitih markup jezika za formatiranje poruka, pogledajte {0} za više detalja.",
"YZJ Robot Token": "YZJ token robota",
"YZJ Webhook URL": "YZJ URL webhooka",
"templateHostnameOrURL": "domaćin ili URL",
"templateStatus": "status",
"telegramUseTemplateDescription": "Ako je omogućeno, poruka će biti poslana koristeći prilagođeni predložak.",
"Plain Text": "Obični tekst",
"Message Template": "Predložak poruke",
"Template Format": "Format predloška",
"wahaSession": "Sjednica",
"wahaChatId": "Identifikator razgovora (telefonski broj / ID kontakta / ID grupe)",
"wayToGetWahaApiUrl": "URL instance WAHA.",
"wayToGetWahaApiKey": "API ključ je vrijednost varijable okruženja WHATSAPP_API_KEY koju ste koristili za pokretanje servisa WAHA.",
"wayToGetWahaSession": "Iz ove sjednice WAHA šalje obavijesti na identifikator razgovora. Može se pronaći na WAHA nadzornoj ploči.",
"wayToWriteWahaChatId": "Telefonski broj s međunarodnim prefiksom, ali bez znaka plus na početku ({0}), identifikator kontakta ({1}) ili identifikator grupe ({2}). Obavijesti se šalju na ovaj identifikator chata iz WAHA sesije.",
"telegramServerUrl": "(Neobvezno) URL Poslužitelja",
"telegramServerUrlDescription": "Za ukidanje ograničenja API-ja za botove Telegrama ili dobivanje pristupa u blokiranim područjima (Kina, Iran, itd.). Za više informacija kliknite {0}. Zadano: {1}"
} }

View file

@ -542,7 +542,7 @@
"chromeExecutableAutoDetect": "Automatikus felismerés", "chromeExecutableAutoDetect": "Automatikus felismerés",
"emailTemplateStatus": "Státusz", "emailTemplateStatus": "Státusz",
"deleteMaintenanceMsg": "Biztosan törölni szeretné ezt a karbantartást?", "deleteMaintenanceMsg": "Biztosan törölni szeretné ezt a karbantartást?",
"apiKeyAddedMsg": "Az ön API kulcsa létrejött. Kérjük jegyezze fel, mert nem lesz a felületen elérhető.", "apiKeyAddedMsg": "Az ön API kulcsa létrejött. Kérjük jegyezze fel, mert nem lesz a felületen elérhető a jövőben!",
"Expires": "Lejár", "Expires": "Lejár",
"disableAPIKeyMsg": "Biztosan le fel szeretné függeszteni ezt az API kulcsot?", "disableAPIKeyMsg": "Biztosan le fel szeretné függeszteni ezt az API kulcsot?",
"Key Added": "Kulcs létrehozva", "Key Added": "Kulcs létrehozva",
@ -735,7 +735,7 @@
"RadiusSecretDescription": "Megosztott titok az ügyfél és a szerver között", "RadiusSecretDescription": "Megosztott titok az ügyfél és a szerver között",
"RadiusCalledStationId": "Hívott állomás azonosítója", "RadiusCalledStationId": "Hívott állomás azonosítója",
"Date and Time": "Dátum és idő", "Date and Time": "Dátum és idő",
"enableNSCD": "Az NSCD (Name Service Cache Daemon) engedélyezése az összes DNS-kérés gyorsítótárba helyezéséhez", "enableNSCD": "Az NSCD (Name Service Cache Daemon) engedélyezése az összes DNS-kérés gyorsítótárazásához.",
"Edit Maintenance": "Karbantartás szerkesztése", "Edit Maintenance": "Karbantartás szerkesztése",
"smseagleGroup": "Telefonkönyv csoport neve(i)", "smseagleGroup": "Telefonkönyv csoport neve(i)",
"styleElapsedTime": "Az eltelt idő a heartbeat sáv alatt", "styleElapsedTime": "Az eltelt idő a heartbeat sáv alatt",
@ -900,7 +900,7 @@
"Press Enter to add broker": "Bróker hozzáadásához nyomja meg az ENTER billentyűt", "Press Enter to add broker": "Bróker hozzáadásához nyomja meg az ENTER billentyűt",
"Enable Kafka SSL": "Kafka SSL engedélyezése", "Enable Kafka SSL": "Kafka SSL engedélyezése",
"Enable Kafka Producer Auto Topic Creation": "Kafka Producer automatikus téma létrehozásának engedélyezése", "Enable Kafka Producer Auto Topic Creation": "Kafka Producer automatikus téma létrehozásának engedélyezése",
"Kafka Producer Message": "Kafka producer üzenet", "Kafka Producer Message": "Kafka Producer üzenet",
"Kafka SASL Options": "Kafka SASL opciók", "Kafka SASL Options": "Kafka SASL opciók",
"Pick a SASL Mechanism...": "Válassz egy SASL mechanizmus-t…", "Pick a SASL Mechanism...": "Válassz egy SASL mechanizmus-t…",
"AccessKey Id": "Hozzáférési Kulcs ID", "AccessKey Id": "Hozzáférési Kulcs ID",
@ -933,7 +933,7 @@
"Command": "Utasítás", "Command": "Utasítás",
"wayToGetSevenIOApiKey": "Látogasson el a műszerfalra az app.seven.io > developer > api key > a zöld hozzáadás gombra", "wayToGetSevenIOApiKey": "Látogasson el a műszerfalra az app.seven.io > developer > api key > a zöld hozzáadás gombra",
"senderSevenIO": "Szám vagy név küldése", "senderSevenIO": "Szám vagy név küldése",
"receiverSevenIO": "Szám fogadása", "receiverSevenIO": "Fogadó telefonszáma",
"apiKeySevenIO": "SevenIO API kulcs", "apiKeySevenIO": "SevenIO API kulcs",
"wayToWriteWhapiRecipient": "A telefonszám a nemzetközi előtaggal, de az elején lévő pluszjel nélkül ({0}), a kapcsolattartó azonosítója ({1}) vagy a csoport azonosítója ({2}).", "wayToWriteWhapiRecipient": "A telefonszám a nemzetközi előtaggal, de az elején lévő pluszjel nélkül ({0}), a kapcsolattartó azonosítója ({1}) vagy a csoport azonosítója ({2}).",
"Separate multiple email addresses with commas": "Több e-mail cím elválasztása vesszővel", "Separate multiple email addresses with commas": "Több e-mail cím elválasztása vesszővel",
@ -943,7 +943,7 @@
"not equals": "nem egyenlő", "not equals": "nem egyenlő",
"contains": "tartalmaz", "contains": "tartalmaz",
"not contains": "nem tartalmaz", "not contains": "nem tartalmaz",
"ends with": "végződik", "ends with": "végződik a",
"not ends with": "nem végződik a", "not ends with": "nem végződik a",
"greater than": "nagyobb, mint", "greater than": "nagyobb, mint",
"less than": "kisebb, mint", "less than": "kisebb, mint",
@ -972,15 +972,15 @@
"RabbitMQ Password": "RabbitMQ jelszó", "RabbitMQ Password": "RabbitMQ jelszó",
"SendGrid API Key": "SendGrid API kulcs", "SendGrid API Key": "SendGrid API kulcs",
"pagertreeHigh": "Magas", "pagertreeHigh": "Magas",
"noOrBadCertificate": "Hiányzó/Hibás tanúsítvány", "noOrBadCertificate": "Nincs/rossz tanúsítvány",
"whatHappensAtForumPost": "Új fórumbejegyzés létrehozása. NEM küldi el a meglévő hozzászólásokhoz. Meglévő hozzászólásokhoz az \"{option}\" használatával lehet hozzászólni", "whatHappensAtForumPost": "Új fórumbejegyzés létrehozása. NEM küldi el a meglévő hozzászólásokhoz. Meglévő hozzászólásokhoz az \"{option}\" használatával lehet hozzászólni",
"snmpCommunityStringHelptext": "Ez a karakterlánc jelszóként szolgál az SNMP-kompatibilis eszközök hitelesítésére és a hozzáférés ellenőrzésére. Egyeztesse az SNMP-eszköz konfigurációjával.", "snmpCommunityStringHelptext": "Ez a karakterlánc jelszóként szolgál az SNMP-kompatibilis eszközök hitelesítésére és a hozzáférés ellenőrzésére. Egyeztesse az SNMP-eszköz konfigurációjával.",
"snmpOIDHelptext": "Adja meg a megfigyelni kívánt érzékelő vagy állapot OID azonosítóját. Ha nem biztos az OID-ben, használjon hálózatirányítási eszközöket, például MIB-böngészőket vagy SNMP-szoftvereket.", "snmpOIDHelptext": "Adja meg a megfigyelni kívánt érzékelő vagy állapot OID azonosítóját. Ha nem biztos az OID-ben, használjon hálózatirányítási eszközöket, például MIB-böngészőket vagy SNMP-szoftvereket.",
"privateOnesenderDesc": "Győződjön meg róla, hogy a telefonszám érvényes. Üzenet küldése privát telefonszámra, például: 628123456789", "privateOnesenderDesc": "Győződjön meg róla, hogy a telefonszám érvényes. Üzenet küldése privát telefonszámra, például: 628123456789",
"Authorization Header": "Hitelesítési Fejléc", "Authorization Header": "Hitelesítési Fejléc",
"wayToGetDiscordThreadId": "Szál / fórum bejegyzés ID lekérése hasonló, a csatorna ID lekéréséhez. Itt olvashatsz tovább az ID-k lekérésől{0}", "wayToGetDiscordThreadId": "Szál / fórum bejegyzés ID lekérése hasonló, a csatorna ID lekéréséhez. Itt olvashatsz tovább az ID-k lekérésől{0}",
"Badge Type": "Jelvény Típusa", "Badge Type": "Jelvény típusa",
"Badge Duration (in hours)": "Jelvény Időtartama (órákban)", "Badge Duration (in hours)": "Jelvény Időtartam (órákban)",
"Badge Label": "Jelvény Címke", "Badge Label": "Jelvény Címke",
"Badge Prefix": "Jelvény Érték Előtag", "Badge Prefix": "Jelvény Érték Előtag",
"Badge Suffix": "Jelvény Érték Utótag", "Badge Suffix": "Jelvény Érték Utótag",
@ -1050,7 +1050,7 @@
"rabbitmqNodesRequired": "Állítsa be a csomópontokat ehhez a figyelőhöz.", "rabbitmqNodesRequired": "Állítsa be a csomópontokat ehhez a figyelőhöz.",
"rabbitmqNodesDescription": "Adja meg a RabbitMQ menedszer csomópontok URL-jét beleértve a protokollt és a port számát is. Példa: {0}", "rabbitmqNodesDescription": "Adja meg a RabbitMQ menedszer csomópontok URL-jét beleértve a protokollt és a port számát is. Példa: {0}",
"shrinkDatabaseDescriptionSqlite": "SQLite adatbázis {vacuum} indítása. Az {auto_vacuum} már engedélyezve van, de ez nem defragmentálja az adatbázist, és nem csomagolja újra az egyes adatbázisoldalakat, ahogyan a {vacuum} parancs teszi.", "shrinkDatabaseDescriptionSqlite": "SQLite adatbázis {vacuum} indítása. Az {auto_vacuum} már engedélyezve van, de ez nem defragmentálja az adatbázist, és nem csomagolja újra az egyes adatbázisoldalakat, ahogyan a {vacuum} parancs teszi.",
"invertKeywordDescription": "Keresés a kulcsszó hiányára.", "invertKeywordDescription": "Keresse meg, hogy a kulcsszó inkább hiányzik-e, mint jelen van.",
"No tags found.": "Nem található címkék.", "No tags found.": "Nem található címkék.",
"twilioToNumber": "Címzett szám", "twilioToNumber": "Címzett szám",
"twilioFromNumber": "Feladó szám", "twilioFromNumber": "Feladó szám",

View file

@ -114,7 +114,7 @@
"Username": "Nome utente", "Username": "Nome utente",
"Password": "Password", "Password": "Password",
"Remember me": "Ricorda credenziali", "Remember me": "Ricorda credenziali",
"Login": "Accesso", "Login": "Accedi",
"No Monitors, please": "Nessun monitor presente,", "No Monitors, please": "Nessun monitor presente,",
"add one": "aggiungine uno", "add one": "aggiungine uno",
"Notification Type": "Servizio di notifica", "Notification Type": "Servizio di notifica",
@ -559,7 +559,7 @@
"dataRetentionTimeError": "Il periodo di conservazione deve essere pari o superiore a 0", "dataRetentionTimeError": "Il periodo di conservazione deve essere pari o superiore a 0",
"infiniteRetention": "Impostare su 0 per la conservazione infinita.", "infiniteRetention": "Impostare su 0 per la conservazione infinita.",
"enableGRPCTls": "Consenti l'invio di richieste gRPC con connessione TLS", "enableGRPCTls": "Consenti l'invio di richieste gRPC con connessione TLS",
"grpcMethodDescription": "Il nome del metodo viene convertito nel formato cammelCase come sayHello, check, ecc.", "grpcMethodDescription": "Il nome del metodo viene convertito nel formato camelCase come sayHello, check, ecc.",
"styleElapsedTimeShowNoLine": "Mostra (nessuna riga)", "styleElapsedTimeShowNoLine": "Mostra (nessuna riga)",
"Add New Tag": "Aggiungi nuova etichetta", "Add New Tag": "Aggiungi nuova etichetta",
"webhookCustomBodyDesc": "Definire un corpo HTTP personalizzato per la richiesta. Le variabili modello {msg}, {heartbeat}, {monitor} sono accettate.", "webhookCustomBodyDesc": "Definire un corpo HTTP personalizzato per la richiesta. Le variabili modello {msg}, {heartbeat}, {monitor} sono accettate.",

View file

@ -17,5 +17,6 @@
"List": "სია", "List": "სია",
"Add": "დამატება", "Add": "დამატება",
"Add New Monitor": "ახალი მონიტორის დამატება", "Add New Monitor": "ახალი მონიტორის დამატება",
"Down": "დაბლა" "Down": "დაბლა",
"setupDatabaseChooseDatabase": "რომელი მონაცემთა ბაზის გამოყენება გსურთ?"
} }

File diff suppressed because it is too large Load diff

View file

@ -1041,5 +1041,53 @@
"less than": "minder dan", "less than": "minder dan",
"greater than": "meer dan", "greater than": "meer dan",
"record": "dossier", "record": "dossier",
"jsonQueryDescription": "Parseer en haal specifieke gegevens uit de JSON-respons van de server met behulp van JSON-query of gebruik \"$\" voor de onbewerkte respons, als u geen JSON verwacht. Het resultaat wordt vervolgens vergeleken met de verwachte waarde, als strings. Zie {0} voor documentatie en gebruik {1} om te experimenteren met query's." "jsonQueryDescription": "Parseer en haal specifieke gegevens uit de JSON-respons van de server met behulp van JSON-query of gebruik \"$\" voor de onbewerkte respons, als u geen JSON verwacht. Het resultaat wordt vervolgens vergeleken met de verwachte waarde, als strings. Zie {0} voor documentatie en gebruik {1} om te experimenteren met query's.",
"rabbitmqNodesDescription": "Voer het URL voor de RabbitMQ beheerkooppunt inclusief protocol en poort in. Bijvoorbeeld: {0}",
"rabbitmqNodesRequired": "Aub stel de knooppunten voor deze monitor in.",
"rabbitmqNodesInvalid": "Stel gebruik een volledig gekwalificeerde (beginnend met 'http') URL voor RabbitMQ-knooppunten.",
"RabbitMQ Username": "RabbitMQ gebruikersnaam",
"RabbitMQ Password": "RabbitMQ wachtwoord",
"rabbitmqHelpText": "Om gebruik te maken van de monitor moet je de Management Plugin in de RabbitMQ setup aanzetten. Voor meer informatie zie de {rabitmq_documentatie}.",
"SendGrid API Key": "SendGrid API sleutel",
"Separate multiple email addresses with commas": "Splits meerdere emailadressen met kommas",
"RabbitMQ Nodes": "RabbitMQ Beheerknoppunten",
"shrinkDatabaseDescriptionSqlite": "Trigger database {vacuum} voor SQLite. {auto_vacuum} is al ingeschakeld, maar hiermee wordt de database niet gedefragmenteerd en worden ook databasepagina's niet afzonderlijke opnieuw ingepakt zoals de opdracht {vacuum} dat doet.",
"aboutSlackUsername": "Wijzigt de weergavenaam van de afzender van het bericht. Als je iemand wilt vermelden, voer in dat geval de naam in als vriendelijke naam.",
"cacheBusterParam": "Voeg de parameter {0} toe",
"Form Data Body": "Formulier Gegevens Content",
"Optional: Space separated list of scopes": "Optioneel: Reikwijdte door spaties gescheiden lijst",
"Alphanumerical string and hyphens only": "Alleen alfanumerieke tekenreeksen en koppeltekens",
"Time sensitive notifications will be delivered immediately, even if the device is in do not disturb mode.": "Tijdsgevoelige meldingen worden meteen afgeleverd, zelfs als het apparaat in niet storen modus staat.",
"Message format": "Berichtformaat",
"Send rich messages": "Stuur rijke berichten",
"OAuth Scope": "OAuth Reikwijdte",
"equals": "gelijk aan",
"not equals": "niet gelijk aan",
"less than or equal to": "kleiner dan of gelijk aan",
"greater than or equal to": "groter dan of gelijk aan",
"Notification Channel": "Meldingskanaal",
"Sound": "Geluid",
"Arcade": "Speelhal",
"Correct": "Juist",
"Fail": "Mislukt",
"Harp": "Harp",
"Reveal": "Laat zien",
"Bubble": "Bubbel",
"Doorbell": "Deurbel",
"Flute": "Fluit",
"Money": "Geld",
"Scifi": "Science fiction",
"Guitar": "Gitaar",
"Custom sound to override default notification sound": "Aangepast geluid om het standaard geluid te vervangen",
"Time Sensitive (iOS Only)": "Tijdsgevoelig (alleen voor iOs)",
"From": "Van",
"Can be found on:": "Kan gevonden worden op: {0}",
"The phone number of the recipient in E.164 format.": "Het telefoonnummer van de ontvanger in E.164 formaat",
"Either a text sender ID or a phone number in E.164 format if you want to be able to receive replies.": "Ofwel een sms zender ID of een telefoonnummer in E.164 formaat als je reacties wil ontvangen.",
"Clear": "Helder",
"Elevator": "Lift",
"Pop": "Pop",
"Community String": "Gemeenschap Tekst",
"Json Query Expression": "Json Query Expressie",
"ignoredTLSError": "TLS/SSL-fouten zijn genegeerd"
} }

View file

@ -1062,5 +1062,11 @@
"RabbitMQ Username": "Nome de usuário do RabbitMQ", "RabbitMQ Username": "Nome de usuário do RabbitMQ",
"RabbitMQ Password": "Senha do RabbitMQ", "RabbitMQ Password": "Senha do RabbitMQ",
"SendGrid API Key": "Chave API do SendGrid", "SendGrid API Key": "Chave API do SendGrid",
"Separate multiple email addresses with commas": "Separe vários endereços de e-mail com vírgulas" "Separate multiple email addresses with commas": "Separe vários endereços de e-mail com vírgulas",
"templateServiceName": "nome do serviço",
"telegramUseTemplate": "Use um template personalizado de mensagem",
"telegramTemplateFormatDescription": "O Telegram permite o uso de diferentes linguagens de marcação para mensagens. Veja o Telegram {0} para detalhes específicos.",
"templateHostnameOrURL": "hostname ou URL",
"templateStatus": "status",
"telegramUseTemplateDescription": "Se habilitado, a mensagem será enviada usando um template personalizado."
} }

View file

@ -1039,5 +1039,43 @@
"less than": "mai puțin decât", "less than": "mai puțin decât",
"less than or equal to": "mai mic sau egal cu", "less than or equal to": "mai mic sau egal cu",
"greater than or equal to": "mai mare sau egal cu", "greater than or equal to": "mai mare sau egal cu",
"record": "înregistrare" "record": "înregistrare",
"aboutSlackUsername": "Modifică numele afișat al expeditorului mesajului. Dacă doriți să menționați pe cineva, includeți-l în numele prietenos.",
"Custom sound to override default notification sound": "Sunet personalizat pentru a înlocui sunetul de notificare implicit",
"ignoredTLSError": "Erorile TLS/SSL au fost ignorate",
"Message format": "Formatul mesajului",
"Send rich messages": "Trimiteți mesaje complexe",
"Notification Channel": "Canal de notificare",
"Sound": "Sunet",
"Alphanumerical string and hyphens only": "Doar șir de caractere alfanumerice și liniuțe",
"Arcade": "Galerie",
"RabbitMQ Username": "Utilizator RabbitMQ",
"Time sensitive notifications will be delivered immediately, even if the device is in do not disturb mode.": "Notificările \"time sensitive\" vor fi livrate imediat, chiar dacă dispozitivul este în modul „nu deranjați”.",
"rabbitmqNodesDescription": "Introduceți adresa URL pentru nodurile de gestionare RabbitMQ, inclusiv protocolul și portul. Exemplu: {0}",
"rabbitmqHelpText": "Pentru a utiliza monitorul, va trebui să activați plugin-ul de gestionare în configurația RabbitMQ. Pentru mai multe informații, vă rugăm să consultați {rabitmq_documentation}.",
"Time Sensitive (iOS Only)": "Time Sensitive (numai iOS)",
"From": "De la",
"Can be found on:": "Poate fi găsit la: {0}",
"The phone number of the recipient in E.164 format.": "Numărul de telefon al destinatarului în format E.164.",
"Either a text sender ID or a phone number in E.164 format if you want to be able to receive replies.": "Fie un ID expeditor text, fie un număr de telefon în format E.164, dacă doriți să puteți primi răspunsuri.",
"RabbitMQ Nodes": "Noduri de gestionare RabbitMQ",
"Money": "Bani",
"Scifi": "SF",
"Elevator": "Lift",
"Guitar": "Chitară",
"Pop": "Pop",
"Harp": "Harpă",
"Reveal": "Dezvăluire",
"Bubble": "Bule",
"Doorbell": "Sonerie",
"Flute": "Flaut",
"Clear": "Clar",
"rabbitmqNodesRequired": "Vă rugăm să setați nodurile pentru acest monitor.",
"rabbitmqNodesInvalid": "Vă rugăm să utilizați o adresă URL complet calificată (începând cu „http”) pentru nodurile RabbitMQ.",
"RabbitMQ Password": "Parolă RabbitMQ",
"SendGrid API Key": "Cheia API SendGrid",
"Separate multiple email addresses with commas": "Separați adresele de e-mail multiple cu virgule",
"Correct": "Corect",
"Fail": "Eșec",
"shrinkDatabaseDescriptionSqlite": "Declanșează comanda {vacuum} pentru baza de date SQLite. {auto_vacuum} este deja activat, dar acest lucru nu defragmentează baza de date și nici nu reîmpachetează paginile individuale ale bazei de date așa cum o face comanda {vacuum}."
} }

View file

@ -1106,5 +1106,8 @@
"SendGrid API Key": "API-ключ SendGrid", "SendGrid API Key": "API-ключ SendGrid",
"Separate multiple email addresses with commas": "Разделяйте несколько адресов электронной почты запятыми", "Separate multiple email addresses with commas": "Разделяйте несколько адресов электронной почты запятыми",
"-year": "-год", "-year": "-год",
"Json Query Expression": "Выражение запроса Json" "Json Query Expression": "Выражение запроса Json",
"templateServiceName": "имя сервиса",
"templateHostnameOrURL": "hostname или URL",
"templateStatus": "статус"
} }

View file

@ -558,5 +558,29 @@
"A list of Notification Services can be found in Home Assistant under \"Developer Tools > Services\" search for \"notification\" to find your device/phone name.": "Zoznam notifikačných služieb nájdete v aplikácii Home Assistant v časti „Nástroje pre vývojárov > Služby“, kde vyhľadajte položku „ notifikácia“ a nájdite názov svojho zariadenia/telefónu.", "A list of Notification Services can be found in Home Assistant under \"Developer Tools > Services\" search for \"notification\" to find your device/phone name.": "Zoznam notifikačných služieb nájdete v aplikácii Home Assistant v časti „Nástroje pre vývojárov > Služby“, kde vyhľadajte položku „ notifikácia“ a nájdite názov svojho zariadenia/telefónu.",
"tailscalePingWarning": "Ak chcete používať sledovanie Tailscale Ping, musíte nainštalovať aplikáciu Uptime Kuma bez nástroja Docker a tiež nainštalovať klienta Tailscale na server.", "tailscalePingWarning": "Ak chcete používať sledovanie Tailscale Ping, musíte nainštalovať aplikáciu Uptime Kuma bez nástroja Docker a tiež nainštalovať klienta Tailscale na server.",
"Enable": "Povoliť", "Enable": "Povoliť",
"Enable DNS Cache": "(Zastarané) Povoliť vyrovnávaciu pamäť DNS pre HTTP(s) sledovania" "Enable DNS Cache": "(Zastarané) Povoliť vyrovnávaciu pamäť DNS pre HTTP(s) sledovania",
"Post": "Publikovať",
"Not running": "Nebeží",
"RadiusSecret": "Radius Secret",
"cronExpression": "CRON výraz",
"Maintenance Time Window of a Day": "Časové okno pre údržbu v daný deň",
"Hello @everyone is...": "Dobrý deň, {'@'}všetci sú…",
"clearHeartbeatsMsg": "Naozaj chcete odstrániť všetky heartbeaty pre tento monitoring?",
"Trust Proxy": "Dôveryhodná proxy",
"RadiusCalledStationId": "ID volaného zariadenia",
"Connection String": "Connection String",
"socket": "Socket",
"Line Developers Console": "Konzola Line Developers",
"confirmClearStatisticsMsg": "Naozaj chcete odstrániť VŠETKY štatistiky?",
"-year": "-rok",
"and": "a",
"shrinkDatabaseDescriptionSqlite": "Podmienka spustenia príkazu pre SQLite databázu. Príkaz {auto_vacuum} je už zapnutý, ale nedochádza k defragmentácii databázy ani k prebaleniu jednotlivých stránok databázy ako to robí príkaz {vacuum}.",
"lineDevConsoleTo": "Konzola Line Developers - {0}",
"clearEventsMsg": "Naozaj chcete odstrániť všetky udalosti pre tento monitoring?",
"now": "teraz",
"time ago": "pred {0}",
"Json Query Expression": "Výraz dotazu JSON",
"ignoredTLSError": "Chyby TLS/SSL boli ignorované",
"Add a new expiry notification day": "Pridať nové oznámenie o vypršaní platnosti",
"chromeExecutable": "Spustitelný súbor Chrome/Chromium"
} }

View file

@ -1,5 +1,5 @@
{ {
"languageName": "Türkçe", "languageName": "English",
"checkEverySecond": "{0} saniyede bir kontrol et", "checkEverySecond": "{0} saniyede bir kontrol et",
"retryCheckEverySecond": "{0} saniyede bir dene", "retryCheckEverySecond": "{0} saniyede bir dene",
"resendEveryXTimes": "Her {0} bir yeniden gönder", "resendEveryXTimes": "Her {0} bir yeniden gönder",
@ -201,7 +201,7 @@
"Chat ID": "Chat ID", "Chat ID": "Chat ID",
"supportTelegramChatID": "Doğrudan Sohbet / Grup / Kanalın Sohbet Kimliğini Destekleyin", "supportTelegramChatID": "Doğrudan Sohbet / Grup / Kanalın Sohbet Kimliğini Destekleyin",
"wayToGetTelegramChatID": "Bot'a bir mesaj göndererek ve chat_id'yi görüntülemek için bu URL'ye giderek sohbet kimliğinizi alabilirsiniz:", "wayToGetTelegramChatID": "Bot'a bir mesaj göndererek ve chat_id'yi görüntülemek için bu URL'ye giderek sohbet kimliğinizi alabilirsiniz:",
"YOUR BOT TOKEN HERE": "BOT TOKENİNİZ BURADA", "YOUR BOT TOKEN HERE": "BOT TOKENİNİZ BURAYA",
"chatIDNotFound": "Chat ID bulunamadı; lütfen önce bu bota bir mesaj gönderin", "chatIDNotFound": "Chat ID bulunamadı; lütfen önce bu bota bir mesaj gönderin",
"webhook": "Webhook", "webhook": "Webhook",
"Post URL": "Post URL", "Post URL": "Post URL",

View file

@ -54,7 +54,7 @@
"Keyword": "Ключове слово", "Keyword": "Ключове слово",
"Friendly Name": "Ім'я", "Friendly Name": "Ім'я",
"URL": "URL", "URL": "URL",
"Hostname": "Адреса хоста", "Hostname": "Адреса хосту",
"Port": "Порт", "Port": "Порт",
"Heartbeat Interval": "Частота опитування", "Heartbeat Interval": "Частота опитування",
"Retries": "Спроб", "Retries": "Спроб",
@ -951,7 +951,7 @@
"cellsyntDestination": "Номер телефону одержувача в міжнародному форматі з 00 на початку, за яким слідує код країни, наприклад, 00447920110000 для британського номера 07920 110 000 (максимум 17 цифр). Максимум 25000 одержувачів, розділених комами, на один HTTP-запит.", "cellsyntDestination": "Номер телефону одержувача в міжнародному форматі з 00 на початку, за яким слідує код країни, наприклад, 00447920110000 для британського номера 07920 110 000 (максимум 17 цифр). Максимум 25000 одержувачів, розділених комами, на один HTTP-запит.",
"max 11 alphanumeric characters": "максимум 11 буквено-цифрових символів", "max 11 alphanumeric characters": "максимум 11 буквено-цифрових символів",
"locally configured mail transfer agent": "локально налаштований агент пересилання пошти", "locally configured mail transfer agent": "локально налаштований агент пересилання пошти",
"Either enter the hostname of the server you want to connect to or localhost if you intend to use a locally configured mail transfer agent": "Або введіть ім'я хоста сервера, до якого ви хочете підключитися, або {localhost}, якщо ви маєте намір використовувати {local_mta}", "Either enter the hostname of the server you want to connect to or localhost if you intend to use a locally configured mail transfer agent": "Або введіть ім'я хосту сервера, до якого ви хочете підключитися, або {localhost}, якщо ви маєте намір використовувати {local_mta}",
"Don't mention people": "Не згадувати людей", "Don't mention people": "Не згадувати людей",
"Mentioning": "Згадування", "Mentioning": "Згадування",
"Mention group": "Згадати {group}", "Mention group": "Згадати {group}",
@ -1104,5 +1104,24 @@
"rabbitmqNodesDescription": "Введіть URL-адресу для вузлів керування RabbitMQ, включаючи протокол і порт. Приклад: {0}", "rabbitmqNodesDescription": "Введіть URL-адресу для вузлів керування RabbitMQ, включаючи протокол і порт. Приклад: {0}",
"rabbitmqNodesInvalid": "Будь ласка, використовуйте повну URL-адресу (починаючи з 'http') для вузлів RabbitMQ.", "rabbitmqNodesInvalid": "Будь ласка, використовуйте повну URL-адресу (починаючи з 'http') для вузлів RabbitMQ.",
"rabbitmqHelpText": "Щоб використовувати монітор, вам потрібно увімкнути плагін керування у налаштуваннях RabbitMQ. Для отримання додаткової інформації, будь ласка, зверніться до {rabitmq_documentation}.", "rabbitmqHelpText": "Щоб використовувати монітор, вам потрібно увімкнути плагін керування у налаштуваннях RabbitMQ. Для отримання додаткової інформації, будь ласка, зверніться до {rabitmq_documentation}.",
"aboutSlackUsername": "Змінює відображуване ім'я відправника повідомлення. Якщо ви хочете згадати когось, додайте його до дружнього імені." "aboutSlackUsername": "Змінює відображуване ім'я відправника повідомлення. Якщо ви хочете згадати когось, додайте його до дружнього імені.",
"templateServiceName": "назва сервісу",
"templateHostnameOrURL": "ім'я хосту або URL",
"telegramUseTemplate": "Використовувати власний шаблон повідомлення",
"telegramUseTemplateDescription": "Якщо увімкнено, повідомлення буде надіслано з використанням спеціального шаблону.",
"telegramTemplateFormatDescription": "Telegram дозволяє використовувати різні мови розмітки для повідомлень, див. Telegram {0} для більш детальної інформації.",
"Plain Text": "Звичайний текст",
"templateStatus": "статус",
"Message Template": "Шаблон повідомлення",
"Template Format": "Формат шаблону",
"YZJ Webhook URL": "URL вебхука YZJ",
"YZJ Robot Token": "Токен YZJ Robot",
"wayToGetWahaApiUrl": "URL вашого екземпляра WAHA.",
"wayToGetWahaApiKey": "Ключ API - це значення змінної оточення WHATSAPP_API_KEY, яку ви використовували для запуску WAHA.",
"wahaSession": "Сесія",
"wahaChatId": "ID чату (номер телефону / ID контакту / ID групи)",
"wayToGetWahaSession": "З цієї сесії WAHA надсилає сповіщення на ID чату. Ви можете знайти його в інформаційній панелі WAHA.",
"wayToWriteWahaChatId": "Номер телефону з міжнародним префіксом, але без знака плюс на початку ({0}), ID контакту ({1}) або ID групи ({2}). На цей ID чату надсилаються сповіщення з сеансу WAHA.",
"telegramServerUrl": "(Необов'язково) URL сервера",
"telegramServerUrlDescription": "Щоб зняти обмеження з Telegram bot api або отримати доступ у заблокованих регіонах (Китай, Іран тощо). Для отримання додаткової інформації натисніть {0}. За замовчуванням: {1}"
} }

View file

@ -1100,5 +1100,22 @@
"RabbitMQ Nodes": "RabbitMQ 管理节点", "RabbitMQ Nodes": "RabbitMQ 管理节点",
"Separate multiple email addresses with commas": "用逗号分隔多个电子邮件地址", "Separate multiple email addresses with commas": "用逗号分隔多个电子邮件地址",
"rabbitmqHelpText": "要使用此监控项,您需要在 RabbitMQ 设置中启用管理插件。有关更多信息,请参阅 {rabitmq_documentation}。", "rabbitmqHelpText": "要使用此监控项,您需要在 RabbitMQ 设置中启用管理插件。有关更多信息,请参阅 {rabitmq_documentation}。",
"aboutSlackUsername": "更改消息发件人的显示名称。如果您想提及某人,请另行将其包含在友好名称中。" "aboutSlackUsername": "更改消息发件人的显示名称。如果您想提及某人,请另行将其包含在友好名称中。",
"templateStatus": "状态",
"templateHostnameOrURL": "主机名或 URL",
"templateServiceName": "服务名",
"telegramUseTemplateDescription": "如果启用,该消息将使用自定义模板发送。",
"telegramUseTemplate": "使用自定义消息模板",
"wayToGetWahaSession": "在此会话中WAHA 会向聊天 ID 发送通知。您可以在 WAHA 仪表板中找到它。",
"wayToGetWahaApiUrl": "你的 WAHA 实例 URL。",
"wahaChatId": "聊天 ID电话号码 / 联系人 ID / 群组 ID",
"wahaSession": "会话",
"Template Format": "模板格式",
"Message Template": "消息模板",
"Plain Text": "纯文本",
"wayToWriteWahaChatId": "包含国际区号但不含开头加号({0})的电话号码、联系人 ID{1})、组 ID{2})。通知将从 WAHA 会话发送到此聊天 ID。",
"wayToGetWahaApiKey": "API 密钥是你用于运行 WAHA 的 WHATSAPP_API_KEY 环境变量值。",
"telegramTemplateFormatDescription": "Telegram 允许在消息中使用不同的标记语言,具体细节请参见 Telegram {0}。",
"YZJ Webhook URL": "YZJ Webhook 地址",
"YZJ Robot Token": "YZJ 机器人令牌"
} }