mirror of
https://github.com/louislam/uptime-kuma.git
synced 2025-08-10 19:13:25 +08:00
Merge remote-tracking branch 'origin/master' into miles/invert-keyword
# Conflicts: # server/database.js
This commit is contained in:
@@ -266,6 +266,11 @@ optgroup {
|
||||
background-color: $dark-bg2;
|
||||
}
|
||||
|
||||
.form-select:disabled {
|
||||
color: rgba($dark-font-color, 0.7);
|
||||
background-color: $dark-bg;
|
||||
}
|
||||
|
||||
.form-control, .form-select {
|
||||
border-color: $dark-border-color;
|
||||
}
|
||||
|
@@ -1,6 +1,12 @@
|
||||
@import "vars.scss";
|
||||
@import "node_modules/vue-multiselect/dist/vue-multiselect";
|
||||
|
||||
.multiselect {
|
||||
.dark & {
|
||||
color: $dark-font-color;
|
||||
}
|
||||
}
|
||||
|
||||
.multiselect__tags {
|
||||
border-radius: 1.5rem;
|
||||
border: 1px solid #ced4da;
|
||||
@@ -14,10 +20,12 @@
|
||||
|
||||
.multiselect__option--highlight {
|
||||
background: $primary !important;
|
||||
color: $dark-font-color2 !important;
|
||||
}
|
||||
|
||||
.multiselect__option--highlight::after {
|
||||
background: $primary !important;
|
||||
color: $dark-font-color2 !important;
|
||||
}
|
||||
|
||||
.multiselect__tag {
|
||||
|
@@ -48,15 +48,14 @@
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="modal-footer">
|
||||
<button
|
||||
id="monitor-submit-btn" class="btn btn-primary" type="submit"
|
||||
:disabled="processing"
|
||||
>
|
||||
{{ $t("Generate") }}
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
<div class="modal-footer">
|
||||
<button
|
||||
id="monitor-submit-btn" class="btn btn-primary" type="submit"
|
||||
:disabled="processing"
|
||||
>
|
||||
{{ $t("Generate") }}
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
299
src/components/BadgeGeneratorDialog.vue
Normal file
299
src/components/BadgeGeneratorDialog.vue
Normal file
@@ -0,0 +1,299 @@
|
||||
<template>
|
||||
<div ref="BadgeGeneratorModal" class="modal fade" tabindex="-1" data-bs-backdrop="static">
|
||||
<div class="modal-dialog">
|
||||
<div class="modal-content">
|
||||
<div class="modal-header">
|
||||
<h5 class="modal-title">
|
||||
{{ $t("Badge Generator", [monitor.name]) }}
|
||||
</h5>
|
||||
<button type="button" class="btn-close" data-bs-dismiss="modal" aria-label="Close" />
|
||||
</div>
|
||||
<div class="modal-body">
|
||||
<div class="mb-3">
|
||||
<label for="type" class="form-label">{{ $t("Badge Type") }}</label>
|
||||
<select id="type" v-model="badge.type" class="form-select">
|
||||
<option value="status">status</option>
|
||||
<option value="uptime">uptime</option>
|
||||
<option value="ping">ping</option>
|
||||
<option value="avg-response">avg-response</option>
|
||||
<option value="cert-exp">cert-exp</option>
|
||||
<option value="response">response</option>
|
||||
</select>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('duration') " class="mb-3">
|
||||
<label for="duration" class="form-label">{{ $t("Badge Duration") }}</label>
|
||||
<input id="duration" v-model="badge.duration" type="number" min="0" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('label') " class="mb-3">
|
||||
<label for="label" class="form-label">{{ $t("Badge Label") }}</label>
|
||||
<input id="label" v-model="badge.label" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('prefix') " class="mb-3">
|
||||
<label for="prefix" class="form-label">{{ $t("Badge Prefix") }}</label>
|
||||
<input id="prefix" v-model="badge.prefix" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('suffix') " class="mb-3">
|
||||
<label for="suffix" class="form-label">{{ $t("Badge Suffix") }}</label>
|
||||
<input id="suffix" v-model="badge.suffix" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('labelColor') " class="mb-3">
|
||||
<label for="labelColor" class="form-label">{{ $t("Badge Label Color") }}</label>
|
||||
<input id="labelColor" v-model="badge.labelColor" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('color') " class="mb-3">
|
||||
<label for="color" class="form-label">{{ $t("Badge Color") }}</label>
|
||||
<input id="color" v-model="badge.color" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('labelPrefix') " class="mb-3">
|
||||
<label for="labelPrefix" class="form-label">{{ $t("Badge Label Prefix") }}</label>
|
||||
<input id="labelPrefix" v-model="badge.labelPrefix" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('labelSuffix') " class="mb-3">
|
||||
<label for="labelSuffix" class="form-label">{{ $t("Badge Label Suffix") }}</label>
|
||||
<input id="labelSuffix" v-model="badge.labelSuffix" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('upColor') " class="mb-3">
|
||||
<label for="upColor" class="form-label">{{ $t("Badge Up Color") }}</label>
|
||||
<input id="upColor" v-model="badge.upColor" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('downColor') " class="mb-3">
|
||||
<label for="downColor" class="form-label">{{ $t("Badge Down Color") }}</label>
|
||||
<input id="downColor" v-model="badge.downColor" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('pendingColor') " class="mb-3">
|
||||
<label for="pendingColor" class="form-label">{{ $t("Badge Pending Color") }}</label>
|
||||
<input id="pendingColor" v-model="badge.pendingColor" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('maintenanceColor') " class="mb-3">
|
||||
<label for="maintenanceColor" class="form-label">{{ $t("Badge Maintenance Color") }}</label>
|
||||
<input id="maintenanceColor" v-model="badge.maintenanceColor" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('warnColor') " class="mb-3">
|
||||
<label for="warnColor" class="form-label">{{ $t("Badge Warn Color") }}</label>
|
||||
<input id="warnColor" v-model="badge.warnColor" type="number" min="0" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('warnDays') " class="mb-3">
|
||||
<label for="warnDays" class="form-label">{{ $t("Badge Warn Days") }}</label>
|
||||
<input id="warnDays" v-model="badge.warnDays" type="number" min="0" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div v-if=" (parameters[badge.type || 'null'] || [] ).includes('downDays') " class="mb-3">
|
||||
<label for="downDays" class="form-label">{{ $t("Badge Down Days") }}</label>
|
||||
<input id="downDays" v-model="badge.downDays" type="number" min="0" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div class="mb-3">
|
||||
<label for="style" class="form-label">{{ $t("Badge Style") }}</label>
|
||||
<select id="style" v-model="badge.style" class="form-select">
|
||||
<option value="plastic">plastic</option>
|
||||
<option value="flat">flat</option>
|
||||
<option value="flat-square">flat-square</option>
|
||||
<option value="for-the-badge">for-the-badge</option>
|
||||
<option value="social">social</option>
|
||||
</select>
|
||||
</div>
|
||||
|
||||
<div class="mb-3">
|
||||
<label for="value" class="form-label">{{ $t("Badge value (For Testing only.)") }}</label>
|
||||
<input id="value" v-model="badge.value" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<div class="my-3">
|
||||
<label for="push-url" class="form-label">{{ $t("Badge URL") }}</label>
|
||||
<CopyableInput id="push-url" v-model="badgeURL" type="url" disabled="disabled" />
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="modal-footer">
|
||||
<button type="submit" class="btn btn-danger" data-bs-dismiss="modal">
|
||||
{{ $t("Close") }}
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</template>
|
||||
|
||||
<script lang="ts">
|
||||
import { Modal } from "bootstrap";
|
||||
import CopyableInput from "./CopyableInput.vue";
|
||||
|
||||
export default {
|
||||
components: {
|
||||
CopyableInput
|
||||
},
|
||||
props: {},
|
||||
emits: [],
|
||||
data() {
|
||||
return {
|
||||
model: null,
|
||||
processing: false,
|
||||
monitor: {
|
||||
id: null,
|
||||
name: null,
|
||||
},
|
||||
badge: {
|
||||
type: "status",
|
||||
duration: null,
|
||||
label: null,
|
||||
prefix: null,
|
||||
suffix: null,
|
||||
labelColor: null,
|
||||
color: null,
|
||||
labelPrefix: null,
|
||||
labelSuffix: null,
|
||||
upColor: null,
|
||||
downColor: null,
|
||||
pendingColor: null,
|
||||
maintenanceColor: null,
|
||||
warnColor: null,
|
||||
warnDays: null,
|
||||
downDays: null,
|
||||
style: "flat",
|
||||
value: null,
|
||||
},
|
||||
parameters: {
|
||||
status: [
|
||||
"upLabel",
|
||||
"downLabel",
|
||||
"pendingLabel",
|
||||
"maintenanceLabel",
|
||||
"upColor",
|
||||
"downColor",
|
||||
"pendingColor",
|
||||
"maintenanceColor",
|
||||
],
|
||||
uptime: [
|
||||
"duration",
|
||||
"labelPrefix",
|
||||
"labelSuffix",
|
||||
"prefix",
|
||||
"suffix",
|
||||
"color",
|
||||
"labelColor",
|
||||
],
|
||||
ping: [
|
||||
"duration",
|
||||
"labelPrefix",
|
||||
"labelSuffix",
|
||||
"prefix",
|
||||
"suffix",
|
||||
"color",
|
||||
"labelColor",
|
||||
],
|
||||
"avg-response": [
|
||||
"duration",
|
||||
"labelPrefix",
|
||||
"labelSuffix",
|
||||
"prefix",
|
||||
"suffix",
|
||||
"color",
|
||||
"labelColor",
|
||||
],
|
||||
"cert-exp": [
|
||||
"labelPrefix",
|
||||
"labelSuffix",
|
||||
"prefix",
|
||||
"suffix",
|
||||
"upColor",
|
||||
"warnColor",
|
||||
"downColor",
|
||||
"warnDays",
|
||||
"downDays",
|
||||
"labelColor",
|
||||
],
|
||||
response: [
|
||||
"labelPrefix",
|
||||
"labelSuffix",
|
||||
"prefix",
|
||||
"suffix",
|
||||
"color",
|
||||
"labelColor",
|
||||
],
|
||||
}
|
||||
};
|
||||
},
|
||||
|
||||
computed: {
|
||||
badgeURL() {
|
||||
if (!this.monitor.id || !this.badge.type) {
|
||||
return;
|
||||
}
|
||||
let badgeURL = this.$root.baseURL + "/api/badge/" + this.monitor.id + "/" + this.badge.type;
|
||||
|
||||
let parameterList = {};
|
||||
|
||||
for (let parameter of this.parameters[this.badge.type] || []) {
|
||||
if (parameter === "duration" && this.badge.duration) {
|
||||
badgeURL += "/" + this.badge.duration;
|
||||
continue;
|
||||
}
|
||||
|
||||
if (this.badge[parameter]) {
|
||||
parameterList[parameter] = this.badge[parameter];
|
||||
}
|
||||
}
|
||||
|
||||
for (let parameter of [ "label", "style", "value" ]) {
|
||||
if (parameter === "style" && this.badge.style === "flat") {
|
||||
continue;
|
||||
}
|
||||
|
||||
if (this.badge[parameter]) {
|
||||
parameterList[parameter] = this.badge[parameter];
|
||||
}
|
||||
}
|
||||
|
||||
if (Object.keys(parameterList).length > 0) {
|
||||
return badgeURL + "?" + new URLSearchParams(parameterList);
|
||||
}
|
||||
|
||||
return badgeURL;
|
||||
},
|
||||
},
|
||||
|
||||
mounted() {
|
||||
this.BadgeGeneratorModal = new Modal(this.$refs.BadgeGeneratorModal);
|
||||
},
|
||||
|
||||
methods: {
|
||||
/**
|
||||
* Setting monitor
|
||||
* @param {number} monitorId ID of monitor
|
||||
* @param {string} monitorName Name of monitor
|
||||
*/
|
||||
show(monitorId, monitorName) {
|
||||
this.monitor = {
|
||||
id: monitorId,
|
||||
name: monitorName,
|
||||
};
|
||||
|
||||
this.BadgeGeneratorModal.show();
|
||||
},
|
||||
},
|
||||
};
|
||||
</script>
|
||||
|
||||
<style lang="scss" scoped>
|
||||
@import "../assets/vars.scss";
|
||||
|
||||
.dark {
|
||||
.modal-dialog .form-text, .modal-dialog p {
|
||||
color: $dark-font-color;
|
||||
}
|
||||
}
|
||||
</style>
|
@@ -19,43 +19,18 @@
|
||||
{{ $t("No Monitors, please") }} <router-link to="/add">{{ $t("add one") }}</router-link>
|
||||
</div>
|
||||
|
||||
<router-link v-for="(item, index) in sortedMonitorList" :key="index" :to="monitorURL(item.id)" class="item" :class="{ 'disabled': ! item.active }" :title="item.description">
|
||||
<div class="row">
|
||||
<div class="col-9 col-md-8 small-padding" :class="{ 'monitor-item': $root.userHeartbeatBar == 'bottom' || $root.userHeartbeatBar == 'none' }">
|
||||
<div class="info">
|
||||
<Uptime :monitor="item" type="24" :pill="true" />
|
||||
{{ item.name }}
|
||||
</div>
|
||||
<div class="tags">
|
||||
<Tag v-for="tag in item.tags" :key="tag" :item="tag" :size="'sm'" />
|
||||
</div>
|
||||
</div>
|
||||
<div v-show="$root.userHeartbeatBar == 'normal'" :key="$root.userHeartbeatBar" class="col-3 col-md-4">
|
||||
<HeartbeatBar size="small" :monitor-id="item.id" />
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div v-if="$root.userHeartbeatBar == 'bottom'" class="row">
|
||||
<div class="col-12 bottom-style">
|
||||
<HeartbeatBar size="small" :monitor-id="item.id" />
|
||||
</div>
|
||||
</div>
|
||||
</router-link>
|
||||
<MonitorListItem v-for="(item, index) in sortedMonitorList" :key="index" :monitor="item" :isSearch="searchText !== ''" />
|
||||
</div>
|
||||
</div>
|
||||
</template>
|
||||
|
||||
<script>
|
||||
import HeartbeatBar from "../components/HeartbeatBar.vue";
|
||||
import Tag from "../components/Tag.vue";
|
||||
import Uptime from "../components/Uptime.vue";
|
||||
import MonitorListItem from "../components/MonitorListItem.vue";
|
||||
import { getMonitorRelativeURL } from "../util.ts";
|
||||
|
||||
export default {
|
||||
components: {
|
||||
Uptime,
|
||||
HeartbeatBar,
|
||||
Tag,
|
||||
MonitorListItem,
|
||||
},
|
||||
props: {
|
||||
/** Should the scrollbar be shown */
|
||||
@@ -91,6 +66,20 @@ export default {
|
||||
sortedMonitorList() {
|
||||
let result = Object.values(this.$root.monitorList);
|
||||
|
||||
// Simple filter by search text
|
||||
// finds monitor name, tag name or tag value
|
||||
if (this.searchText !== "") {
|
||||
const loweredSearchText = this.searchText.toLowerCase();
|
||||
result = result.filter(monitor => {
|
||||
return monitor.name.toLowerCase().includes(loweredSearchText)
|
||||
|| monitor.tags.find(tag => tag.name.toLowerCase().includes(loweredSearchText)
|
||||
|| tag.value?.toLowerCase().includes(loweredSearchText));
|
||||
});
|
||||
} else {
|
||||
result = result.filter(monitor => monitor.parent === null);
|
||||
}
|
||||
|
||||
// Filter result by active state, weight and alphabetical
|
||||
result.sort((m1, m2) => {
|
||||
|
||||
if (m1.active !== m2.active) {
|
||||
@@ -116,17 +105,6 @@ export default {
|
||||
return m1.name.localeCompare(m2.name);
|
||||
});
|
||||
|
||||
// Simple filter by search text
|
||||
// finds monitor name, tag name or tag value
|
||||
if (this.searchText !== "") {
|
||||
const loweredSearchText = this.searchText.toLowerCase();
|
||||
result = result.filter(monitor => {
|
||||
return monitor.name.toLowerCase().includes(loweredSearchText)
|
||||
|| monitor.tags.find(tag => tag.name.toLowerCase().includes(loweredSearchText)
|
||||
|| tag.value?.toLowerCase().includes(loweredSearchText));
|
||||
});
|
||||
}
|
||||
|
||||
return result;
|
||||
},
|
||||
},
|
||||
|
204
src/components/MonitorListItem.vue
Normal file
204
src/components/MonitorListItem.vue
Normal file
@@ -0,0 +1,204 @@
|
||||
<template>
|
||||
<div>
|
||||
<router-link :to="monitorURL(monitor.id)" class="item" :class="{ 'disabled': ! monitor.active }">
|
||||
<div class="row">
|
||||
<div class="col-9 col-md-8 small-padding" :class="{ 'monitor-item': $root.userHeartbeatBar == 'bottom' || $root.userHeartbeatBar == 'none' }">
|
||||
<div class="info" :style="depthMargin">
|
||||
<Uptime :monitor="monitor" type="24" :pill="true" />
|
||||
<span v-if="hasChildren" class="collapse-padding" @click.prevent="changeCollapsed">
|
||||
<font-awesome-icon icon="chevron-down" class="animated" :class="{ collapsed: isCollapsed}" />
|
||||
</span>
|
||||
{{ monitorName }}
|
||||
</div>
|
||||
<div class="tags">
|
||||
<Tag v-for="tag in monitor.tags" :key="tag" :item="tag" :size="'sm'" />
|
||||
</div>
|
||||
</div>
|
||||
<div v-show="$root.userHeartbeatBar == 'normal'" :key="$root.userHeartbeatBar" class="col-3 col-md-4">
|
||||
<HeartbeatBar size="small" :monitor-id="monitor.id" />
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div v-if="$root.userHeartbeatBar == 'bottom'" class="row">
|
||||
<div class="col-12 bottom-style">
|
||||
<HeartbeatBar size="small" :monitor-id="monitor.id" />
|
||||
</div>
|
||||
</div>
|
||||
</router-link>
|
||||
|
||||
<transition name="slide-fade-up">
|
||||
<div v-if="!isCollapsed" class="childs">
|
||||
<MonitorListItem v-for="(item, index) in sortedChildMonitorList" :key="index" :monitor="item" :isSearch="isSearch" :depth="depth + 1" />
|
||||
</div>
|
||||
</transition>
|
||||
</div>
|
||||
</template>
|
||||
|
||||
<script>
|
||||
import HeartbeatBar from "../components/HeartbeatBar.vue";
|
||||
import Tag from "../components/Tag.vue";
|
||||
import Uptime from "../components/Uptime.vue";
|
||||
import { getMonitorRelativeURL } from "../util.ts";
|
||||
|
||||
export default {
|
||||
name: "MonitorListItem",
|
||||
components: {
|
||||
Uptime,
|
||||
HeartbeatBar,
|
||||
Tag,
|
||||
},
|
||||
props: {
|
||||
/** Monitor this represents */
|
||||
monitor: {
|
||||
type: Object,
|
||||
default: null,
|
||||
},
|
||||
/** If the user is currently searching */
|
||||
isSearch: {
|
||||
type: Boolean,
|
||||
default: false,
|
||||
},
|
||||
/** How many ancestors are above this monitor */
|
||||
depth: {
|
||||
type: Number,
|
||||
default: 0,
|
||||
},
|
||||
},
|
||||
data() {
|
||||
return {
|
||||
isCollapsed: true,
|
||||
};
|
||||
},
|
||||
computed: {
|
||||
sortedChildMonitorList() {
|
||||
let result = Object.values(this.$root.monitorList);
|
||||
|
||||
result = result.filter(childMonitor => childMonitor.parent === this.monitor.id);
|
||||
|
||||
result.sort((m1, m2) => {
|
||||
|
||||
if (m1.active !== m2.active) {
|
||||
if (m1.active === 0) {
|
||||
return 1;
|
||||
}
|
||||
|
||||
if (m2.active === 0) {
|
||||
return -1;
|
||||
}
|
||||
}
|
||||
|
||||
if (m1.weight !== m2.weight) {
|
||||
if (m1.weight > m2.weight) {
|
||||
return -1;
|
||||
}
|
||||
|
||||
if (m1.weight < m2.weight) {
|
||||
return 1;
|
||||
}
|
||||
}
|
||||
|
||||
return m1.name.localeCompare(m2.name);
|
||||
});
|
||||
|
||||
return result;
|
||||
},
|
||||
hasChildren() {
|
||||
return this.sortedChildMonitorList.length > 0;
|
||||
},
|
||||
depthMargin() {
|
||||
return {
|
||||
marginLeft: `${31 * this.depth}px`,
|
||||
};
|
||||
},
|
||||
monitorName() {
|
||||
if (this.isSearch) {
|
||||
return this.monitor.pathName;
|
||||
} else {
|
||||
return this.monitor.name;
|
||||
}
|
||||
}
|
||||
},
|
||||
beforeMount() {
|
||||
|
||||
// Always unfold if monitor is accessed directly
|
||||
if (this.monitor.childrenIDs.includes(parseInt(this.$route.params.id))) {
|
||||
this.isCollapsed = false;
|
||||
return;
|
||||
}
|
||||
|
||||
// Set collapsed value based on local storage
|
||||
let storage = window.localStorage.getItem("monitorCollapsed");
|
||||
if (storage === null) {
|
||||
return;
|
||||
}
|
||||
|
||||
let storageObject = JSON.parse(storage);
|
||||
if (storageObject[`monitor_${this.monitor.id}`] == null) {
|
||||
return;
|
||||
}
|
||||
|
||||
this.isCollapsed = storageObject[`monitor_${this.monitor.id}`];
|
||||
},
|
||||
methods: {
|
||||
/**
|
||||
* Changes the collapsed value of the current monitor and saves it to local storage
|
||||
*/
|
||||
changeCollapsed() {
|
||||
this.isCollapsed = !this.isCollapsed;
|
||||
|
||||
// Save collapsed value into local storage
|
||||
let storage = window.localStorage.getItem("monitorCollapsed");
|
||||
let storageObject = {};
|
||||
if (storage !== null) {
|
||||
storageObject = JSON.parse(storage);
|
||||
}
|
||||
storageObject[`monitor_${this.monitor.id}`] = this.isCollapsed;
|
||||
|
||||
window.localStorage.setItem("monitorCollapsed", JSON.stringify(storageObject));
|
||||
},
|
||||
/**
|
||||
* Get URL of monitor
|
||||
* @param {number} id ID of monitor
|
||||
* @returns {string} Relative URL of monitor
|
||||
*/
|
||||
monitorURL(id) {
|
||||
return getMonitorRelativeURL(id);
|
||||
},
|
||||
},
|
||||
};
|
||||
</script>
|
||||
|
||||
<style lang="scss" scoped>
|
||||
@import "../assets/vars.scss";
|
||||
|
||||
.small-padding {
|
||||
padding-left: 5px !important;
|
||||
padding-right: 5px !important;
|
||||
}
|
||||
|
||||
.collapse-padding {
|
||||
padding-left: 8px !important;
|
||||
padding-right: 2px !important;
|
||||
}
|
||||
|
||||
// .monitor-item {
|
||||
// width: 100%;
|
||||
// }
|
||||
|
||||
.tags {
|
||||
margin-top: 4px;
|
||||
padding-left: 67px;
|
||||
display: flex;
|
||||
flex-wrap: wrap;
|
||||
gap: 0;
|
||||
}
|
||||
|
||||
.collapsed {
|
||||
transform: rotate(-90deg);
|
||||
}
|
||||
|
||||
.animated {
|
||||
transition: all 0.2s $easing-in;
|
||||
}
|
||||
|
||||
</style>
|
123
src/components/MonitorSettingDialog.vue
Normal file
123
src/components/MonitorSettingDialog.vue
Normal file
@@ -0,0 +1,123 @@
|
||||
<template>
|
||||
<div ref="MonitorSettingDialog" class="modal fade" tabindex="-1">
|
||||
<div class="modal-dialog">
|
||||
<div class="modal-content">
|
||||
<div class="modal-header">
|
||||
<h5 class="modal-title">
|
||||
{{ $t("Monitor Setting", [monitor.name]) }}
|
||||
</h5>
|
||||
<button type="button" class="btn-close" data-bs-dismiss="modal" aria-label="Close" />
|
||||
</div>
|
||||
<div class="modal-body">
|
||||
<div class="my-3 form-check">
|
||||
<input id="show-clickable-link" v-model="monitor.isClickAble" class="form-check-input" type="checkbox" @click="toggleLink(monitor.group_index, monitor.monitor_index)" />
|
||||
<label class="form-check-label" for="show-clickable-link">
|
||||
{{ $t("Show Clickable Link") }}
|
||||
</label>
|
||||
<div class="form-text">
|
||||
{{ $t("Show Clickable Link Description") }}
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<button
|
||||
class="btn btn-primary btn-add-group me-2"
|
||||
@click="$refs.badgeGeneratorDialog.show(monitor.id, monitor.name)"
|
||||
>
|
||||
<font-awesome-icon icon="certificate" />
|
||||
{{ $t("Open Badge Generator") }}
|
||||
</button>
|
||||
</div>
|
||||
|
||||
<div class="modal-footer">
|
||||
<button type="submit" class="btn btn-danger" data-bs-dismiss="modal">
|
||||
{{ $t("Close") }}
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
<BadgeGeneratorDialog ref="badgeGeneratorDialog" />
|
||||
</template>
|
||||
|
||||
<script lang="ts">
|
||||
import { Modal } from "bootstrap";
|
||||
import BadgeGeneratorDialog from "./BadgeGeneratorDialog.vue";
|
||||
|
||||
export default {
|
||||
components: {
|
||||
BadgeGeneratorDialog
|
||||
},
|
||||
props: {},
|
||||
emits: [],
|
||||
data() {
|
||||
return {
|
||||
monitor: {
|
||||
id: null,
|
||||
name: null,
|
||||
},
|
||||
};
|
||||
},
|
||||
|
||||
computed: {},
|
||||
|
||||
mounted() {
|
||||
this.MonitorSettingDialog = new Modal(this.$refs.MonitorSettingDialog);
|
||||
},
|
||||
|
||||
methods: {
|
||||
/**
|
||||
* Setting monitor
|
||||
* @param {Object} group Data of monitor
|
||||
* @param {Object} monitor Data of monitor
|
||||
*/
|
||||
show(group, monitor) {
|
||||
this.monitor = {
|
||||
id: monitor.element.id,
|
||||
name: monitor.element.name,
|
||||
monitor_index: monitor.index,
|
||||
group_index: group.index,
|
||||
isClickAble: this.showLink(monitor),
|
||||
};
|
||||
|
||||
this.MonitorSettingDialog.show();
|
||||
},
|
||||
|
||||
/**
|
||||
* Toggle the value of sendUrl
|
||||
* @param {number} groupIndex Index of group monitor is member of
|
||||
* @param {number} index Index of monitor within group
|
||||
*/
|
||||
toggleLink(groupIndex, index) {
|
||||
this.$root.publicGroupList[groupIndex].monitorList[index].sendUrl = !this.$root.publicGroupList[groupIndex].monitorList[index].sendUrl;
|
||||
},
|
||||
|
||||
/**
|
||||
* Should a link to the monitor be shown?
|
||||
* Attempts to guess if a link should be shown based upon if
|
||||
* sendUrl is set and if the URL is default or not.
|
||||
* @param {Object} monitor Monitor to check
|
||||
* @param {boolean} [ignoreSendUrl=false] Should the presence of the sendUrl
|
||||
* property be ignored. This will only work in edit mode.
|
||||
* @returns {boolean}
|
||||
*/
|
||||
showLink(monitor, ignoreSendUrl = false) {
|
||||
// We must check if there are any elements in monitorList to
|
||||
// prevent undefined errors if it hasn't been loaded yet
|
||||
if (this.$parent.editMode && ignoreSendUrl && Object.keys(this.$root.monitorList).length) {
|
||||
return this.$root.monitorList[monitor.element.id].type === "http" || this.$root.monitorList[monitor.element.id].type === "keyword";
|
||||
}
|
||||
return monitor.element.sendUrl && monitor.element.url && monitor.element.url !== "https://" && !this.editMode;
|
||||
},
|
||||
},
|
||||
};
|
||||
</script>
|
||||
|
||||
<style lang="scss" scoped>
|
||||
@import "../assets/vars.scss";
|
||||
|
||||
.dark {
|
||||
.modal-dialog .form-text, .modal-dialog p {
|
||||
color: $dark-font-color;
|
||||
}
|
||||
}
|
||||
</style>
|
@@ -131,6 +131,7 @@ export default {
|
||||
"OneBot": "OneBot",
|
||||
"Opsgenie": "Opsgenie",
|
||||
"PagerDuty": "PagerDuty",
|
||||
"PagerTree": "PagerTree",
|
||||
"pushbullet": "Pushbullet",
|
||||
"PushByTechulus": "Push by Techulus",
|
||||
"pushover": "Pushover",
|
||||
|
@@ -11,16 +11,16 @@
|
||||
</ul>
|
||||
</div>
|
||||
<div class="chart-wrapper" :class="{ loading : loading}">
|
||||
<LineChart :chart-data="chartData" :options="chartOptions" />
|
||||
<Line :data="chartData" :options="chartOptions" />
|
||||
</div>
|
||||
</div>
|
||||
</template>
|
||||
|
||||
<script lang="js">
|
||||
import { BarController, BarElement, Chart, Filler, LinearScale, LineController, LineElement, PointElement, TimeScale, Tooltip } from "chart.js";
|
||||
import "chartjs-adapter-dayjs";
|
||||
import "chartjs-adapter-dayjs-4";
|
||||
import dayjs from "dayjs";
|
||||
import { LineChart } from "vue-chart-3";
|
||||
import { Line } from "vue-chartjs";
|
||||
import { useToast } from "vue-toastification";
|
||||
import { DOWN, PENDING, MAINTENANCE, log } from "../util.ts";
|
||||
|
||||
@@ -29,7 +29,7 @@ const toast = useToast();
|
||||
Chart.register(LineController, BarController, LineElement, PointElement, TimeScale, BarElement, LinearScale, Tooltip, Filler);
|
||||
|
||||
export default {
|
||||
components: { LineChart },
|
||||
components: { Line },
|
||||
props: {
|
||||
/** ID of monitor */
|
||||
monitorId: {
|
||||
@@ -104,8 +104,10 @@ export default {
|
||||
}
|
||||
},
|
||||
ticks: {
|
||||
sampleSize: 3,
|
||||
maxRotation: 0,
|
||||
autoSkipPadding: 30,
|
||||
padding: 3,
|
||||
},
|
||||
grid: {
|
||||
color: this.$root.theme === "light" ? "rgba(0,0,0,0.1)" : "rgba(255,255,255,0.1)",
|
||||
@@ -197,6 +199,7 @@ export default {
|
||||
borderColor: "#5CDD8B",
|
||||
backgroundColor: "#5CDD8B38",
|
||||
yAxisID: "y",
|
||||
label: "ping",
|
||||
},
|
||||
{
|
||||
// Bar Chart
|
||||
@@ -208,6 +211,8 @@ export default {
|
||||
barThickness: "flex",
|
||||
barPercentage: 1,
|
||||
categoryPercentage: 1,
|
||||
inflateAmount: 0.05,
|
||||
label: "status",
|
||||
},
|
||||
],
|
||||
};
|
||||
|
@@ -1,102 +0,0 @@
|
||||
<template>
|
||||
<div v-if="! (!plugin.installed && plugin.local)" class="plugin-item pt-4 pb-2">
|
||||
<div class="info">
|
||||
<h5>{{ plugin.fullName }}</h5>
|
||||
<p class="description">
|
||||
{{ plugin.description }}
|
||||
</p>
|
||||
<span class="version">{{ $t("Version") }}: {{ plugin.version }} <a v-if="plugin.repo" :href="plugin.repo" target="_blank">Repo</a></span>
|
||||
</div>
|
||||
<div class="buttons">
|
||||
<button v-if="status === 'installing'" class="btn btn-primary" disabled>{{ $t("installing") }}</button>
|
||||
<button v-else-if="status === 'uninstalling'" class="btn btn-danger" disabled>{{ $t("uninstalling") }}</button>
|
||||
<button v-else-if="plugin.installed || status === 'installed'" class="btn btn-danger" @click="deleteConfirm">{{ $t("uninstall") }}</button>
|
||||
<button v-else class="btn btn-primary" @click="install">{{ $t("install") }}</button>
|
||||
</div>
|
||||
|
||||
<Confirm ref="confirmDelete" btn-style="btn-danger" :yes-text="$t('Yes')" :no-text="$t('No')" @yes="uninstall">
|
||||
{{ $t("confirmUninstallPlugin") }}
|
||||
</Confirm>
|
||||
</div>
|
||||
</template>
|
||||
|
||||
<script>
|
||||
import Confirm from "./Confirm.vue";
|
||||
|
||||
export default {
|
||||
components: {
|
||||
Confirm,
|
||||
},
|
||||
props: {
|
||||
plugin: {
|
||||
type: Object,
|
||||
required: true,
|
||||
},
|
||||
},
|
||||
data() {
|
||||
return {
|
||||
status: "",
|
||||
};
|
||||
},
|
||||
methods: {
|
||||
/**
|
||||
* Show confirmation for deleting a tag
|
||||
*/
|
||||
deleteConfirm() {
|
||||
this.$refs.confirmDelete.show();
|
||||
},
|
||||
|
||||
install() {
|
||||
this.status = "installing";
|
||||
|
||||
this.$root.getSocket().emit("installPlugin", this.plugin.repo, this.plugin.name, (res) => {
|
||||
if (res.ok) {
|
||||
this.status = "";
|
||||
// eslint-disable-next-line vue/no-mutating-props
|
||||
this.plugin.installed = true;
|
||||
} else {
|
||||
this.$root.toastRes(res);
|
||||
}
|
||||
});
|
||||
},
|
||||
|
||||
uninstall() {
|
||||
this.status = "uninstalling";
|
||||
|
||||
this.$root.getSocket().emit("uninstallPlugin", this.plugin.name, (res) => {
|
||||
if (res.ok) {
|
||||
this.status = "";
|
||||
// eslint-disable-next-line vue/no-mutating-props
|
||||
this.plugin.installed = false;
|
||||
} else {
|
||||
this.$root.toastRes(res);
|
||||
}
|
||||
});
|
||||
}
|
||||
}
|
||||
};
|
||||
</script>
|
||||
|
||||
<style lang="scss" scoped>
|
||||
@import "../assets/vars.scss";
|
||||
|
||||
.plugin-item {
|
||||
display: flex;
|
||||
justify-content: space-between;
|
||||
align-content: center;
|
||||
align-items: center;
|
||||
|
||||
.info {
|
||||
margin-right: 10px;
|
||||
}
|
||||
|
||||
.description {
|
||||
font-size: 13px;
|
||||
margin-bottom: 0;
|
||||
}
|
||||
|
||||
.version {
|
||||
font-size: 13px;
|
||||
}
|
||||
}
|
||||
</style>
|
@@ -49,16 +49,15 @@
|
||||
{{ monitor.element.name }}
|
||||
</a>
|
||||
<p v-else class="item-name"> {{ monitor.element.name }} </p>
|
||||
|
||||
<span
|
||||
v-if="showLink(monitor, true)"
|
||||
title="Toggle Clickable Link"
|
||||
title="Setting"
|
||||
>
|
||||
<font-awesome-icon
|
||||
v-if="editMode"
|
||||
:class="{'link-active': monitor.element.sendUrl, 'btn-link': true}"
|
||||
icon="link" class="action me-3"
|
||||
|
||||
@click="toggleLink(group.index, monitor.index)"
|
||||
:class="{'link-active': true, 'btn-link': true}"
|
||||
icon="cog" class="action me-3"
|
||||
@click="$refs.monitorSettingDialog.show(group, monitor)"
|
||||
/>
|
||||
</span>
|
||||
</div>
|
||||
@@ -77,9 +76,11 @@
|
||||
</div>
|
||||
</template>
|
||||
</Draggable>
|
||||
<MonitorSettingDialog ref="monitorSettingDialog" />
|
||||
</template>
|
||||
|
||||
<script>
|
||||
import MonitorSettingDialog from "./MonitorSettingDialog.vue";
|
||||
import Draggable from "vuedraggable";
|
||||
import HeartbeatBar from "./HeartbeatBar.vue";
|
||||
import Uptime from "./Uptime.vue";
|
||||
@@ -87,6 +88,7 @@ import Tag from "./Tag.vue";
|
||||
|
||||
export default {
|
||||
components: {
|
||||
MonitorSettingDialog,
|
||||
Draggable,
|
||||
HeartbeatBar,
|
||||
Uptime,
|
||||
@@ -135,15 +137,6 @@ export default {
|
||||
this.$root.publicGroupList[groupIndex].monitorList.splice(index, 1);
|
||||
},
|
||||
|
||||
/**
|
||||
* Toggle the value of sendUrl
|
||||
* @param {number} groupIndex Index of group monitor is member of
|
||||
* @param {number} index Index of monitor within group
|
||||
*/
|
||||
toggleLink(groupIndex, index) {
|
||||
this.$root.publicGroupList[groupIndex].monitorList[index].sendUrl = !this.$root.publicGroupList[groupIndex].monitorList[index].sendUrl;
|
||||
},
|
||||
|
||||
/**
|
||||
* Should a link to the monitor be shown?
|
||||
* Attempts to guess if a link should be shown based upon if
|
||||
|
@@ -6,7 +6,7 @@
|
||||
'm-2': size == 'normal',
|
||||
'px-2': size == 'sm',
|
||||
'py-0': size == 'sm',
|
||||
'm-1': size == 'sm',
|
||||
'mx-1': size == 'sm',
|
||||
}"
|
||||
:style="{ backgroundColor: item.color, fontSize: size == 'sm' ? '0.7em' : '1em' }"
|
||||
>
|
||||
|
@@ -76,11 +76,24 @@
|
||||
</button>
|
||||
</router-link>
|
||||
</div>
|
||||
<div v-if="allMonitorList.length > 0" class="pt-3 px-3">
|
||||
<div v-if="allMonitorList.length > 0" class="pt-3">
|
||||
<label class="form-label">{{ $t("Add a monitor") }}:</label>
|
||||
<select v-model="selectedAddMonitor" class="form-control">
|
||||
<option v-for="monitor in allMonitorList" :key="monitor.id" :value="monitor">{{ monitor.name }}</option>
|
||||
</select>
|
||||
<VueMultiselect
|
||||
v-model="selectedAddMonitor"
|
||||
:options="allMonitorList"
|
||||
:multiple="false"
|
||||
:searchable="true"
|
||||
:placeholder="$t('Add a monitor')"
|
||||
label="name"
|
||||
trackBy="name"
|
||||
class="mt-1"
|
||||
>
|
||||
<template #option="{ option }">
|
||||
<div class="d-inline-flex">
|
||||
<span>{{ option.name }} <Tag v-for="monitorTag in option.tags" :key="monitorTag" :item="monitorTag" :size="'sm'" /></span>
|
||||
</div>
|
||||
</template>
|
||||
</VueMultiselect>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
@@ -107,6 +120,7 @@
|
||||
<script>
|
||||
import { Modal } from "bootstrap";
|
||||
import Confirm from "./Confirm.vue";
|
||||
import Tag from "./Tag.vue";
|
||||
import VueMultiselect from "vue-multiselect";
|
||||
import { colorOptions } from "../util-frontend";
|
||||
import { useToast } from "vue-toastification";
|
||||
@@ -117,6 +131,7 @@ export default {
|
||||
components: {
|
||||
VueMultiselect,
|
||||
Confirm,
|
||||
Tag,
|
||||
},
|
||||
props: {
|
||||
updated: {
|
||||
|
@@ -16,17 +16,29 @@
|
||||
<input id="ntfy-priority" v-model="$parent.notification.ntfyPriority" type="number" class="form-control" required min="1" max="5" step="1">
|
||||
</div>
|
||||
<div class="mb-3">
|
||||
<label for="ntfy-username" class="form-label">{{ $t("Username") }} ({{ $t("Optional") }})</label>
|
||||
<label for="authentication-method" class="form-label">{{ $t("ntfyAuthenticationMethod") }}</label>
|
||||
<select id="authentication-method" v-model="$parent.notification.ntfyAuthenticationMethod" class="form-select">
|
||||
<option v-for="(name, type) in authenticationMethods" :key="type" :value="type">{{ name }}</option>
|
||||
</select>
|
||||
</div>
|
||||
<div v-if="$parent.notification.ntfyAuthenticationMethod === 'usernamePassword'" class="mb-3">
|
||||
<label for="ntfy-username" class="form-label">{{ $t("Username") }}</label>
|
||||
<div class="input-group mb-3">
|
||||
<input id="ntfy-username" v-model="$parent.notification.ntfyusername" type="text" class="form-control">
|
||||
</div>
|
||||
</div>
|
||||
<div class="mb-3">
|
||||
<label for="ntfy-password" class="form-label">{{ $t("Password") }} ({{ $t("Optional") }})</label>
|
||||
<div v-if="$parent.notification.ntfyAuthenticationMethod === 'usernamePassword'" class="mb-3">
|
||||
<label for="ntfy-password" class="form-label">{{ $t("Password") }}</label>
|
||||
<div class="input-group mb-3">
|
||||
<HiddenInput id="ntfy-password" v-model="$parent.notification.ntfypassword" autocomplete="new-password"></HiddenInput>
|
||||
</div>
|
||||
</div>
|
||||
<div v-if="$parent.notification.ntfyAuthenticationMethod === 'accessToken'" class="mb-3">
|
||||
<label for="ntfy-access-token" class="form-label">{{ $t("Access Token") }}</label>
|
||||
<div class="input-group mb-3">
|
||||
<HiddenInput id="ntfy-access-token" v-model="$parent.notification.ntfyaccesstoken"></HiddenInput>
|
||||
</div>
|
||||
</div>
|
||||
<div class="mb-3">
|
||||
<label for="ntfy-icon" class="form-label">{{ $t("IconUrl") }}</label>
|
||||
<input id="ntfy-icon" v-model="$parent.notification.ntfyIcon" type="text" class="form-control">
|
||||
@@ -40,11 +52,29 @@ export default {
|
||||
components: {
|
||||
HiddenInput,
|
||||
},
|
||||
computed: {
|
||||
authenticationMethods() {
|
||||
return {
|
||||
none: this.$t("None"),
|
||||
usernamePassword: this.$t("ntfyUsernameAndPassword"),
|
||||
accessToken: this.$t("Access Token")
|
||||
};
|
||||
}
|
||||
},
|
||||
mounted() {
|
||||
if (typeof this.$parent.notification.ntfyPriority === "undefined") {
|
||||
this.$parent.notification.ntfyserverurl = "https://ntfy.sh";
|
||||
this.$parent.notification.ntfyPriority = 5;
|
||||
}
|
||||
|
||||
// Handling notifications that added before 1.22.0
|
||||
if (typeof this.$parent.notification.ntfyAuthenticationMethod === "undefined") {
|
||||
if (!this.$parent.notification.ntfyusername) {
|
||||
this.$parent.notification.ntfyAuthenticationMethod = "none";
|
||||
} else {
|
||||
this.$parent.notification.ntfyAuthenticationMethod = "usernamePassword";
|
||||
}
|
||||
}
|
||||
},
|
||||
};
|
||||
</script>
|
||||
|
@@ -42,6 +42,8 @@
|
||||
<option value="vibrate">{{ $t("pushoversounds vibrate") }}</option>
|
||||
<option value="none">{{ $t("pushoversounds none") }}</option>
|
||||
</select>
|
||||
<label for="pushover-ttl" class="form-label">{{ $t("pushoverMessageTtl") }}</label>
|
||||
<input id="pushover-ttl" v-model="$parent.notification.pushoverttl" type="number" min="0" step="1" class="form-control">
|
||||
<div class="form-text">
|
||||
<span style="color: red;"><sup>*</sup></span>{{ $t("Required") }}
|
||||
<i18n-t tag="p" keypath="More info on:" style="margin-top: 8px;">
|
||||
|
@@ -190,6 +190,30 @@
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Chrome Executable -->
|
||||
<div class="mb-4">
|
||||
<label class="form-label" for="primaryBaseURL">
|
||||
{{ $t("chromeExecutable") }}
|
||||
</label>
|
||||
|
||||
<div class="input-group mb-3">
|
||||
<input
|
||||
id="primaryBaseURL"
|
||||
v-model="settings.chromeExecutable"
|
||||
class="form-control"
|
||||
name="primaryBaseURL"
|
||||
:placeholder="$t('chromeExecutableAutoDetect')"
|
||||
/>
|
||||
<button class="btn btn-outline-primary" type="button" @click="testChrome">
|
||||
{{ $t("Test") }}
|
||||
</button>
|
||||
</div>
|
||||
|
||||
<div class="form-text">
|
||||
{{ $t("chromeExecutableDescription") }}
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Save Button -->
|
||||
<div>
|
||||
<button class="btn btn-primary" type="submit">
|
||||
@@ -241,6 +265,12 @@ export default {
|
||||
autoGetPrimaryBaseURL() {
|
||||
this.settings.primaryBaseURL = location.protocol + "//" + location.host;
|
||||
},
|
||||
|
||||
testChrome() {
|
||||
this.$root.getSocket().emit("testChrome", this.settings.chromeExecutable, (res) => {
|
||||
this.$root.toastRes(res);
|
||||
});
|
||||
},
|
||||
},
|
||||
};
|
||||
</script>
|
||||
|
@@ -1,57 +0,0 @@
|
||||
<template>
|
||||
<div>
|
||||
<div class="mt-3">{{ remotePluginListMsg }}</div>
|
||||
<PluginItem v-for="plugin in remotePluginList" :key="plugin.id" :plugin="plugin" />
|
||||
</div>
|
||||
</template>
|
||||
|
||||
<script>
|
||||
import PluginItem from "../PluginItem.vue";
|
||||
|
||||
export default {
|
||||
components: {
|
||||
PluginItem
|
||||
},
|
||||
|
||||
data() {
|
||||
return {
|
||||
remotePluginList: [],
|
||||
remotePluginListMsg: "",
|
||||
};
|
||||
},
|
||||
|
||||
computed: {
|
||||
pluginList() {
|
||||
return this.$parent.$parent.$parent.pluginList;
|
||||
},
|
||||
settings() {
|
||||
return this.$parent.$parent.$parent.settings;
|
||||
},
|
||||
saveSettings() {
|
||||
return this.$parent.$parent.$parent.saveSettings;
|
||||
},
|
||||
settingsLoaded() {
|
||||
return this.$parent.$parent.$parent.settingsLoaded;
|
||||
},
|
||||
},
|
||||
|
||||
async mounted() {
|
||||
this.loadList();
|
||||
},
|
||||
|
||||
methods: {
|
||||
loadList() {
|
||||
this.remotePluginListMsg = this.$t("Loading") + "...";
|
||||
|
||||
this.$root.getSocket().emit("getPluginList", (res) => {
|
||||
if (res.ok) {
|
||||
this.remotePluginList = res.pluginList;
|
||||
this.remotePluginListMsg = "";
|
||||
} else {
|
||||
this.remotePluginListMsg = this.$t("loadingError") + " " + res.msg;
|
||||
}
|
||||
});
|
||||
}
|
||||
},
|
||||
};
|
||||
</script>
|
@@ -1,21 +1,18 @@
|
||||
<template>
|
||||
<div class="my-4">
|
||||
<div class="mx-4 pt-1 my-3">
|
||||
<div class="mx-0 mx-lg-4 pt-1 mb-4">
|
||||
<button class="btn btn-primary" @click.stop="addTag"><font-awesome-icon icon="plus" /> {{ $t("Add New Tag") }}</button>
|
||||
</div>
|
||||
|
||||
<div class="tags-list my-3">
|
||||
<div v-for="(tag, index) in tagsList" :key="tag.id" class="d-flex align-items-center mx-4 py-1 tags-list-row" :disabled="processing" @click="editTag(index)">
|
||||
<div class="col-5 ps-1">
|
||||
<div v-for="(tag, index) in tagsList" :key="tag.id" class="d-flex align-items-center mx-0 mx-lg-4 py-1 tags-list-row" :disabled="processing" @click="editTag(index)">
|
||||
<div class="col-10 col-sm-5">
|
||||
<Tag :item="tag" />
|
||||
</div>
|
||||
<div class="col-5 px-1">
|
||||
<div class="col-5 px-1 d-none d-sm-block">
|
||||
<div>{{ monitorsByTag(tag.id).length }} {{ $tc("Monitor", monitorsByTag(tag.id).length) }}</div>
|
||||
</div>
|
||||
<div class="col-2 pe-3 d-flex justify-content-end">
|
||||
<button type="button" class="btn ms-2 py-1">
|
||||
<font-awesome-icon class="" icon="edit" />
|
||||
</button>
|
||||
<div class="col-2 pe-2 pe-lg-3 d-flex justify-content-end">
|
||||
<button type="button" class="btn-rm-tag btn btn-outline-danger ms-2 py-1" :disabled="processing" @click.stop="deleteConfirm(index)">
|
||||
<font-awesome-icon class="" icon="trash" />
|
||||
</button>
|
||||
@@ -156,8 +153,8 @@ export default {
|
||||
@import "../../assets/vars.scss";
|
||||
|
||||
.btn-rm-tag {
|
||||
padding-left: 11px;
|
||||
padding-right: 11px;
|
||||
padding-left: 9px;
|
||||
padding-right: 9px;
|
||||
}
|
||||
|
||||
.tags-list .tags-list-row {
|
||||
|
@@ -49,6 +49,7 @@ import {
|
||||
faFilter,
|
||||
faInfoCircle,
|
||||
faClone,
|
||||
faCertificate,
|
||||
} from "@fortawesome/free-solid-svg-icons";
|
||||
|
||||
library.add(
|
||||
@@ -95,6 +96,7 @@ library.add(
|
||||
faFilter,
|
||||
faInfoCircle,
|
||||
faClone,
|
||||
faCertificate,
|
||||
);
|
||||
|
||||
export { FontAwesomeIcon };
|
||||
|
@@ -683,6 +683,6 @@
|
||||
"backupDescription2": "ملحوظة",
|
||||
"languageName": "العربية",
|
||||
"Game": "الألعاب",
|
||||
"List": "قائمة",
|
||||
"List": "القائمة",
|
||||
"statusMaintenance": "الصيانة"
|
||||
}
|
||||
|
@@ -178,7 +178,7 @@
|
||||
"Degraded Service": "Всички услуги са недостъпни",
|
||||
"Add Group": "Добави група",
|
||||
"Add a monitor": "Добави монитор",
|
||||
"Edit Status Page": "Редактиране Статус страница",
|
||||
"Edit Status Page": "Редактиране на статус страницата",
|
||||
"Go to Dashboard": "Към Таблото",
|
||||
"telegram": "Telegram",
|
||||
"webhook": "Уеб кука",
|
||||
@@ -200,7 +200,7 @@
|
||||
"mattermost": "Mattermost",
|
||||
"Status Page": "Статус страница",
|
||||
"Status Pages": "Статус страници",
|
||||
"Primary Base URL": "Основен базов URL адрес",
|
||||
"Primary Base URL": "Базов URL адрес",
|
||||
"Push URL": "Генериран Push URL адрес",
|
||||
"needPushEvery": "Необходимо е да извършвате заявка към този URL адрес на всеки {0} секунди.",
|
||||
"pushOptionalParams": "Допълнителни, но не задължителни параметри: {0}",
|
||||
@@ -591,7 +591,7 @@
|
||||
"All Status Pages": "Всички статус страници",
|
||||
"Select status pages...": "Изберете статус страници…",
|
||||
"recurringIntervalMessage": "Изпълнявай ежедневно | Изпълнявай всеки {0} дни",
|
||||
"affectedMonitorsDescription": "Изберете монитори, засегнати от текущата поддръжка",
|
||||
"affectedMonitorsDescription": "Изберете монитори, попадащи в обсега на текущата поддръжка",
|
||||
"affectedStatusPages": "Покажи това съобщение за поддръжка на избрани статус страници",
|
||||
"atLeastOneMonitor": "Изберете поне един засегнат монитор",
|
||||
"deleteMaintenanceMsg": "Сигурни ли сте, че желаете да изтриете тази поддръжка?",
|
||||
@@ -652,7 +652,7 @@
|
||||
"dnsCacheDescription": "Възможно е да не работи в IPv6 среда - деактивирайте, ако срещнете проблеми.",
|
||||
"Single Maintenance Window": "Единичен времеви интервал за поддръжка",
|
||||
"Maintenance Time Window of a Day": "Времеви интервал от деня за поддръжка",
|
||||
"Effective Date Range": "Интервал от дни на влизане в сила",
|
||||
"Effective Date Range": "Ефективен интервал от дни (по желание)",
|
||||
"Schedule Maintenance": "Планирай поддръжка",
|
||||
"Date and Time": "Дата и час",
|
||||
"DateTime Range": "Изтрий времеви интервал",
|
||||
@@ -707,7 +707,7 @@
|
||||
"telegramSendSilently": "Изпрати тихо",
|
||||
"Clone Monitor": "Клониране на монитор",
|
||||
"Clone": "Клонирай",
|
||||
"cloneOf": "Клонинг на {0}",
|
||||
"cloneOf": "Клониран {0}",
|
||||
"Expiry": "Валиден до",
|
||||
"Expiry date": "Дата на изтичане",
|
||||
"Add Another": "Добави друг",
|
||||
@@ -738,5 +738,51 @@
|
||||
"Add New Tag": "Добави нов етикет",
|
||||
"lunaseaTarget": "Цел",
|
||||
"lunaseaDeviceID": "ID на устройството",
|
||||
"lunaseaUserID": "ID на потребител"
|
||||
"lunaseaUserID": "ID на потребител",
|
||||
"twilioAccountSID": "Профил SID",
|
||||
"twilioAuthToken": "Удостоверяващ токен",
|
||||
"twilioFromNumber": "От номер",
|
||||
"twilioToNumber": "Към номер",
|
||||
"sameAsServerTimezone": "Kато часовата зона на сървъра",
|
||||
"startDateTime": "Старт Дата/Час",
|
||||
"endDateTime": "Край Дата/Час",
|
||||
"cronSchedule": "График: ",
|
||||
"invalidCronExpression": "Невалиден \"Cron\" израз: {0}",
|
||||
"cronExpression": "Израз тип \"Cron\"",
|
||||
"statusPageRefreshIn": "Обновяване след: {0}",
|
||||
"ntfyUsernameAndPassword": "Потребителско име и парола",
|
||||
"ntfyAuthenticationMethod": "Метод за удостоверяване",
|
||||
"pushoverMessageTtl": "TTL на съобщението (секунди)",
|
||||
"Open Badge Generator": "Отвори генератора на баджове",
|
||||
"Badge Generator": "Генератор на баджове на {0}",
|
||||
"Badge Type": "Тип бадж",
|
||||
"Badge Duration": "Продължителност на баджа",
|
||||
"Badge Prefix": "Префикс на баджа",
|
||||
"Badge Label Color": "Цвят на етикета на баджа",
|
||||
"Badge Color": "Цвят на баджа",
|
||||
"Badge Label Suffix": "Суфикс на етикета на значката",
|
||||
"Badge Up Color": "Цвят на баджа за достъпен",
|
||||
"Badge Down Color": "Цвят на баджа за недостъпен",
|
||||
"Badge Maintenance Color": "Цвят на баджа за поддръжка",
|
||||
"Badge Warn Color": "Цвят на баджа за предупреждение",
|
||||
"Badge Warn Days": "Дни за показване на баджа",
|
||||
"Badge Style": "Стил на баджа",
|
||||
"Badge value (For Testing only.)": "Стойност на баджа (само за тест.)",
|
||||
"Badge URL": "URL адрес на баджа",
|
||||
"Monitor Setting": "Настройка на монитор {0}",
|
||||
"Show Clickable Link": "Покажи връзка, която може да се кликне",
|
||||
"Show Clickable Link Description": "Ако е отбелязано, всеки който има достъп до тази статус страница, ще може да достъпва URL адреса на монитора.",
|
||||
"Badge Label": "Етикет на баджа",
|
||||
"Badge Suffix": "Суфикс на баджа",
|
||||
"Badge Label Prefix": "Префикс на етикета на значката",
|
||||
"Badge Pending Color": "Цвят на баджа за изчакващ",
|
||||
"Badge Down Days": "Колко дни баджът да не се показва",
|
||||
"Group": "Група",
|
||||
"Monitor Group": "Монитор група",
|
||||
"Cannot connect to the socket server": "Не може да се свърже със сокет сървъра",
|
||||
"Reconnecting...": "Повторно свързване...",
|
||||
"Edit Maintenance": "Редактиране на поддръжка",
|
||||
"Home": "Главна страница",
|
||||
"noGroupMonitorMsg": "Не е налично. Първо създайте групов монитор.",
|
||||
"Close": "Затвори"
|
||||
}
|
||||
|
28
src/lang/ca.json
Normal file
28
src/lang/ca.json
Normal file
@@ -0,0 +1,28 @@
|
||||
{
|
||||
"Settings": "Paràmetres",
|
||||
"Dashboard": "Tauler",
|
||||
"Help": "Ajuda",
|
||||
"New Update": "Nova actualització",
|
||||
"Language": "Idioma",
|
||||
"Appearance": "Aparença",
|
||||
"Theme": "Tema",
|
||||
"General": "General",
|
||||
"Game": "Joc",
|
||||
"Version": "Versió",
|
||||
"Check Update On GitHub": "Comprovar actualitzacions a GitHub",
|
||||
"List": "Llista",
|
||||
"Home": "Inici",
|
||||
"Add": "Afegir",
|
||||
"Add New Monitor": "Afegir nou monitor",
|
||||
"Quick Stats": "Estadístiques ràpides",
|
||||
"Up": "Funcional",
|
||||
"Down": "Caigut",
|
||||
"Pending": "Pendent",
|
||||
"Maintenance": "Manteniment",
|
||||
"Unknown": "Desconegut",
|
||||
"Cannot connect to the socket server": "No es pot connectar al servidor socket",
|
||||
"Reconnecting...": "S'està tornant a connectar...",
|
||||
"languageName": "Català",
|
||||
"Primary Base URL": "URL Base Primària",
|
||||
"statusMaintenance": "Manteniment"
|
||||
}
|
46
src/lang/ckb.json
Normal file
46
src/lang/ckb.json
Normal file
@@ -0,0 +1,46 @@
|
||||
{
|
||||
"languageName": "کوردی",
|
||||
"Settings": "ڕێکخستنەکان",
|
||||
"Help": "یارمەتی",
|
||||
"New Update": "وەشانی نوێ",
|
||||
"Language": "زمان",
|
||||
"Appearance": "ڕووکار",
|
||||
"Theme": "شێوەی ڕووکار",
|
||||
"General": "گشتی",
|
||||
"Game": "یاری",
|
||||
"Version": "وەشان",
|
||||
"Check Update On GitHub": "سەیری وەشانی نوێ بکە لە Github",
|
||||
"List": "لیست",
|
||||
"Add": "زیادکردن",
|
||||
"Quick Stats": "ئاماری خێرا",
|
||||
"Up": "سەروو",
|
||||
"Down": "خواروو",
|
||||
"Pending": "هەڵپەسێردراو",
|
||||
"statusMaintenance": "چاکردنەوە",
|
||||
"Maintenance": "چاکردنەوە",
|
||||
"Unknown": "نەزانراو",
|
||||
"Passive Monitor Type": "جۆری مۆنیتەری پاسیڤ",
|
||||
"Specific Monitor Type": "جۆری مۆنیتەری تایبەت",
|
||||
"markdownSupported": "ڕستەسازی مارکداون پشتگیری دەکرێت",
|
||||
"pauseDashboardHome": "وچان",
|
||||
"Pause": "وچان",
|
||||
"Name": "ناو",
|
||||
"Status": "دۆخ",
|
||||
"Message": "پەیام",
|
||||
"No important events": "هیچ ڕووداوێکی گرنگ نییە",
|
||||
"Resume": "دەستپێکردنەوە",
|
||||
"Edit": "بژارکردن",
|
||||
"Delete": "سڕینەوە",
|
||||
"Uptime": "کاتی کارکردن",
|
||||
"Cert Exp.": "بەسەرچوونی بڕوانامەی SSL.",
|
||||
"day": "ڕۆژ | ڕۆژەکان",
|
||||
"-day": "-ڕۆژ",
|
||||
"hour": "کاتژمێر",
|
||||
"Dashboard": "داشبۆرد",
|
||||
"Primary Base URL": "بەستەری بنچینەیی سەرەکی",
|
||||
"Add New Monitor": "مۆنیتەرێکی نوێ زیاد بکە",
|
||||
"General Monitor Type": "جۆری مۆنیتەری گشتی",
|
||||
"DateTime": "رێکەوت",
|
||||
"Current": "هەنووکە",
|
||||
"Monitor": "مۆنیتەر | مۆنیتەرەکان"
|
||||
}
|
@@ -1,5 +1,5 @@
|
||||
{
|
||||
"languageName": "Czech",
|
||||
"languageName": "Čeština",
|
||||
"checkEverySecond": "Kontrolovat každých {0} sekund",
|
||||
"retryCheckEverySecond": "Opakovat každých {0} sekund",
|
||||
"resendEveryXTimes": "Znovu zaslat {0}krát",
|
||||
@@ -134,7 +134,7 @@
|
||||
"Remember me": "Zapamatovat si mě",
|
||||
"Login": "Přihlášení",
|
||||
"No Monitors, please": "Žádné dohledy, prosím",
|
||||
"add one": "přidat jeden",
|
||||
"add one": "začněte přidáním nového",
|
||||
"Notification Type": "Typ oznámení",
|
||||
"Email": "E-mail",
|
||||
"Test": "Test",
|
||||
@@ -518,7 +518,7 @@
|
||||
"PushDeer Key": "PushDeer klíč",
|
||||
"Footer Text": "Text v patičce",
|
||||
"Show Powered By": "Zobrazit \"Poskytuje\"",
|
||||
"Domain Names": "Názvy domén",
|
||||
"Domain Names": "Doménová jména",
|
||||
"signedInDisp": "Přihlášen jako {0}",
|
||||
"signedInDispDisabled": "Ověření je vypnuté.",
|
||||
"RadiusSecret": "Tajemství Radius",
|
||||
@@ -546,7 +546,7 @@
|
||||
"pushoversounds cashregister": "Pokladna",
|
||||
"pushoversounds classical": "Classical",
|
||||
"pushoversounds cosmic": "Kosmický",
|
||||
"pushoversounds falling": "Falling",
|
||||
"pushoversounds falling": "Padající",
|
||||
"pushoversounds gamelan": "Gamelan",
|
||||
"pushoversounds incoming": "Příchozí",
|
||||
"pushoversounds intermission": "Přestávka",
|
||||
@@ -669,7 +669,7 @@
|
||||
"Free Mobile User Identifier": "Identifikátor uživatele Free Mobile",
|
||||
"Free Mobile API Key": "API klíč Free Mobile",
|
||||
"Enable TLS": "Povolit TLS",
|
||||
"Proto Service Name": "Proto Service Name",
|
||||
"Proto Service Name": "Jméno Proto Service",
|
||||
"Proto Method": "Proto metoda",
|
||||
"Proto Content": "Proto obsah",
|
||||
"Economy": "Úsporná",
|
||||
@@ -705,9 +705,9 @@
|
||||
"telegramProtectContent": "Ochrana přeposílání/ukládání",
|
||||
"telegramSendSilently": "Odeslat potichu",
|
||||
"telegramSendSilentlyDescription": "Zprávu odešle tiše. Uživatelé obdrží oznámení bez zvuku.",
|
||||
"Clone": "Klonovat",
|
||||
"cloneOf": "Klonovat {0}",
|
||||
"Clone Monitor": "Klonovat dohled",
|
||||
"Clone": "Duplikovat",
|
||||
"cloneOf": "Kopie {0}",
|
||||
"Clone Monitor": "Duplikovat dohled",
|
||||
"API Keys": "API klíče",
|
||||
"Expiry": "Platnost",
|
||||
"Don't expire": "Nevyprší",
|
||||
@@ -749,5 +749,40 @@
|
||||
"cronSchedule": "Plán: ",
|
||||
"invalidCronExpression": "Neplatný cron výraz: {0}",
|
||||
"startDateTime": "Počáteční datum/čas",
|
||||
"endDateTime": "Datum/čas konce"
|
||||
"endDateTime": "Datum/čas konce",
|
||||
"ntfyAuthenticationMethod": "Způsob ověření",
|
||||
"ntfyUsernameAndPassword": "Uživatelské jméno a heslo",
|
||||
"pushoverMessageTtl": "Zpráva TTL (Sekund)",
|
||||
"Show Clickable Link": "Zobrazit klikatelný odkaz",
|
||||
"Show Clickable Link Description": "Pokud je zaškrtnuto, všichni, kdo mají přístup k této stavové stránce, mají přístup k adrese URL monitoru.",
|
||||
"Open Badge Generator": "Otevřít generátor odznaků",
|
||||
"Badge Type": "Typ odznaku",
|
||||
"Badge Duration": "Platnost odznaku",
|
||||
"Badge Label": "Štítek odznaku",
|
||||
"Badge Prefix": "Prefix odznaku",
|
||||
"Monitor Setting": "{0}'s Nastavení dohledu",
|
||||
"Badge Generator": "Generátor odznaků pro {0}",
|
||||
"Badge Label Color": "Barva štítku odznaku",
|
||||
"Badge Color": "Barva odznaku",
|
||||
"Badge Style": "Styl odznaku",
|
||||
"Badge Label Suffix": "Přípona štítku odznaku",
|
||||
"Badge URL": "URL odznaku",
|
||||
"Badge Suffix": "Přípona odznaku",
|
||||
"Badge Label Prefix": "Prefix štítku odznaku",
|
||||
"Badge Up Color": "Barva odznaku při Běží",
|
||||
"Badge Down Color": "Barva odznaku při Nedostupné",
|
||||
"Badge Pending Color": "Barva odznaku při Pauze",
|
||||
"Badge Maintenance Color": "Barva odznaku při Údržbě",
|
||||
"Badge Warn Color": "Barva odznaku při Upozornění",
|
||||
"Reconnecting...": "Obnovení spojení...",
|
||||
"Cannot connect to the socket server": "Nelze se připojit k soketovému serveru",
|
||||
"Edit Maintenance": "Upravit Údržbu",
|
||||
"Home": "Hlavní stránka",
|
||||
"Badge Down Days": "Odznak nedostupných dní",
|
||||
"Group": "Skupina",
|
||||
"Monitor Group": "Sledovaná skupina",
|
||||
"noGroupMonitorMsg": "Není k dispozici. Nejprve vytvořte skupin dohledů.",
|
||||
"Close": "Zavřít",
|
||||
"Badge value (For Testing only.)": "Hodnota odznaku (pouze pro testování)",
|
||||
"Badge Warn Days": "Odznak dní s upozorněním"
|
||||
}
|
||||
|
@@ -37,7 +37,7 @@
|
||||
"checkEverySecond": "Tjek hvert {0} sekund",
|
||||
"Response": "Respons",
|
||||
"Ping": "Ping",
|
||||
"Monitor Type": "Overvåger Type",
|
||||
"Monitor Type": "Overvåger type",
|
||||
"Keyword": "Nøgleord",
|
||||
"Friendly Name": "Visningsnavn",
|
||||
"URL": "URL",
|
||||
@@ -144,7 +144,7 @@
|
||||
"retryCheckEverySecond": "Prøv igen hvert {0} sekund.",
|
||||
"importHandleDescription": "Vælg 'Spring over eksisterende', hvis du vil springe over hver overvåger eller underretning med samme navn. 'Overskriv' sletter alle eksisterende overvågere og underretninger.",
|
||||
"confirmImportMsg": "Er du sikker på at importere sikkerhedskopien? Sørg for, at du har valgt den rigtige importindstilling.",
|
||||
"Heartbeat Retry Interval": "Hjerteslag Gentagelsesinterval",
|
||||
"Heartbeat Retry Interval": "Hjerteslag gentagelsesinterval",
|
||||
"Import Backup": "Importer Backup",
|
||||
"Export Backup": "Eksporter Backup",
|
||||
"Skip existing": "Spring over eksisterende",
|
||||
@@ -166,14 +166,14 @@
|
||||
"Purple": "Lilla",
|
||||
"Pink": "Pink",
|
||||
"Search...": "Søg…",
|
||||
"Avg. Ping": "Gns. Ping",
|
||||
"Avg. Response": "Gns. Respons",
|
||||
"Avg. Ping": "Gns. ping",
|
||||
"Avg. Response": "Gns. respons",
|
||||
"Entry Page": "Entry Side",
|
||||
"statusPageNothing": "Intet her, tilføj venligst en Gruppe eller en Overvåger.",
|
||||
"No Services": "Ingen Tjenester",
|
||||
"All Systems Operational": "Alle Systemer i Drift",
|
||||
"Partially Degraded Service": "Delvist Forringet Service",
|
||||
"Degraded Service": "Forringet Service",
|
||||
"Partially Degraded Service": "Delvist forringet service",
|
||||
"Degraded Service": "Forringet service",
|
||||
"Add Group": "Tilføj Gruppe",
|
||||
"Add a monitor": "Tilføj en Overvåger",
|
||||
"Edit Status Page": "Rediger Statusside",
|
||||
@@ -314,7 +314,7 @@
|
||||
"Steam API Key": "Steam API-nøgle",
|
||||
"Shrink Database": "Krymp Database",
|
||||
"Pick a RR-Type...": "Vælg en RR-Type…",
|
||||
"Pick Accepted Status Codes...": "Vælg Accepterede Statuskoder...",
|
||||
"Pick Accepted Status Codes...": "Vælg accepterede statuskoder…",
|
||||
"Default": "Standard",
|
||||
"HTTP Options": "HTTP Valgmuligheder",
|
||||
"Create Incident": "Opret Annoncering",
|
||||
@@ -447,7 +447,7 @@
|
||||
"Docker Hosts": "Docker Hosts",
|
||||
"loadingError": "Kan ikke hente dataene, prøv igen senere.",
|
||||
"Custom": "Brugerdefineret",
|
||||
"Monitor": "Monitor | Monitors",
|
||||
"Monitor": "Overvåger | Overvågere",
|
||||
"Specific Monitor Type": "Specifik monitor-type",
|
||||
"topic": "Emne",
|
||||
"Fingerprint:": "Fingerprint:",
|
||||
@@ -580,5 +580,7 @@
|
||||
"Expiry date": "Udløbsdato",
|
||||
"Expires": "Udløber",
|
||||
"deleteAPIKeyMsg": "Er du sikker på du vil slette denne API nøgle?",
|
||||
"pagertreeDoNothing": "Gør intet"
|
||||
"pagertreeDoNothing": "Gør intet",
|
||||
"Start of maintenance": "Start på vedligeholdelse",
|
||||
"Add New Tag": "Tilføj nyt tag"
|
||||
}
|
||||
|
@@ -10,6 +10,7 @@
|
||||
"Version": "Version",
|
||||
"Check Update On GitHub": "Auf GitHub nach Updates suchen",
|
||||
"List": "Liste",
|
||||
"Home": "Home",
|
||||
"Add": "Hinzufügen",
|
||||
"Add New Monitor": "Neuen Monitor hinzufügen",
|
||||
"Quick Stats": "Übersicht",
|
||||
@@ -17,6 +18,8 @@
|
||||
"Down": "Inaktiv",
|
||||
"Pending": "Ausstehend",
|
||||
"Unknown": "Unbekannt",
|
||||
"Cannot connect to the socket server": "Es kann keine Verbindung zum Socket-Server hergestellt werden",
|
||||
"Reconnecting...": "Die Verbindung wird wiederhergestellt...",
|
||||
"Pause": "Pausieren",
|
||||
"pauseDashboardHome": "Pausiert",
|
||||
"Name": "Name",
|
||||
@@ -259,6 +262,7 @@
|
||||
"More info on:": "Mehr Infos auf: {0}",
|
||||
"pushoverDesc1": "Notfallpriorität (2) hat standardmässig 30 Sekunden Auszeit zwischen den Versuchen und läuft nach 1 Stunde ab.",
|
||||
"pushoverDesc2": "Fülle das Geräte Feld aus, wenn du Benachrichtigungen an verschiedene Geräte senden möchtest.",
|
||||
"pushoverMessageTtl": "Message TTL (Sekunden)",
|
||||
"SMS Type": "SMS Typ",
|
||||
"octopushTypePremium": "Premium (Schnell - zur Benachrichtigung empfohlen)",
|
||||
"octopushTypeLowCost": "Kostengünstig (Langsam - manchmal vom Betreiber gesperrt)",
|
||||
@@ -736,6 +740,8 @@
|
||||
"lunaseaTarget": "Ziel",
|
||||
"lunaseaDeviceID": "Geräte-ID",
|
||||
"lunaseaUserID": "Benutzer-ID",
|
||||
"ntfyAuthenticationMethod": "Authentifizierungsmethode",
|
||||
"ntfyUsernameAndPassword": "Benutzername und Passwort",
|
||||
"twilioAccountSID": "Account SID",
|
||||
"twilioFromNumber": "Absender",
|
||||
"twilioToNumber": "Empfänger",
|
||||
@@ -746,5 +752,34 @@
|
||||
"endDateTime": "Ende Datum/Uhrzeit",
|
||||
"cronExpression": "Cron-Ausdruck",
|
||||
"cronSchedule": "Zeitplan: ",
|
||||
"invalidCronExpression": "Ungültiger Cron-Ausdruck: {0}"
|
||||
"invalidCronExpression": "Ungültiger Cron-Ausdruck: {0}",
|
||||
"Open Badge Generator": "Open Badge Generator",
|
||||
"Badge Generator": "{0}'s Badge Generator",
|
||||
"Badge Type": "Badge Typ",
|
||||
"Badge Duration": "Badge Dauer",
|
||||
"Badge Label": "Badge Label",
|
||||
"Badge Prefix": "Badge Präfix",
|
||||
"Badge Suffix": "Badge Suffix",
|
||||
"Badge Label Color": "Badge Label Farbe",
|
||||
"Badge Color": "Badge Farbe",
|
||||
"Badge Label Prefix": "Badge Label Präfix",
|
||||
"Badge Up Color": "Badge Up Farbe",
|
||||
"Badge Maintenance Color": "Badge Wartung Farbe",
|
||||
"Badge Warn Color": "Badge Warnung Farbe",
|
||||
"Badge Warn Days": "Badge Warnung Tage",
|
||||
"Badge Style": "Badge Stil",
|
||||
"Badge URL": "Badge URL",
|
||||
"Badge Pending Color": "Badge Pending Farbe",
|
||||
"Badge Down Days": "Badge Down Tage",
|
||||
"Monitor Setting": "{0}'s Monitor Einstellung",
|
||||
"Show Clickable Link": "Klickbaren Link anzeigen",
|
||||
"Badge Label Suffix": "Badge Label Suffix",
|
||||
"Badge value (For Testing only.)": "Badge Wert (nur für Tests)",
|
||||
"Show Clickable Link Description": "Wenn diese Option aktiviert ist, kann jeder, der Zugriff auf diese Statusseite hat, auf die Monitor URL zugreifen.",
|
||||
"Badge Down Color": "Badge Down Farbe",
|
||||
"Edit Maintenance": "Wartung bearbeiten",
|
||||
"Group": "Gruppe",
|
||||
"Monitor Group": "Monitor Gruppe",
|
||||
"noGroupMonitorMsg": "Nicht verfügbar. Erstelle zunächst einen Gruppenmonitor.",
|
||||
"Close": "Schliessen"
|
||||
}
|
||||
|
@@ -10,6 +10,7 @@
|
||||
"Version": "Version",
|
||||
"Check Update On GitHub": "Auf GitHub nach Updates suchen",
|
||||
"List": "Liste",
|
||||
"Home": "Home",
|
||||
"Add": "Hinzufügen",
|
||||
"Add New Monitor": "Neuen Monitor hinzufügen",
|
||||
"Quick Stats": "Übersicht",
|
||||
@@ -17,6 +18,8 @@
|
||||
"Down": "Inaktiv",
|
||||
"Pending": "Ausstehend",
|
||||
"Unknown": "Unbekannt",
|
||||
"Cannot connect to the socket server": "Es kann keine Verbindung zum Socket-Server hergestellt werden",
|
||||
"Reconnecting...": "Die Verbindung wird wiederhergestellt...",
|
||||
"Pause": "Pausieren",
|
||||
"pauseDashboardHome": "Pausiert",
|
||||
"Name": "Name",
|
||||
@@ -259,6 +262,7 @@
|
||||
"More info on:": "Mehr Infos auf: {0}",
|
||||
"pushoverDesc1": "Notfallpriorität (2) hat standardmäßig 30 Sekunden Auszeit zwischen den Versuchen und läuft nach 1 Stunde ab.",
|
||||
"pushoverDesc2": "Fülle das Geräte Feld aus, wenn du Benachrichtigungen an verschiedene Geräte senden möchtest.",
|
||||
"pushoverMessageTtl": "Message TTL (Sekunden)",
|
||||
"SMS Type": "SMS Typ",
|
||||
"octopushTypePremium": "Premium (Schnell - zur Benachrichtigung empfohlen)",
|
||||
"octopushTypeLowCost": "Kostengünstig (Langsam - manchmal vom Betreiber gesperrt)",
|
||||
@@ -626,6 +630,7 @@
|
||||
"lastDay4": "4. letzter Tag im Monat",
|
||||
"No Maintenance": "Keine Wartung",
|
||||
"Schedule Maintenance": "Wartung planen",
|
||||
"Edit Maintenance": "Wartung bearbeiten",
|
||||
"pauseMaintenanceMsg": "Möchtest du wirklich pausieren?",
|
||||
"maintenanceStatus-under-maintenance": "Unter Wartung",
|
||||
"maintenanceStatus-inactive": "Inaktiv",
|
||||
@@ -739,6 +744,8 @@
|
||||
"lunaseaDeviceID": "Geräte-ID",
|
||||
"lunaseaTarget": "Ziel",
|
||||
"lunaseaUserID": "Benutzer-ID",
|
||||
"ntfyAuthenticationMethod": "Authentifizierungsmethode",
|
||||
"ntfyUsernameAndPassword": "Benutzername und Passwort",
|
||||
"twilioAccountSID": "Account SID",
|
||||
"twilioFromNumber": "Absender",
|
||||
"twilioToNumber": "Empfänger",
|
||||
@@ -749,5 +756,33 @@
|
||||
"endDateTime": "Ende Datum/Uhrzeit",
|
||||
"cronExpression": "Cron-Ausdruck",
|
||||
"cronSchedule": "Zeitplan: ",
|
||||
"invalidCronExpression": "Ungültiger Cron-Ausdruck: {0}"
|
||||
"invalidCronExpression": "Ungültiger Cron-Ausdruck: {0}",
|
||||
"Show Clickable Link": "Klickbaren Link anzeigen",
|
||||
"Open Badge Generator": "Open Badge Generator",
|
||||
"Badge Generator": "{0}'s Badge Generator",
|
||||
"Badge Type": "Badge Typ",
|
||||
"Badge Duration": "Badge Dauer",
|
||||
"Badge Label": "Badge Label",
|
||||
"Show Clickable Link Description": "Wenn diese Option aktiviert ist, kann jeder, der Zugriff auf diese Statusseite hat, auf die Monitor-URL zugreifen.",
|
||||
"Badge Label Color": "Badge Label Farbe",
|
||||
"Badge Color": "Badge Farbe",
|
||||
"Badge Label Prefix": "Badge Label Präfix",
|
||||
"Badge Label Suffix": "Badge Label Suffix",
|
||||
"Badge Maintenance Color": "Badge Wartung Farbe",
|
||||
"Badge Warn Color": "Badge Warnung Farbe",
|
||||
"Badge Style": "Badge Stil",
|
||||
"Badge value (For Testing only.)": "Badge Wert (nur für Tests)",
|
||||
"Badge URL": "Badge URL",
|
||||
"Badge Up Color": "Badge Up Farbe",
|
||||
"Badge Down Color": "Badge Down Farbe",
|
||||
"Badge Pending Color": "Badge Pending Farbe",
|
||||
"Badge Down Days": "Badge Down Tage",
|
||||
"Monitor Setting": "{0}'s Monitor Einstellung",
|
||||
"Badge Prefix": "Badge Präfix",
|
||||
"Badge Suffix": "Badge Suffix",
|
||||
"Badge Warn Days": "Badge Warnung Tage",
|
||||
"Group": "Gruppe",
|
||||
"Monitor Group": "Monitor Gruppe",
|
||||
"noGroupMonitorMsg": "Nicht verfügbar. Erstelle zunächst einen Gruppenmonitor.",
|
||||
"Close": "Schließen"
|
||||
}
|
||||
|
@@ -695,5 +695,7 @@
|
||||
"Learn More": "Μάθετε περισσότερα",
|
||||
"Free Mobile User Identifier": "Free Mobile User Identifier",
|
||||
"Free Mobile API Key": "Free Mobile API Key",
|
||||
"smseaglePriority": "Προτεραιότητα μηνύματος (0-9, προεπιλογή = 0)"
|
||||
"smseaglePriority": "Προτεραιότητα μηνύματος (0-9, προεπιλογή = 0)",
|
||||
"statusPageRefreshIn": "Ανανέωση σε {0}",
|
||||
"Add New Tag": "Πρόσθεσε νέα ετικέτα"
|
||||
}
|
||||
|
@@ -13,6 +13,7 @@
|
||||
"Version": "Version",
|
||||
"Check Update On GitHub": "Check Update On GitHub",
|
||||
"List": "List",
|
||||
"Home": "Home",
|
||||
"Add": "Add",
|
||||
"Add New Monitor": "Add New Monitor",
|
||||
"Quick Stats": "Quick Stats",
|
||||
@@ -22,6 +23,8 @@
|
||||
"statusMaintenance": "Maintenance",
|
||||
"Maintenance": "Maintenance",
|
||||
"Unknown": "Unknown",
|
||||
"Cannot connect to the socket server": "Cannot connect to the socket server",
|
||||
"Reconnecting...": "Reconnecting...",
|
||||
"General Monitor Type": "General Monitor Type",
|
||||
"Passive Monitor Type": "Passive Monitor Type",
|
||||
"Specific Monitor Type": "Specific Monitor Type",
|
||||
@@ -433,11 +436,15 @@
|
||||
"Enable DNS Cache": "Enable DNS Cache",
|
||||
"Enable": "Enable",
|
||||
"Disable": "Disable",
|
||||
"chromeExecutable": "Chrome/Chromium Executable",
|
||||
"chromeExecutableAutoDetect": "Auto Detect",
|
||||
"chromeExecutableDescription": "For Docker users, if Chromium is not yet installed, it may take a few minutes to install and display the test result. It takes 1GB of disk space.",
|
||||
"dnsCacheDescription": "It may be not working in some IPv6 environments, disable it if you encounter any issues.",
|
||||
"Single Maintenance Window": "Single Maintenance Window",
|
||||
"Maintenance Time Window of a Day": "Maintenance Time Window of a Day",
|
||||
"Effective Date Range": "Effective Date Range (Optional)",
|
||||
"Schedule Maintenance": "Schedule Maintenance",
|
||||
"Edit Maintenance": "Edit Maintenance",
|
||||
"Date and Time": "Date and Time",
|
||||
"DateTime Range": "DateTime Range",
|
||||
"loadingError": "Cannot fetch the data, please try again later.",
|
||||
@@ -558,6 +565,7 @@
|
||||
"More info on:": "More info on: {0}",
|
||||
"pushoverDesc1": "Emergency priority (2) has default 30 second timeout between retries and will expire after 1 hour.",
|
||||
"pushoverDesc2": "If you want to send notifications to different devices, fill out Device field.",
|
||||
"pushoverMessageTtl": "Message TTL (Seconds)",
|
||||
"SMS Type": "SMS Type",
|
||||
"octopushTypePremium": "Premium (Fast - recommended for alerting)",
|
||||
"octopushTypeLowCost": "Low Cost (Slow - sometimes blocked by operator)",
|
||||
@@ -716,8 +724,38 @@
|
||||
"lunaseaTarget": "Target",
|
||||
"lunaseaDeviceID": "Device ID",
|
||||
"lunaseaUserID": "User ID",
|
||||
"ntfyAuthenticationMethod": "Authentication Method",
|
||||
"ntfyUsernameAndPassword": "Username and Password",
|
||||
"twilioAccountSID": "Account SID",
|
||||
"twilioAuthToken": "Auth Token",
|
||||
"twilioFromNumber": "From Number",
|
||||
"twilioToNumber": "To Number"
|
||||
"twilioToNumber": "To Number",
|
||||
"Monitor Setting": "{0}'s Monitor Setting",
|
||||
"Show Clickable Link": "Show Clickable Link",
|
||||
"Show Clickable Link Description": "If checked everyone who have access to this status page can have access to monitor URL.",
|
||||
"Open Badge Generator": "Open Badge Generator",
|
||||
"Badge Generator": "{0}'s Badge Generator",
|
||||
"Badge Type": "Badge Type",
|
||||
"Badge Duration": "Badge Duration",
|
||||
"Badge Label": "Badge Label",
|
||||
"Badge Prefix": "Badge Prefix",
|
||||
"Badge Suffix": "Badge Suffix",
|
||||
"Badge Label Color": "Badge Label Color",
|
||||
"Badge Color": "Badge Color",
|
||||
"Badge Label Prefix": "Badge Label Prefix",
|
||||
"Badge Label Suffix": "Badge Label Suffix",
|
||||
"Badge Up Color": "Badge Up Color",
|
||||
"Badge Down Color": "Badge Down Color",
|
||||
"Badge Pending Color": "Badge Pending Color",
|
||||
"Badge Maintenance Color": "Badge Maintenance Color",
|
||||
"Badge Warn Color": "Badge Warn Color",
|
||||
"Badge Warn Days": "Badge Warn Days",
|
||||
"Badge Down Days": "Badge Down Days",
|
||||
"Badge Style": "Badge Style",
|
||||
"Badge value (For Testing only.)": "Badge value (For Testing only.)",
|
||||
"Badge URL": "Badge URL",
|
||||
"Group": "Group",
|
||||
"Monitor Group": "Monitor Group",
|
||||
"noGroupMonitorMsg": "Not Available. Create a Group Monitor First.",
|
||||
"Close": "Close"
|
||||
}
|
||||
|
@@ -748,5 +748,10 @@
|
||||
"cronExpression": "Expresión Cron",
|
||||
"cronSchedule": "Cronograma: ",
|
||||
"invalidCronExpression": "Expresión Cron invalida:{0}",
|
||||
"statusPageRefreshIn": "Reinicio en: {0}"
|
||||
"statusPageRefreshIn": "Reinicio en: {0}",
|
||||
"twilioAuthToken": "Token de Autentificación",
|
||||
"ntfyUsernameAndPassword": "Nombre de Usuario y Contraseña",
|
||||
"ntfyAuthenticationMethod": "Método de Autentificación",
|
||||
"Cannot connect to the socket server": "No se puede conectar al servidor socket",
|
||||
"Reconnecting...": "Reconectando..."
|
||||
}
|
||||
|
@@ -74,7 +74,7 @@
|
||||
"Heartbeat Retry Interval": "Pultsu errepikatze interbaloak",
|
||||
"Advanced": "Aurreratua",
|
||||
"Upside Down Mode": "Alderantzizkako modua",
|
||||
"Max. Redirects": "Berbideratze max.",
|
||||
"Max. Redirects": "Birbideratze max.",
|
||||
"Accepted Status Codes": "Onartutako egoera kodeak",
|
||||
"Push URL": "Push URLa",
|
||||
"needPushEvery": "URL hau {0} segunduro deitu beharko zenuke.",
|
||||
@@ -159,7 +159,7 @@
|
||||
"Token": "Tokena",
|
||||
"Show URI": "Erakutsi URIa",
|
||||
"Tags": "Etiketak",
|
||||
"Add New below or Select...": "Gehitu beste bat behean edo hautatu...",
|
||||
"Add New below or Select...": "Gehitu beste bat behean edo hautatu…",
|
||||
"Tag with this name already exist.": "Izen hau duen etiketa dagoeneko badago.",
|
||||
"Tag with this value already exist.": "Balio hau duen etiketa dagoeneko badago.",
|
||||
"color": "kolorea",
|
||||
@@ -172,7 +172,7 @@
|
||||
"Indigo": "Indigo",
|
||||
"Purple": "Morea",
|
||||
"Pink": "Arrosa",
|
||||
"Search...": "Bilatu...",
|
||||
"Search...": "Bilatu…",
|
||||
"Avg. Ping": "Batazbesteko Pinga",
|
||||
"Avg. Response": "Batazbesteko erantzuna",
|
||||
"Entry Page": "Sarrera orria",
|
||||
@@ -218,7 +218,7 @@
|
||||
"wayToGetDiscordURL": "You can get this by going to Server Settings -> Integrations -> Create Webhook",
|
||||
"Bot Display Name": "Bot Display Name",
|
||||
"Prefix Custom Message": "Prefix Custom Message",
|
||||
"Hello @everyone is...": "Hello {'@'}everyone is...",
|
||||
"Hello @everyone is...": "Kaixo {'@'}edonor da…",
|
||||
"teams": "Microsoft Teams",
|
||||
"Webhook URL": "Webhook URL",
|
||||
"wayToGetTeamsURL": "You can learn how to create a webhook URL {0}.",
|
||||
@@ -325,7 +325,7 @@
|
||||
"Steam API Key": "Steam API Giltza",
|
||||
"Shrink Database": "Shrink Datubasea",
|
||||
"Pick a RR-Type...": "Pick a RR-Type...",
|
||||
"Pick Accepted Status Codes...": "Hautatu onartutako egoera kodeak...",
|
||||
"Pick Accepted Status Codes...": "Hautatu onartutako egoera kodeak…",
|
||||
"Default": "Lehenetsia",
|
||||
"HTTP Options": "HTTP Aukerak",
|
||||
"Create Incident": "Sortu inzidentzia",
|
||||
@@ -527,7 +527,7 @@
|
||||
"There might be a typing error in the address.": "Idazketa-akats bat egon daiteke helbidean.",
|
||||
"What you can try:": "Probatu dezakezuna:",
|
||||
"Retype the address.": "Berridatzi helbidea.",
|
||||
"Go back to the previous page.": "Itzuli aurreko orrialdera",
|
||||
"Go back to the previous page.": "Itzuli aurreko orrialdera.",
|
||||
"Coming Soon": "Laster",
|
||||
"wayToGetClickSendSMSToken": "API erabiltzailea and API giltza hemendik lortu ditzakezu: {0} .",
|
||||
"Connection String": "Konexio katea",
|
||||
@@ -537,5 +537,39 @@
|
||||
"ntfy Topic": "ntfy Topic",
|
||||
"Domain": "Domeinua",
|
||||
"Workstation": "Lan gunea",
|
||||
"disableCloudflaredNoAuthMsg": "Ez Auth moduan zaude, pasahitza ez da beharrezkoa."
|
||||
"disableCloudflaredNoAuthMsg": "Ez Auth moduan zaude, pasahitza ez da beharrezkoa.",
|
||||
"maintenanceStatus-ended": "Bukatuta",
|
||||
"maintenanceStatus-unknown": "Ezezaguna",
|
||||
"Enable": "Gaitu",
|
||||
"Strategy": "Estrategia",
|
||||
"General Monitor Type": "Monitorizazio mota orokorra",
|
||||
"Select status pages...": "Hautatu egoera orriak…",
|
||||
"Server Address": "Zerbitzari helbidea",
|
||||
"Learn More": "Ikasi gehiago",
|
||||
"weekdayShortTue": "Ast",
|
||||
"weekdayShortWed": "Asz",
|
||||
"Disable": "Desgaitu",
|
||||
"warningTimezone": "Zerbitzariaren orduzona erabiltzen ari da",
|
||||
"weekdayShortThu": "Og",
|
||||
"weekdayShortMon": "Asl",
|
||||
"Base URL": "Oinarri URLa",
|
||||
"high": "altua",
|
||||
"Economy": "Ekonomia",
|
||||
"Help": "Laguntza",
|
||||
"Game": "Jokoa",
|
||||
"statusMaintenance": "Mantenuan",
|
||||
"Maintenance": "Mantenua",
|
||||
"Passive Monitor Type": "Monitorizazio mota pasiboa",
|
||||
"Specific Monitor Type": "Zehaztutako monitorizazio mota",
|
||||
"markdownSupported": "Markdown sintaxia onartzen du",
|
||||
"Monitor": "Monitorizazio | Monitorizazioak",
|
||||
"resendDisabled": "Berbidaltzea desgaituta",
|
||||
"weekdayShortFri": "Ost",
|
||||
"weekdayShortSat": "Lar",
|
||||
"weekdayShortSun": "Iga",
|
||||
"dayOfWeek": "Asteko eguna",
|
||||
"dayOfMonth": "Hilabeteko eguna",
|
||||
"lastDay": "Azken eguna",
|
||||
"lastDay1": "Hilabeteko azken eguna",
|
||||
"Resend Notification if Down X times consecutively": "Bidali jakinarazpena X aldiz jarraian erortzen bada"
|
||||
}
|
||||
|
@@ -173,7 +173,7 @@
|
||||
"Entry Page": "صفحه ورودی",
|
||||
"statusPageNothing": "چیزی اینجا نیست، لطفا یک گروه و یا یک مانیتور اضافه کنید.",
|
||||
"No Services": "هیچ سرویسی موجود نیست",
|
||||
"All Systems Operational": "تمامی سیستمها عملیاتی هستند",
|
||||
"All Systems Operational": "تمامی سیستمها فعال هستند",
|
||||
"Partially Degraded Service": "افت نسبی کیفیت سرویس",
|
||||
"Degraded Service": "افت کامل کیفیت سرویس",
|
||||
"Add Group": "اضافه کردن گروه",
|
||||
@@ -323,7 +323,7 @@
|
||||
"Customize": "شخصی سازی",
|
||||
"Custom Footer": "فوتر اختصاصی",
|
||||
"No Proxy": "بدون پروکسی",
|
||||
"Authentication": "احراز هویت",
|
||||
"Authentication": "اعتبارسنجی",
|
||||
"steamApiKeyDescription": "برای مانیتورینگ یک سرور استیم، شما نیاز به یک \"Steam Web-API key\" دارید. برای دریافت کلید میتوانید از اینجا اقدام کنید: ",
|
||||
"No Monitors": "بدون مانیتور",
|
||||
"Untitled Group": "دسته بنده نشده",
|
||||
@@ -677,7 +677,7 @@
|
||||
"Access Token": "توکن دسترسی",
|
||||
"smtp": "ایمیل (SMTP)",
|
||||
"Device": "دستگاه",
|
||||
"Proxy server has authentication": "پروکسی سرور دارای احراز هویت",
|
||||
"Proxy server has authentication": "پروکسی سرور دارای اعتبارسنجی است",
|
||||
"Add New Tag": "اضافه کردن تگ جدید",
|
||||
"Custom": "غیره",
|
||||
"default": "پیش فرض",
|
||||
@@ -718,5 +718,40 @@
|
||||
"endDateTime": "ساعت/روز پایان",
|
||||
"cronSchedule": "برنامه زمانی: ",
|
||||
"invalidCronExpression": "حالت کرون نامعتبر است: {0}",
|
||||
"cronExpression": "حالت کرون"
|
||||
"cronExpression": "حالت کرون",
|
||||
"ntfyAuthenticationMethod": "روش اعتبارسنجی",
|
||||
"ntfyUsernameAndPassword": "نام کاربری و رمز عبور",
|
||||
"pushoverMessageTtl": "TTL پیام (ثانیه)",
|
||||
"Show Clickable Link": "نمایش لینک های قابل کلیک",
|
||||
"Open Badge Generator": "باز کردن نشان ساز (Badge Generator)",
|
||||
"Badge Generator": "نشان ساز (Badge Generator) {0}",
|
||||
"Badge Type": "نوع نشان",
|
||||
"Badge Duration": "مدت نشان",
|
||||
"Badge Label": "برچسب نشان",
|
||||
"Badge Prefix": "پیشوند نشان",
|
||||
"Badge Suffix": "پسوند نشان",
|
||||
"Badge Label Color": "رنگ برچسب نشان",
|
||||
"Badge Color": "رنگ نشان",
|
||||
"Badge Label Prefix": "پیشوند برچسب نشان",
|
||||
"Badge Label Suffix": "پسوند برچسب نشان",
|
||||
"Badge Down Color": "رنگ نشان زمانی که مانیتور دچار قطعی و Down شده است",
|
||||
"Badge Maintenance Color": "رنگ نشان برای زمانی که مانیتور در حالت نگهداری است",
|
||||
"Badge Warn Color": "رنگ نشان زمانی که مانیتور در حالت هشدار است",
|
||||
"Badge Down Days": "روز هایی که مانیتور دچار قطعی شده است",
|
||||
"Badge Style": "حالت نشان",
|
||||
"Badge value (For Testing only.)": "مقدار نشان (فقط برای تست.)",
|
||||
"Badge URL": "آدرس نشان",
|
||||
"Monitor Setting": "تنظیمات مانتیور {0}",
|
||||
"Show Clickable Link Description": "اگر انتخاب شود، همه کسانی که به این صفحه وضعیت دسترسی دارند میتوانند به صفحه مانیتور نیز دسترسی داشته باشند.",
|
||||
"Badge Up Color": "رنگ نشان زمانی که مانیتور بدون مشکل و بالا است",
|
||||
"Badge Pending Color": "رنگ نشان زمانی که مانیتور در حال انتظار است",
|
||||
"Badge Warn Days": "روزهایی که مانیتور در حالت هشدار است",
|
||||
"noGroupMonitorMsg": "موجود نیست. ابتدا یک گروه مانیتور جدید ایجاد کنید.",
|
||||
"Home": "خانه",
|
||||
"Edit Maintenance": "ویرایش تعمیر و نگهداری",
|
||||
"Cannot connect to the socket server": "عدم امکان ارتباط با سوکت سرور",
|
||||
"Reconnecting...": "ارتباط مجدد...",
|
||||
"Monitor Group": "گروه مانیتور",
|
||||
"Group": "گروه",
|
||||
"Close": "بستن"
|
||||
}
|
||||
|
@@ -73,7 +73,7 @@
|
||||
"Delete": "Supprimer",
|
||||
"Current": "Actuellement",
|
||||
"Uptime": "Disponibilité",
|
||||
"Cert Exp.": "Expiration SSL",
|
||||
"Cert Exp.": "Expiration Cert SSL",
|
||||
"day": "jour | jours",
|
||||
"-day": "-jour",
|
||||
"hour": "heure",
|
||||
@@ -88,8 +88,8 @@
|
||||
"Port": "Port",
|
||||
"Heartbeat Interval": "Intervalle de vérification",
|
||||
"Retries": "Essais",
|
||||
"Heartbeat Retry Interval": "Réessayer l'intervalle de vérification",
|
||||
"Resend Notification if Down X times consecutively": "Renvoyer la notification si en panne X fois consécutivement",
|
||||
"Heartbeat Retry Interval": "Intervalle de ré-essaie",
|
||||
"Resend Notification if Down X times consecutively": "Renvoyer la notification si hors ligne X fois consécutivement",
|
||||
"Advanced": "Avancé",
|
||||
"Upside Down Mode": "Mode inversé",
|
||||
"Max. Redirects": "Nombre maximum de redirections",
|
||||
@@ -329,7 +329,7 @@
|
||||
"Body": "Corps",
|
||||
"Headers": "En-têtes",
|
||||
"PushUrl": "URL Push",
|
||||
"HeadersInvalidFormat": "Les en-têtes de la requête ne sont pas dans un format JSON valide : ",
|
||||
"HeadersInvalidFormat": "Les en-têtes de la requête ne sont pas dans un format JSON valide : ",
|
||||
"BodyInvalidFormat": "Le corps de la requête n'est pas dans un format JSON valide : ",
|
||||
"Monitor History": "Historique de la sonde",
|
||||
"clearDataOlderThan": "Conserver l'historique des données de la sonde durant {0} jours.",
|
||||
@@ -338,7 +338,7 @@
|
||||
"One record": "Un enregistrement",
|
||||
"steamApiKeyDescription": "Pour surveiller un serveur Steam, vous avez besoin d'une clé Steam Web-API. Vous pouvez enregistrer votre clé ici : ",
|
||||
"Current User": "Utilisateur actuel",
|
||||
"topic": "Topic",
|
||||
"topic": "Sujet",
|
||||
"topicExplanation": "Topic MQTT à surveiller",
|
||||
"successMessage": "Message de réussite",
|
||||
"successMessageExplanation": "Message MQTT qui sera considéré comme un succès",
|
||||
@@ -699,7 +699,7 @@
|
||||
"Edit Tag": "Modifier l'étiquette",
|
||||
"Body Encoding": "Encodage du corps",
|
||||
"telegramMessageThreadID": "(Facultatif) ID du fil de message",
|
||||
"telegramMessageThreadIDDescription": "(Facultatif) Identifiant unique pour le fil de discussion cible (sujet) du forum; pour les supergroupes du forum uniquement",
|
||||
"telegramMessageThreadIDDescription": "(Facultatif) Identifiant unique pour le fil de discussion ciblé (sujet) du forum; pour les supergroupes du forum uniquement",
|
||||
"telegramProtectContent": "Protéger le transfert/l'enregistrement",
|
||||
"telegramProtectContentDescription": "S'il est activé, les messages du robot dans Telegram seront protégés contre le transfert et l'enregistrement.",
|
||||
"telegramSendSilently": "Envoyer silencieusement",
|
||||
@@ -749,5 +749,40 @@
|
||||
"endDateTime": "Date/heure de fin",
|
||||
"cronExpression": "Expression cron",
|
||||
"cronSchedule": "Calendrier : ",
|
||||
"invalidCronExpression": "Expression Cron non valide : {0}"
|
||||
"invalidCronExpression": "Expression Cron non valide : {0}",
|
||||
"ntfyUsernameAndPassword": "Nom d'utilisateur et mot de passe",
|
||||
"ntfyAuthenticationMethod": "Méthode d'authentification",
|
||||
"pushoverMessageTtl": "TTL Message (Secondes)",
|
||||
"Show Clickable Link": "Afficher le lien cliquable",
|
||||
"Show Clickable Link Description": "Si cette case est cochée, tous ceux qui ont accès à cette page d'état peuvent accéder à l'URL du moniteur.",
|
||||
"Open Badge Generator": "Ouvrir le générateur de badges",
|
||||
"Badge Type": "Type de badge",
|
||||
"Badge Duration": "Durée du badge",
|
||||
"Badge Prefix": "Préfixe de badge",
|
||||
"Badge Suffix": "Suffixe de badge",
|
||||
"Badge Label Color": "Couleur de l'étiquette du badge",
|
||||
"Badge Color": "Couleur du badge",
|
||||
"Badge Label Prefix": "Préfixe d'étiquette de badge",
|
||||
"Badge Label Suffix": "Suffixe d'étiquette de badge",
|
||||
"Badge Up Color": "Couleur du badge en ligne",
|
||||
"Badge Down Color": "Couleur du badge hors ligne",
|
||||
"Badge Pending Color": "Couleur du badge en attente",
|
||||
"Badge Maintenance Color": "Couleur du badge maintenance",
|
||||
"Badge Warn Color": "Couleur du badge d'avertissement",
|
||||
"Badge Warn Days": "Jours d'avertissement de badge",
|
||||
"Badge Style": "Style de badge",
|
||||
"Badge value (For Testing only.)": "Valeur du badge (Pour les tests uniquement.)",
|
||||
"Monitor Setting": "Réglage de la sonde {0}",
|
||||
"Badge Generator": "Générateur de badges {0}",
|
||||
"Badge Label": "Étiquette de badge",
|
||||
"Badge URL": "URL du badge",
|
||||
"Cannot connect to the socket server": "Impossible de se connecter au serveur de socket",
|
||||
"Reconnecting...": "Reconnexion...",
|
||||
"Edit Maintenance": "Modifier la maintenance",
|
||||
"Monitor Group": "Groupe de sonde | Groupe de sondes",
|
||||
"Badge Down Days": "Badge hors ligne",
|
||||
"Group": "Groupe",
|
||||
"Home": "Accueil",
|
||||
"noGroupMonitorMsg": "Pas disponible. Créez d'abord une sonde de groupe.",
|
||||
"Close": "Fermer"
|
||||
}
|
||||
|
23
src/lang/gl.json
Normal file
23
src/lang/gl.json
Normal file
@@ -0,0 +1,23 @@
|
||||
{
|
||||
"Settings": "Axustes",
|
||||
"Dashboard": "Panel",
|
||||
"Help": "Axuda",
|
||||
"General": "Xeral",
|
||||
"List": "Lista",
|
||||
"Home": "Casa",
|
||||
"Add": "Engadir",
|
||||
"Up": "Arriba",
|
||||
"Pending": "Pendente",
|
||||
"statusMaintenance": "Mantemento",
|
||||
"Maintenance": "Mantemento",
|
||||
"Unknown": "Descoñecido",
|
||||
"Reconnecting...": "Reconectando...",
|
||||
"pauseDashboardHome": "Pausa",
|
||||
"Pause": "Pausa",
|
||||
"Name": "Nome",
|
||||
"Status": "Estado",
|
||||
"DateTime": "DataHora",
|
||||
"Message": "Mensaxe",
|
||||
"languageName": "Galego",
|
||||
"Down": "Abaixo"
|
||||
}
|
@@ -724,5 +724,22 @@
|
||||
"Edit Tag": "עריכת תגית",
|
||||
"Learn More": "לקריאה נוספת",
|
||||
"telegramSendSilently": "שליחה שקטה",
|
||||
"telegramSendSilentlyDescription": "שליחת הודעות שקטה. משתמשים יקבלו ההתראה ללא צליל."
|
||||
"telegramSendSilentlyDescription": "שליחת הודעות שקטה. משתמשים יקבלו ההתראה ללא צליל.",
|
||||
"Add New Tag": "הוסף תג חדש",
|
||||
"Home": "ראשי",
|
||||
"sameAsServerTimezone": "אותו איזור זמן כמו השרת",
|
||||
"cronSchedule": "לו\"ז: ",
|
||||
"twilioToNumber": "למספר",
|
||||
"startDateTime": "תאריך\\זמן התחלה",
|
||||
"pagertreeSilent": "שקט",
|
||||
"Reconnecting...": "מתחבר מחדש...",
|
||||
"statusPageRefreshIn": "רענון תוך: {0}",
|
||||
"Edit Maintenance": "ערוך תחזוקה",
|
||||
"pagertreeUrgency": "דחיפות",
|
||||
"pagertreeLow": "נמוכה",
|
||||
"pagertreeMedium": "בינונית",
|
||||
"pagertreeHigh": "גבוהה",
|
||||
"pagertreeCritical": "קריטי",
|
||||
"pagertreeResolve": "הגדרה אוטומטית",
|
||||
"ntfyUsernameAndPassword": "שם משתמש וסיסמא"
|
||||
}
|
||||
|
43
src/lang/hi.json
Normal file
43
src/lang/hi.json
Normal file
@@ -0,0 +1,43 @@
|
||||
{
|
||||
"Dashboard": "डैशबोर्ड",
|
||||
"Help": "मदद",
|
||||
"New Update": "नया अपडेट",
|
||||
"Language": "भाषा",
|
||||
"Appearance": "अपीयरेंस",
|
||||
"Theme": "थीम",
|
||||
"Game": "गेम",
|
||||
"languageName": "हिंदी",
|
||||
"Settings": "सेटिंग्स",
|
||||
"General": "जनरल",
|
||||
"List": "सूची",
|
||||
"Add": "जोड़ें",
|
||||
"Add New Monitor": "नया मॉनिटर जोड़ें",
|
||||
"Pending": "लंबित",
|
||||
"statusMaintenance": "रखरखाव",
|
||||
"Maintenance": "रखरखाव",
|
||||
"Unknown": "अज्ञात",
|
||||
"Cannot connect to the socket server": "सॉकेट सर्वर से कनेक्ट नहीं हो सकता",
|
||||
"pauseDashboardHome": "विराम",
|
||||
"Resume": "फिर से शुरू करें",
|
||||
"Delete": "हटाएं",
|
||||
"Current": "मौजूदा",
|
||||
"Up": "चालू",
|
||||
"General Monitor Type": "सामान्य मॉनिटर प्रकार",
|
||||
"Specific Monitor Type": "विशिष्ट मॉनिटर प्रकार",
|
||||
"Pause": "विराम",
|
||||
"Name": "नाम",
|
||||
"Message": "संदेश",
|
||||
"No important events": "कोई महत्वपूर्ण घटनाक्रम नहीं",
|
||||
"Edit": "परिवर्तन",
|
||||
"Ping": "पिंग",
|
||||
"Monitor Type": "मॉनिटर प्रकार",
|
||||
"Keyword": "कीवर्ड",
|
||||
"Friendly Name": "दोस्ताना नाम",
|
||||
"Version": "संस्करण",
|
||||
"Home": "घर",
|
||||
"Quick Stats": "शीघ्र आँकड़े",
|
||||
"Reconnecting...": "पुनः कनेक्ट किया जा रहा है...",
|
||||
"Down": "बंद",
|
||||
"Passive Monitor Type": "निष्क्रिय मॉनिटर प्रकार",
|
||||
"Status": "स्थिति"
|
||||
}
|
@@ -1,10 +1,10 @@
|
||||
{
|
||||
"languageName": "日本語",
|
||||
"checkEverySecond": "{0}秒ごとにチェックします",
|
||||
"retriesDescription": "サービスがダウンとしてマークされ、通知が送信されるまでの最大リトライ数",
|
||||
"retriesDescription": "サービスが完全に停止したと判断し、通知を送信する前に再接続を試みる最大回数",
|
||||
"ignoreTLSError": "HTTPS ウェブサイトの TLS/SSL エラーを無視する",
|
||||
"upsideDownModeDescription": "ステータスの扱いを逆にします。サービスに到達可能な場合は、DOWNとなる。",
|
||||
"maxRedirectDescription": "フォローするリダイレクトの最大数。リダイレクトを無効にするには0を設定する。",
|
||||
"upsideDownModeDescription": "稼働ステータスを反転して扱います。サービスに接続可能な場合は、停止として扱います。",
|
||||
"maxRedirectDescription": "必要な場合にリダイレクトする最大回数です。リダイレクトを無効にしたい場合は、0に設定してください。",
|
||||
"acceptedStatusCodesDescription": "成功した応答とみなされるステータスコードを選択する。",
|
||||
"passwordNotMatchMsg": "繰り返しのパスワードが一致しません。",
|
||||
"notificationDescription": "監視を機能させるには、監視に通知を割り当ててください。",
|
||||
@@ -21,15 +21,15 @@
|
||||
"Language": "言語",
|
||||
"Appearance": "外観",
|
||||
"Theme": "テーマ",
|
||||
"General": "全般的",
|
||||
"General": "全般",
|
||||
"Version": "バージョン",
|
||||
"Check Update On GitHub": "GitHubでアップデートを確認する",
|
||||
"List": "一覧",
|
||||
"Add": "追加",
|
||||
"Add New Monitor": "監視の追加",
|
||||
"Quick Stats": "統計",
|
||||
"Up": "Up",
|
||||
"Down": "Down",
|
||||
"Up": "正常",
|
||||
"Down": "停止",
|
||||
"Pending": "中止",
|
||||
"Unknown": "不明",
|
||||
"Pause": "一時停止",
|
||||
@@ -42,12 +42,12 @@
|
||||
"Edit": "編集",
|
||||
"Delete": "削除",
|
||||
"Current": "現在",
|
||||
"Uptime": "起動時間",
|
||||
"Uptime": "稼働時間",
|
||||
"Cert Exp.": "証明書有効期限",
|
||||
"day": "日 | 日間",
|
||||
"-day": "-日",
|
||||
"hour": "時間",
|
||||
"-hour": "-時間",
|
||||
"-hour": "時間",
|
||||
"Response": "レスポンス",
|
||||
"Ping": "Ping",
|
||||
"Monitor Type": "監視タイプ",
|
||||
@@ -57,19 +57,19 @@
|
||||
"Hostname": "ホスト名",
|
||||
"Port": "ポート",
|
||||
"Heartbeat Interval": "監視間隔",
|
||||
"Retries": "Retries",
|
||||
"Advanced": "Advanced",
|
||||
"Upside Down Mode": "Upside Down Mode",
|
||||
"Retries": "再試行回数",
|
||||
"Advanced": "詳細設定",
|
||||
"Upside Down Mode": "反転モード",
|
||||
"Max. Redirects": "最大リダイレクト数",
|
||||
"Accepted Status Codes": "正常なステータスコード",
|
||||
"Save": "保存",
|
||||
"Notifications": "通知",
|
||||
"Not available, please setup.": "利用できません。設定してください。",
|
||||
"Not available, please setup.": "利用できません。設定が必要です。",
|
||||
"Setup Notification": "通知設定",
|
||||
"Light": "Light",
|
||||
"Dark": "Dark",
|
||||
"Auto": "Auto",
|
||||
"Theme - Heartbeat Bar": "Theme - Heartbeat Bar",
|
||||
"Light": "ライト",
|
||||
"Dark": "ダーク",
|
||||
"Auto": "自動",
|
||||
"Theme - Heartbeat Bar": "テーマ - 監視バー",
|
||||
"Normal": "通常",
|
||||
"Bottom": "下部",
|
||||
"None": "なし",
|
||||
@@ -120,7 +120,7 @@
|
||||
"Also apply to existing monitors": "既存のモニターにも適用する",
|
||||
"Export": "エクスポート",
|
||||
"Import": "インポート",
|
||||
"backupDescription": "すべての監視と通知方法をJSONファイルにできます。",
|
||||
"backupDescription": "すべての監視と通知設定をJSONファイルとしてバックアップすることができます。",
|
||||
"backupDescription2": "※ 履歴と統計のデータはバックアップされません。",
|
||||
"backupDescription3": "通知に使用するトークンなどの機密データも含まれています。注意して扱ってください。",
|
||||
"alertNoFile": "インポートするファイルを選択してください。",
|
||||
@@ -171,7 +171,7 @@
|
||||
"Shrink Database": "データベースの縮小",
|
||||
"Start": "始める",
|
||||
"Retry": "リトライ",
|
||||
"Please read": "読んでください",
|
||||
"Please read": "次のリンクを参考にしてください",
|
||||
"Orange": "橙",
|
||||
"Gateway Type": "ゲートウェイの種類",
|
||||
"Game": "ゲーム",
|
||||
@@ -240,7 +240,7 @@
|
||||
"Unpin": "ピンを外す",
|
||||
"Switch to Light Theme": "ライトテーマに切り替える",
|
||||
"Hide Tags": "タグを隠す",
|
||||
"Description": "概要",
|
||||
"Description": "メモ",
|
||||
"Untitled Group": "名前の無いグループ",
|
||||
"Services": "サービス",
|
||||
"Discard": "破棄",
|
||||
@@ -258,7 +258,7 @@
|
||||
"proxyDescription": "プロキシはモニターに割り当てられていないと機能しません。",
|
||||
"setAsDefaultProxyDescription": "このプロキシは、新しいモニターに対してデフォルトで有効になっています。モニターごとに個別にプロキシを無効にすることができます。",
|
||||
"Remove Token": "Tokenを削除",
|
||||
"Stop": "止める",
|
||||
"Stop": "停止",
|
||||
"Add New Status Page": "新しいステータスページを追加",
|
||||
"Next": "次へ",
|
||||
"No Proxy": "プロキシなし",
|
||||
@@ -500,7 +500,7 @@
|
||||
"default: notify all devices": "デフォルト:すべてのデバイスに通知する",
|
||||
"Trigger type:": "トリガータイプ:",
|
||||
"Event data:": "イベントデータ:",
|
||||
"backupOutdatedWarning": "非推奨:多くの機能が追加され、このバックアップ機能は少しメンテナンスされていないため、完全なバックアップの生成や復元はできません。",
|
||||
"backupOutdatedWarning": "非推奨: 多くの機能に変更があり、バックアップ機能の開発が一部滞っているため、完全なバックアップの作成や復元ができません。",
|
||||
"backupRecommend": "代わりにボリュームまたはデータフォルダ(./data/)を直接バックアップしてください。",
|
||||
"recurringInterval": "インターバル",
|
||||
"Recurring": "繰り返し",
|
||||
@@ -512,5 +512,9 @@
|
||||
"Device Token": "デバイストークン",
|
||||
"recurringIntervalMessage": "毎日1回実行する|{0} 日に1回実行する",
|
||||
"Add New Tag": "新しいタグを追加",
|
||||
"statusPageMaintenanceEndDate": "終了日"
|
||||
"statusPageMaintenanceEndDate": "終了日",
|
||||
"Body Encoding": "ボディエンコード",
|
||||
"Learn More": "さらに詳しく",
|
||||
"infiniteRetention": "保持期間を無制限にしたい場合は、0に設定してください。",
|
||||
"Display Timezone": "表示タイムゾーン"
|
||||
}
|
||||
|
@@ -748,5 +748,6 @@
|
||||
"lunaseaTarget": "대상",
|
||||
"lunaseaDeviceID": "기기 ID",
|
||||
"statusPageRefreshIn": "{0} 후 새로고침",
|
||||
"telegramMessageThreadIDDescription": "포럼의 대상 메시지 쓰레드(주제)에 대한 선택적 고유 식별인, 포럼 관리자 그룹에만 해당"
|
||||
"telegramMessageThreadIDDescription": "포럼의 대상 메시지 쓰레드(주제)에 대한 선택적 고유 식별인, 포럼 관리자 그룹에만 해당",
|
||||
"pagertreeSilent": "없음"
|
||||
}
|
||||
|
28
src/lang/ms.json
Normal file
28
src/lang/ms.json
Normal file
@@ -0,0 +1,28 @@
|
||||
{
|
||||
"Help": "Bantuan",
|
||||
"New Update": "Kemaskini baharu",
|
||||
"Appearance": "Penampilan",
|
||||
"Theme": "Tema",
|
||||
"General": "Umum",
|
||||
"Game": "Permainan",
|
||||
"Primary Base URL": "URL Pangkalan Utama",
|
||||
"Version": "Versi",
|
||||
"Add": "Menambah",
|
||||
"Quick Stats": "Statistik ringkas",
|
||||
"Up": "Dalam talian",
|
||||
"Down": "Luar talian",
|
||||
"Pending": "Belum selesai",
|
||||
"statusMaintenance": "Membaiki",
|
||||
"Maintenance": "Membaiki",
|
||||
"Unknown": "Tidak ketahui",
|
||||
"General Monitor Type": "Jenis monitor umum",
|
||||
"Check Update On GitHub": "Semak kemas kini dalam GitHub",
|
||||
"List": "Senarai",
|
||||
"Specific Monitor Type": "Jenis monitor spesifik",
|
||||
"markdownSupported": "Sintaks markdown disokong",
|
||||
"languageName": "Bahasa inggeris",
|
||||
"Dashboard": "Papan pemuka",
|
||||
"Language": "Bahasa",
|
||||
"Add New Monitor": "Tambah monitor baharu",
|
||||
"Passive Monitor Type": "Jenis monitor pasif"
|
||||
}
|
@@ -536,11 +536,11 @@
|
||||
"pushoversounds cosmic": "Kosmiczny",
|
||||
"pushoversounds falling": "Spadek",
|
||||
"pushoversounds gamelan": "Gamelan",
|
||||
"pushoversounds incoming": "Incoming",
|
||||
"pushoversounds intermission": "Intermission",
|
||||
"pushoversounds incoming": "Przychodzące",
|
||||
"pushoversounds intermission": "Przerwa",
|
||||
"pushoversounds magic": "Magia",
|
||||
"pushoversounds mechanical": "Mechaniczny",
|
||||
"pushoversounds pianobar": "Piano Bar",
|
||||
"pushoversounds pianobar": "fortepianowy klawisz",
|
||||
"pushoversounds siren": "Syrena",
|
||||
"pushoversounds spacealarm": "Alarm kosmiczny",
|
||||
"pushoversounds tugboat": "Holownik",
|
||||
@@ -608,7 +608,7 @@
|
||||
"backupRecommend": "Zamiast tego należy wykonać bezpośrednią kopię zapasową woluminu lub folderu danych (./data/).",
|
||||
"Optional": "Opcjonalne",
|
||||
"squadcast": "Squadcast",
|
||||
"SendKey": "SendKey",
|
||||
"SendKey": "Przycisk Wyślij",
|
||||
"SMSManager API Docs": "Dokumentacja API SMSManager ",
|
||||
"Gateway Type": "Typ bramy",
|
||||
"SMSManager": "SMSManager",
|
||||
@@ -663,7 +663,7 @@
|
||||
"IconUrl": "URL ikony",
|
||||
"Enable DNS Cache": "Włącz pamięć podręczną DNS",
|
||||
"Single Maintenance Window": "Pojedyncze okno konserwacji",
|
||||
"Effective Date Range": "Zakres dat obowiązywania",
|
||||
"Effective Date Range": "Zakres dat obowiązywania (opcjonalnie)",
|
||||
"Schedule Maintenance": "Planowanie konserwacji",
|
||||
"DateTime Range": "Zakres czasowy",
|
||||
"Maintenance Time Window of a Day": "Okno czasowe konserwacji na dzień",
|
||||
@@ -743,5 +743,21 @@
|
||||
"statusPageRefreshIn": "Odświeżenie w ciągu: {0}",
|
||||
"lunaseaDeviceID": "ID urządzenia",
|
||||
"lunaseaUserID": "ID użytkownika",
|
||||
"Add New Tag": "Dodaj nowy tag"
|
||||
"Add New Tag": "Dodaj nowy tag",
|
||||
"startDateTime": "Data/godzina rozpoczęcia",
|
||||
"cronSchedule": "Harmonogram: ",
|
||||
"invalidCronExpression": "Nieprawidłowe sformułowanie Cron: {0}",
|
||||
"sameAsServerTimezone": "Tak jak strefa czasowa serwera",
|
||||
"endDateTime": "Data/godzina zakończenia",
|
||||
"cronExpression": "Wyrażenie Cron",
|
||||
"ntfyAuthenticationMethod": "Metoda Uwierzytelnienia",
|
||||
"ntfyUsernameAndPassword": "Nazwa użytkownika i hasło",
|
||||
"noGroupMonitorMsg": "Niedostępna. Stwórz najpierw grupę monitorów.",
|
||||
"Close": "Zamknij",
|
||||
"pushoverMessageTtl": "TTL wiadomości (sekundy)",
|
||||
"Home": "Strona główna",
|
||||
"Group": "Grupa",
|
||||
"Monitor Group": "Grupa monitora",
|
||||
"Reconnecting...": "Ponowne łączenie...",
|
||||
"Cannot connect to the socket server": "Nie można połączyć się z serwerem gniazda"
|
||||
}
|
||||
|
@@ -1,10 +1,10 @@
|
||||
{
|
||||
"languageName": "Português (Brasileiro)",
|
||||
"languageName": "Português (Brasil)",
|
||||
"checkEverySecond": "Verificar a cada {0} segundos",
|
||||
"retryCheckEverySecond": "Tentar novamente a cada {0} segundos",
|
||||
"retriesDescription": "Máximo de tentativas antes que o serviço seja marcado como inativo e uma notificação seja enviada",
|
||||
"ignoreTLSError": "Ignorar erros TLS/SSL para sites HTTPS",
|
||||
"upsideDownModeDescription": "Inverta o status de cabeça para baixo. Se o serviço estiver acessível, ele está OFFLINE.",
|
||||
"upsideDownModeDescription": "Inverta o status. Se o serviço estiver acessível, ele está DESLIGADO.",
|
||||
"maxRedirectDescription": "Número máximo de redirecionamentos a seguir. Defina como 0 para desativar redirecionamentos.",
|
||||
"acceptedStatusCodesDescription": "Selecione os códigos de status que são considerados uma resposta bem-sucedida.",
|
||||
"passwordNotMatchMsg": "A senha repetida não corresponde.",
|
||||
@@ -27,7 +27,7 @@
|
||||
"confirmEnableTwoFAMsg": "Tem certeza de que deseja habilitar 2FA?",
|
||||
"confirmDisableTwoFAMsg": "Tem certeza de que deseja desativar 2FA?",
|
||||
"Settings": "Configurações",
|
||||
"Dashboard": "Dashboard",
|
||||
"Dashboard": "Painel",
|
||||
"New Update": "Nova Atualização",
|
||||
"Language": "Linguagem",
|
||||
"Appearance": "Aparência",
|
||||
@@ -39,8 +39,8 @@
|
||||
"Add": "Adicionar",
|
||||
"Add New Monitor": "Adicionar novo monitor",
|
||||
"Quick Stats": "Estatísticas rápidas",
|
||||
"Up": "On",
|
||||
"Down": "Off",
|
||||
"Up": "Ligado",
|
||||
"Down": "Desligado",
|
||||
"Pending": "Pendente",
|
||||
"Unknown": "Desconhecido",
|
||||
"Pause": "Pausar",
|
||||
@@ -49,12 +49,12 @@
|
||||
"DateTime": "Data hora",
|
||||
"Message": "Mensagem",
|
||||
"No important events": "Nenhum evento importante",
|
||||
"Resume": "Resumo",
|
||||
"Resume": "Retomar",
|
||||
"Edit": "Editar",
|
||||
"Delete": "Deletar",
|
||||
"Delete": "Apagar",
|
||||
"Current": "Atual",
|
||||
"Uptime": "Tempo de atividade",
|
||||
"Cert Exp.": "Cert Exp.",
|
||||
"Cert Exp.": "Expiração Do Certificado",
|
||||
"day": "dia | dias",
|
||||
"-day": "-dia",
|
||||
"hour": "hora",
|
||||
@@ -71,9 +71,9 @@
|
||||
"Retries": "Novas tentativas",
|
||||
"Heartbeat Retry Interval": "Intervalo de repetição de Heartbeat",
|
||||
"Advanced": "Avançado",
|
||||
"Upside Down Mode": "Modo de cabeça para baixo",
|
||||
"Upside Down Mode": "Modo Invertido",
|
||||
"Max. Redirects": "Redirecionamentos Máx",
|
||||
"Accepted Status Codes": "Status Code Aceitáveis",
|
||||
"Accepted Status Codes": "Códigos HTTP Aceitáveis",
|
||||
"Save": "Salvar",
|
||||
"Notifications": "Notificações",
|
||||
"Not available, please setup.": "Não disponível, por favor configure.",
|
||||
@@ -131,7 +131,7 @@
|
||||
"Create": "Criar",
|
||||
"Clear Data": "Limpar Dados",
|
||||
"Events": "Eventos",
|
||||
"Heartbeats": "Heartbeats",
|
||||
"Heartbeats": "Batimentos Cardíacos",
|
||||
"Auto Get": "Obter Automático",
|
||||
"backupDescription": "Você pode fazer backup de todos os monitores e todas as notificações em um arquivo JSON.",
|
||||
"backupDescription2": "OBS: Os dados do histórico e do evento não estão incluídos.",
|
||||
@@ -187,17 +187,17 @@
|
||||
"Select status pages...": "Selecionar status pages…",
|
||||
"Game": "Jogo",
|
||||
"Passive Monitor Type": "Tipo de monitoramento passivo",
|
||||
"Specific Monitor Type": "Especificar tipo de monitoramento",
|
||||
"Specific Monitor Type": "Tipo de monitoramento específico",
|
||||
"Monitor": "Monitoramento | Monitoramentos",
|
||||
"needPushEvery": "Você deve chamar esta URL a cada {0} segundos.",
|
||||
"Push URL": "Push URL",
|
||||
"Push URL": "URL de push",
|
||||
"Custom": "Personalizado",
|
||||
"here": "aqui",
|
||||
"Required": "Requerido",
|
||||
"webhookJsonDesc": "{0} é bom para qualquer servidor HTTP moderno, como Express.js",
|
||||
"webhookAdditionalHeadersTitle": "Cabeçalhos Adicionais",
|
||||
"webhookAdditionalHeadersDesc": "Define cabeçalhos adicionais enviados com o webhook.",
|
||||
"Webhook URL": "Webhook URL",
|
||||
"Webhook URL": "URL Do Webhook",
|
||||
"Priority": "Prioridade",
|
||||
"Read more": "Ver mais",
|
||||
"appriseInstalled": "Apprise está instalado.",
|
||||
@@ -270,15 +270,319 @@
|
||||
"All Status Pages": "Todas as Status Pages",
|
||||
"Method": "Método",
|
||||
"General Monitor Type": "Tipo de monitoramento geral",
|
||||
"markdownSupported": "Sintaxe Markdown suportada",
|
||||
"emojiCheatSheet": "Folha de dicas de emojis: {0}",
|
||||
"topic": "Tema",
|
||||
"markdownSupported": "Markdown suportado",
|
||||
"emojiCheatSheet": "Dicas de Emojis",
|
||||
"topic": "Tópico",
|
||||
"topicExplanation": "Tópico MQTT para monitorar",
|
||||
"successMessageExplanation": "Mensagem MQTT que será considerada como sucesso",
|
||||
"Content Type": "Tipo de Conteúdo",
|
||||
"Content Type": "Tipo do Conteúdo",
|
||||
"Shrink Database": "Encolher Banco de Dados",
|
||||
"Content": "Conteúdo",
|
||||
"Pick a RR-Type...": "Escolha um tipo RR…",
|
||||
"Pick Accepted Status Codes...": "Escolha Códigos de Status Aceitos…",
|
||||
"Pick Affected Monitors...": "Escolher Monitores Afetados…"
|
||||
"Pick a RR-Type...": "Selecione um RR-Type…",
|
||||
"Pick Accepted Status Codes...": "Selecione Os Códigos de Status Aceitos…",
|
||||
"Pick Affected Monitors...": "Selecione os Monitores Afetados…",
|
||||
"Channel Name": "Nome Do Canal",
|
||||
"Don't know how to get the token? Please read the guide:": "Não sabe com pegar o token? Por favor, leia o guia:",
|
||||
"smtpDkimheaderFieldNames": "Chaves Do Cabeçalho para assinar (Opcional)",
|
||||
"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.": "A conexão atual pode ser perdida se você estiver se conectando pelo túnel da Cloudflare. Você tem certeza que deseja pará-lo? Digite a sua senha para confirmar.",
|
||||
"shrinkDatabaseDescription": "Acionar a limpeza do banco de dados para o SQLite. Se o seu banco de dados foi criado depois de 1.10.0, a limpeza automática(AUTO_VACUUM) já é habilitada por padrão e essa ação não é necessária.",
|
||||
"Powered by": "Fornecido por",
|
||||
"deleteProxyMsg": "Você tem certeza que deseja deletar este proxy para todos os monitores?",
|
||||
"proxyDescription": "Os proxies devem ser atribuídos a um monitor para funcionar.",
|
||||
"Certificate Chain": "Cadeia De Certificados",
|
||||
"Domain Name Expiry Notification": "Notificação De Expiração Do Nome Do Domínio",
|
||||
"Proxy": "Proxy",
|
||||
"wayToGetTelegramChatID": "Você pode pegar o Chat ID enviando uma mensagem marcando o bot no grupo e indo nessa URL para ver o chat_id:",
|
||||
"wayToGetLineNotifyToken": "Você pode pegar o token de acesso de {0}",
|
||||
"disableCloudflaredNoAuthMsg": "Você está no modo sem autenticação, a senha não é necessária.",
|
||||
"Frontend Version do not match backend version!": "Versão do frontend é diferente da versão do backend!",
|
||||
"strategyManual": "Ativar/Desativar Manualmente",
|
||||
"weekdayShortThu": "Qui",
|
||||
"Basic Settings": "Configurações Básicas",
|
||||
"User ID": "ID Do Usuário",
|
||||
"Line Developers Console": "Linha Do Terminal De Desenvolvimento",
|
||||
"lineDevConsoleTo": "Linha Do Terminal De Desenvolvimento- {0}",
|
||||
"smseagleToken": "Token De Acesso Da API",
|
||||
"Notification Service": "Serviço De Notificação",
|
||||
"default: notify all devices": "padrão: notificar todos os dispositivos",
|
||||
"Trigger type:": "Tipo Do Acionamento:",
|
||||
"Then choose an action, for example switch the scene to where an RGB light is red.": "",
|
||||
"Enable": "Habilitado",
|
||||
"Disable": "Desabilitado",
|
||||
"IconUrl": "URL Do Ícone",
|
||||
"Enable DNS Cache": "Habilitar Cache Do DNS",
|
||||
"Single Maintenance Window": "Janela Única De Manutenção",
|
||||
"dnsCacheDescription": "Pode não funcionar em alguns ambientes com IPv6, desabita caso encontre qualquer problema.",
|
||||
"Messaging API": "API Da Mensageira",
|
||||
"Icon URL": "URL Do Ícone",
|
||||
"Clone Monitor": "Clonar Monitoramento",
|
||||
"Clone": "Clonar",
|
||||
"cloneOf": "Clone do {0}",
|
||||
"deleteMaintenanceMsg": "Você tem certeza que deseja apagar essa manutenção?",
|
||||
"sameAsServerTimezone": "O mesmo do servidor de fuso-horário",
|
||||
"startDateTime": "Início Data/Horário",
|
||||
"endDateTime": "Fim Data/Horário",
|
||||
"cronExpression": "Expressão Do Cron",
|
||||
"cronSchedule": "Agendar: ",
|
||||
"invalidCronExpression": "Expressão Cron inválida: {0}",
|
||||
"Display Timezone": "Mostrar Fuso-horário",
|
||||
"Server Timezone": "Servidor De Fuso-horário",
|
||||
"statusPageMaintenanceEndDate": "Fim",
|
||||
"Schedule Maintenance": "Agendar Manutenção",
|
||||
"Date and Time": "Data E Horário",
|
||||
"DateTime Range": "Intervalo De Tempo",
|
||||
"Maintenance Time Window of a Day": "Janela de tempo de manutenção de um dia",
|
||||
"uninstalling": "Desinstalando",
|
||||
"confirmUninstallPlugin": "Você tem certeza were quer desinstalar esse plugin?",
|
||||
"notificationRegional": "Região",
|
||||
"dnsPortDescription": "Porta do servidor DNS. O padrão é 53. Você pode mudar a porta em qualquer momento.",
|
||||
"affectedMonitorsDescription": "Selecione os monitores afetados pela manutenção atual",
|
||||
"Icon Emoji": "Ícone Do Emoji",
|
||||
"wayToGetKookBotToken": "Criar aplicação e pegar o token do bot em {0}",
|
||||
"Notification Sound": "Som De Notificação",
|
||||
"More info on:": "Mais informações em: {0}",
|
||||
"SMS Type": "Tipo Do SMS",
|
||||
"Internal Room Id": "ID Interno Da Sala",
|
||||
"Platform": "Plataforma",
|
||||
"serwersmsAPIPassword": "Senha Da API",
|
||||
"serwersmsPhoneNumber": "Número Do Telefone",
|
||||
"documentation": "documentação",
|
||||
"smtpDkimDomain": "Nome Do Domínio",
|
||||
"smtpDkimKeySelector": "Chave Selecionadora",
|
||||
"smtpDkimPrivateKey": "Chave Privada",
|
||||
"smtpDkimHashAlgo": "Algoritmo Hash (Opcional)",
|
||||
"smtpDkimskipFields": "Chaves Do Cabeçalho para não assinar (Opcional)",
|
||||
"alertaEnvironment": "Ambiente",
|
||||
"alertaRecoverState": "Estado De Recuperação",
|
||||
"smseagleEncoding": "Enviar como Unicode",
|
||||
"onebotGroupMessage": "Grupo",
|
||||
"onebotPrivateMessage": "Privado",
|
||||
"onebotUserOrGroupId": "ID do Grupo/Usuário",
|
||||
"No Maintenance": "Sem Manutenção",
|
||||
"telegramProtectContentDescription": "Se ativado, a mensagens do bot do Telegram serão protegidas contra encaminhamentos e salvamento.",
|
||||
"telegramProtectContent": "Proteger Contra Encaminhamento/Salvamento",
|
||||
"affectedStatusPages": "Mostrar essa mensagem de manutenção nas páginas de status selecionadas",
|
||||
"loadingError": "Não foi possível pegar os dados, por favor tente novamente.",
|
||||
"Bot Display Name": "Nome Visível Do Bot",
|
||||
"Access Token": "Token De Acesso",
|
||||
"Unpin": "Desfixar",
|
||||
"telegramSendSilently": "Enviar Silenciosamente",
|
||||
"telegramSendSilentlyDescription": "Enviar a mensagem silenciosamente. Os usuários não receberam uma notificação com som.",
|
||||
"YOUR BOT TOKEN HERE": "O SEU TOKEN DO BOT VAI AQUI",
|
||||
"warningTimezone": "Está usando os servidores de fuso-horários",
|
||||
"dayOfWeek": "Dia Da Semana",
|
||||
"dayOfMonth": "Dia Do Mês",
|
||||
"lastDay": "Último Dia",
|
||||
"lastDay1": "Último Dia Do Mês",
|
||||
"lastDay2": "Penúltimo Dia Do Mês",
|
||||
"lastDay3": "Antepenúltimo Dia Do Mês",
|
||||
"lastDay4": "Quarto Último Dia Do Mês",
|
||||
"weekdayShortMon": "Seg",
|
||||
"weekdayShortTue": "Ter",
|
||||
"weekdayShortWed": "Qua",
|
||||
"weekdayShortFri": "Sex",
|
||||
"weekdayShortSat": "Sab",
|
||||
"weekdayShortSun": "Dom",
|
||||
"wayToGetTeamsURL": "Você pode aprender a como criar a URL do webhook {0}.",
|
||||
"Hello @everyone is...": "Olá {'@'}everyone é…",
|
||||
"Number": "Número",
|
||||
"install": "Instalar",
|
||||
"installing": "Instalando",
|
||||
"uninstall": "Desinstalar",
|
||||
"Ignore TLS Error": "Ignorar Erro De TLS",
|
||||
"Discord Webhook URL": "URL Do Webhook Do Discord",
|
||||
"emailCustomSubject": "Assunto Personalizado",
|
||||
"Prefix Custom Message": "Prefixo Personalizado Da Mensagem",
|
||||
"wayToGetZohoCliqURL": "Você pode aprender a como criar uma URL de Webhook {0}.",
|
||||
"Channel access token": "Canal do token de acesso",
|
||||
"promosmsPassword": "Senha Da API",
|
||||
"promosmsLogin": "Nome Do Login Da API",
|
||||
"atLeastOneMonitor": "Selecione pelo menos um monitoramento afetado",
|
||||
"apiCredentials": "Credenciais Da API",
|
||||
"For safety, must use secret key": "Para segurança deve se usar uma chave secreta",
|
||||
"Device Token": "Token Do Dispositivo",
|
||||
"Retry": "Tentar Novamente",
|
||||
"Topic": "Tópico",
|
||||
"Setup Proxy": "Configuração Do Proxy",
|
||||
"Proxy Protocol": "Protocolo Do Proxy",
|
||||
"Proxy Server": "Servidor Proxy",
|
||||
"Proxy server has authentication": "O servidor proxy tem autenticação",
|
||||
"aboutWebhooks": "Mais informações sobre Webhooks em: {0}",
|
||||
"Integration Key": "Chave De Integração",
|
||||
"Integration URL": "URL De Integração",
|
||||
"do nothing": "fazendo nada",
|
||||
"onebotSafetyTips": "Por segurança deve adicionar o token de acesso",
|
||||
"Subject:": "Assunto:",
|
||||
"Valid To:": "Válido para:",
|
||||
"For example: nginx, Apache and Traefik.": "Por exemplo: Nginx, Apache e Traefik.",
|
||||
"Please read": "Por favor, leia",
|
||||
"RadiusCallingStationIdDescription": "Identificador do dispositivo de chamada",
|
||||
"certificationExpiryDescription": "O monitoramento por HTTPS envia a notificação quando o certificado TLS expirar em:",
|
||||
"or": "ou",
|
||||
"Effective Date Range": "Intervalo Efetivo De Data (Opcional)",
|
||||
"recurringIntervalMessage": "Rodar diariamente | Rodar a cada {0} dias",
|
||||
"Status:": "Status: {0}",
|
||||
"smtpDkimSettings": "Configurações DKIM",
|
||||
"alertaApiKey": "Chave Da API",
|
||||
"alertaAlertState": "Estado Do Alerta",
|
||||
"statusPageRefreshIn": "Atualizando em: {0}",
|
||||
"Untitled Group": "Grupo Sem Título",
|
||||
"primary": "primário",
|
||||
"setAsDefaultProxyDescription": "Este proxy será habilitado por padrão em todos os novos monitores. Você pode desabilitar o proxy individualmente para cada monitor.",
|
||||
"Valid": "Válido",
|
||||
"Invalid": "Inválido",
|
||||
"User": "Usuário",
|
||||
"Installed": "Instalado",
|
||||
"Not installed": "Não instalado",
|
||||
"enableProxyDescription": "Este proxy não afetará as solicitações do monitor até que seja ativado. Você pode controlar temporariamente a desativação do proxy de todos os monitores pelo status de ativação.",
|
||||
"Not running": "Desabilitado",
|
||||
"Remove Token": "Remover Token",
|
||||
"Start": "Iniciar",
|
||||
"Stop": "Parar",
|
||||
"Add New Status Page": "Adicionar Nova Página De Status",
|
||||
"Accept characters:": "Caracteres aceitos:",
|
||||
"Running": "Habilitado",
|
||||
"startOrEndWithOnly": "Apenas iniciar ou parar com {0}",
|
||||
"No consecutive dashes": "Sem traços consecutivos",
|
||||
"Next": "Próximo",
|
||||
"No Proxy": "Sem Proxy",
|
||||
"Authentication": "Autenticação",
|
||||
"HTTP Basic Auth": "Autenticação Básica No HTTP",
|
||||
"New Status Page": "Nova Página De Status",
|
||||
"Page Not Found": "Página Não Encontrada",
|
||||
"Reverse Proxy": "Proxy Reverso",
|
||||
"About": "Sobre",
|
||||
"Message:": "Mensagem:",
|
||||
"HTTP Headers": "Cabeçalhos HTTP",
|
||||
"Trust Proxy": "Proxy Confiável",
|
||||
"Other Software": "Outros Programas",
|
||||
"Days Remaining:": "Dias Restantes:",
|
||||
"No status pages": "Sem página de status",
|
||||
"Date Created": "Data De Criação",
|
||||
"Backup": "Cópia de Segurança",
|
||||
"wayToGetCloudflaredURL": "(Baixe o CloudFlareD de {0})",
|
||||
"cloudflareWebsite": "Site Da CloudaFlare",
|
||||
"Issuer:": "Emissor:",
|
||||
"Fingerprint:": "Impressão Digital:",
|
||||
"Footer Text": "Texto Do Rodapé",
|
||||
"Domain Names": "Nome Dos Domínios",
|
||||
"signedInDispDisabled": "Autenticação Desabilitada.",
|
||||
"RadiusSecretDescription": "Compartilhe o Segredo entre o cliente e o servidor",
|
||||
"Certificate Expiry Notification": "Notificação De Certificado Expirado",
|
||||
"The resource is no longer available.": "O recurso não está mais disponível.",
|
||||
"There might be a typing error in the address.": "Pode ter um erro de digitação no endereço.",
|
||||
"Retype the address.": "Digitar novamente o endereço.",
|
||||
"Go back to the previous page.": "Voltar para a página anterior.",
|
||||
"Query": "Query",
|
||||
"settingsCertificateExpiry": "O Certificado TLS Expira",
|
||||
"Connection Type": "Tipo Da Conexão",
|
||||
"signedInDisp": "Assinado como {0}",
|
||||
"RadiusCallingStationId": "ID Da Estação De Chamada",
|
||||
"RadiusCalledStationIdDescription": "Identificador do dispositivo de chamada",
|
||||
"Coming Soon": "Em Breve",
|
||||
"Connection String": "String De Conexão",
|
||||
"Docker Daemon": "Daemon Do Docker",
|
||||
"Show Powered By": "Mostrar Distribuído Por",
|
||||
"RadiusSecret": "Segredo Radius",
|
||||
"RadiusCalledStationId": "ID Da Estação Chamada",
|
||||
"deleteDockerHostMsg": "Você tem certeza que quer deletar esse host do Docker para todos os monitores?",
|
||||
"tcp": "TCP / HTTP",
|
||||
"Docker Container": "Container Docker",
|
||||
"Container Name / ID": "Nome / ID do Container",
|
||||
"Domain": "Domínio",
|
||||
"Workstation": "Estação De Trabalho",
|
||||
"Packet Size": "Tamanho Do Pacote",
|
||||
"Bot Token": "Token do Bot",
|
||||
"wayToGetTelegramToken": "Você pode pegar o token de {0}.",
|
||||
"chatIDNotFound": "Chat ID não encontrado; por favor envia uma mensagem para o bot primeiro",
|
||||
"Chat ID": "Chat ID",
|
||||
"Docker Hosts": "Hosts Do Docker",
|
||||
"Docker Host": "Host Do Docker",
|
||||
"Examples": "Exemplos",
|
||||
"maintenanceStatus-under-maintenance": "Em Manutenção",
|
||||
"Long-Lived Access Token": "Token De Acesso De Longa Duração",
|
||||
"Home Assistant URL": "URL Do Home Assinant",
|
||||
"Long-Lived Access Token can be created by clicking on your profile name (bottom left) and scrolling to the bottom then click Create Token. ": "O token de acessos de longa duração pode ser criado clicando no nome do seu perfil, com o botão esquerdo, ir até o final da lista e clicar em Criar Token. ",
|
||||
"Event type:": "Tipo Do Evento:",
|
||||
"Event data:": "Dados Do Evento:",
|
||||
"Frontend Version": "Versão Do Frontend",
|
||||
"backupRecommend": "Por favor faça uma cópia do volume ou da pasta com dados(./data/) diretamente ao invés.",
|
||||
"Optional": "Opcional",
|
||||
"recurringInterval": "Intervalo",
|
||||
"Recurring": "Recorrente",
|
||||
"pauseMaintenanceMsg": "Você tem certeza que quer pausar?",
|
||||
"maintenanceStatus-inactive": "Inativo",
|
||||
"maintenanceStatus-scheduled": "Agendado",
|
||||
"maintenanceStatus-ended": "Terminando",
|
||||
"maintenanceStatus-unknown": "Desconhecido",
|
||||
"enableGRPCTls": "Permita para enviar requisições gRPC com conexões TLS",
|
||||
"confirmDeleteTagMsg": "Você tem certeza que deseja apagar essa tag? Monitores associados a essa tag não serão apagados.",
|
||||
"grpcMethodDescription": "O nome do método é convertido para o formato cammelCase, exemplos: enviarBomDia, verificar, etc.",
|
||||
"infiniteRetention": "Defina como 0 para um tempo infinito de retenção.",
|
||||
"octopushLegacyHint": "Você usa a versão legada do Octopush (2011-2020) ou a nova versão?",
|
||||
"Example:": "Exemplo: {0}",
|
||||
"Read more:": "Leia mais em: {0}",
|
||||
"promosmsAllowLongSMS": "Permitir SMS grandes",
|
||||
"Android": "Android",
|
||||
"Huawei": "Huawei",
|
||||
"smseagleTo": "Números Dos Telefones",
|
||||
"smseaglePriority": "Prioridade da mensagem (0-9, padrão=0)",
|
||||
"dataRetentionTimeError": "O período de retenção tem que ser maior ou igual a 0",
|
||||
"User Key": "Chave Do Usuário",
|
||||
"Device": "Dispositivo",
|
||||
"Message Title": "Título Da Mensagem",
|
||||
"defaultNotificationName": "Minha {notification} Alerta({number})",
|
||||
"light": "claro",
|
||||
"socket": "Soquete",
|
||||
"Add New Tag": "Adicionar Nova Tag",
|
||||
"API Username": "Usuário Da API",
|
||||
"API Key": "Chave Da API",
|
||||
"Show update if available": "Mostrar atualização se disponível",
|
||||
"Also check beta release": "Também verificar lançamentos em beta",
|
||||
"Using a Reverse Proxy?": "Está usando um Proxy Reverso?",
|
||||
"Check how to config it for WebSocket": "Verifique como configurar para o WebSocket",
|
||||
"Steam Game Server": "Servidor De Jogo Da Steam",
|
||||
"Most likely causes:": "Causas mais prováveis:",
|
||||
"What you can try:": "O que você pode tentar:",
|
||||
"apiKey-active": "Ativa",
|
||||
"Expiry": "Expiração",
|
||||
"endpoint": "endpoint",
|
||||
"pagertreeIntegrationUrl": "URL de Integração",
|
||||
"pagertreeUrgency": "Urgência",
|
||||
"telegramMessageThreadID": "(Opcional) Message Thread ID",
|
||||
"Edit Tag": "Editar Etiqueta",
|
||||
"Server Address": "Endereço do Servidor",
|
||||
"Learn More": "Aprender Mais",
|
||||
"needSignalAPI": "Você precisa de um cliente Signal com API REST.",
|
||||
"Generate": "Gerar",
|
||||
"deleteAPIKeyMsg": "Você tem certeza de que quer apagar essa chave de API?",
|
||||
"plugin": "Plugin | Plugins",
|
||||
"Expiry date": "Data de expiração",
|
||||
"Don't expire": "Não expira",
|
||||
"Continue": "Continuar",
|
||||
"Add Another": "Adicionar Outro",
|
||||
"Key Added": "Chave Adicionada",
|
||||
"Add API Key": "Adicionar chave de API",
|
||||
"No API Keys": "Sem chaves de API",
|
||||
"apiKey-expired": "Expirada",
|
||||
"apiKey-inactive": "Inativa",
|
||||
"Expires": "Expira",
|
||||
"disableAPIKeyMsg": "Você tem certeza de que quer desativar essa chave de API?",
|
||||
"smtp": "Email (SMTP)",
|
||||
"secureOptionTLS": "TLS (465)",
|
||||
"From Email": "Email De",
|
||||
"smtpCC": "CC",
|
||||
"smtpBCC": "CCO",
|
||||
"To Email": "Email Para",
|
||||
"Recipients": "Destinatários",
|
||||
"Google Analytics ID": "ID Google Analytics",
|
||||
"Post": "Post",
|
||||
"Slug": "Slug",
|
||||
"The slug is already taken. Please choose another slug.": "Esse slug já foi utilizado. Por favor escolha outro slug.",
|
||||
"Setup Docker Host": "Configurar Host Docker",
|
||||
"trustProxyDescription": "Confiar nos cabeçalhos 'X-Forwarded-*'. Se você quer obter o endereço IP do cliente correto no seu Uptime Kuma que está por trás de um proxy como Nginx ou Apache, você deve ativar isso.",
|
||||
"Automations can optionally be triggered in Home Assistant:": "Automações podem opcionalmente ser disparadas no Home Assistant:",
|
||||
"secureOptionNone": "Nenhum / STARTTLS (25, 587)",
|
||||
"apiKeyAddedMsg": "Sua chave de API foi adicionada. Por favor anote essa chave, ela não será mostrada novamente.",
|
||||
"Show Clickable Link": "Mostrar Link Clicável"
|
||||
}
|
||||
|
@@ -6,7 +6,7 @@
|
||||
"upsideDownModeDescription": "Реверс статуса сервиса. Если сервис доступен, то он помечается как НЕДОСТУПНЫЙ.",
|
||||
"maxRedirectDescription": "Максимальное количество перенаправлений. Поставьте 0, чтобы отключить перенаправления.",
|
||||
"acceptedStatusCodesDescription": "Выберите коды статусов для определения доступности сервиса.",
|
||||
"passwordNotMatchMsg": "Повтор пароля не совпадает.",
|
||||
"passwordNotMatchMsg": "Введёные пароли не совпадают",
|
||||
"notificationDescription": "Привяжите уведомления к мониторам.",
|
||||
"keywordDescription": "Поиск слова в чистом HTML или в JSON-ответе (чувствительно к регистру).",
|
||||
"pauseDashboardHome": "Пауза",
|
||||
@@ -43,7 +43,7 @@
|
||||
"Delete": "Удалить",
|
||||
"Current": "Текущий",
|
||||
"Uptime": "Аптайм",
|
||||
"Cert Exp.": "Сертификат истекает.",
|
||||
"Cert Exp.": "Сертификат истекает",
|
||||
"day": "день | дней",
|
||||
"-day": "-дней",
|
||||
"hour": "час",
|
||||
@@ -69,7 +69,7 @@
|
||||
"Light": "Светлая",
|
||||
"Dark": "Тёмная",
|
||||
"Auto": "Авто",
|
||||
"Theme - Heartbeat Bar": "Тема - Полоса частоты опроса",
|
||||
"Theme - Heartbeat Bar": "Полоса частоты опроса",
|
||||
"Normal": "Обычный",
|
||||
"Bottom": "Снизу",
|
||||
"None": "Отсутствует",
|
||||
@@ -160,7 +160,7 @@
|
||||
"Tag with this name already exist.": "Такой тег уже существует.",
|
||||
"Tag with this value already exist.": "Тег с таким значением уже существует.",
|
||||
"color": "цвет",
|
||||
"value (optional)": "значение (опционально)",
|
||||
"value (optional)": "значение (необязательно)",
|
||||
"Gray": "Серый",
|
||||
"Red": "Красный",
|
||||
"Orange": "Оранжевый",
|
||||
@@ -175,9 +175,9 @@
|
||||
"Entry Page": "Главная страница",
|
||||
"statusPageNothing": "Здесь пусто. Добавьте группу или монитор.",
|
||||
"No Services": "Нет сервисов",
|
||||
"All Systems Operational": "Все системы работают в штатном режиме",
|
||||
"Partially Degraded Service": "Сервисы работают частично",
|
||||
"Degraded Service": "Все сервисы не работают",
|
||||
"All Systems Operational": "Все системы работают",
|
||||
"Partially Degraded Service": "Частичная работа сервисов",
|
||||
"Degraded Service": "Отказ всех сервисов",
|
||||
"Add Group": "Добавить группу",
|
||||
"Add a monitor": "Добавить монитор",
|
||||
"Edit Status Page": "Редактировать",
|
||||
@@ -212,7 +212,7 @@
|
||||
"pushOptionalParams": "Опциональные параметры: {0}",
|
||||
"defaultNotificationName": "Моё уведомление {notification} ({number})",
|
||||
"here": "здесь",
|
||||
"Required": "Требуется",
|
||||
"Required": "Обязательно",
|
||||
"Bot Token": "Токен бота",
|
||||
"wayToGetTelegramToken": "Вы можете взять токен здесь - {0}.",
|
||||
"Chat ID": "ID чата",
|
||||
@@ -296,7 +296,7 @@
|
||||
"promosmsPhoneNumber": "Номер телефона (для получателей из Польши можно пропустить код региона)",
|
||||
"promosmsSMSSender": "Имя отправителя SMS: Зарегистрированное или одно из имён по умолчанию: InfoSMS, SMS Info, MaxSMS, INFO, SMS",
|
||||
"Feishu WebHookUrl": "Feishu WebHookURL",
|
||||
"matrixHomeserverURL": "URL сервера (вместе с http(s):// и опционально порт)",
|
||||
"matrixHomeserverURL": "URL сервера (вместе с http(s):// и по желанию порт)",
|
||||
"Internal Room Id": "Внутренний ID комнаты",
|
||||
"matrixDesc1": "Внутренний ID комнаты можно найти в Подробностях в параметрах канала вашего Matrix клиента. Он должен выглядеть примерно как !QMdRCpUIfLwsfjxye6:home.server.",
|
||||
"matrixDesc2": "Рекомендуется создать нового пользователя и не использовать токен доступа личного пользователя Matrix, т.к. это влечёт за собой полный доступ к аккаунту и к комнатам, в которых вы состоите. Вместо этого создайте нового пользователя и пригласите его только в ту комнату, в которой вы хотите получать уведомления. Токен доступа можно получить, выполнив команду {0}",
|
||||
@@ -335,9 +335,9 @@
|
||||
"Current User": "Текущий пользователь",
|
||||
"About": "О программе",
|
||||
"Description": "Описание",
|
||||
"Powered by": "Работает на основе скрипта от",
|
||||
"Powered by": "Работает на",
|
||||
"shrinkDatabaseDescription": "Включает VACUUM для базы данных SQLite. Если ваша база данных была создана на версии 1.10.0 и более, AUTO_VACUUM уже включен и это действие не требуется.",
|
||||
"deleteStatusPageMsg": "Вы действительно хотите удалить эту страницу статуса сервисов?",
|
||||
"deleteStatusPageMsg": "Вы действительно хотите удалить эту страницу статуса?",
|
||||
"Style": "Стиль",
|
||||
"info": "ИНФО",
|
||||
"warning": "ВНИМАНИЕ",
|
||||
@@ -367,7 +367,7 @@
|
||||
"Pick Accepted Status Codes...": "Выберите принятые коды состояния…",
|
||||
"Default": "По умолчанию",
|
||||
"Please input title and content": "Пожалуйста, введите название и содержание",
|
||||
"Last Updated": "Последнее Обновление",
|
||||
"Last Updated": "Последнее обновление",
|
||||
"Untitled Group": "Группа без названия",
|
||||
"Services": "Сервисы",
|
||||
"serwersms": "SerwerSMS.pl",
|
||||
@@ -379,11 +379,11 @@
|
||||
"smtpDkimSettings": "DKIM Настройки",
|
||||
"smtpDkimDesc": "Пожалуйста ознакомьтесь с {0} Nodemailer DKIM для использования.",
|
||||
"documentation": "документацией",
|
||||
"smtpDkimDomain": "Имя Домена",
|
||||
"smtpDkimDomain": "Имя домена",
|
||||
"smtpDkimKeySelector": "Ключ",
|
||||
"smtpDkimPrivateKey": "Приватный ключ",
|
||||
"smtpDkimHashAlgo": "Алгоритм хэша (опционально)",
|
||||
"smtpDkimheaderFieldNames": "Заголовок ключей для подписи (опционально)",
|
||||
"smtpDkimHashAlgo": "Алгоритм хэша (необязательно)",
|
||||
"smtpDkimheaderFieldNames": "Заголовок ключей для подписи (необязательно)",
|
||||
"smtpDkimskipFields": "Заголовок ключей не для подписи (опционально)",
|
||||
"gorush": "Gorush",
|
||||
"alerta": "Alerta",
|
||||
@@ -439,9 +439,9 @@
|
||||
"Uptime Kuma": "Uptime Kuma",
|
||||
"Slug": "Slug",
|
||||
"Accept characters:": "Принимаемые символы:",
|
||||
"startOrEndWithOnly": "Начинается или кончается только {0}",
|
||||
"startOrEndWithOnly": "Начинается или заканчивается только на {0}",
|
||||
"No consecutive dashes": "Без последовательных тире",
|
||||
"The slug is already taken. Please choose another slug.": "Слово уже занято. Пожалуйста, выберите другой вариант.",
|
||||
"The slug is already taken. Please choose another slug.": "Этот slug уже занят. Пожалуйста, выберите другой.",
|
||||
"Page Not Found": "Страница не найдена",
|
||||
"wayToGetCloudflaredURL": "(Скачать cloudflared с {0})",
|
||||
"cloudflareWebsite": "Веб-сайт Cloudflare",
|
||||
@@ -467,7 +467,7 @@
|
||||
"onebotMessageType": "Тип сообщения OneBot",
|
||||
"onebotGroupMessage": "Группа",
|
||||
"onebotPrivateMessage": "Private",
|
||||
"onebotUserOrGroupId": "ID группы или пользователя",
|
||||
"onebotUserOrGroupId": "ID группы/пользователя",
|
||||
"onebotSafetyTips": "В целях безопасности необходимо установить токен доступа",
|
||||
"PushDeer Key": "ключ PushDeer",
|
||||
"Footer Text": "Текст нижнего колонтитула",
|
||||
@@ -568,7 +568,7 @@
|
||||
"goAlertInfo": "GoAlert — это приложение с открытым исходным кодом для составления расписания вызовов, автоматической эскалации и уведомлений (например, SMS или голосовых звонков). Автоматически привлекайте нужного человека, нужным способом и в нужное время! {0}",
|
||||
"goAlertIntegrationKeyInfo": "Получить общий ключ интеграции API для сервиса в этом формате \"aaaaaaaa-bbbb-cccc-dddd-eeeeeeeeeeee\" обычно значение параметра токена скопированного URL.",
|
||||
"goAlert": "GoAlert",
|
||||
"backupOutdatedWarning": "Устарело: поскольку добавлено множество функций, а эта функция резервного копирования немного не поддерживается, она не может создать или восстановить полную резервную копию.",
|
||||
"backupOutdatedWarning": "Устарело: эта функция резервного копирования более не поддерживается. Поскольку добавлено множество функций, она не может создать или восстановить полную резервную копию.",
|
||||
"backupRecommend": "Сделайте резервную копию тома или папки с данными (./data/) напрямую.",
|
||||
"Optional": "Необязательно",
|
||||
"squadcast": "Squadcast",
|
||||
@@ -578,24 +578,24 @@
|
||||
"SMSManager": "SMSManager",
|
||||
"You can divide numbers with": "Вы можете делить числа с",
|
||||
"or": "или",
|
||||
"Maintenance": "Обслуживание",
|
||||
"Schedule maintenance": "Запланировать обслуживание",
|
||||
"affectedMonitorsDescription": "Выберите мониторы, которые будут затронуты во время обслуживания",
|
||||
"affectedStatusPages": "Показывать уведомление об обслуживании на выбранных страницах статуса",
|
||||
"Maintenance": "Техобслуживание",
|
||||
"Schedule maintenance": "Запланировать техобслуживание",
|
||||
"affectedMonitorsDescription": "Выберите мониторы, которые будут затронуты во время техбслуживания",
|
||||
"affectedStatusPages": "Показывать уведомление о техбслуживании на выбранных страницах статуса",
|
||||
"atLeastOneMonitor": "Выберите больше одного затрагиваемого монитора",
|
||||
"dnsPortDescription": "По умолчанию порт DNS сервера - 53. Мы можете изменить его в любое время.",
|
||||
"Monitor": "Монитор | Мониторы",
|
||||
"webhookAdditionalHeadersTitle": "Дополнительные Заголовки",
|
||||
"recurringIntervalMessage": "Запускать 1 раз каждый день | Запускать 1 раз каждые {0} дней",
|
||||
"error": "ошибка",
|
||||
"statusMaintenance": "Обслуживание",
|
||||
"statusMaintenance": "Техобслуживание",
|
||||
"Affected Monitors": "Затронутые мониторы",
|
||||
"Start of maintenance": "Начало обслуживания",
|
||||
"Start of maintenance": "Начало техобслуживания",
|
||||
"All Status Pages": "Все страницы статусов",
|
||||
"Select status pages...": "Выберите страницу статуса…",
|
||||
"resendEveryXTimes": "Повтор каждые {0} раз",
|
||||
"resendDisabled": "Повторная отправка отключена",
|
||||
"deleteMaintenanceMsg": "Вы действительно хотите удалить это обслуживание?",
|
||||
"deleteMaintenanceMsg": "Вы действительно хотите удалить это техбслуживание?",
|
||||
"critical": "критично",
|
||||
"Custom Monitor Type": "Собственный тип монитора",
|
||||
"markdownSupported": "Поддерживает синтаксис Markdown",
|
||||
@@ -630,7 +630,7 @@
|
||||
"lastDay2": "Второй последний день месяца",
|
||||
"lastDay3": "Третий последний день месяца",
|
||||
"lastDay4": "Четвертый последний день месяца",
|
||||
"No Maintenance": "Без обслуживания",
|
||||
"No Maintenance": "Нет техбслуживаний",
|
||||
"pauseMaintenanceMsg": "Вы уверены что хотите поставить на паузу?",
|
||||
"maintenanceStatus-under-maintenance": "На техобслуживании",
|
||||
"maintenanceStatus-inactive": "Неактивен",
|
||||
@@ -640,13 +640,13 @@
|
||||
"Display Timezone": "Показать часовой пояс",
|
||||
"Server Timezone": "Часовой пояс сервера",
|
||||
"statusPageMaintenanceEndDate": "Конец",
|
||||
"IconUrl": "URL Иконки",
|
||||
"IconUrl": "URL иконки",
|
||||
"Enable DNS Cache": "Включить DNS кэш",
|
||||
"Enable": "Включить",
|
||||
"Disable": "Отключить",
|
||||
"Single Maintenance Window": "Единое Окно Обслуживания",
|
||||
"Schedule Maintenance": "Запланировать обслуживание",
|
||||
"Date and Time": "Дата и Время",
|
||||
"Single Maintenance Window": "Единое окно техбслуживания",
|
||||
"Schedule Maintenance": "Запланировать техбслуживание",
|
||||
"Date and Time": "Дата и время",
|
||||
"DateTime Range": "Промежуток даты и времени",
|
||||
"uninstalling": "Удаляется",
|
||||
"dataRetentionTimeError": "Период хранения должен быть равен 0 или больше",
|
||||
@@ -676,10 +676,10 @@
|
||||
"Integration URL": "URL интеграции",
|
||||
"do nothing": "ничего не делать",
|
||||
"smseagleTo": "Номер(а) телефона",
|
||||
"smseagleGroup": "Название(я) групп телефонной книги",
|
||||
"smseagleContact": "Имена контактов из телефонной книжки",
|
||||
"smseagleGroup": "Название(я) группы телефонной книги",
|
||||
"smseagleContact": "Имена контактов телефонной книги",
|
||||
"smseagleRecipientType": "Тип получателя",
|
||||
"smseagleRecipient": "Получатель(я) (через запятую, если необходимо указать несколько)",
|
||||
"smseagleRecipient": "Получатель(и) (если множество, должны быть разделены запятой)",
|
||||
"smseagleToken": "Токен доступа API",
|
||||
"smseagleUrl": "URL вашего SMSEagle устройства",
|
||||
"smseagleEncoding": "Отправить в юникоде",
|
||||
@@ -695,7 +695,7 @@
|
||||
"telegramProtectContentDescription": "Если включено, сообщения бота в Telegram будут запрещены для пересылки и сохранения.",
|
||||
"telegramSendSilently": "Отправить без звука",
|
||||
"telegramSendSilentlyDescription": "Пользователи получат уведомление без звука.",
|
||||
"Maintenance Time Window of a Day": "Суточный интервал для обслуживания",
|
||||
"Maintenance Time Window of a Day": "Суточный интервал для техбслуживания",
|
||||
"Clone Monitor": "Копия",
|
||||
"Clone": "Копия",
|
||||
"cloneOf": "Копия {0}",
|
||||
@@ -703,31 +703,31 @@
|
||||
"Add New Tag": "Добавить тег",
|
||||
"Body Encoding": "Тип содержимого запроса.(JSON or XML)",
|
||||
"Strategy": "Стратегия",
|
||||
"Free Mobile User Identifier": "Бесплатный идентификатор мобильного пользователя",
|
||||
"Free Mobile User Identifier": "Бесплатный мобильный идентификатор пользователя",
|
||||
"Auto resolve or acknowledged": "Автоматическое разрешение или подтверждение",
|
||||
"auto acknowledged": "автоматическое подтверждение",
|
||||
"auto resolve": "автоматическое разрешение",
|
||||
"API Keys": "Ключи API",
|
||||
"Expiry": "Истекает",
|
||||
"Expiry date": "Дата окончания действия",
|
||||
"Expiry": "Срок действия",
|
||||
"Expiry date": "Дата истечения срока действия",
|
||||
"Don't expire": "Не истекает",
|
||||
"Continue": "Продолжать",
|
||||
"Add Another": "Добавьте еще один",
|
||||
"Continue": "Продолжить",
|
||||
"Add Another": "Добавить еще",
|
||||
"Key Added": "Ключ добавлен",
|
||||
"Add API Key": "Добавить ключ API",
|
||||
"No API Keys": "Нет API ключей",
|
||||
"Add API Key": "Добавить API ключ",
|
||||
"No API Keys": "Нет ключей API",
|
||||
"apiKey-active": "Активный",
|
||||
"apiKey-expired": "Истёк",
|
||||
"apiKey-inactive": "Неактивный",
|
||||
"Expires": "Истекает",
|
||||
"disableAPIKeyMsg": "Вы уверены, что хотите отключить этот ключ?",
|
||||
"disableAPIKeyMsg": "Вы уверены, что хотите отключить этот API ключ?",
|
||||
"Generate": "Сгенерировать",
|
||||
"pagertreeResolve": "Автоматическое разрешение",
|
||||
"pagertreeDoNothing": "ничего не делать",
|
||||
"pagertreeDoNothing": "Ничего не делать",
|
||||
"lunaseaTarget": "Цель",
|
||||
"lunaseaDeviceID": "Идентификатор устройства",
|
||||
"lunaseaUserID": "Идентификатор пользователя",
|
||||
"Lowcost": "Низкая стоимость",
|
||||
"Lowcost": "Бюджетный",
|
||||
"pagertreeIntegrationUrl": "URL-адрес интеграции",
|
||||
"pagertreeUrgency": "Срочность",
|
||||
"pagertreeSilent": "Тихий",
|
||||
@@ -736,15 +736,15 @@
|
||||
"pagertreeHigh": "Высокий",
|
||||
"pagertreeCritical": "Критический",
|
||||
"high": "высокий",
|
||||
"promosmsAllowLongSMS": "Разрешить длинные SMS-сообщения",
|
||||
"promosmsAllowLongSMS": "Разрешить длинные СМС",
|
||||
"Economy": "Экономия",
|
||||
"wayToGetPagerDutyKey": "Вы можете получить это, перейдя в службу -> Каталог служб -> (Выберите службу) -> Интеграции -> Добавить интеграцию. Здесь вы можете выполнить поиск по \"Events API V2\". Дополнительная информация {0}",
|
||||
"apiKeyAddedMsg": "Ваш API ключ был добавлен. Пожалуйста, запишите это, так как оно больше не будет показан.",
|
||||
"wayToGetPagerDutyKey": "Вы можете это получить, перейдя в Сервис -> Каталог сервисов -> (Выберите сервис) -> Интеграции -> Добавить интеграцию. Здесь вы можете искать «Events API V2». Подробнее {0}",
|
||||
"apiKeyAddedMsg": "Ваш ключ API добавлен. Пожалуйста, обратите внимание на это сообщение, так как оно отображается один раз.",
|
||||
"deleteAPIKeyMsg": "Вы уверены, что хотите удалить этот ключ API?",
|
||||
"wayToGetPagerTreeIntegrationURL": "После создания интеграции Uptime Kuma в PagerTree, скопируйте конечную точку. Смотрите полную информацию {0}",
|
||||
"wayToGetPagerTreeIntegrationURL": "После создания интеграции Uptime Kuma в PagerTree скопируйте файл Endpoint. См. полную информацию {0}",
|
||||
"telegramMessageThreadIDDescription": "Необязательный уникальный идентификатор для цепочки сообщений (темы) форума; только для форумов-супергрупп",
|
||||
"grpcMethodDescription": "Название метода - преобразовать в формат cammelCase, такой как sayHello, check и т.д.",
|
||||
"Proto Service Name": "название службы Proto",
|
||||
"grpcMethodDescription": "Имя метода преобразуется в формат cammelCase, например, sayHello, check и т. д.",
|
||||
"Proto Service Name": "Название службы Proto",
|
||||
"Proto Method": "Метод Proto",
|
||||
"Proto Content": "Содержание Proto",
|
||||
"telegramMessageThreadID": "(Необязательно) ID цепочки сообщений",
|
||||
@@ -758,5 +758,40 @@
|
||||
"endDateTime": "Конечная дата и время",
|
||||
"cronExpression": "Выражение для Cron",
|
||||
"cronSchedule": "Расписание: ",
|
||||
"invalidCronExpression": "Неверное выражение Cron: {0}"
|
||||
"invalidCronExpression": "Неверное выражение Cron: {0}",
|
||||
"ntfyUsernameAndPassword": "Логин и пароль",
|
||||
"ntfyAuthenticationMethod": "Способ входа",
|
||||
"Monitor Setting": "Настройка монитора {0}",
|
||||
"Show Clickable Link": "Показать кликабельную ссылку",
|
||||
"Badge Generator": "Генератор значков для {0}",
|
||||
"Badge Type": "Тип значка",
|
||||
"Badge Duration": "Срок действия значка",
|
||||
"Badge Label": "Надпись для значка",
|
||||
"Badge Prefix": "Префикс значка",
|
||||
"Badge Label Color": "Цвет надписи значка",
|
||||
"Badge Color": "Цвет значка",
|
||||
"Badge Label Prefix": "Префикс надписи для значка",
|
||||
"Open Badge Generator": "Открыть генератор значка",
|
||||
"Badge Up Color": "Цвет значка для статуса \"Доступен\"",
|
||||
"Badge Pending Color": "Цвет значка для статуса \"Ожидание\"",
|
||||
"Badge Maintenance Color": "Цвет значка для статуса \"Техобслуживание\"",
|
||||
"Badge Style": "Стиль значка",
|
||||
"Badge Suffix": "Суффикс значка",
|
||||
"Badge value (For Testing only.)": "Значение значка (только для тестирования)",
|
||||
"Badge URL": "URL значка",
|
||||
"Group": "Группа",
|
||||
"Monitor Group": "Группа мониторов",
|
||||
"Show Clickable Link Description": "Если флажок установлен, все, кто имеет доступ к этой странице состояния, могут иметь доступ к URL-адресу монитора.",
|
||||
"pushoverMessageTtl": "TTL сообщения (в секундах)",
|
||||
"Badge Down Color": "Цвет значка для статуса \"Недоступен\"",
|
||||
"Badge Label Suffix": "Суффикс надписи для значка",
|
||||
"Edit Maintenance": "Редактировать техобсоуживание",
|
||||
"Reconnecting...": "Переподключение...",
|
||||
"Cannot connect to the socket server": "Невозможно подключиться к серверу",
|
||||
"Badge Warn Color": "Цвет значка для предупреждения",
|
||||
"Badge Warn Days": "Значок для \"дней предупреждения\"",
|
||||
"Badge Down Days": "Значок для \"дней недоступности\"",
|
||||
"Home": "Главная",
|
||||
"noGroupMonitorMsg": "Не доступно. Создайте сначала группу мониторов.",
|
||||
"Close": "Закрыть"
|
||||
}
|
||||
|
@@ -191,5 +191,15 @@
|
||||
"Tag with this name already exist.": "Značka s týmto názvom už existuje.",
|
||||
"Blue": "Modrá",
|
||||
"Search...": "Hľadať…",
|
||||
"statusPageNothing": "Nič tu nie je, pridajte skupinu alebo sledovanie."
|
||||
"statusPageNothing": "Nič tu nie je, pridajte skupinu alebo sledovanie.",
|
||||
"webhookAdditionalHeadersTitle": "Ďalšie položky",
|
||||
"webhookAdditionalHeadersDesc": "Nastaví ďalšie hlavičky odoslané s webovým hákom.",
|
||||
"Webhook URL": "Webhook URL",
|
||||
"Application Token": "Token aplikácie",
|
||||
"Server URL": "Server URL",
|
||||
"Priority": "Priorita",
|
||||
"statusPageRefreshIn": "Obnovenie za: {0}",
|
||||
"emojiCheatSheet": "Emotikony: {0}",
|
||||
"Read more": "Prečítajte si viac",
|
||||
"appriseInstalled": "Apprise je nainštalovaný."
|
||||
}
|
||||
|
@@ -105,5 +105,37 @@
|
||||
"Last Result": "Senaste resultat",
|
||||
"Create your admin account": "Skapa ditt administratörskonto",
|
||||
"Repeat Password": "Upprepa Lösenord",
|
||||
"respTime": "Svarstid (ms)"
|
||||
"respTime": "Svarstid (ms)",
|
||||
"Specific Monitor Type": "Applikationsspecifika övervakare",
|
||||
"Push URL": "Push URL",
|
||||
"Passive Monitor Type": "Passiva övervakare",
|
||||
"markdownSupported": "Stödjer markdown-syntax",
|
||||
"Heartbeat Retry Interval": "Omprövningsintervall",
|
||||
"needPushEvery": "Hämta denna URL var {0} sekund",
|
||||
"pushOptionalParams": "Valfria parametrar: {0}",
|
||||
"disableauth.message1": "Vill du verkligen <strong>avaktivera autentisering</strong>?",
|
||||
"disableauth.message2": "Det är designat för när en <strong>tredjeparts autentiseringstjänst</strong> såsom Cloudflare Access eller Authelia används framför Uptime Kuma.",
|
||||
"Please use this option carefully!": "Använd denna funktion varsamt!",
|
||||
"Import Backup": "Importera backup",
|
||||
"Affected Monitors": "Påverkade övervakare",
|
||||
"Start of maintenance": "Påbörja underhåll",
|
||||
"All Status Pages": "Alla statussidor",
|
||||
"alertNoFile": "Välj en fil att importera.",
|
||||
"alertWrongFileType": "Välj en JSON-formatterad fil.",
|
||||
"Help": "Hjälp",
|
||||
"Export": "Export",
|
||||
"Import": "Import",
|
||||
"Game": "Spel",
|
||||
"resendEveryXTimes": "Omsänd efter {0} gånger",
|
||||
"Export Backup": "Exportera backup",
|
||||
"Schedule maintenance": "Schemalägg underhåll",
|
||||
"Monitor": "Övervakare | Övervakare",
|
||||
"Resend Notification if Down X times consecutively": "Sänd notis igen om nere X gånger i rad",
|
||||
"Maintenance": "Underhåll",
|
||||
"retryCheckEverySecond": "Ompröva var {0} sekund",
|
||||
"statusMaintenance": "Underhåll",
|
||||
"resendDisabled": "Omsändning inaktiverat",
|
||||
"Pick Affected Monitors...": "Välj påverkade övervakare…",
|
||||
"Select status pages...": "Välj statussidor…",
|
||||
"General Monitor Type": "Allmänna övervakare"
|
||||
}
|
||||
|
@@ -214,7 +214,7 @@
|
||||
"smtpBCC": "BCC",
|
||||
"discord": "Discord",
|
||||
"Discord Webhook URL": "Discord Webhook URL",
|
||||
"wayToGetDiscordURL": "คุณสามารถรับได้โดยการไปที่ Server Settings -> Integrations -> Create Webhook",
|
||||
"wayToGetDiscordURL": "คุณสามารถทำได้โดยการไปที่ Server Settings -> Integrations -> Create Webhook",
|
||||
"Bot Display Name": "ชื่อบอท",
|
||||
"Prefix Custom Message": "คำนำหน้าข้อความที่กำหนดเอง",
|
||||
"Hello @everyone is...": "สวัสดี {'@'}everyone นี่…",
|
||||
@@ -605,5 +605,70 @@
|
||||
"pagertreeCritical": "วิกฤต",
|
||||
"pagertreeDoNothing": "ไม่ต้องทำอะไร",
|
||||
"pagertreeResolve": "แก้ไขอัตโนมัติ",
|
||||
"wayToGetPagerTreeIntegrationURL": "หลังจากสร้างการรวม Uptime Kuma ใน PagerTree แล้ว ให้คัดลอก Endpoint, ดูรายละเอียดทั้งหมด {0}"
|
||||
"wayToGetPagerTreeIntegrationURL": "หลังจากสร้างการรวม Uptime Kuma ใน PagerTree แล้ว ให้คัดลอก Endpoint, ดูรายละเอียดทั้งหมด {0}",
|
||||
"telegramSendSilently": "ส่งอย่างเงียบ ๆ",
|
||||
"maintenanceStatus-inactive": "ไม่ใช้งาน",
|
||||
"telegramProtectContent": "ป้องกันการส่งต่อ/บันทึก",
|
||||
"Add New Tag": "เพิ่มแท็กใหม่",
|
||||
"strategyManual": "ตั่งให้ใช้งาน/ไม่ใช้งานด้วยตนเอง",
|
||||
"warningTimezone": "ใช้เขตเวลาของเซิร์ฟเวอร์",
|
||||
"weekdayShortMon": "จันทร์",
|
||||
"weekdayShortTue": "วันอังคาร",
|
||||
"weekdayShortWed": "พุธ",
|
||||
"weekdayShortThu": "พฤหัสบดี",
|
||||
"weekdayShortFri": "ศุกร์",
|
||||
"weekdayShortSat": "เสาร์",
|
||||
"weekdayShortSun": "อาทิตย์",
|
||||
"dayOfWeek": "วันในสัปดาห์",
|
||||
"dayOfMonth": "วันในเดือน",
|
||||
"maintenanceStatus-under-maintenance": "อยู่ภายใต้การบำรุงรักษา",
|
||||
"maintenanceStatus-scheduled": "กำหนดการ",
|
||||
"maintenanceStatus-ended": "สิ้นสุด",
|
||||
"maintenanceStatus-unknown": "ไม่ทราบ",
|
||||
"Specific Monitor Type": "ประเภทมอนิเตอร์เฉพาะ",
|
||||
"telegramMessageThreadID": "(ตัวเลือก) ไอดีเทรดข้อความ",
|
||||
"telegramMessageThreadIDDescription": "ตัวระบุที่ไม่ซ้ำซึ่งเป็นทางเลือกสำหรับเธรดข้อความเป้าหมาย (หัวข้อ) ของฟอรัม สำหรับฟอรัมซูเปอร์กรุ๊ปเท่านั้น",
|
||||
"sameAsServerTimezone": "เช่นเดียวกับเขตเวลาของเซิร์ฟเวอร์",
|
||||
"startDateTime": "วันที่/เวลาเริ่มต้น",
|
||||
"endDateTime": "วันที่/เวลาสิ้นสุด",
|
||||
"cronSchedule": "กำหนดการ: ",
|
||||
"invalidCronExpression": "นิพจน์ Cron ไม่ถูกต้อง: {0}",
|
||||
"cronExpression": "นิพจน์ Cron",
|
||||
"lastDay": "วันสุดท้าย",
|
||||
"lastDay1": "วันสุดท้ายของเดือน",
|
||||
"lastDay2": "วันที่ 2 สุดท้ายของเดือน",
|
||||
"lastDay3": "วันที่ 3 สุดท้ายของเดือน",
|
||||
"lastDay4": "วันที่ 4 สุดท้ายของเดือน",
|
||||
"No Maintenance": "ไม่มีการบำรุงรักษา",
|
||||
"pauseMaintenanceMsg": "แน่ใจไหมว่าต้องการหยุดชั่วคราว",
|
||||
"Display Timezone": "แสดงเขตเวลา",
|
||||
"statusPageMaintenanceEndDate": "จบ",
|
||||
"Server Timezone": "เขตเวลาเซิร์ฟเวอร์",
|
||||
"statusPageRefreshIn": "รีโหลดใน: {0}",
|
||||
"telegramSendSilentlyDescription": "ส่งข้อความอย่างเงียบๆ ผู้ใช้จะได้รับการแจ้งเตือนโดยไม่มีเสียง",
|
||||
"telegramProtectContentDescription": "หากเปิดใช้งาน ข้อความบอทใน Telegram จะได้รับการปกป้องจากการส่งต่อและการบันทึก",
|
||||
"dnsCacheDescription": "อาจจะทำงานไม่ได้กับ IPv6, ปิดใช้งานถ้าเจอปัญหา",
|
||||
"IconUrl": "URL ไอคอน",
|
||||
"Enable DNS Cache": "เปิดใช้งาน DNS Cache",
|
||||
"Enable": "เปิดใช้งาน",
|
||||
"Disable": "ปิดใช้งาน",
|
||||
"Single Maintenance Window": "หน้าการปรับปรุงเดี่ยว",
|
||||
"Clone Monitor": "มอนิเตอร์",
|
||||
"Clone": "โคลนมอนิเตอร์",
|
||||
"cloneOf": "ชื่อเล่นมอนิเตอร์",
|
||||
"wayToGetZohoCliqURL": "คุณสามารถดูวิธีการสร้าง Webhook URL {0}",
|
||||
"Cannot connect to the socket server": "ไม่สามารถเชื่อมต่อกับเซิร์ฟเวอร์ Socket",
|
||||
"Reconnecting...": "กำลังเชื่อมต่อใหม่",
|
||||
"Home": "หน้าหลัก",
|
||||
"Date and Time": "วันที่และเวลา",
|
||||
"DateTime Range": "ช่วงวันที่และเวลา",
|
||||
"loadingError": "ไม่สามารถดึงข้อมูลได้ โปรดลองอีกครั้งในภายหลัง",
|
||||
"plugin": "ปลั้กอิน | ปลั้กอิน",
|
||||
"install": "ติดตั้ง",
|
||||
"installing": "กำลังติดตั้ง",
|
||||
"uninstall": "ถอนการติดตั้ง",
|
||||
"uninstalling": "กำลังถอนการติดตั้ง",
|
||||
"confirmUninstallPlugin": "แน่ใจหรือไม่ว่าต้องการถอนการติดตั้งปลั้กอินนี้?",
|
||||
"Schedule Maintenance": "กำหนดเวลาซ่อมแซม",
|
||||
"Edit Maintenance": "แก้ใขการบำรุงรักษา"
|
||||
}
|
||||
|
@@ -58,7 +58,7 @@
|
||||
"Delete": "Sil",
|
||||
"Current": "Şu anda",
|
||||
"Uptime": "Çalışma zamanı",
|
||||
"Cert Exp.": "Sertifika Süresi",
|
||||
"Cert Exp.": "Sertifika Geç. Süresi",
|
||||
"day": "gün | günler",
|
||||
"-day": "-gün",
|
||||
"hour": "saat",
|
||||
@@ -194,7 +194,7 @@
|
||||
"here": "burada",
|
||||
"Required": "Gerekli",
|
||||
"telegram": "Telegram",
|
||||
"Bot Token": "Bot Token",
|
||||
"Bot Token": "Bot Anahtarı",
|
||||
"wayToGetTelegramToken": "{0} adresinden bir token alabilirsiniz.",
|
||||
"Chat ID": "Chat ID",
|
||||
"supportTelegramChatID": "Doğrudan Sohbet / Grup / Kanalın Sohbet Kimliğini Destekleyin",
|
||||
@@ -216,8 +216,8 @@
|
||||
"smtpCC": "CC",
|
||||
"smtpBCC": "BCC",
|
||||
"discord": "Discord",
|
||||
"Discord Webhook URL": "Discord Webhook URL",
|
||||
"wayToGetDiscordURL": "Bunu Sunucu Ayarları -> Entegrasyonlar -> Webhookları Görüntüle -> Yeni Webhook Oluştur adımını izleyerek alabilirsiniz.",
|
||||
"Discord Webhook URL": "Discord Webhook Bağlantısı",
|
||||
"wayToGetDiscordURL": "Bunu Sunucu Ayarları -> Entegrasyonlar -> Webhookları Görüntüle -> Yeni Webhook Oluştur adımını izleyerek alabilirsiniz",
|
||||
"Bot Display Name": "Botun Görünecek Adı",
|
||||
"Prefix Custom Message": "Önek Özel Mesaj",
|
||||
"Hello @everyone is...": "Merhaba {'@'}everyone…",
|
||||
@@ -262,7 +262,7 @@
|
||||
"octopushPhoneNumber": "Telefon numarası (uluslararası biçim, örneğin: +33612345678) ",
|
||||
"octopushSMSSender": "SMS Gönderici Adı : 3-11 alfanümerik karakter ve boşluk (a-zA-Z0-9)",
|
||||
"LunaSea Device ID": "LunaSea Cihaz ID",
|
||||
"Apprise URL": "Apprise URL",
|
||||
"Apprise URL": "Apprise Bağlantısı",
|
||||
"Example:": "Örnek: {0}",
|
||||
"Read more:": "Daha fazla oku: {0}",
|
||||
"Status:": "Durum: {0}",
|
||||
@@ -335,7 +335,7 @@
|
||||
"Please input title and content": "Lütfen başlık ve içerik girin",
|
||||
"Created": "Oluşturuldu",
|
||||
"Last Updated": "Son Güncelleme",
|
||||
"Unpin": "Unpin",
|
||||
"Unpin": "Sabitlemeyi Kaldır",
|
||||
"Switch to Light Theme": "Açık Temaya Geç",
|
||||
"Switch to Dark Theme": "Karanlık Temaya Geç",
|
||||
"Show Tags": "Etiketleri Göster",
|
||||
@@ -395,7 +395,7 @@
|
||||
"Valid": "Geçerli",
|
||||
"Invalid": "Geçersiz",
|
||||
"AccessKeyId": "AccessKey ID",
|
||||
"SecretAccessKey": "AccessKey Secret",
|
||||
"SecretAccessKey": "AccessKey Gizli Anahtarı",
|
||||
"PhoneNumbers": "Telefon numaraları",
|
||||
"TemplateCode": "TemplateCode",
|
||||
"SignName": "SignName",
|
||||
@@ -414,7 +414,7 @@
|
||||
"High": "High",
|
||||
"Retry": "Tekrar",
|
||||
"Topic": "Başlık",
|
||||
"WeCom Bot Key": "WeCom Bot Key",
|
||||
"WeCom Bot Key": "WeCom Bot Anahtarı",
|
||||
"Setup Proxy": "Proxy kur",
|
||||
"Proxy Protocol": "Proxy Protokolü",
|
||||
"Proxy Server": "Proxy Sunucusu",
|
||||
@@ -444,7 +444,7 @@
|
||||
"Backup": "Yedek",
|
||||
"About": "Hakkında",
|
||||
"wayToGetCloudflaredURL": "(Cloudflared'i {0} adresinden indirin)",
|
||||
"cloudflareWebsite": "Cloudflare Website",
|
||||
"cloudflareWebsite": "Cloudflare İnt. Sitesi",
|
||||
"Message:": "Mesaj:",
|
||||
"Don't know how to get the token? Please read the guide:": "Tokeni nasıl alacağınızı bilmiyor musunuz? Lütfen kılavuzu okuyun:",
|
||||
"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.": "Halihazırda Cloudflare Tüneli üzerinden bağlanıyorsanız mevcut bağlantı kesilebilir. Durdurmak istediğinden emin misin? Onaylamak için mevcut şifrenizi yazın.",
|
||||
@@ -475,7 +475,7 @@
|
||||
"Domain Names": "Alan isimleri",
|
||||
"signedInDisp": "{0} olarak oturum açıldı",
|
||||
"signedInDispDisabled": "Yetkilendirme Devre Dışı.",
|
||||
"RadiusSecret": "Radius Secret",
|
||||
"RadiusSecret": "Radius Gizli Anahtar",
|
||||
"RadiusSecretDescription": "İstemci ve sunucu arasında paylaşılan gizli anahtar",
|
||||
"RadiusCalledStationId": "Aranan İstasyon Kimliği",
|
||||
"RadiusCalledStationIdDescription": "Aranan cihazın tanımlayıcısı",
|
||||
@@ -547,13 +547,13 @@
|
||||
"Docker Host": "Docker Ana Bilgisayarı",
|
||||
"Docker Hosts": "Docker Ana Bilgisayarları",
|
||||
"ntfy Topic": "ntfy Konu",
|
||||
"Domain": "Domain",
|
||||
"Domain": "Alan Adı",
|
||||
"Workstation": "İş İstasyonu",
|
||||
"disableCloudflaredNoAuthMsg": "Yetki yok modundasınız, şifre gerekli değil.",
|
||||
"trustProxyDescription": "'X-Forwarded-*' başlıklarına güvenin. Doğru istemci IP'sini almak istiyorsanız ve Uptime Kuma'nız Nginx veya Apache gibi bir proxy'nin arkasındaysa, bunu etkinleştirmelisiniz.",
|
||||
"wayToGetLineNotifyToken": "{0} adresinden bir erişim jetonu alabilirsiniz.",
|
||||
"wayToGetLineNotifyToken": "{0} adresinden bir erişim jetonu alabilirsiniz",
|
||||
"Examples": "Örnekler",
|
||||
"Home Assistant URL": "Home Assistant URL",
|
||||
"Home Assistant URL": "Home Assistant Bağlantısı",
|
||||
"Long-Lived Access Token": "Long-Lived Erişim Anahtarı",
|
||||
"Long-Lived Access Token can be created by clicking on your profile name (bottom left) and scrolling to the bottom then click Create Token. ": "Long-Lived Erişim Anahtarı, profil adınıza (sol altta) tıklayarak ve aşağıya kaydırarak ve ardından Anahtar Oluştur'a tıklayarak oluşturulabilir. ",
|
||||
"Notification Service": "Bildirim Hizmeti",
|
||||
@@ -749,5 +749,40 @@
|
||||
"endDateTime": "Bitiş Tarihi/Saati",
|
||||
"cronExpression": "Cron İfadesi",
|
||||
"cronSchedule": "Zamanlama: ",
|
||||
"invalidCronExpression": "Geçersiz Cron İfadesi: {0}"
|
||||
"invalidCronExpression": "Geçersiz Cron İfadesi: {0}",
|
||||
"ntfyAuthenticationMethod": "Kimlik Doğrulama Yöntemi",
|
||||
"ntfyUsernameAndPassword": "Kullanıcı adı ve şifre",
|
||||
"pushoverMessageTtl": "Mesajın Yaşama Süresi (Saniye)",
|
||||
"Show Clickable Link": "Tıklanabilir Bağlantıyı Göster",
|
||||
"Open Badge Generator": "Rozet Oluşturucuyu Aç",
|
||||
"Badge Generator": "{0} Rozet Oluşturucu",
|
||||
"Badge Type": "Rozet Türü",
|
||||
"Badge Duration": "Rozet Süresi",
|
||||
"Badge Label": "Rozet Etiketi",
|
||||
"Badge Prefix": "Rozet Öneki",
|
||||
"Badge Suffix": "Rozet Eki",
|
||||
"Badge Label Color": "Rozet Etiket Rengi",
|
||||
"Badge Color": "Rozet Rengi",
|
||||
"Badge Label Prefix": "Rozet Etiket Öneki",
|
||||
"Badge Label Suffix": "Rozet Etiket Eki",
|
||||
"Badge Up Color": "Rozet Normal Rengi",
|
||||
"Badge Down Color": "Rozet Hatalı Rengi",
|
||||
"Badge Pending Color": "Rozet Bekleyen Rengi",
|
||||
"Badge Maintenance Color": "Rozet Bakım Rengi",
|
||||
"Badge Warn Color": "Rozet Uyarı Rengi",
|
||||
"Badge Warn Days": "Rozet Uyarı Günleri",
|
||||
"Badge Down Days": "Rozet Hatalı Günleri",
|
||||
"Badge Style": "Rozet Stili",
|
||||
"Badge value (For Testing only.)": "Rozet değeri (Yalnızca Test için.)",
|
||||
"Badge URL": "Rozet URL'i",
|
||||
"Monitor Setting": "{0}'nin Monitör Ayarı",
|
||||
"Show Clickable Link Description": "Eğer işaretlenirse, bu durum sayfasına erişimi olan herkes monitor URL'ine erişebilir.",
|
||||
"Group": "Grup",
|
||||
"Monitor Group": "Monitor Grup",
|
||||
"Cannot connect to the socket server": "Soket sunucusuna bağlanılamıyor",
|
||||
"Edit Maintenance": "Bakımı Düzenle",
|
||||
"Reconnecting...": "Yeniden bağlanılıyor...",
|
||||
"Home": "Anasayfa",
|
||||
"noGroupMonitorMsg": "Uygun değil. Önce bir Grup Monitörü oluşturun.",
|
||||
"Close": "Kapalı"
|
||||
}
|
||||
|
@@ -16,7 +16,7 @@
|
||||
"rrtypeDescription": "Виберіть тип ресурсного запису, який ви хочете відстежувати",
|
||||
"pauseMonitorMsg": "Ви дійсно хочете поставити на паузу?",
|
||||
"Settings": "Налаштування",
|
||||
"Dashboard": "Панель управління",
|
||||
"Dashboard": "Панель керування",
|
||||
"New Update": "Оновлення",
|
||||
"Language": "Мова",
|
||||
"Appearance": "Зовнішній вигляд",
|
||||
@@ -120,7 +120,7 @@
|
||||
"Heartbeats": "Опитування",
|
||||
"Auto Get": "Авто-отримання",
|
||||
"enableDefaultNotificationDescription": "Для кожного нового монітора це сповіщення буде включено за замовчуванням. Ви все ще можете відключити сповіщення в кожному моніторі окремо.",
|
||||
"Default enabled": "Використовувати за промовчанням",
|
||||
"Default enabled": "Використовувати за замовчуванням",
|
||||
"Also apply to existing monitors": "Застосувати до існуючих моніторів",
|
||||
"Export": "Експорт",
|
||||
"Import": "Імпорт",
|
||||
@@ -270,7 +270,7 @@
|
||||
"octopushPhoneNumber": "Номер телефону (між. формат, наприклад: +380123456789) ",
|
||||
"octopushSMSSender": "Ім'я відправника SMS: 3-11 символів алвафіту, цифр та пробілів (a-zA-Z0-9)",
|
||||
"LunaSea Device ID": "ID пристрою LunaSea",
|
||||
"Apprise URL": "Apprise URL",
|
||||
"Apprise URL": "Apprise URL-адреса",
|
||||
"Example:": "Приклад: {0}",
|
||||
"Read more:": "Докладніше: {0}",
|
||||
"Status:": "Статус: {0}",
|
||||
@@ -462,7 +462,7 @@
|
||||
"onebotMessageType": "OneBot тип повідомлення",
|
||||
"onebotGroupMessage": "Група",
|
||||
"onebotPrivateMessage": "Приватне",
|
||||
"onebotUserOrGroupId": "Група/Користувач ID",
|
||||
"onebotUserOrGroupId": "Група/ID користувача",
|
||||
"onebotSafetyTips": "Для безпеки необхідно встановити маркер доступу",
|
||||
"PushDeer Key": "PushDeer ключ",
|
||||
"Footer Text": "Текст нижнього колонтитула",
|
||||
@@ -477,35 +477,35 @@
|
||||
"From Name/Number": "Від Ім'я/Номер",
|
||||
"Leave blank to use a shared sender number.": "Залиште поле порожнім, щоб використовувати спільний номер відправника.",
|
||||
"Octopush API Version": "Octopush API версія",
|
||||
"Legacy Octopush-DM": "Legacy Octopush-DM",
|
||||
"Legacy Octopush-DM": "Застарілий Octopush-DM",
|
||||
"endpoint": "кінцева точка",
|
||||
"octopushAPIKey": "\"Ключ API\" з облікових даних HTTP API в панелі керування",
|
||||
"octopushLogin": "\"Ім'я користувача\" з облікових даних HTTP API на панелі керування",
|
||||
"promosmsLogin": "API Логін",
|
||||
"promosmsPassword": "API Пароль",
|
||||
"pushoversounds pushover": "Pushover (по замовчуванню)",
|
||||
"pushoversounds bike": "Bike",
|
||||
"pushoversounds bugle": "Bugle",
|
||||
"pushoversounds cashregister": "Cash Register",
|
||||
"pushoversounds bike": "Велосипед",
|
||||
"pushoversounds bugle": "Горн",
|
||||
"pushoversounds cashregister": "Касовий апарат",
|
||||
"pushoversounds classical": "Classical",
|
||||
"pushoversounds cosmic": "Cosmic",
|
||||
"pushoversounds falling": "Falling",
|
||||
"pushoversounds gamelan": "Gamelan",
|
||||
"pushoversounds incoming": "Incoming",
|
||||
"pushoversounds intermission": "Intermission",
|
||||
"pushoversounds magic": "Magic",
|
||||
"pushoversounds mechanical": "Mechanical",
|
||||
"pushoversounds pianobar": "Piano Bar",
|
||||
"pushoversounds siren": "Siren",
|
||||
"pushoversounds spacealarm": "Space Alarm",
|
||||
"pushoversounds tugboat": "Tug Boat",
|
||||
"pushoversounds alien": "Alien Alarm (long)",
|
||||
"pushoversounds climb": "Climb (long)",
|
||||
"pushoversounds persistent": "Persistent (long)",
|
||||
"pushoversounds echo": "Pushover Echo (long)",
|
||||
"pushoversounds updown": "Up Down (long)",
|
||||
"pushoversounds vibrate": "Vibrate Only",
|
||||
"pushoversounds none": "None (silent)",
|
||||
"pushoversounds falling": "Падіння",
|
||||
"pushoversounds gamelan": "Гамелан",
|
||||
"pushoversounds incoming": "Вхідний",
|
||||
"pushoversounds intermission": "Антракт",
|
||||
"pushoversounds magic": "Магія",
|
||||
"pushoversounds mechanical": "Механічний",
|
||||
"pushoversounds pianobar": "Піано-бар",
|
||||
"pushoversounds siren": "Сирена",
|
||||
"pushoversounds spacealarm": "Космічна тривога",
|
||||
"pushoversounds tugboat": "Буксирний катер",
|
||||
"pushoversounds alien": "Тривога прибульців (довга)",
|
||||
"pushoversounds climb": "Підйом (довгий)",
|
||||
"pushoversounds persistent": "Стійкий (довгий)",
|
||||
"pushoversounds echo": "Pushover ехо (довгий)",
|
||||
"pushoversounds updown": "Вгору вниз (довгий)",
|
||||
"pushoversounds vibrate": "Тільки вібрація",
|
||||
"pushoversounds none": "Нічого (тиша)",
|
||||
"pushyAPIKey": "Секретний ключ API",
|
||||
"pushyToken": "Токен пристрою",
|
||||
"Using a Reverse Proxy?": "Використовувати зворотній проксі?",
|
||||
@@ -587,7 +587,7 @@
|
||||
"weekdayShortSun": "Нд",
|
||||
"Single Maintenance Window": "Разове технічне обслуговування",
|
||||
"Maintenance Time Window of a Day": "Період доби для технічного обслуговування",
|
||||
"Effective Date Range": "Діапазон дат вступу в силу",
|
||||
"Effective Date Range": "Діапазон дат вступу в силу (необов'язково)",
|
||||
"Schedule Maintenance": "Розклад обслуговування",
|
||||
"DateTime Range": "Діапазон дат і часу",
|
||||
"loadingError": "Не вдалося отримати дані, спробуйте пізніше.",
|
||||
@@ -744,5 +744,51 @@
|
||||
"lunaseaTarget": "Ціль",
|
||||
"Add New Tag": "Додати новий тег",
|
||||
"lunaseaDeviceID": "ID пристрою",
|
||||
"lunaseaUserID": "ID користувача"
|
||||
"lunaseaUserID": "ID користувача",
|
||||
"twilioAccountSID": "SID облікового запису",
|
||||
"twilioAuthToken": "Токен авторизації",
|
||||
"twilioFromNumber": "З номера",
|
||||
"twilioToNumber": "На номер",
|
||||
"sameAsServerTimezone": "Такий самий, як часовий пояс сервера",
|
||||
"startDateTime": "Дата і час початку",
|
||||
"endDateTime": "Дата і час закінчення",
|
||||
"cronExpression": "Cron-вираз",
|
||||
"cronSchedule": "Розклад: ",
|
||||
"invalidCronExpression": "Неправильний Cron-вираз: {0}",
|
||||
"statusPageRefreshIn": "Оновлювати кожні: {0}",
|
||||
"ntfyAuthenticationMethod": "Метод автентифікації",
|
||||
"ntfyUsernameAndPassword": "Ім'я користувача та пароль",
|
||||
"pushoverMessageTtl": "TTL повідомлення (секунди)",
|
||||
"Monitor Setting": "Налаштування монітора {0}",
|
||||
"Show Clickable Link": "Показувати клікабельне посилання",
|
||||
"Show Clickable Link Description": "Якщо позначено, кожен, хто має доступ до цієї сторінки статусу, може мати доступ до URL-адреси моніторингу.",
|
||||
"Open Badge Generator": "Відкрити генератор бейджів",
|
||||
"Badge Generator": "Генератор бейджів {0}",
|
||||
"Badge Type": "Тип бейджа",
|
||||
"Badge Duration": "Тривалість бейджа",
|
||||
"Badge Label": "Ярлик бейджа",
|
||||
"Badge Prefix": "Префікс бейджа",
|
||||
"Badge Suffix": "Суфікс бейджа",
|
||||
"Badge Label Color": "Колір ярлика бейджа",
|
||||
"Badge Color": "Колір бейджа",
|
||||
"Badge Label Prefix": "Префікс ярлика бейджа",
|
||||
"Badge Label Suffix": "Суфікс ярлика бейджа",
|
||||
"Badge Style": "Стиль бейджа",
|
||||
"Badge value (For Testing only.)": "Значення бейджа (тільки для тестування.)",
|
||||
"Badge URL": "URL бейджа",
|
||||
"Badge Up Color": "Колір бейджа \"Доступний\"",
|
||||
"Badge Down Color": "Колір бейджа \"Недоступний\"",
|
||||
"Badge Pending Color": "Колір бейджа \"Очікування\"",
|
||||
"Badge Warn Color": "Колір бейджа \"Попередження\"",
|
||||
"Badge Warn Days": "Бейдж \"Днів попередження\"",
|
||||
"Badge Maintenance Color": "Колір бейджа \"Обслуговування\"",
|
||||
"Badge Down Days": "Бейдж \"Днів недоступний\"",
|
||||
"Group": "Група",
|
||||
"Monitor Group": "Група моніторів",
|
||||
"Edit Maintenance": "Редагувати обслуговування",
|
||||
"Cannot connect to the socket server": "Не вдається підключитися до сервера сокетів",
|
||||
"Reconnecting...": "Повторне підключення...",
|
||||
"Home": "Головна",
|
||||
"noGroupMonitorMsg": "Недоступно. Спочатку створіть групу моніторів.",
|
||||
"Close": "Закрити"
|
||||
}
|
||||
|
@@ -1,11 +1,11 @@
|
||||
{
|
||||
"languageName": "Tiếng Việt",
|
||||
"checkEverySecond": "Kiểm tra mỗi {0} giây.",
|
||||
"retryCheckEverySecond": "Thử lại mỗi {0} giây.",
|
||||
"retriesDescription": "Số lần thử lại tối đa trước khi dịch vụ được đánh dấu là down và gửi thông báo.",
|
||||
"ignoreTLSError": "Bỏ qua lỗi TLS/SSL với các web HTTPS.",
|
||||
"upsideDownModeDescription": "Trạng thái đảo ngược, nếu dịch vụ có thể truy cập được nghĩa là DOWN.",
|
||||
"maxRedirectDescription": "Số lần chuyển hướng (redirect) tối đa. Đặt thành 0 để tắt chuyển hướng",
|
||||
"checkEverySecond": "Kiểm tra mỗi {0} giây",
|
||||
"retryCheckEverySecond": "Thử lại mỗi {0} giây",
|
||||
"retriesDescription": "Số lần thử lại tối đa trước khi dịch vụ được đánh dấu là down và gửi thông báo",
|
||||
"ignoreTLSError": "Bỏ qua lỗi TLS/SSL với các web HTTPS",
|
||||
"upsideDownModeDescription": "Chế độ đảo ngược, nếu dịch vụ có thể truy cập được nghĩa là DOWN.",
|
||||
"maxRedirectDescription": "Số lần chuyển hướng (redirect) tối đa. Đặt thành 0 để tắt chuyển hướng.",
|
||||
"acceptedStatusCodesDescription": "Chọn mã trạng thái được coi là phản hồi thành công.",
|
||||
"passwordNotMatchMsg": "Mật khẩu nhập lại không khớp.",
|
||||
"notificationDescription": "Vui lòng chỉ định một kênh thông báo.",
|
||||
@@ -27,7 +27,7 @@
|
||||
"confirmEnableTwoFAMsg": "Bạn chắc chắn muốn bật xác thực 2 lớp (2FA) chứ?",
|
||||
"confirmDisableTwoFAMsg": "Bạn chắc chắn muốn tắt xác thực 2 lớp (2FA) chứ?",
|
||||
"Settings": "Cài đặt",
|
||||
"Dashboard": "Dashboard",
|
||||
"Dashboard": "Trang tổng quan",
|
||||
"New Update": "Bản cập nhật mới",
|
||||
"Language": "Ngôn ngữ",
|
||||
"Appearance": "Giao diện",
|
||||
@@ -102,10 +102,10 @@
|
||||
"Enable Auth": "Bật xác minh",
|
||||
"disableauth.message1": "Bạn có muốn <strong>TẮT XÁC THỰC</strong> không?",
|
||||
"disableauth.message2": "Điều này rất nguy hiểm<strong>BẤT KỲ AI</strong> cũng có thể truy cập và cướp quyền điều khiển.",
|
||||
"Please use this option carefully!": "Vui lòng <strong>cẩn thận</strong>.",
|
||||
"Please use this option carefully!": "Vui lòng <strong>cẩn thận</strong>!",
|
||||
"Logout": "Đăng xuất",
|
||||
"Leave": "Rời",
|
||||
"I understand, please disable": "Tôi hiểu, làm ơn hãy tắt!",
|
||||
"I understand, please disable": "Tôi hiểu, làm ơn hãy tắt",
|
||||
"Confirm": "Xác nhận",
|
||||
"Yes": "Có",
|
||||
"No": "Không",
|
||||
@@ -158,11 +158,11 @@
|
||||
"Token": "Token",
|
||||
"Show URI": "Hiển thị URI",
|
||||
"Tags": "Tags",
|
||||
"Add New below or Select...": "Thêm mới ở dưới hoặc Chọn...",
|
||||
"Tag with this name already exist.": "Tag với tên đã tồn tại.",
|
||||
"Tag with this value already exist.": "Tag với value đã tồn tại.",
|
||||
"Add New below or Select...": "Thêm mới ở dưới hoặc Chọn…",
|
||||
"Tag with this name already exist.": "Tag với tên này đã tồn tại.",
|
||||
"Tag with this value already exist.": "Tag với giá trị này đã tồn tại.",
|
||||
"color": "Màu sắc",
|
||||
"value (optional)": "Value (tuỳ chọn)",
|
||||
"value (optional)": "Giá trị (tuỳ chọn)",
|
||||
"Gray": "Xám",
|
||||
"Red": "Đỏ",
|
||||
"Orange": "Cam",
|
||||
@@ -171,7 +171,7 @@
|
||||
"Indigo": "Chàm",
|
||||
"Purple": "Tím",
|
||||
"Pink": "Hồng",
|
||||
"Search...": "Tìm kiếm...",
|
||||
"Search...": "Tìm kiếm…",
|
||||
"Avg. Ping": "Ping trung bình",
|
||||
"Avg. Response": "Phản hồi trung bình",
|
||||
"Entry Page": "Entry Page",
|
||||
@@ -459,5 +459,37 @@
|
||||
"onebotGroupMessage": "Group",
|
||||
"onebotPrivateMessage": "Private",
|
||||
"onebotUserOrGroupId": "Group/User ID",
|
||||
"onebotSafetyTips": "Để đảm bảo an toàn, hãy thiết lập access token"
|
||||
"onebotSafetyTips": "Để đảm bảo an toàn, hãy thiết lập access token",
|
||||
"Custom": "Tùy chỉnh",
|
||||
"Add New Tag": "Thêm thẻ mới",
|
||||
"webhookAdditionalHeadersDesc": "Đặt header bổ sung được gửi cùng với webhook.",
|
||||
"error": "lỗi",
|
||||
"HTTP Headers": "HTTP Headers",
|
||||
"recurringIntervalMessage": "Chạy một lần mỗi ngày | Chạy một lần mỗi {0} ngày",
|
||||
"Retype the address.": "Nhập lại địa chỉ.",
|
||||
"enableGRPCTls": "Cho phép gửi yêu cầu gRPC với kết nối TLS",
|
||||
"affectedMonitorsDescription": "Chọn kênh theo dõi bị ảnh hưởng bởi lịch bảo trì này",
|
||||
"statusMaintenance": "Bảo trì",
|
||||
"Maintenance": "Bảo trì",
|
||||
"Affected Monitors": "Kênh theo dõi bị ảnh hưởng",
|
||||
"Schedule maintenance": "Thêm lịch bảo trì",
|
||||
"markdownSupported": "Có hỗ trợ Markdown",
|
||||
"Start of maintenance": "Bắt đầu bảo trì",
|
||||
"All Status Pages": "Tất cả các trang trạng thái",
|
||||
"Select status pages...": "Chọn trang trạng thái…",
|
||||
"Certificate Expiry Notification": "Thông báo hết hạn chứng chỉ",
|
||||
"Show update if available": "Hiển thị cập nhật (nếu có)",
|
||||
"What you can try:": "Bạn có thể thử:",
|
||||
"trustProxyDescription": "Tin tưởng các header 'X-Forwarded-*'. Nếu bạn muốn lấy đúng IP máy khách và Uptime Kuma của bạn đứng sau một proxy như Nginx hoặc Apache, bạn nên kích hoạt tính năng này.",
|
||||
"webhookAdditionalHeadersTitle": "Header bổ sung",
|
||||
"Help": "Trợ giúp",
|
||||
"Game": "Trò chơi",
|
||||
"Pick Affected Monitors...": "Chọn kênh theo dõi…",
|
||||
"statusPageRefreshIn": "Làm mới trong: {0}",
|
||||
"Authentication": "Xác thực",
|
||||
"Using a Reverse Proxy?": "Bạn đang sử dụng Reverse Proxy?",
|
||||
"Check how to config it for WebSocket": "Kiểm tra cách cấu hình nó cho WebSocket",
|
||||
"Go back to the previous page.": "Quay trở lại trang trước.",
|
||||
"wayToGetLineNotifyToken": "Bạn có thể lấy access token từ {0}",
|
||||
"Resend Notification if Down X times consecutively": "Gửi lại thông báo nếu Down X lần liên tiếp"
|
||||
}
|
||||
|
1
src/lang/xh.json
Normal file
1
src/lang/xh.json
Normal file
@@ -0,0 +1 @@
|
||||
{}
|
@@ -60,7 +60,7 @@
|
||||
"Quick Stats": "状态速览",
|
||||
"Up": "正常",
|
||||
"Down": "故障",
|
||||
"Pending": "检测中",
|
||||
"Pending": "重试中",
|
||||
"Unknown": "未知",
|
||||
"Pause": "暂停",
|
||||
"Name": "名称",
|
||||
@@ -235,7 +235,7 @@
|
||||
"smtpBCC": "密送",
|
||||
"discord": "Discord",
|
||||
"Discord Webhook URL": "Discord Webhook 网址",
|
||||
"wayToGetDiscordURL": "可在服务器设置 -> 整合 -> 创建 Webhook中获取",
|
||||
"wayToGetDiscordURL": "可在服务器设置 -> 整合 -> Webhook -> 创建 Webhook 中获取",
|
||||
"Bot Display Name": "机器人显示名称",
|
||||
"Prefix Custom Message": "自定义消息前缀",
|
||||
"Hello @everyone is...": "{'@'}everyone,……",
|
||||
@@ -395,7 +395,7 @@
|
||||
"smseagleContact": "通讯录联系人",
|
||||
"smseagleRecipientType": "收信人类型",
|
||||
"smseagleRecipient": "收信人(多个需用半角逗号分隔)",
|
||||
"smseagleToken": "API访问令牌",
|
||||
"smseagleToken": "API 访问令牌",
|
||||
"smseagleUrl": "您的 SMSEagle 设备 URL",
|
||||
"smseagleEncoding": "以 Unicode 发送",
|
||||
"smseaglePriority": "消息优先级(0-9,默认为 0)",
|
||||
@@ -423,7 +423,7 @@
|
||||
"alerta": "Alerta",
|
||||
"alertaApiEndpoint": "API 接入点",
|
||||
"alertaEnvironment": "环境参数",
|
||||
"alertaApiKey": "API Key",
|
||||
"alertaApiKey": "API 密钥",
|
||||
"alertaAlertState": "报警时的严重性",
|
||||
"alertaRecoverState": "恢复后的严重性",
|
||||
"deleteStatusPageMsg": "您确认要删除此状态页吗?",
|
||||
@@ -515,7 +515,7 @@
|
||||
"onebotPrivateMessage": "私聊",
|
||||
"onebotUserOrGroupId": "群组/用户 ID",
|
||||
"onebotSafetyTips": "出于安全原因,请务必设置 AccessToken",
|
||||
"PushDeer Key": "PushDeer Key",
|
||||
"PushDeer Key": "PushDeer 密钥",
|
||||
"Footer Text": "底部自定义文本",
|
||||
"Show Powered By": "显示 Powered By",
|
||||
"Domain Names": "域名",
|
||||
@@ -528,8 +528,8 @@
|
||||
"RadiusCallingStationId": "呼叫方号码(Calling Station Id)",
|
||||
"RadiusCallingStationIdDescription": "发出请求的设备的标识",
|
||||
"Certificate Expiry Notification": "证书到期时通知",
|
||||
"API Username": "API Username",
|
||||
"API Key": "API Key",
|
||||
"API Username": "API 用户名",
|
||||
"API Key": "API 密钥",
|
||||
"Recipient Number": "收件人手机号码",
|
||||
"From Name/Number": "发件人名称/手机号码",
|
||||
"Leave blank to use a shared sender number.": "留空以使用平台共享的发件人手机号码。",
|
||||
@@ -546,7 +546,7 @@
|
||||
"pushoversounds cashregister": "Cash Register",
|
||||
"pushoversounds classical": "Classical",
|
||||
"pushoversounds cosmic": "Cosmic",
|
||||
"pushoversounds falling": "下落",
|
||||
"pushoversounds falling": "Falling",
|
||||
"pushoversounds gamelan": "Gamelan",
|
||||
"pushoversounds incoming": "Incoming",
|
||||
"pushoversounds intermission": "Intermission",
|
||||
@@ -592,7 +592,7 @@
|
||||
"Container Name / ID": "容器名称 / ID",
|
||||
"Docker Host": "Docker 宿主",
|
||||
"Docker Hosts": "Docker 宿主",
|
||||
"ntfy Topic": "ntfy Topic",
|
||||
"ntfy Topic": "ntfy 主题",
|
||||
"Domain": "域名",
|
||||
"Workstation": "工作站",
|
||||
"disableCloudflaredNoAuthMsg": "您现在正处于 No Auth 模式,无需输入密码。",
|
||||
@@ -661,12 +661,12 @@
|
||||
"dnsCacheDescription": "可能无法在某些 IPv6 环境工作,如果遇到问题请禁用。",
|
||||
"Single Maintenance Window": "单一时间窗口",
|
||||
"Maintenance Time Window of a Day": "每日维护时间窗口",
|
||||
"Effective Date Range": "生效日期范围",
|
||||
"Effective Date Range": "生效日期范围(可选)",
|
||||
"Schedule Maintenance": "计划维护",
|
||||
"Date and Time": "日期时间",
|
||||
"DateTime Range": "日期时间范围",
|
||||
"Strategy": "策略",
|
||||
"Free Mobile User Identifier": "Free Mobile User Identifier",
|
||||
"Free Mobile User Identifier": "Free Mobile 用户 ID",
|
||||
"Free Mobile API Key": "Free Mobile API Key",
|
||||
"Enable TLS": "启用 TLS",
|
||||
"Proto Service Name": "Proto 服务名称",
|
||||
@@ -682,7 +682,7 @@
|
||||
"Monitor": "监控项",
|
||||
"Custom": "自定义",
|
||||
"promosmsAllowLongSMS": "允许长的短信",
|
||||
"confirmDeleteTagMsg": "你确定你要删除这个标签?与此标签关联的监视器不会被删除。",
|
||||
"confirmDeleteTagMsg": "您确定要删除这个标签?与此标签关联的监控项不会被删除。",
|
||||
"infiniteRetention": "设为0表示无限保留期。",
|
||||
"Help": "帮助",
|
||||
"Game": "游戏",
|
||||
@@ -720,13 +720,13 @@
|
||||
"apiKey-expired": "已过期",
|
||||
"Expires": "过期时间",
|
||||
"apiKey-inactive": "已禁用",
|
||||
"disableAPIKeyMsg": "你确定要禁用这个 API 密钥?",
|
||||
"deleteAPIKeyMsg": "你确定要删除这个 API 密钥?",
|
||||
"disableAPIKeyMsg": "您确定要禁用这个 API 密钥?",
|
||||
"deleteAPIKeyMsg": "您确定要删除这个 API 密钥?",
|
||||
"Generate": "生成",
|
||||
"API Keys": "API 密钥",
|
||||
"Don't expire": "从不过期",
|
||||
"Key Added": "API 密钥已生成",
|
||||
"apiKeyAddedMsg": "你的 API 密钥已生成。此页只会显示一次,请妥当保存。",
|
||||
"apiKeyAddedMsg": "您的 API 密钥已生成。此页只会显示一次,请妥当保存。",
|
||||
"pagertreeUrgency": "紧急程度",
|
||||
"pagertreeLow": "低",
|
||||
"pagertreeCritical": "严重",
|
||||
@@ -738,8 +738,53 @@
|
||||
"pagertreeDoNothing": "什么都不做",
|
||||
"wayToGetPagerTreeIntegrationURL": "在 PagerTree 中创建 Uptime Kuma 集成后,复制端点 URL 到此处。在 {0} 查看详情",
|
||||
"Add New Tag": "添加新标签",
|
||||
"lunaseaDeviceID": "设备ID",
|
||||
"lunaseaDeviceID": "设备 ID",
|
||||
"lunaseaTarget": "目标",
|
||||
"lunaseaUserID": "用户ID",
|
||||
"statusPageRefreshIn": "将于 {0} 后刷新"
|
||||
"lunaseaUserID": "用户 ID",
|
||||
"statusPageRefreshIn": "将于 {0} 后刷新",
|
||||
"twilioAccountSID": "账户 SID",
|
||||
"twilioAuthToken": "验证 Token",
|
||||
"twilioFromNumber": "发信号码",
|
||||
"twilioToNumber": "收信号码",
|
||||
"sameAsServerTimezone": "使用服务器时区",
|
||||
"startDateTime": "开始日期/时间",
|
||||
"invalidCronExpression": "无效的 Cron 表达式:{0}",
|
||||
"endDateTime": "结束日期/时间",
|
||||
"cronExpression": "Cron 表达式",
|
||||
"cronSchedule": "计划: ",
|
||||
"ntfyAuthenticationMethod": "鉴权方式",
|
||||
"ntfyUsernameAndPassword": "用户名和密码",
|
||||
"pushoverMessageTtl": "消息存活时间(秒)",
|
||||
"Monitor Setting": "{0} 监控项设置",
|
||||
"Badge Color": "徽章内容颜色",
|
||||
"Badge Suffix": "徽章内容后缀",
|
||||
"Badge Prefix": "徽章内容前缀",
|
||||
"Badge Label": "徽章标签",
|
||||
"Badge Duration": "徽章显示时段",
|
||||
"Badge Type": "徽章类型",
|
||||
"Badge Generator": "{0} 徽章生成器",
|
||||
"Open Badge Generator": "打开徽章生成器",
|
||||
"Badge Style": "徽章样式",
|
||||
"Badge Down Days": "徽章证书到期故障天数",
|
||||
"Badge Warn Days": "徽章证书到期警告天数",
|
||||
"Badge Warn Color": "警告状态下徽章颜色",
|
||||
"Badge Maintenance Color": "维护状态下徽章颜色",
|
||||
"Badge Down Color": "故障状态下徽章颜色",
|
||||
"Badge Up Color": "正常状态下徽章颜色",
|
||||
"Badge Label Suffix": "徽章标签后缀",
|
||||
"Badge URL": "徽章网址",
|
||||
"Badge value (For Testing only.)": "徽章内容(仅供测试)",
|
||||
"Badge Pending Color": "重试中状态下徽章颜色",
|
||||
"Badge Label Prefix": "徽章标签前缀",
|
||||
"Badge Label Color": "徽章标签颜色",
|
||||
"Show Clickable Link Description": "勾选后所有能访问本状态页的访客均可查看该监控项网址。",
|
||||
"Show Clickable Link": "显示可点击的监控项链接",
|
||||
"Group": "组",
|
||||
"Monitor Group": "监控项组",
|
||||
"Cannot connect to the socket server": "无法连接到后端服务器",
|
||||
"Reconnecting...": "重连中……",
|
||||
"Edit Maintenance": "编辑维护计划",
|
||||
"Home": "首页",
|
||||
"noGroupMonitorMsg": "暂无可用,请先创建一个监控项组。",
|
||||
"Close": "关闭"
|
||||
}
|
||||
|
@@ -234,7 +234,7 @@
|
||||
"smtpBCC": "BCC",
|
||||
"discord": "Discord",
|
||||
"Discord Webhook URL": "Discord Webhook 網址",
|
||||
"wayToGetDiscordURL": "您可以前往伺服器設定 -> 整合 -> Webhook -> 新 Webhook 以取得",
|
||||
"wayToGetDiscordURL": "您可以前往伺服器設定 (Server Settings) -> 整合 (Integrations) -> 檢視 Webhooks (View Webhooks) -> 新 Webhook (New Webhook) 以取得新的 Webhook",
|
||||
"Bot Display Name": "機器人顯示名稱",
|
||||
"Prefix Custom Message": "前綴自訂訊息",
|
||||
"Hello @everyone is...": "Hello {'@'}everyone is…",
|
||||
@@ -607,7 +607,7 @@
|
||||
"goAlertInfo": "GoAlert 是用於待命排程、升級自動化,以及通知 (如簡訊或語音通話) 的開源應用程式。自動在正確的時間、用洽當的方法、聯絡合適的人! {0}",
|
||||
"goAlertIntegrationKeyInfo": "取得服務的通用 API 整合金鑰,格式為 \"aaaaaaaa-bbbb-cccc-dddd-eeeeeeeeeeee\"。通常是已複製的網址的權杖參數值。",
|
||||
"goAlert": "GoAlert",
|
||||
"backupOutdatedWarning": "過時:由於新功能的增加,且未妥善維護,故此備份功能無法產生或復原完整備份。",
|
||||
"backupOutdatedWarning": "即將棄用:由於專案新增了大量新功能,且備份功能未被妥善維護,故此功能無法產生或復原完整備份。",
|
||||
"backupRecommend": "請直接備份磁碟區或 ./data/ 資料夾。",
|
||||
"Optional": "選填",
|
||||
"squadcast": "Squadcast",
|
||||
@@ -652,7 +652,7 @@
|
||||
"dnsCacheDescription": "在某些 IPv6 環境可能會無法運作,如果您遇到任何問題,請停用。",
|
||||
"Single Maintenance Window": "單一維護時段",
|
||||
"Maintenance Time Window of a Day": "每日的維護時段",
|
||||
"Effective Date Range": "有效的日期範圍",
|
||||
"Effective Date Range": "有效的日期範圍(可選)",
|
||||
"Schedule Maintenance": "排程維護",
|
||||
"Date and Time": "時間和日期",
|
||||
"DateTime Range": "DateTime 範圍",
|
||||
@@ -674,5 +674,75 @@
|
||||
"Game": "遊戲",
|
||||
"Help": "幫助",
|
||||
"Monitor": "監測器 | 監測器",
|
||||
"Custom": "自訂"
|
||||
"Custom": "自訂",
|
||||
"sameAsServerTimezone": "使用服務器時區",
|
||||
"cronExpression": "Cron 表達式",
|
||||
"telegramSendSilently": "靜默發送到 Telegram",
|
||||
"telegramSendSilentlyDescription": "靜默地發送消息。消息發布後用戶會收到無聲通知。",
|
||||
"pagertreeDoNothing": "什麼都不做",
|
||||
"Add New Tag": "添加新標籤",
|
||||
"telegramMessageThreadIDDescription": "(可選) Telegram 話題描述",
|
||||
"telegramMessageThreadID": "(可選)話題 ID",
|
||||
"startDateTime": "開始日期/時間",
|
||||
"endDateTime": "結束日期/時間",
|
||||
"cronSchedule": "計劃: ",
|
||||
"invalidCronExpression": "無效的 Cron 表達式:{0}",
|
||||
"telegramProtectContent": "阻止轉發/保存",
|
||||
"telegramProtectContentDescription": "如果啟用,Telegram 中的機器人消息將受到保護,不會被轉發和保存。",
|
||||
"installing": "安裝中",
|
||||
"uninstall": "卸載",
|
||||
"loadingError": "無法獲取數據, 請重試",
|
||||
"markdownSupported": "支持Markdown語法",
|
||||
"Packet Size": "數據包大小",
|
||||
"statusPageRefreshIn": "將於 {0} 後刷新",
|
||||
"confirmUninstallPlugin": "是否要卸載這個插件?",
|
||||
"Key Added": "已創建金鑰",
|
||||
"Clone Monitor": "複製監控項目",
|
||||
"Clone": "複製",
|
||||
"cloneOf": "從 {0} 複製",
|
||||
"uninstalling": "移除中",
|
||||
"notificationRegional": "地區限定",
|
||||
"wayToGetZohoCliqURL": "您可以前往此頁面以了解如何建立 webhook 網址 {0}。",
|
||||
"wayToGetKookBotToken": "到 {0} 創建應用程式並取得 bot token",
|
||||
"dataRetentionTimeError": "保留期限必須為 0 或正數",
|
||||
"infiniteRetention": "設定為 0 以作無限期保留。",
|
||||
"confirmDeleteTagMsg": "你確定你要刪除此標籤?相關的監測器不會被刪除。",
|
||||
"twilioAuthToken": "認證 Token",
|
||||
"twilioAccountSID": "帳號 SID",
|
||||
"ntfyUsernameAndPassword": "使用者名稱和密碼",
|
||||
"ntfyAuthenticationMethod": "認證類型",
|
||||
"API Keys": "API 金鑰",
|
||||
"Expiry": "到期",
|
||||
"apiKey-inactive": "無效",
|
||||
"apiKey-expired": "過期",
|
||||
"Reconnecting...": "重新連線...",
|
||||
"Expiry date": "到期時間",
|
||||
"Don't expire": "不要過期",
|
||||
"Continue": "繼續",
|
||||
"Add Another": "新增作者",
|
||||
"Add API Key": "新增 API 金鑰",
|
||||
"Generate": "產生",
|
||||
"lunaseaTarget": "目標",
|
||||
"lunaseaDeviceID": "裝置 ID",
|
||||
"lunaseaUserID": "使用者 ID",
|
||||
"Cannot connect to the socket server": "無法連線到 Socket 伺服器",
|
||||
"Edit Maintenance": "編輯維護",
|
||||
"deleteAPIKeyMsg": "您確定要刪除這個 API 金鑰?",
|
||||
"Custom Monitor Type": "自訂監視器類型",
|
||||
"Google Analytics ID": "Google Analytics ID",
|
||||
"Server Address": "伺服器位置",
|
||||
"Edit Tag": "編輯標籤",
|
||||
"pagertreeMedium": "中",
|
||||
"pagertreeHigh": "高",
|
||||
"pagertreeResolve": "自動解決",
|
||||
"pagertreeLow": "低",
|
||||
"Learn More": "閱讀更多",
|
||||
"pushoverMessageTtl": "Message TTL (秒)",
|
||||
"apiKeyAddedMsg": "您的 API 金鑰已建立。金鑰不會再次顯示,請將它放在安全的地方。",
|
||||
"No API Keys": "無 API 金鑰",
|
||||
"apiKey-active": "活躍",
|
||||
"Expires": "過期",
|
||||
"disableAPIKeyMsg": "您確定要停用這個 API 金鑰?",
|
||||
"Monitor Setting": "{0} 的監視器設定",
|
||||
"Guild ID": "Guild ID"
|
||||
}
|
||||
|
@@ -95,7 +95,7 @@
|
||||
</main>
|
||||
|
||||
<!-- Mobile Only -->
|
||||
<div v-if="$root.isMobile" style="width: 100%; height: 60px;" />
|
||||
<div v-if="$root.isMobile" style="width: 100%; height: calc(60px + env(safe-area-inset-bottom));" />
|
||||
<nav v-if="$root.isMobile && $root.loggedIn" class="bottom-nav">
|
||||
<router-link to="/dashboard" class="nav-link">
|
||||
<div><font-awesome-icon icon="tachometer-alt" /></div>
|
||||
@@ -182,14 +182,14 @@ export default {
|
||||
z-index: 1000;
|
||||
position: fixed;
|
||||
bottom: 0;
|
||||
height: 60px;
|
||||
height: calc(60px + env(safe-area-inset-bottom));
|
||||
width: 100%;
|
||||
left: 0;
|
||||
background-color: #fff;
|
||||
box-shadow: 0 15px 47px 0 rgba(0, 0, 0, 0.05), 0 5px 14px 0 rgba(0, 0, 0, 0.05);
|
||||
text-align: center;
|
||||
white-space: nowrap;
|
||||
padding: 0 10px;
|
||||
padding: 0 10px env(safe-area-inset-bottom);
|
||||
|
||||
a {
|
||||
text-align: center;
|
||||
|
@@ -47,7 +47,7 @@ export default {
|
||||
statusPageListLoaded: false,
|
||||
statusPageList: [],
|
||||
proxyList: [],
|
||||
connectionErrorMsg: "Cannot connect to the socket server. Reconnecting...",
|
||||
connectionErrorMsg: `${this.$t("Cannot connect to the socket server.")} ${this.$t("Reconnecting...")}`,
|
||||
showReverseProxyGuide: true,
|
||||
cloudflared: {
|
||||
cloudflareTunnelToken: "",
|
||||
@@ -228,7 +228,7 @@ export default {
|
||||
|
||||
socket.on("connect_error", (err) => {
|
||||
console.error(`Failed to connect to the backend. Socket.io connect_error: ${err.message}`);
|
||||
this.connectionErrorMsg = `Cannot connect to the socket server. [${err}] Reconnecting...`;
|
||||
this.connectionErrorMsg = `${this.$t("Cannot connect to the socket server.")} [${err}] ${this.$t("Reconnecting...")}`;
|
||||
this.showReverseProxyGuide = true;
|
||||
this.socket.connected = false;
|
||||
this.socket.firstConnect = false;
|
||||
|
@@ -30,6 +30,9 @@ export default {
|
||||
theme() {
|
||||
// As entry can be status page now, set forceStatusPageTheme to true to use status page theme
|
||||
if (this.forceStatusPageTheme) {
|
||||
if (this.statusPageTheme === "auto") {
|
||||
return this.system;
|
||||
}
|
||||
return this.statusPageTheme;
|
||||
}
|
||||
|
||||
|
@@ -1,14 +1,15 @@
|
||||
<template>
|
||||
<transition name="slide-fade" appear>
|
||||
<div v-if="monitor">
|
||||
<router-link v-if="group !== ''" :to="monitorURL(monitor.parent)"> {{ group }}</router-link>
|
||||
<h1> {{ monitor.name }}</h1>
|
||||
<p v-if="monitor.description">{{ monitor.description }}</p>
|
||||
<div class="tags">
|
||||
<Tag v-for="tag in monitor.tags" :key="tag.id" :item="tag" :size="'sm'" />
|
||||
</div>
|
||||
<p class="url">
|
||||
<a v-if="monitor.type === 'http' || monitor.type === 'keyword' " :href="monitor.url" target="_blank" rel="noopener noreferrer">{{ monitor.url }}</a>
|
||||
<span v-if="monitor.type === 'port'">TCP Ping {{ monitor.hostname }}:{{ monitor.port }}</span>
|
||||
<a v-if="monitor.type === 'http' || monitor.type === 'keyword' || monitor.type === 'mp-health' " :href="monitor.url" target="_blank" rel="noopener noreferrer">{{ filterPassword(monitor.url) }}</a>
|
||||
<span v-if="monitor.type === 'port'">TCP Port {{ monitor.hostname }}:{{ monitor.port }}</span>
|
||||
<span v-if="monitor.type === 'ping'">Ping: {{ monitor.hostname }}</span>
|
||||
<span v-if="monitor.type === 'keyword'">
|
||||
<br>
|
||||
@@ -20,6 +21,21 @@
|
||||
<br>
|
||||
<span>{{ $t("Last Result") }}:</span> <span class="keyword">{{ monitor.dns_last_result }}</span>
|
||||
</span>
|
||||
<span v-if="monitor.type === 'docker'">Docker container: {{ monitor.docker_container }}</span>
|
||||
<span v-if="monitor.type === 'gamedig'">Gamedig - {{ monitor.game }}: {{ monitor.hostname }}:{{ monitor.port }}</span>
|
||||
<span v-if="monitor.type === 'grpc-keyword'">gRPC - {{ filterPassword(monitor.grpcUrl) }}
|
||||
<br>
|
||||
<span>{{ $t("Keyword") }}:</span> <span class="keyword">{{ monitor.keyword }}</span>
|
||||
</span>
|
||||
<span v-if="monitor.type === 'mongodb'">{{ filterPassword(monitor.databaseConnectionString) }}</span>
|
||||
<span v-if="monitor.type === 'mqtt'">MQTT: {{ monitor.hostname }}:{{ monitor.port }}/{{ monitor.mqttTopic }}</span>
|
||||
<span v-if="monitor.type === 'mysql'">{{ filterPassword(monitor.databaseConnectionString) }}</span>
|
||||
<span v-if="monitor.type === 'postgres'">{{ filterPassword(monitor.databaseConnectionString) }}</span>
|
||||
<span v-if="monitor.type === 'push'">Push: <a :href="pushURL" target="_blank" rel="noopener noreferrer">{{ pushURL }}</a></span>
|
||||
<span v-if="monitor.type === 'radius'">Radius: {{ filterPassword(monitor.hostname) }}</span>
|
||||
<span v-if="monitor.type === 'redis'">{{ filterPassword(monitor.databaseConnectionString) }}</span>
|
||||
<span v-if="monitor.type === 'sqlserver'">SQL Server: {{ filterPassword(monitor.databaseConnectionString) }}</span>
|
||||
<span v-if="monitor.type === 'steam'">Steam Game Server: {{ monitor.hostname }}:{{ monitor.port }}</span>
|
||||
</p>
|
||||
|
||||
<div class="functions">
|
||||
@@ -27,7 +43,7 @@
|
||||
<button v-if="monitor.active" class="btn btn-normal" @click="pauseDialog">
|
||||
<font-awesome-icon icon="pause" /> {{ $t("Pause") }}
|
||||
</button>
|
||||
<button v-if="! monitor.active" class="btn btn-primary" @click="resumeMonitor">
|
||||
<button v-if="! monitor.active" class="btn btn-primary" :disabled="monitor.forceInactive" @click="resumeMonitor">
|
||||
<font-awesome-icon icon="play" /> {{ $t("Resume") }}
|
||||
</button>
|
||||
<router-link :to=" '/edit/' + monitor.id " class="btn btn-normal">
|
||||
@@ -54,37 +70,44 @@
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Stats -->
|
||||
<div class="shadow-box big-padding text-center stats">
|
||||
<div class="row">
|
||||
<div class="col">
|
||||
<h4>{{ pingTitle() }}</h4>
|
||||
<p>({{ $t("Current") }})</p>
|
||||
<span class="num">
|
||||
<div v-if="monitor.type !== 'group'" class="col-12 col-sm col row d-flex align-items-center d-sm-block">
|
||||
<h4 class="col-4 col-sm-12">{{ pingTitle() }}</h4>
|
||||
<p class="col-4 col-sm-12 mb-0 mb-sm-2">({{ $t("Current") }})</p>
|
||||
<span class="col-4 col-sm-12 num">
|
||||
<a href="#" @click.prevent="showPingChartBox = !showPingChartBox">
|
||||
<CountUp :value="ping" />
|
||||
</a>
|
||||
</span>
|
||||
</div>
|
||||
<div class="col">
|
||||
<h4>{{ pingTitle(true) }}</h4>
|
||||
<p>(24{{ $t("-hour") }})</p>
|
||||
<span class="num"><CountUp :value="avgPing" /></span>
|
||||
<div v-if="monitor.type !== 'group'" class="col-12 col-sm col row d-flex align-items-center d-sm-block">
|
||||
<h4 class="col-4 col-sm-12">{{ pingTitle(true) }}</h4>
|
||||
<p class="col-4 col-sm-12 mb-0 mb-sm-2">(24{{ $t("-hour") }})</p>
|
||||
<span class="col-4 col-sm-12 num">
|
||||
<CountUp :value="avgPing" />
|
||||
</span>
|
||||
</div>
|
||||
<div class="col">
|
||||
<h4>{{ $t("Uptime") }}</h4>
|
||||
<p>(24{{ $t("-hour") }})</p>
|
||||
<span class="num"><Uptime :monitor="monitor" type="24" /></span>
|
||||
<div class="col-12 col-sm col row d-flex align-items-center d-sm-block">
|
||||
<h4 class="col-4 col-sm-12">{{ $t("Uptime") }}</h4>
|
||||
<p class="col-4 col-sm-12 mb-0 mb-sm-2">(24{{ $t("-hour") }})</p>
|
||||
<span class="col-4 col-sm-12 num">
|
||||
<Uptime :monitor="monitor" type="24" />
|
||||
</span>
|
||||
</div>
|
||||
<div class="col">
|
||||
<h4>{{ $t("Uptime") }}</h4>
|
||||
<p>(30{{ $t("-day") }})</p>
|
||||
<span class="num"><Uptime :monitor="monitor" type="720" /></span>
|
||||
<div class="col-12 col-sm col row d-flex align-items-center d-sm-block">
|
||||
<h4 class="col-4 col-sm-12">{{ $t("Uptime") }}</h4>
|
||||
<p class="col-4 col-sm-12 mb-0 mb-sm-2">(30{{ $t("-day") }})</p>
|
||||
<span class="col-4 col-sm-12 num">
|
||||
<Uptime :monitor="monitor" type="720" />
|
||||
</span>
|
||||
</div>
|
||||
|
||||
<div v-if="tlsInfo" class="col">
|
||||
<h4>{{ $t("Cert Exp.") }}</h4>
|
||||
<p>(<Datetime :value="tlsInfo.certInfo.validTo" date-only />)</p>
|
||||
<span class="num">
|
||||
<div v-if="tlsInfo" class="col-12 col-sm col row d-flex align-items-center d-sm-block">
|
||||
<h4 class="col-4 col-sm-12">{{ $t("Cert Exp.") }}</h4>
|
||||
<p class="col-4 col-sm-12 mb-0 mb-sm-2">(<Datetime :value="tlsInfo.certInfo.validTo" date-only />)</p>
|
||||
<span class="col-4 col-sm-12 num">
|
||||
<a href="#" @click.prevent="toggleCertInfoBox = !toggleCertInfoBox">{{ tlsInfo.certInfo.daysRemaining }} {{ $tc("day", tlsInfo.certInfo.daysRemaining) }}</a>
|
||||
</span>
|
||||
</div>
|
||||
@@ -111,6 +134,15 @@
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Screenshot -->
|
||||
<div v-if="monitor.type === 'real-browser'" class="shadow-box">
|
||||
<div class="row">
|
||||
<div class="col-md-6">
|
||||
<img :src="screenshotURL" alt style="width: 100%;">
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="shadow-box table-shadow-box">
|
||||
<div class="dropdown dropdown-clear-data">
|
||||
<button class="btn btn-sm btn-outline-danger dropdown-toggle" type="button" data-bs-toggle="dropdown">
|
||||
@@ -138,7 +170,7 @@
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
<tr v-for="(beat, index) in displayedRecords" :key="index" :class="{ 'shadow-box': $root.windowWidth <= 550}" style="padding: 10px;">
|
||||
<tr v-for="(beat, index) in displayedRecords" :key="index" style="padding: 10px;">
|
||||
<td><Status :status="beat.status" /></td>
|
||||
<td :class="{ 'border-0':! beat.msg}"><Datetime :value="beat.time" /></td>
|
||||
<td class="border-0">{{ beat.msg }}</td>
|
||||
@@ -195,6 +227,9 @@ import Pagination from "v-pagination-3";
|
||||
const PingChart = defineAsyncComponent(() => import("../components/PingChart.vue"));
|
||||
import Tag from "../components/Tag.vue";
|
||||
import CertificateInfo from "../components/CertificateInfo.vue";
|
||||
import { getMonitorRelativeURL } from "../util.ts";
|
||||
import { URL } from "whatwg-url";
|
||||
import { getResBaseURL } from "../util-frontend";
|
||||
|
||||
export default {
|
||||
components: {
|
||||
@@ -220,6 +255,7 @@ export default {
|
||||
hideCount: true,
|
||||
chunksNavigation: "scroll",
|
||||
},
|
||||
cacheTime: Date.now(),
|
||||
};
|
||||
},
|
||||
computed: {
|
||||
@@ -229,6 +265,10 @@ export default {
|
||||
},
|
||||
|
||||
lastHeartBeat() {
|
||||
// Also trigger screenshot refresh here
|
||||
// eslint-disable-next-line vue/no-side-effects-in-computed-properties
|
||||
this.cacheTime = Date.now();
|
||||
|
||||
if (this.monitor.id in this.$root.lastHeartbeatList && this.$root.lastHeartbeatList[this.monitor.id]) {
|
||||
return this.$root.lastHeartbeatList[this.monitor.id];
|
||||
}
|
||||
@@ -292,11 +332,27 @@ export default {
|
||||
const endIndex = startIndex + this.perPage;
|
||||
return this.heartBeatList.slice(startIndex, endIndex);
|
||||
},
|
||||
|
||||
group() {
|
||||
if (!this.monitor.pathName.includes("/")) {
|
||||
return "";
|
||||
}
|
||||
return this.monitor.pathName.substr(0, this.monitor.pathName.lastIndexOf("/"));
|
||||
},
|
||||
|
||||
pushURL() {
|
||||
return this.$root.baseURL + "/api/push/" + this.monitor.pushToken + "?status=up&msg=OK&ping=";
|
||||
},
|
||||
|
||||
screenshotURL() {
|
||||
return getResBaseURL() + this.monitor.screenshot + "?time=" + this.cacheTime;
|
||||
}
|
||||
},
|
||||
mounted() {
|
||||
|
||||
},
|
||||
methods: {
|
||||
getResBaseURL,
|
||||
/** Request a test notification be sent for this monitor */
|
||||
testNotification() {
|
||||
this.$root.getSocket().emit("testNotification", this.monitor.id);
|
||||
@@ -378,12 +434,35 @@ export default {
|
||||
translationPrefix = "Avg. ";
|
||||
}
|
||||
|
||||
if (this.monitor.type === "http") {
|
||||
if (this.monitor.type === "http" || this.monitor.type === "keyword") {
|
||||
return this.$t(translationPrefix + "Response");
|
||||
}
|
||||
|
||||
return this.$t(translationPrefix + "Ping");
|
||||
},
|
||||
|
||||
/**
|
||||
* Get URL of monitor
|
||||
* @param {number} id ID of monitor
|
||||
* @returns {string} Relative URL of monitor
|
||||
*/
|
||||
monitorURL(id) {
|
||||
return getMonitorRelativeURL(id);
|
||||
},
|
||||
|
||||
/** Filter and hide password in URL for display */
|
||||
filterPassword(urlString) {
|
||||
try {
|
||||
let parsedUrl = new URL(urlString);
|
||||
if (parsedUrl.password !== "") {
|
||||
parsedUrl.password = "******";
|
||||
}
|
||||
return parsedUrl.toString();
|
||||
} catch (e) {
|
||||
// Handle SQL Server
|
||||
return urlString.replaceAll(/Password=(.+);/ig, "Password=******;");
|
||||
}
|
||||
}
|
||||
},
|
||||
};
|
||||
</script>
|
||||
@@ -417,6 +496,7 @@ export default {
|
||||
flex-direction: column;
|
||||
align-items: center;
|
||||
padding-top: 10px;
|
||||
font-size: 0.9em;
|
||||
}
|
||||
|
||||
a.btn {
|
||||
@@ -473,6 +553,18 @@ table {
|
||||
}
|
||||
}
|
||||
|
||||
@media (max-width: 550px) {
|
||||
.stats {
|
||||
.col {
|
||||
margin: 10px 0 !important;
|
||||
}
|
||||
|
||||
h4 {
|
||||
font-size: 1.1rem;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
.keyword {
|
||||
color: black;
|
||||
}
|
||||
|
@@ -36,7 +36,7 @@
|
||||
v-model="affectedMonitors"
|
||||
:options="affectedMonitorsOptions"
|
||||
track-by="id"
|
||||
label="name"
|
||||
label="pathName"
|
||||
:multiple="true"
|
||||
:close-on-select="false"
|
||||
:clear-on-select="false"
|
||||
@@ -203,8 +203,8 @@
|
||||
<label for="timezone" class="form-label">
|
||||
{{ $t("Timezone") }}
|
||||
</label>
|
||||
<select id="timezone" v-model="maintenance.timezone" class="form-select">
|
||||
<option :value="null">{{ $t("sameAsServerTimezone") }}</option>
|
||||
<select id="timezone" v-model="maintenance.timezoneOption" class="form-select">
|
||||
<option value="SAME_AS_SERVER">{{ $t("sameAsServerTimezone") }}</option>
|
||||
<option value="UTC">UTC</option>
|
||||
<option
|
||||
v-for="(timezone, index) in timezoneList"
|
||||
@@ -218,17 +218,17 @@
|
||||
|
||||
<!-- Date Range -->
|
||||
<div class="my-3">
|
||||
<label class="form-label">{{ $t("Effective Date Range") }}</label>
|
||||
<label v-if="maintenance.strategy !== 'single'" class="form-label">{{ $t("Effective Date Range") }}</label>
|
||||
|
||||
<div class="row">
|
||||
<div class="col">
|
||||
<div class="mb-2">{{ $t("startDateTime") }}</div>
|
||||
<input v-model="maintenance.dateRange[0]" type="datetime-local" class="form-control">
|
||||
<input v-model="maintenance.dateRange[0]" type="datetime-local" class="form-control" :required="maintenance.strategy === 'single'">
|
||||
</div>
|
||||
|
||||
<div class="col">
|
||||
<div class="mb-2">{{ $t("endDateTime") }}</div>
|
||||
<input v-model="maintenance.dateRange[1]" type="datetime-local" class="form-control">
|
||||
<input v-model="maintenance.dateRange[1]" type="datetime-local" class="form-control" :required="maintenance.strategy === 'single'">
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
@@ -248,7 +248,6 @@
|
||||
<script>
|
||||
import { useToast } from "vue-toastification";
|
||||
import VueMultiselect from "vue-multiselect";
|
||||
import dayjs from "dayjs";
|
||||
import Datepicker from "@vuepic/vue-datepicker";
|
||||
import { timezoneList } from "../util-frontend";
|
||||
import cronstrue from "cronstrue/i18n";
|
||||
@@ -272,7 +271,6 @@ export default {
|
||||
selectedStatusPages: [],
|
||||
dark: (this.$root.theme === "dark"),
|
||||
neverEnd: false,
|
||||
minDate: this.$root.date(dayjs()) + " 00:00",
|
||||
lastDays: [
|
||||
{
|
||||
langKey: "lastDay1",
|
||||
@@ -383,17 +381,39 @@ export default {
|
||||
},
|
||||
},
|
||||
mounted() {
|
||||
this.init();
|
||||
|
||||
this.$root.getMonitorList((res) => {
|
||||
if (res.ok) {
|
||||
Object.values(this.$root.monitorList).map(monitor => {
|
||||
Object.values(this.$root.monitorList).sort((m1, m2) => {
|
||||
|
||||
if (m1.active !== m2.active) {
|
||||
if (m1.active === 0) {
|
||||
return 1;
|
||||
}
|
||||
|
||||
if (m2.active === 0) {
|
||||
return -1;
|
||||
}
|
||||
}
|
||||
|
||||
if (m1.weight !== m2.weight) {
|
||||
if (m1.weight > m2.weight) {
|
||||
return -1;
|
||||
}
|
||||
|
||||
if (m1.weight < m2.weight) {
|
||||
return 1;
|
||||
}
|
||||
}
|
||||
|
||||
return m1.pathName.localeCompare(m2.pathName);
|
||||
}).map(monitor => {
|
||||
this.affectedMonitorsOptions.push({
|
||||
id: monitor.id,
|
||||
name: monitor.name,
|
||||
pathName: monitor.pathName,
|
||||
});
|
||||
});
|
||||
}
|
||||
this.init();
|
||||
});
|
||||
},
|
||||
methods: {
|
||||
@@ -411,7 +431,7 @@ export default {
|
||||
cron: "30 3 * * *",
|
||||
durationMinutes: 60,
|
||||
intervalDay: 1,
|
||||
dateRange: [ this.minDate ],
|
||||
dateRange: [],
|
||||
timeRange: [{
|
||||
hours: 2,
|
||||
minutes: 0,
|
||||
@@ -421,7 +441,7 @@ export default {
|
||||
}],
|
||||
weekdays: [],
|
||||
daysOfMonth: [],
|
||||
timezone: null,
|
||||
timezoneOption: null,
|
||||
};
|
||||
} else if (this.isEdit) {
|
||||
this.$root.getSocket().emit("getMaintenance", this.$route.params.id, (res) => {
|
||||
@@ -431,7 +451,7 @@ export default {
|
||||
this.$root.getSocket().emit("getMonitorMaintenance", this.$route.params.id, (res) => {
|
||||
if (res.ok) {
|
||||
Object.values(res.monitors).map(monitor => {
|
||||
this.affectedMonitors.push(monitor);
|
||||
this.affectedMonitors.push(this.affectedMonitorsOptions.find(item => item.id === monitor.id));
|
||||
});
|
||||
} else {
|
||||
toast.error(res.msg);
|
||||
|
@@ -12,6 +12,9 @@
|
||||
<label for="type" class="form-label">{{ $t("Monitor Type") }}</label>
|
||||
<select id="type" v-model="monitor.type" class="form-select">
|
||||
<optgroup :label="$t('General Monitor Type')">
|
||||
<option value="group">
|
||||
{{ $t("Group") }}
|
||||
</option>
|
||||
<option value="http">
|
||||
HTTP(s)
|
||||
</option>
|
||||
@@ -33,6 +36,10 @@
|
||||
<option value="docker">
|
||||
{{ $t("Docker Container") }}
|
||||
</option>
|
||||
|
||||
<option value="real-browser">
|
||||
HTTP(s) - Browser Engine (Chrome/Chromium) (Beta)
|
||||
</option>
|
||||
</optgroup>
|
||||
|
||||
<optgroup :label="$t('Passive Monitor Type')">
|
||||
@@ -70,16 +77,6 @@
|
||||
Redis
|
||||
</option>
|
||||
</optgroup>
|
||||
|
||||
<!--
|
||||
Hidden for now: Reason refer to Setting.vue
|
||||
<optgroup :label="$t('Custom Monitor Type')">
|
||||
<option value="browser">
|
||||
(Beta) HTTP(s) - Browser Engine (Chrome/Firefox)
|
||||
</option>
|
||||
</optgroup>
|
||||
</select>
|
||||
-->
|
||||
</select>
|
||||
</div>
|
||||
|
||||
@@ -89,8 +86,18 @@
|
||||
<input id="name" v-model="monitor.name" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<!-- Parent Monitor -->
|
||||
<div class="my-3">
|
||||
<label for="parent" class="form-label">{{ $t("Monitor Group") }}</label>
|
||||
<select v-model="monitor.parent" class="form-select" :disabled="sortedMonitorList.length === 0">
|
||||
<option v-if="sortedMonitorList.length === 0" :value="null" selected>{{ $t("noGroupMonitorMsg") }}</option>
|
||||
<option v-else :value="null" selected>{{ $t("None") }}</option>
|
||||
<option v-for="parentMonitor in sortedMonitorList" :key="parentMonitor.id" :value="parentMonitor.id">{{ parentMonitor.pathName }}</option>
|
||||
</select>
|
||||
</div>
|
||||
|
||||
<!-- URL -->
|
||||
<div v-if="monitor.type === 'http' || monitor.type === 'keyword' || monitor.type === 'browser' " class="my-3">
|
||||
<div v-if="monitor.type === 'http' || monitor.type === 'keyword' || monitor.type === 'real-browser' " class="my-3">
|
||||
<label for="url" class="form-label">{{ $t("URL") }}</label>
|
||||
<input id="url" v-model="monitor.url" type="url" class="form-control" pattern="https?://.+" required>
|
||||
</div>
|
||||
@@ -98,7 +105,7 @@
|
||||
<!-- gRPC URL -->
|
||||
<div v-if="monitor.type === 'grpc-keyword' " class="my-3">
|
||||
<label for="grpc-url" class="form-label">{{ $t("URL") }}</label>
|
||||
<input id="grpc-url" v-model="monitor.grpcUrl" type="url" class="form-control" pattern="[^\:]+:[0-9]{5}" required>
|
||||
<input id="grpc-url" v-model="monitor.grpcUrl" type="text" class="form-control" required>
|
||||
</div>
|
||||
|
||||
<!-- Push URL -->
|
||||
@@ -818,6 +825,47 @@ message HealthCheckResponse {
|
||||
return null;
|
||||
},
|
||||
|
||||
// Filter result by active state, weight and alphabetical
|
||||
// Only return groups which arent't itself and one of its decendants
|
||||
sortedMonitorList() {
|
||||
let result = Object.values(this.$root.monitorList);
|
||||
|
||||
// Only groups, not itself, not a decendant
|
||||
result = result.filter(
|
||||
monitor => monitor.type === "group" &&
|
||||
monitor.id !== this.monitor.id &&
|
||||
!this.monitor.childrenIDs?.includes(monitor.id)
|
||||
);
|
||||
|
||||
// Filter result by active state, weight and alphabetical
|
||||
result.sort((m1, m2) => {
|
||||
|
||||
if (m1.active !== m2.active) {
|
||||
if (m1.active === 0) {
|
||||
return 1;
|
||||
}
|
||||
|
||||
if (m2.active === 0) {
|
||||
return -1;
|
||||
}
|
||||
}
|
||||
|
||||
if (m1.weight !== m2.weight) {
|
||||
if (m1.weight > m2.weight) {
|
||||
return -1;
|
||||
}
|
||||
|
||||
if (m1.weight < m2.weight) {
|
||||
return 1;
|
||||
}
|
||||
}
|
||||
|
||||
return m1.pathName.localeCompare(m2.pathName);
|
||||
});
|
||||
|
||||
return result;
|
||||
},
|
||||
|
||||
},
|
||||
watch: {
|
||||
"$root.proxyList"() {
|
||||
@@ -937,6 +985,7 @@ message HealthCheckResponse {
|
||||
this.monitor = {
|
||||
type: "http",
|
||||
name: "",
|
||||
parent: null,
|
||||
url: "https://",
|
||||
method: "GET",
|
||||
interval: 60,
|
||||
@@ -991,12 +1040,17 @@ message HealthCheckResponse {
|
||||
|
||||
if (this.isClone) {
|
||||
/*
|
||||
* Cloning a monitor will include properties that can not be posted to backend
|
||||
* as they are not valid columns in the SQLite table.
|
||||
*/
|
||||
* Cloning a monitor will include properties that can not be posted to backend
|
||||
* as they are not valid columns in the SQLite table.
|
||||
*/
|
||||
this.monitor.id = undefined; // Remove id when cloning as we want a new id
|
||||
this.monitor.includeSensitiveData = undefined;
|
||||
this.monitor.maintenance = undefined;
|
||||
// group monitor fields
|
||||
this.monitor.childrenIDs = undefined;
|
||||
this.monitor.forceInactive = undefined;
|
||||
this.monitor.pathName = undefined;
|
||||
|
||||
this.monitor.name = this.$t("cloneOf", [ this.monitor.name ]);
|
||||
this.$refs.tagsManager.newTags = this.monitor.tags.map((monitorTag) => {
|
||||
return {
|
||||
|
@@ -32,7 +32,7 @@
|
||||
<ul>
|
||||
<li>{{ $t("Retype the address.") }}</li>
|
||||
<li><a href="#" class="go-back" @click="goBack()">{{ $t("Go back to the previous page.") }}</a></li>
|
||||
<li><a href="/" class="go-back">Go back to home page.</a></li>
|
||||
<li><a href="/" class="go-back">{{ $t("Go back to home page.") }}</a></li>
|
||||
</ul>
|
||||
</div>
|
||||
</div>
|
||||
|
@@ -116,12 +116,6 @@ export default {
|
||||
backup: {
|
||||
title: this.$t("Backup"),
|
||||
},
|
||||
/*
|
||||
Hidden for now: Unfortunately, after some test, I found that Playwright requires a lot of libraries to be installed on the Linux host in order to start Chrome or Firefox.
|
||||
It will be hard to install, so I hide this feature for now. But it still accessible via URL: /settings/plugins.
|
||||
plugins: {
|
||||
title: this.$tc("plugin", 2),
|
||||
},*/
|
||||
about: {
|
||||
title: this.$t("About"),
|
||||
},
|
||||
|
@@ -278,11 +278,11 @@
|
||||
</div>
|
||||
|
||||
<div class="mt-3">
|
||||
<div v-if="allMonitorList.length > 0 && loadedData">
|
||||
<div v-if="sortedMonitorList.length > 0 && loadedData">
|
||||
<label>{{ $t("Add a monitor") }}:</label>
|
||||
<VueMultiselect
|
||||
v-model="selectedMonitor"
|
||||
:options="allMonitorList"
|
||||
:options="sortedMonitorList"
|
||||
:multiple="false"
|
||||
:searchable="true"
|
||||
:placeholder="$t('Add a monitor')"
|
||||
@@ -291,10 +291,8 @@
|
||||
class="mt-3"
|
||||
>
|
||||
<template #option="{ option }">
|
||||
<div
|
||||
class="d-inline-flex"
|
||||
>
|
||||
<span>{{ option.name }} <Tag v-for="tag in option.tags" :key="tag" :item="tag" :size="'sm'" /></span>
|
||||
<div class="d-inline-flex">
|
||||
<span>{{ option.pathName }} <Tag v-for="tag in option.tags" :key="tag" :item="tag" :size="'sm'" /></span>
|
||||
</div>
|
||||
</template>
|
||||
</VueMultiselect>
|
||||
@@ -451,7 +449,7 @@ export default {
|
||||
/**
|
||||
* If the monitor is added to public list, which will not be in this list.
|
||||
*/
|
||||
allMonitorList() {
|
||||
sortedMonitorList() {
|
||||
let result = [];
|
||||
|
||||
for (let id in this.$root.monitorList) {
|
||||
@@ -461,6 +459,31 @@ export default {
|
||||
}
|
||||
}
|
||||
|
||||
result.sort((m1, m2) => {
|
||||
|
||||
if (m1.active !== m2.active) {
|
||||
if (m1.active === 0) {
|
||||
return 1;
|
||||
}
|
||||
|
||||
if (m2.active === 0) {
|
||||
return -1;
|
||||
}
|
||||
}
|
||||
|
||||
if (m1.weight !== m2.weight) {
|
||||
if (m1.weight > m2.weight) {
|
||||
return -1;
|
||||
}
|
||||
|
||||
if (m1.weight < m2.weight) {
|
||||
return 1;
|
||||
}
|
||||
}
|
||||
|
||||
return m1.pathName.localeCompare(m2.pathName);
|
||||
});
|
||||
|
||||
return result;
|
||||
},
|
||||
|
||||
|
@@ -19,7 +19,6 @@ import DockerHosts from "./components/settings/Docker.vue";
|
||||
import MaintenanceDetails from "./pages/MaintenanceDetails.vue";
|
||||
import ManageMaintenance from "./pages/ManageMaintenance.vue";
|
||||
import APIKeys from "./components/settings/APIKeys.vue";
|
||||
import Plugins from "./components/settings/Plugins.vue";
|
||||
|
||||
// Settings - Sub Pages
|
||||
import Appearance from "./components/settings/Appearance.vue";
|
||||
@@ -130,10 +129,6 @@ const routes = [
|
||||
path: "backup",
|
||||
component: Backup,
|
||||
},
|
||||
{
|
||||
path: "plugins",
|
||||
component: Plugins,
|
||||
},
|
||||
{
|
||||
path: "about",
|
||||
component: About,
|
||||
|
@@ -90,7 +90,7 @@ export function hostNameRegexPattern(mqtt = false) {
|
||||
// Source: https://digitalfortress.tech/tips/top-15-commonly-used-regex/
|
||||
const ipRegexPattern = `((^${mqtt ? mqttSchemeRegexPattern : ""}((([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5])\\.){3}([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5]))$)|(^((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:)))(%.+)?$))`;
|
||||
// Source: https://stackoverflow.com/questions/106179/regular-expression-to-match-dns-hostname-or-ip-address
|
||||
const hostNameRegexPattern = `^${mqtt ? mqttSchemeRegexPattern : ""}([a-zA-Z0-9])?(([a-zA-Z0-9_]|[a-zA-Z0-9_][a-zA-Z0-9\\-_]*[a-zA-Z0-9_])\\.)*([A-Za-z0-9_]|[A-Za-z0-9_][A-Za-z0-9\\-_]*[A-Za-z0-9_])$`;
|
||||
const hostNameRegexPattern = `^${mqtt ? mqttSchemeRegexPattern : ""}([a-zA-Z0-9])?(([a-zA-Z0-9_]|[a-zA-Z0-9_][a-zA-Z0-9\\-_]*[a-zA-Z0-9_])\\.)*([A-Za-z0-9_]|[A-Za-z0-9_][A-Za-z0-9\\-_]*[A-Za-z0-9_])(\\.)?$`;
|
||||
|
||||
return `${ipRegexPattern}|${hostNameRegexPattern}`;
|
||||
}
|
||||
|
Reference in New Issue
Block a user