mirror of
https://github.com/casdoor/casdoor.git
synced 2025-05-22 18:25:47 +08:00
parent
25ec1bdfa8
commit
f0e097e138
@ -1,4 +1,4 @@
|
||||
// Copyright 2021 The Casdoor Authors. All Rights Reserved.
|
||||
// Copyright 2023 The Casdoor Authors. All Rights Reserved.
|
||||
//
|
||||
// Licensed under the Apache License, Version 2.0 (the "License");
|
||||
// you may not use this file except in compliance with the License.
|
||||
@ -23,7 +23,9 @@ import "github.com/casdoor/casdoor/object"
|
||||
// @Success 200 {object} controllers.Response The Response object
|
||||
// @router /get-dashboard [get]
|
||||
func (c *ApiController) GetDashboard() {
|
||||
data, err := object.GetDashboard()
|
||||
owner := c.Input().Get("owner")
|
||||
|
||||
data, err := object.GetDashboard(owner)
|
||||
if err != nil {
|
||||
c.ResponseError(err.Error())
|
||||
return
|
||||
|
@ -27,7 +27,7 @@ type Dashboard struct {
|
||||
SubscriptionCounts []int `json:"subscriptionCounts"`
|
||||
}
|
||||
|
||||
func GetDashboard() (*Dashboard, error) {
|
||||
func GetDashboard(owner string) (*Dashboard, error) {
|
||||
dashboard := &Dashboard{
|
||||
OrganizationCounts: make([]int, 31),
|
||||
UserCounts: make([]int, 31),
|
||||
@ -47,7 +47,7 @@ func GetDashboard() (*Dashboard, error) {
|
||||
wg.Add(5)
|
||||
go func() {
|
||||
defer wg.Done()
|
||||
if err := ormer.Engine.Find(&organizations); err != nil {
|
||||
if err := ormer.Engine.Find(&organizations, &Organization{Owner: owner}); err != nil {
|
||||
panic(err)
|
||||
}
|
||||
}()
|
||||
@ -55,7 +55,7 @@ func GetDashboard() (*Dashboard, error) {
|
||||
go func() {
|
||||
defer wg.Done()
|
||||
|
||||
if err := ormer.Engine.Find(&users); err != nil {
|
||||
if err := ormer.Engine.Find(&users, &User{Owner: owner}); err != nil {
|
||||
panic(err)
|
||||
}
|
||||
}()
|
||||
@ -63,7 +63,7 @@ func GetDashboard() (*Dashboard, error) {
|
||||
go func() {
|
||||
defer wg.Done()
|
||||
|
||||
if err := ormer.Engine.Find(&providers); err != nil {
|
||||
if err := ormer.Engine.Find(&providers, &Provider{Owner: owner}); err != nil {
|
||||
panic(err)
|
||||
}
|
||||
}()
|
||||
@ -71,7 +71,7 @@ func GetDashboard() (*Dashboard, error) {
|
||||
go func() {
|
||||
defer wg.Done()
|
||||
|
||||
if err := ormer.Engine.Find(&applications); err != nil {
|
||||
if err := ormer.Engine.Find(&applications, &Application{Owner: owner}); err != nil {
|
||||
panic(err)
|
||||
}
|
||||
}()
|
||||
@ -79,7 +79,7 @@ func GetDashboard() (*Dashboard, error) {
|
||||
go func() {
|
||||
defer wg.Done()
|
||||
|
||||
if err := ormer.Engine.Find(&subscriptions); err != nil {
|
||||
if err := ormer.Engine.Find(&subscriptions, &Subscription{Owner: owner}); err != nil {
|
||||
panic(err)
|
||||
}
|
||||
}()
|
||||
|
@ -15,6 +15,8 @@
|
||||
import React, {Component} from "react";
|
||||
import "./App.less";
|
||||
import {Helmet} from "react-helmet";
|
||||
import Dashboard from "./basic/Dashboard";
|
||||
import ShortcutsPage from "./basic/ShortcutsPage";
|
||||
import {MfaRuleRequired} from "./Setting";
|
||||
import * as Setting from "./Setting";
|
||||
import {StyleProvider, legacyLogicalPropertiesTransformer} from "@ant-design/cssinjs";
|
||||
@ -69,7 +71,7 @@ import SessionListPage from "./SessionListPage";
|
||||
import MfaSetupPage from "./auth/MfaSetupPage";
|
||||
import SystemInfo from "./SystemInfo";
|
||||
import AccountPage from "./account/AccountPage";
|
||||
import HomePage from "./basic/HomePage";
|
||||
import AppListPage from "./basic/AppListPage";
|
||||
import CustomGithubCorner from "./common/CustomGithubCorner";
|
||||
import * as Conf from "./Conf";
|
||||
|
||||
@ -148,8 +150,8 @@ class App extends Component {
|
||||
this.setState({
|
||||
uri: uri,
|
||||
});
|
||||
if (uri === "/") {
|
||||
this.setState({selectedMenuKey: "/"});
|
||||
if (uri === "/" || uri.includes("/shortcuts") || uri.includes("/apps")) {
|
||||
this.setState({selectedMenuKey: "/home"});
|
||||
} else if (uri.includes("/organizations") || uri.includes("/trees") || uri.includes("/users") || uri.includes("/groups")) {
|
||||
this.setState({selectedMenuKey: "/orgs"});
|
||||
} else if (uri.includes("/applications") || uri.includes("/providers") || uri.includes("/resources") || uri.includes("/certs")) {
|
||||
@ -400,7 +402,13 @@ class App extends Component {
|
||||
return [];
|
||||
}
|
||||
|
||||
res.push(Setting.getItem(<Link to="/">{i18next.t("general:Home")}</Link>, "/", <HomeTwoTone />));
|
||||
res.push(Setting.getItem(<Link to="/">{i18next.t("general:Home")}</Link>, "/home", <HomeTwoTone />, [
|
||||
Setting.getItem(<Link to="/">{i18next.t("general:Dashboard")}</Link>, "/"),
|
||||
Setting.getItem(<Link to="/shortcuts">{i18next.t("general:Shortcuts")}</Link>, "/shortcuts"),
|
||||
Setting.getItem(<Link to="/apps">{i18next.t("general:Apps")}</Link>, "/apps"),
|
||||
].filter(item => {
|
||||
return Setting.isLocalAdminUser(this.state.account);
|
||||
})));
|
||||
|
||||
if (Setting.isLocalAdminUser(this.state.account)) {
|
||||
if (Conf.ShowGithubCorner) {
|
||||
@ -476,7 +484,9 @@ class App extends Component {
|
||||
renderRouter() {
|
||||
return (
|
||||
<Switch>
|
||||
<Route exact path="/" render={(props) => this.renderLoginIfNotLoggedIn(<HomePage account={this.state.account} {...props} />)} />
|
||||
<Route exact path="/" render={(props) => this.renderLoginIfNotLoggedIn(<Dashboard account={this.state.account} {...props} />)} />
|
||||
<Route exact path="/apps" render={(props) => this.renderLoginIfNotLoggedIn(<AppListPage account={this.state.account} {...props} />)} />
|
||||
<Route exact path="/shortcuts" render={(props) => this.renderLoginIfNotLoggedIn(<ShortcutsPage account={this.state.account} {...props} />)} />
|
||||
<Route exact path="/account" render={(props) => this.renderLoginIfNotLoggedIn(<AccountPage account={this.state.account} {...props} />)} />
|
||||
<Route exact path="/organizations" render={(props) => this.renderLoginIfNotLoggedIn(<OrganizationListPage account={this.state.account} {...props} />)} />
|
||||
<Route exact path="/organizations/:organizationName" render={(props) => this.renderLoginIfNotLoggedIn(<OrganizationEditPage account={this.state.account} onChangeTheme={this.setTheme} {...props} />)} />
|
||||
|
@ -14,8 +14,8 @@
|
||||
|
||||
import * as Setting from "../Setting";
|
||||
|
||||
export function getDashboard(owner, name) {
|
||||
return fetch(`${Setting.ServerUrl}/api/get-dashboard`, {
|
||||
export function getDashboard(owner) {
|
||||
return fetch(`${Setting.ServerUrl}/api/get-dashboard?owner=${owner}`, {
|
||||
method: "GET",
|
||||
credentials: "include",
|
||||
headers: {
|
||||
|
61
web/src/basic/AppListPage.js
Normal file
61
web/src/basic/AppListPage.js
Normal file
@ -0,0 +1,61 @@
|
||||
// Copyright 2021 The Casdoor Authors. All Rights Reserved.
|
||||
//
|
||||
// Licensed under the Apache License, Version 2.0 (the "License");
|
||||
// you may not use this file except in compliance with the License.
|
||||
// You may obtain a copy of the License at
|
||||
//
|
||||
// http://www.apache.org/licenses/LICENSE-2.0
|
||||
//
|
||||
// Unless required by applicable law or agreed to in writing, software
|
||||
// distributed under the License is distributed on an "AS IS" BASIS,
|
||||
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||||
// See the License for the specific language governing permissions and
|
||||
// limitations under the License.
|
||||
|
||||
import React from "react";
|
||||
import * as ApplicationBackend from "../backend/ApplicationBackend";
|
||||
import GridCards from "./GridCards";
|
||||
|
||||
const AppListPage = (props) => {
|
||||
const [applications, setApplications] = React.useState(null);
|
||||
|
||||
React.useEffect(() => {
|
||||
if (props.account === null) {
|
||||
return;
|
||||
}
|
||||
ApplicationBackend.getApplicationsByOrganization("admin", props.account.owner)
|
||||
.then((res) => {
|
||||
setApplications(res.data || []);
|
||||
});
|
||||
}, [props.account]);
|
||||
|
||||
const getItems = () => {
|
||||
if (applications === null) {
|
||||
return null;
|
||||
}
|
||||
|
||||
return applications.map(application => {
|
||||
let homepageUrl = application.homepageUrl;
|
||||
if (homepageUrl === "<custom-url>") {
|
||||
homepageUrl = this.props.account.homepage;
|
||||
}
|
||||
|
||||
return {
|
||||
link: homepageUrl,
|
||||
name: application.displayName,
|
||||
description: application.description,
|
||||
logo: application.logo,
|
||||
createdTime: "",
|
||||
};
|
||||
});
|
||||
|
||||
};
|
||||
|
||||
return (
|
||||
<div style={{display: "flex", justifyContent: "center", flexDirection: "column", alignItems: "center"}}>
|
||||
<GridCards items={getItems()} />
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default AppListPage;
|
119
web/src/basic/Dashboard.js
Normal file
119
web/src/basic/Dashboard.js
Normal file
@ -0,0 +1,119 @@
|
||||
// Copyright 2023 The Casdoor Authors. All Rights Reserved.
|
||||
//
|
||||
// Licensed under the Apache License, Version 2.0 (the "License");
|
||||
// you may not use this file except in compliance with the License.
|
||||
// You may obtain a copy of the License at
|
||||
//
|
||||
// http://www.apache.org/licenses/LICENSE-2.0
|
||||
//
|
||||
// Unless required by applicable law or agreed to in writing, software
|
||||
// distributed under the License is distributed on an "AS IS" BASIS,
|
||||
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||||
// See the License for the specific language governing permissions and
|
||||
// limitations under the License.
|
||||
|
||||
import {ArrowUpOutlined} from "@ant-design/icons";
|
||||
import {Card, Col, Row, Statistic} from "antd";
|
||||
import * as echarts from "echarts";
|
||||
import i18next from "i18next";
|
||||
import React from "react";
|
||||
import * as DashboardBackend from "../backend/DashboardBackend";
|
||||
import * as Setting from "../Setting";
|
||||
|
||||
const Dashboard = (props) => {
|
||||
const [dashboardData, setDashboardData] = React.useState(null);
|
||||
|
||||
React.useEffect(() => {
|
||||
if (!Setting.isLocalAdminUser(props.account)) {
|
||||
props.history.push("/apps");
|
||||
}
|
||||
}, [props.account]);
|
||||
|
||||
React.useEffect(() => {
|
||||
if (!Setting.isLocalAdminUser(props.account)) {
|
||||
return;
|
||||
}
|
||||
DashboardBackend.getDashboard(props.account.owner).then((res) => {
|
||||
if (res.status === "ok") {
|
||||
setDashboardData(res.data);
|
||||
} else {
|
||||
Setting.showMessage("error", res.msg);
|
||||
}
|
||||
});
|
||||
}, [props.owner]);
|
||||
|
||||
const renderEChart = () => {
|
||||
if (dashboardData === null) {
|
||||
return;
|
||||
}
|
||||
|
||||
const chartDom = document.getElementById("echarts-chart");
|
||||
const myChart = echarts.init(chartDom);
|
||||
const currentDate = new Date();
|
||||
const dateArray = [];
|
||||
for (let i = 30; i >= 0; i--) {
|
||||
const date = new Date(currentDate);
|
||||
date.setDate(date.getDate() - i);
|
||||
const month = parseInt(date.getMonth()) + 1;
|
||||
const day = parseInt(date.getDate());
|
||||
const formattedDate = `${month}-${day}`;
|
||||
dateArray.push(formattedDate);
|
||||
}
|
||||
const option = {
|
||||
title: {text: i18next.t("home:Past 30 Days")},
|
||||
tooltip: {trigger: "axis"},
|
||||
legend: {data: [
|
||||
i18next.t("general:Users"),
|
||||
i18next.t("general:Providers"),
|
||||
i18next.t("general:Applications"),
|
||||
i18next.t("general:Organizations"),
|
||||
i18next.t("general:Subscriptions"),
|
||||
]},
|
||||
grid: {left: "3%", right: "4%", bottom: "3%", containLabel: true},
|
||||
xAxis: {type: "category", boundaryGap: false, data: dateArray},
|
||||
yAxis: {type: "value"},
|
||||
series: [
|
||||
{name: i18next.t("general:Organizations"), type: "line", data: dashboardData.organizationCounts},
|
||||
{name: i18next.t("general:Users"), type: "line", data: dashboardData.userCounts},
|
||||
{name: i18next.t("general:Providers"), type: "line", data: dashboardData.providerCounts},
|
||||
{name: i18next.t("general:Applications"), type: "line", data: dashboardData.applicationCounts},
|
||||
{name: i18next.t("general:Subscriptions"), type: "line", data: dashboardData.subscriptionCounts},
|
||||
],
|
||||
};
|
||||
myChart.setOption(option);
|
||||
|
||||
return (
|
||||
<Row gutter={80}>
|
||||
<Col span={50}>
|
||||
<Card bordered={false} bodyStyle={{width: "100%", height: "150px", display: "flex", alignItems: "center", justifyContent: "center"}}>
|
||||
<Statistic title={i18next.t("home:Total users")} fontSize="100px" value={dashboardData.userCounts[30]} valueStyle={{fontSize: "30px"}} style={{width: "200px", paddingLeft: "10px"}} />
|
||||
</Card>
|
||||
</Col>
|
||||
<Col span={50}>
|
||||
<Card bordered={false} bodyStyle={{width: "100%", height: "150px", display: "flex", alignItems: "center", justifyContent: "center"}}>
|
||||
<Statistic title={i18next.t("home:New users today")} fontSize="100px" value={dashboardData.userCounts[30] - dashboardData.userCounts[30 - 1]} valueStyle={{fontSize: "30px"}} prefix={<ArrowUpOutlined />} style={{width: "200px", paddingLeft: "10px"}} />
|
||||
</Card>
|
||||
</Col>
|
||||
<Col span={50}>
|
||||
<Card bordered={false} bodyStyle={{width: "100%", height: "150px", display: "flex", alignItems: "center", justifyContent: "center"}}>
|
||||
<Statistic title={i18next.t("home:New users past 7 days")} value={dashboardData.userCounts[30] - dashboardData.userCounts[30 - 7]} valueStyle={{fontSize: "30px"}} prefix={<ArrowUpOutlined />} style={{width: "200px", paddingLeft: "10px"}} />
|
||||
</Card>
|
||||
</Col>
|
||||
<Col span={50}>
|
||||
<Card bordered={false} bodyStyle={{width: "100%", height: "150px", display: "flex", alignItems: "center", justifyContent: "center"}}>
|
||||
<Statistic title={i18next.t("home:New users past 30 days")} value={dashboardData.userCounts[30] - dashboardData.userCounts[30 - 30]} valueStyle={{fontSize: "30px"}} prefix={<ArrowUpOutlined />} style={{width: "200px", paddingLeft: "10px"}} />
|
||||
</Card>
|
||||
</Col>
|
||||
</Row>
|
||||
);
|
||||
};
|
||||
|
||||
return (
|
||||
<div style={{display: "flex", justifyContent: "center", flexDirection: "column", alignItems: "center"}}>
|
||||
{renderEChart()}
|
||||
<div id="echarts-chart" style={{width: "80%", height: "400px", textAlign: "center", marginTop: "20px"}} />
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default Dashboard;
|
47
web/src/basic/GridCards.js
Normal file
47
web/src/basic/GridCards.js
Normal file
@ -0,0 +1,47 @@
|
||||
// Copyright 2023 The Casdoor Authors. All Rights Reserved.
|
||||
//
|
||||
// Licensed under the Apache License, Version 2.0 (the "License");
|
||||
// you may not use this file except in compliance with the License.
|
||||
// You may obtain a copy of the License at
|
||||
//
|
||||
// http://www.apache.org/licenses/LICENSE-2.0
|
||||
//
|
||||
// Unless required by applicable law or agreed to in writing, software
|
||||
// distributed under the License is distributed on an "AS IS" BASIS,
|
||||
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||||
// See the License for the specific language governing permissions and
|
||||
// limitations under the License.
|
||||
|
||||
import {Card, Row, Spin} from "antd";
|
||||
import i18next from "i18next";
|
||||
import React from "react";
|
||||
import * as Setting from "../Setting";
|
||||
import SingleCard from "./SingleCard";
|
||||
|
||||
const GridCards = (props) => {
|
||||
const items = props.items;
|
||||
|
||||
if (items === null || items === undefined) {
|
||||
return (
|
||||
<div style={{display: "flex", justifyContent: "center", alignItems: "center", marginTop: "10%"}}>
|
||||
<Spin size="large" tip={i18next.t("login:Loading")} style={{paddingTop: "10%"}} />
|
||||
</div>
|
||||
);
|
||||
}
|
||||
|
||||
return (
|
||||
Setting.isMobile() ? (
|
||||
<Card bodyStyle={{padding: 0}}>
|
||||
{items.map(item => <SingleCard key={item.link} logo={item.logo} link={item.link} title={item.name} desc={item.description} isSingle={items.length === 1} />)}
|
||||
</Card>
|
||||
) : (
|
||||
<div style={{margin: "0 15px"}}>
|
||||
<Row>
|
||||
{items.map(item => <SingleCard logo={item.logo} link={item.link} title={item.name} desc={item.description} time={item.createdTime} isSingle={items.length === 1} key={item.name} />)}
|
||||
</Row>
|
||||
</div>
|
||||
)
|
||||
);
|
||||
};
|
||||
|
||||
export default GridCards;
|
@ -1,206 +0,0 @@
|
||||
// Copyright 2021 The Casdoor Authors. All Rights Reserved.
|
||||
//
|
||||
// Licensed under the Apache License, Version 2.0 (the "License");
|
||||
// you may not use this file except in compliance with the License.
|
||||
// You may obtain a copy of the License at
|
||||
//
|
||||
// http://www.apache.org/licenses/LICENSE-2.0
|
||||
//
|
||||
// Unless required by applicable law or agreed to in writing, software
|
||||
// distributed under the License is distributed on an "AS IS" BASIS,
|
||||
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||||
// See the License for the specific language governing permissions and
|
||||
// limitations under the License.
|
||||
|
||||
import React from "react";
|
||||
import {Card, Col, Row, Spin, Statistic} from "antd";
|
||||
import {ArrowUpOutlined} from "@ant-design/icons";
|
||||
import * as ApplicationBackend from "../backend/ApplicationBackend";
|
||||
import * as DashboardBackend from "../backend/DashboardBackend";
|
||||
import * as echarts from "echarts";
|
||||
import * as Setting from "../Setting";
|
||||
import SingleCard from "./SingleCard";
|
||||
import i18next from "i18next";
|
||||
|
||||
class HomePage extends React.Component {
|
||||
constructor(props) {
|
||||
super(props);
|
||||
this.state = {
|
||||
classes: props,
|
||||
applications: null,
|
||||
dashboardData: null,
|
||||
};
|
||||
}
|
||||
|
||||
UNSAFE_componentWillMount() {
|
||||
this.getApplicationsByOrganization(this.props.account.owner);
|
||||
this.getDashboard();
|
||||
}
|
||||
|
||||
getApplicationsByOrganization(organizationName) {
|
||||
ApplicationBackend.getApplicationsByOrganization("admin", organizationName)
|
||||
.then((res) => {
|
||||
this.setState({
|
||||
applications: res.data || [],
|
||||
});
|
||||
});
|
||||
}
|
||||
|
||||
getDashboard() {
|
||||
DashboardBackend.getDashboard()
|
||||
.then((res) => {
|
||||
if (res.status === "ok") {
|
||||
this.setState({
|
||||
dashboardData: res.data,
|
||||
}, () => {
|
||||
this.renderEChart();
|
||||
});
|
||||
} else {
|
||||
Setting.showMessage("error", res.msg);
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
getItems() {
|
||||
let items = [];
|
||||
if (Setting.isAdminUser(this.props.account)) {
|
||||
items = [
|
||||
{link: "/organizations", name: i18next.t("general:Organizations"), organizer: i18next.t("general:User containers")},
|
||||
{link: "/users", name: i18next.t("general:Users"), organizer: i18next.t("general:Users under all organizations")},
|
||||
{link: "/providers", name: i18next.t("general:Providers"), organizer: i18next.t("general:OAuth providers")},
|
||||
{link: "/applications", name: i18next.t("general:Applications"), organizer: i18next.t("general:Applications that require authentication")},
|
||||
];
|
||||
|
||||
for (let i = 0; i < items.length; i++) {
|
||||
let filename = items[i].link;
|
||||
if (filename === "/account") {
|
||||
filename = "/users";
|
||||
}
|
||||
items[i].logo = `${Setting.StaticBaseUrl}/img${filename}.png`;
|
||||
items[i].createdTime = "";
|
||||
}
|
||||
} else {
|
||||
this.state.applications.forEach(application => {
|
||||
let homepageUrl = application.homepageUrl;
|
||||
if (homepageUrl === "<custom-url>") {
|
||||
homepageUrl = this.props.account.homepage;
|
||||
}
|
||||
|
||||
items.push({
|
||||
link: homepageUrl, name: application.displayName, organizer: application.description, logo: application.logo, createdTime: "",
|
||||
});
|
||||
});
|
||||
}
|
||||
|
||||
return items;
|
||||
}
|
||||
|
||||
renderEChart() {
|
||||
const data = this.state.dashboardData;
|
||||
|
||||
const chartDom = document.getElementById("echarts-chart");
|
||||
const myChart = echarts.init(chartDom);
|
||||
const currentDate = new Date();
|
||||
const dateArray = [];
|
||||
for (let i = 30; i >= 0; i--) {
|
||||
const date = new Date(currentDate);
|
||||
date.setDate(date.getDate() - i);
|
||||
const month = parseInt(date.getMonth()) + 1;
|
||||
const day = parseInt(date.getDate());
|
||||
const formattedDate = `${month}-${day}`;
|
||||
dateArray.push(formattedDate);
|
||||
}
|
||||
const option = {
|
||||
title: {text: i18next.t("home:Past 30 Days")},
|
||||
tooltip: {trigger: "axis"},
|
||||
legend: {data: [
|
||||
i18next.t("general:Users"),
|
||||
i18next.t("general:Providers"),
|
||||
i18next.t("general:Applications"),
|
||||
i18next.t("general:Organizations"),
|
||||
i18next.t("general:Subscriptions"),
|
||||
]},
|
||||
grid: {left: "3%", right: "4%", bottom: "3%", containLabel: true},
|
||||
xAxis: {type: "category", boundaryGap: false, data: dateArray},
|
||||
yAxis: {type: "value"},
|
||||
series: [
|
||||
{name: i18next.t("general:Organizations"), type: "line", data: data?.organizationCounts},
|
||||
{name: i18next.t("general:Users"), type: "line", data: data?.userCounts},
|
||||
{name: i18next.t("general:Providers"), type: "line", data: data?.providerCounts},
|
||||
{name: i18next.t("general:Applications"), type: "line", data: data?.applicationCounts},
|
||||
{name: i18next.t("general:Subscriptions"), type: "line", data: data?.subscriptionCounts},
|
||||
],
|
||||
};
|
||||
myChart.setOption(option);
|
||||
}
|
||||
|
||||
renderCards() {
|
||||
const data = this.state.dashboardData;
|
||||
if (data === null) {
|
||||
return (
|
||||
<div style={{display: "flex", justifyContent: "center", alignItems: "center", marginTop: "10%"}}>
|
||||
<Spin size="large" tip={i18next.t("login:Loading")} style={{paddingTop: "10%"}} />
|
||||
</div>
|
||||
);
|
||||
}
|
||||
|
||||
const items = this.getItems();
|
||||
|
||||
if (Setting.isMobile()) {
|
||||
return (
|
||||
<Card bodyStyle={{padding: 0}}>
|
||||
{
|
||||
items.map(item => {
|
||||
return (
|
||||
<SingleCard key={item.link} logo={item.logo} link={item.link} title={item.name} desc={item.organizer} isSingle={items.length === 1} />
|
||||
);
|
||||
})
|
||||
}
|
||||
</Card>
|
||||
);
|
||||
} else {
|
||||
return (
|
||||
<Row gutter={80}>
|
||||
<Col span={50}>
|
||||
<Card bordered={false} bodyStyle={{width: "100%", height: "150px", display: "flex", alignItems: "center", justifyContent: "center"}}>
|
||||
<Statistic title={i18next.t("home:Total users")} fontSize="100px" value={data?.userCounts[30]} valueStyle={{fontSize: "30px"}} style={{width: "200px", paddingLeft: "10px"}} />
|
||||
</Card>
|
||||
</Col>
|
||||
<Col span={50}>
|
||||
<Card bordered={false} bodyStyle={{width: "100%", height: "150px", display: "flex", alignItems: "center", justifyContent: "center"}}>
|
||||
<Statistic title={i18next.t("home:New users today")} fontSize="100px" value={data?.userCounts[30] - data?.userCounts[30 - 1]} valueStyle={{fontSize: "30px"}} prefix={<ArrowUpOutlined />} style={{width: "200px", paddingLeft: "10px"}} />
|
||||
</Card>
|
||||
</Col>
|
||||
<Col span={50}>
|
||||
<Card bordered={false} bodyStyle={{width: "100%", height: "150px", display: "flex", alignItems: "center", justifyContent: "center"}}>
|
||||
<Statistic title={i18next.t("home:New users past 7 days")} value={data?.userCounts[30] - data?.userCounts[30 - 7]} valueStyle={{fontSize: "30px"}} prefix={<ArrowUpOutlined />} style={{width: "200px", paddingLeft: "10px"}} />
|
||||
</Card>
|
||||
</Col>
|
||||
<Col span={50}>
|
||||
<Card bordered={false} bodyStyle={{width: "100%", height: "150px", display: "flex", alignItems: "center", justifyContent: "center"}}>
|
||||
<Statistic title={i18next.t("home:New users past 30 days")} value={data?.userCounts[30] - data?.userCounts[30 - 30]} valueStyle={{fontSize: "30px"}} prefix={<ArrowUpOutlined />} style={{width: "200px", paddingLeft: "10px"}} />
|
||||
</Card>
|
||||
</Col>
|
||||
</Row>
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
render() {
|
||||
return (
|
||||
<div style={{display: "flex", justifyContent: "center", flexDirection: "column", alignItems: "center"}}>
|
||||
<Row style={{width: "100%"}}>
|
||||
<Col span={24} style={{display: "flex", justifyContent: "center"}} >
|
||||
{
|
||||
this.renderCards()
|
||||
}
|
||||
</Col>
|
||||
</Row>
|
||||
<div id="echarts-chart"
|
||||
style={{width: "80%", height: "400px", textAlign: "center", marginTop: "20px"}}></div>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
export default HomePage;
|
29
web/src/basic/ShortcutsPage.js
Normal file
29
web/src/basic/ShortcutsPage.js
Normal file
@ -0,0 +1,29 @@
|
||||
import i18next from "i18next";
|
||||
import React from "react";
|
||||
import * as Setting from "../Setting";
|
||||
import GridCards from "./GridCards";
|
||||
|
||||
const ShortcutsPage = () => {
|
||||
const items = [
|
||||
{link: "/organizations", name: i18next.t("general:Organizations"), description: i18next.t("general:User containers")},
|
||||
{link: "/users", name: i18next.t("general:Users"), description: i18next.t("general:Users under all organizations")},
|
||||
{link: "/providers", name: i18next.t("general:Providers"), description: i18next.t("general:OAuth providers")},
|
||||
{link: "/applications", name: i18next.t("general:Applications"), description: i18next.t("general:Applications that require authentication")},
|
||||
];
|
||||
|
||||
const getItems = () => {
|
||||
return items.map(item => {
|
||||
item.logo = `${Setting.StaticBaseUrl}/img${item.link}.png`;
|
||||
item.createdTime = "";
|
||||
return item;
|
||||
});
|
||||
};
|
||||
|
||||
return (
|
||||
<div style={{display: "flex", justifyContent: "center", flexDirection: "column", alignItems: "center"}}>
|
||||
<GridCards items={getItems()} />
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default ShortcutsPage;
|
@ -11,6 +11,7 @@
|
||||
"New Adapter": "New Adapter",
|
||||
"Policies": "Policies",
|
||||
"Policies - Tooltip": "Casbin policy rules",
|
||||
"Rule type": "Rule type",
|
||||
"Sync policies successfully": "Sync policies successfully"
|
||||
},
|
||||
"application": {
|
||||
@ -172,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Applications",
|
||||
"Applications that require authentication": "Applications that require authentication",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Avatar",
|
||||
"Avatar - Tooltip": "Public avatar image for the user",
|
||||
@ -189,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Created time",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Default application",
|
||||
"Default application - Tooltip": "Default application for users registered directly from the organization page",
|
||||
@ -295,6 +298,7 @@
|
||||
"Save & Exit": "Save & Exit",
|
||||
"Session ID": "Session ID",
|
||||
"Sessions": "Sessions",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "Signin URL",
|
||||
"Signin URL - Tooltip": "Custom URL for the login page. If not set, the default Casdoor login page will be used. When set, the login links on various Casdoor pages will redirect to this URL",
|
||||
"Signup URL": "Signup URL",
|
||||
@ -311,6 +315,7 @@
|
||||
"Successfully deleted": "Successfully deleted",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Successfully saved",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Supported country codes",
|
||||
"Supported country codes - Tooltip": "Country codes supported by the organization. These codes can be selected as a prefix when sending SMS verification codes",
|
||||
"Sure to delete": "Sure to delete",
|
||||
@ -353,6 +358,13 @@
|
||||
"Show all": "Show all",
|
||||
"Virtual": "Virtual"
|
||||
},
|
||||
"home": {
|
||||
"New users past 30 days": "New users past 30 days",
|
||||
"New users past 7 days": "New users past 7 days",
|
||||
"New users today": "New users today",
|
||||
"Past 30 Days": "Past 30 Days",
|
||||
"Total users": "Total users"
|
||||
},
|
||||
"ldap": {
|
||||
"Admin": "Admin",
|
||||
"Admin - Tooltip": "CN or ID of the LDAP server administrator",
|
||||
@ -388,6 +400,7 @@
|
||||
"Continue with": "Continue with",
|
||||
"Email or phone": "Email or phone",
|
||||
"Failed to obtain MetaMask authorization": "Failed to obtain MetaMask authorization",
|
||||
"Failed to obtain Web3-Onboard authorization": "Failed to obtain Web3-Onboard authorization",
|
||||
"Forgot password?": "Forgot password?",
|
||||
"Loading": "Loading",
|
||||
"Logging out...": "Logging out...",
|
||||
@ -431,6 +444,7 @@
|
||||
"Passcode": "Passcode",
|
||||
"Please bind your email first, the system will automatically uses the mail for multi-factor authentication": "Please bind your email first, the system will automatically uses the mail for multi-factor authentication",
|
||||
"Please bind your phone first, the system automatically uses the phone for multi-factor authentication": "Please bind your phone first, the system automatically uses the phone for multi-factor authentication",
|
||||
"Please confirm the information below": "Please confirm the information below",
|
||||
"Please save this recovery code. Once your device cannot provide an authentication code, you can reset mfa authentication by this recovery code": "Please save this recovery code. Once your device cannot provide an authentication code, you can reset mfa authentication by this recovery code",
|
||||
"Protect your account with Multi-factor authentication": "Protect your account with Multi-factor authentication",
|
||||
"Recovery code": "Recovery code",
|
||||
@ -523,6 +537,7 @@
|
||||
"Return to Website": "Return to Website",
|
||||
"The payment has been canceled": "The payment has been canceled",
|
||||
"The payment has failed": "The payment has failed",
|
||||
"The payment has time out": "The payment has time out",
|
||||
"The payment is still under processing": "The payment is still under processing",
|
||||
"Type - Tooltip": "Payment method used when purchasing the product",
|
||||
"You have successfully completed the payment": "You have successfully completed the payment",
|
||||
@ -604,6 +619,7 @@
|
||||
"SKU": "SKU",
|
||||
"Sold": "Sold",
|
||||
"Sold - Tooltip": "Quantity sold",
|
||||
"Stripe": "Stripe",
|
||||
"Tag - Tooltip": "Tag of product",
|
||||
"Test buy page..": "Test buy page..",
|
||||
"There is no payment channel for this product.": "There is no payment channel for this product.",
|
||||
@ -618,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Agent ID",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "App ID",
|
||||
"App ID - Tooltip": "App ID",
|
||||
"App key": "App key",
|
||||
@ -640,6 +658,8 @@
|
||||
"Category - Tooltip": "Select a category",
|
||||
"Channel No.": "Channel No.",
|
||||
"Channel No. - Tooltip": "Channel No.",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Client ID",
|
||||
"Client ID - Tooltip": "Client ID",
|
||||
"Client ID 2": "Client ID 2",
|
||||
@ -648,7 +668,11 @@
|
||||
"Client secret - Tooltip": "Client secret",
|
||||
"Client secret 2": "Client secret 2",
|
||||
"Client secret 2 - Tooltip": "The second client secret key",
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Copy",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Disable SSL",
|
||||
"Disable SSL - Tooltip": "Whether to disable SSL protocol when communicating with STMP server",
|
||||
"Domain": "Domain",
|
||||
@ -656,7 +680,6 @@
|
||||
"Edit Provider": "Edit Provider",
|
||||
"Email content": "Email content",
|
||||
"Email content - Tooltip": "Content of the Email",
|
||||
"Email sent successfully": "Email sent successfully",
|
||||
"Email title": "Email title",
|
||||
"Email title - Tooltip": "Title of the email",
|
||||
"Enable QR code": "Enable QR code",
|
||||
@ -682,6 +705,10 @@
|
||||
"Method - Tooltip": "Login method, QR code or silent login",
|
||||
"New Provider": "New Provider",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Parse",
|
||||
"Parse metadata successfully": "Parse metadata successfully",
|
||||
"Path prefix": "Path prefix",
|
||||
@ -710,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Phone number for sending test SMS",
|
||||
"SMS account": "SMS account",
|
||||
"SMS account - Tooltip": "SMS account",
|
||||
"SMS sent successfully": "SMS sent successfully",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "SP Entity ID",
|
||||
@ -723,6 +749,7 @@
|
||||
"Secret key": "Secret key",
|
||||
"Secret key - Tooltip": "Used by the server to call the verification code provider API for verification",
|
||||
"Send Testing Email": "Send Testing Email",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Send Testing SMS",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -758,6 +785,8 @@
|
||||
"User mapping - Tooltip": "User mapping - Tooltip",
|
||||
"UserInfo URL": "UserInfo URL",
|
||||
"UserInfo URL - Tooltip": "UserInfo URL",
|
||||
"Wallets": "Wallets",
|
||||
"Wallets - Tooltip": "Wallets - Tooltip",
|
||||
"admin (Shared)": "admin (Shared)"
|
||||
},
|
||||
"record": {
|
||||
@ -832,6 +861,7 @@
|
||||
"Casdoor column": "Casdoor column",
|
||||
"Column name": "Column name",
|
||||
"Column type": "Column type",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Database",
|
||||
"Database - Tooltip": "The original database name",
|
||||
"Database type": "Database type",
|
||||
@ -839,6 +869,7 @@
|
||||
"Edit Syncer": "Edit Syncer",
|
||||
"Error text": "Error text",
|
||||
"Error text - Tooltip": "Error text",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Is hashed",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -850,8 +881,7 @@
|
||||
"Table - Tooltip": "Name of database table",
|
||||
"Table columns": "Table columns",
|
||||
"Table columns - Tooltip": "Columns in the table involved in data synchronization. Columns that are not involved in synchronization do not need to be added",
|
||||
"Table primary key": "Table primary key",
|
||||
"Table primary key - Tooltip": "Table primary key, such as id"
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "API Latency",
|
||||
@ -927,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Input your email",
|
||||
"Input your phone number": "Input your phone number",
|
||||
"Is admin": "Is admin",
|
||||
@ -935,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Soft-deleted users only retain database records and cannot perform any operations",
|
||||
"Is forbidden": "Is forbidden",
|
||||
"Is forbidden - Tooltip": "Forbidden users cannot log in any more",
|
||||
"Is global admin": "Is global admin",
|
||||
"Is global admin - Tooltip": "Is an administrator of Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Anwendungen",
|
||||
"Applications that require authentication": "Anwendungen, die eine Authentifizierung erfordern",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Avatar",
|
||||
"Avatar - Tooltip": "Öffentliches Avatarbild für den Benutzer",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Erstellte Zeit",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Standard Anwendung",
|
||||
"Default application - Tooltip": "Standard-Anwendung für Benutzer, die direkt von der Organisationsseite registriert wurden",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "Speichern und verlassen",
|
||||
"Session ID": "Session-ID",
|
||||
"Sessions": "Sessions",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "Anmeldungs-URL",
|
||||
"Signin URL - Tooltip": "Benutzerdefinierte URL für die Anmeldeseite. Wenn sie nicht festgelegt ist, wird die standardmäßige Casdoor-Anmeldeseite verwendet. Wenn sie festgelegt ist, leiten die Anmeldelinks auf verschiedenen Casdoor-Seiten zu dieser URL um",
|
||||
"Signup URL": "Anmelde-URL",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "Erfolgreich gelöscht",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Erfolgreich gespeichert",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Unterstützte Ländercodes",
|
||||
"Supported country codes - Tooltip": "Ländercodes, die von der Organisation unterstützt werden. Diese Codes können als Präfix ausgewählt werden, wenn SMS-Verifizierungscodes gesendet werden",
|
||||
"Sure to delete": "Sicher zu löschen",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Agenten-ID",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "App ID",
|
||||
"App ID - Tooltip": "App-ID",
|
||||
"App key": "App-Key",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "Wählen Sie eine Kategorie aus",
|
||||
"Channel No.": "Kanal Nr.",
|
||||
"Channel No. - Tooltip": "Kanalnummer.",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Client-ID",
|
||||
"Client ID - Tooltip": "Client-ID",
|
||||
"Client ID 2": "Client-ID 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Kopieren",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "SSL deaktivieren",
|
||||
"Disable SSL - Tooltip": "Ob die Deaktivierung des SSL-Protokolls bei der Kommunikation mit dem STMP-Server erfolgen soll",
|
||||
"Domain": "Domain",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "Provider bearbeiten",
|
||||
"Email content": "Email-Inhalt",
|
||||
"Email content - Tooltip": "Inhalt der E-Mail",
|
||||
"Email sent successfully": "E-Mail erfolgreich gesendet",
|
||||
"Email title": "Email-Titel",
|
||||
"Email title - Tooltip": "Betreff der E-Mail",
|
||||
"Enable QR code": "QR-Code aktivieren",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "Anmeldeverfahren, QR-Code oder Silent-Login",
|
||||
"New Provider": "Neuer Provider",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "parsen",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Telefonnummer für den Versand von Test-SMS",
|
||||
"SMS account": "SMS-Konto",
|
||||
"SMS account - Tooltip": "SMS-Konto",
|
||||
"SMS sent successfully": "SMS erfolgreich versendet",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "SP-Entitäts-ID",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "Secret-Key",
|
||||
"Secret key - Tooltip": "Vom Server verwendet, um die API des Verifizierungscodes-Providers für die Verifizierung aufzurufen",
|
||||
"Send Testing Email": "Senden Sie eine Test-E-Mail",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Sende Test-SMS",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "Casdoor-Spalte",
|
||||
"Column name": "Spaltenname",
|
||||
"Column type": "Spaltentyp",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Datenbank",
|
||||
"Database - Tooltip": "Der ursprüngliche Datenbankname",
|
||||
"Database type": "Datenbanktyp",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "Syncer bearbeiten",
|
||||
"Error text": "Fehlermeldung",
|
||||
"Error text - Tooltip": "Fehler Text",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "ist gehasht",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "Tabelle",
|
||||
"Table - Tooltip": "Name der Datenbanktabelle",
|
||||
"Table columns": "Tabellenspalten",
|
||||
"Table columns - Tooltip": "Spalten in der Tabelle, die an der Datensynchronisierung beteiligt sind. Spalten, die nicht an der Synchronisierung beteiligt sind, müssen nicht hinzugefügt werden"
|
||||
"Table columns - Tooltip": "Spalten in der Tabelle, die an der Datensynchronisierung beteiligt sind. Spalten, die nicht an der Synchronisierung beteiligt sind, müssen nicht hinzugefügt werden",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "API Latenz",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Geben Sie Ihre E-Mail-Adresse ein",
|
||||
"Input your phone number": "Geben Sie Ihre Telefonnummer ein",
|
||||
"Is admin": "Ist Admin",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "\"Gelöschte Benutzer behalten nur Datenbankdatensätze und können keine Operationen ausführen.\"",
|
||||
"Is forbidden": "Ist verboten",
|
||||
"Is forbidden - Tooltip": "Verbotene Benutzer können sich nicht mehr einloggen",
|
||||
"Is global admin": "Ist globaler Administrator",
|
||||
"Is global admin - Tooltip": "Ist ein Administrator von Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Applications",
|
||||
"Applications that require authentication": "Applications that require authentication",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Avatar",
|
||||
"Avatar - Tooltip": "Public avatar image for the user",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Created time",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Default application",
|
||||
"Default application - Tooltip": "Default application for users registered directly from the organization page",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "Save & Exit",
|
||||
"Session ID": "Session ID",
|
||||
"Sessions": "Sessions",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "Signin URL",
|
||||
"Signin URL - Tooltip": "Custom URL for the login page. If not set, the default Casdoor login page will be used. When set, the login links on various Casdoor pages will redirect to this URL",
|
||||
"Signup URL": "Signup URL",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "Successfully deleted",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Successfully saved",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Supported country codes",
|
||||
"Supported country codes - Tooltip": "Country codes supported by the organization. These codes can be selected as a prefix when sending SMS verification codes",
|
||||
"Sure to delete": "Sure to delete",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Agent ID",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "App ID",
|
||||
"App ID - Tooltip": "App ID",
|
||||
"App key": "App key",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "Select a category",
|
||||
"Channel No.": "Channel No.",
|
||||
"Channel No. - Tooltip": "Channel No.",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Client ID",
|
||||
"Client ID - Tooltip": "Client ID",
|
||||
"Client ID 2": "Client ID 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Copy",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Disable SSL",
|
||||
"Disable SSL - Tooltip": "Whether to disable SSL protocol when communicating with STMP server",
|
||||
"Domain": "Domain",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "Edit Provider",
|
||||
"Email content": "Email content",
|
||||
"Email content - Tooltip": "Content of the Email",
|
||||
"Email sent successfully": "Email sent successfully",
|
||||
"Email title": "Email title",
|
||||
"Email title - Tooltip": "Title of the email",
|
||||
"Enable QR code": "Enable QR code",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "Login method, QR code or silent login",
|
||||
"New Provider": "New Provider",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Parse",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Phone number for sending test SMS",
|
||||
"SMS account": "SMS account",
|
||||
"SMS account - Tooltip": "SMS account",
|
||||
"SMS sent successfully": "SMS sent successfully",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "SP Entity ID",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "Secret key",
|
||||
"Secret key - Tooltip": "Used by the server to call the verification code provider API for verification",
|
||||
"Send Testing Email": "Send Testing Email",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Send Testing SMS",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "Casdoor column",
|
||||
"Column name": "Column name",
|
||||
"Column type": "Column type",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Database",
|
||||
"Database - Tooltip": "The original database name",
|
||||
"Database type": "Database type",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "Edit Syncer",
|
||||
"Error text": "Error text",
|
||||
"Error text - Tooltip": "Error text",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Is hashed",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "Table",
|
||||
"Table - Tooltip": "Name of database table",
|
||||
"Table columns": "Table columns",
|
||||
"Table columns - Tooltip": "Columns in the table involved in data synchronization. Columns that are not involved in synchronization do not need to be added"
|
||||
"Table columns - Tooltip": "Columns in the table involved in data synchronization. Columns that are not involved in synchronization do not need to be added",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "API Latency",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Input your email",
|
||||
"Input your phone number": "Input your phone number",
|
||||
"Is admin": "Is admin",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Soft-deleted users only retain database records and cannot perform any operations",
|
||||
"Is forbidden": "Is forbidden",
|
||||
"Is forbidden - Tooltip": "Forbidden users cannot log in any more",
|
||||
"Is global admin": "Is global admin",
|
||||
"Is global admin - Tooltip": "Is an administrator of Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Aplicaciones",
|
||||
"Applications that require authentication": "Aplicaciones que requieren autenticación",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Avatar",
|
||||
"Avatar - Tooltip": "Imagen de avatar pública para el usuario",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Tiempo creado",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Aplicación predeterminada",
|
||||
"Default application - Tooltip": "Aplicación predeterminada para usuarios registrados directamente desde la página de la organización",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "Guardar y salir",
|
||||
"Session ID": "ID de sesión",
|
||||
"Sessions": "Sesiones",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "URL de inicio de sesión",
|
||||
"Signin URL - Tooltip": "URL personalizada para la página de inicio de sesión. Si no se establece, se utilizará la página de inicio de sesión predeterminada de Casdoor. Cuando se establece, los enlaces de inicio de sesión en varias páginas de Casdoor se redirigirán a esta URL",
|
||||
"Signup URL": "URL de registro",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "Éxito en la eliminación",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Guardado exitosamente",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Códigos de país admitidos",
|
||||
"Supported country codes - Tooltip": "Códigos de país compatibles con la organización. Estos códigos se pueden seleccionar como prefijo al enviar códigos de verificación SMS",
|
||||
"Sure to delete": "Seguro que eliminar",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Identificador de agente",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "ID de aplicación",
|
||||
"App ID - Tooltip": "Identificador de la aplicación",
|
||||
"App key": "Clave de aplicación",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "Selecciona una categoría",
|
||||
"Channel No.": "Canal No.",
|
||||
"Channel No. - Tooltip": "Canal No.",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Identificación de cliente",
|
||||
"Client ID - Tooltip": "Identificación del cliente",
|
||||
"Client ID 2": "Identificación de cliente 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Copiar",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Desactivar SSL",
|
||||
"Disable SSL - Tooltip": "¿Hay que desactivar el protocolo SSL al comunicarse con el servidor STMP?",
|
||||
"Domain": "Dominio",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "Editar proveedor",
|
||||
"Email content": "Contenido de correo electrónico",
|
||||
"Email content - Tooltip": "Contenido del correo electrónico",
|
||||
"Email sent successfully": "Correo electrónico enviado exitosamente",
|
||||
"Email title": "Título del correo electrónico",
|
||||
"Email title - Tooltip": "Título del correo electrónico",
|
||||
"Enable QR code": "Habilitar código QR",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "Método de inicio de sesión, código QR o inicio de sesión silencioso",
|
||||
"New Provider": "Nuevo proveedor",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Analizar",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Número de teléfono para enviar mensajes de texto de prueba",
|
||||
"SMS account": "Cuenta de SMS",
|
||||
"SMS account - Tooltip": "Cuenta de SMS",
|
||||
"SMS sent successfully": "Mensaje de texto enviado correctamente",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "URL del ACS de SP",
|
||||
"SP Entity ID": "ID de entidad SP",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "Clave secreta",
|
||||
"Secret key - Tooltip": "Utilizado por el servidor para llamar a la API del proveedor de códigos de verificación para verificar",
|
||||
"Send Testing Email": "Enviar correo electrónico de prueba",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Enviar SMS de prueba",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "Columna de Casdoor",
|
||||
"Column name": "Nombre de la columna",
|
||||
"Column type": "Tipo de columna",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Base de datos",
|
||||
"Database - Tooltip": "El nombre original de la base de datos",
|
||||
"Database type": "Tipo de base de datos",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "Editar Syncer",
|
||||
"Error text": "Texto de error",
|
||||
"Error text - Tooltip": "Texto de error",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Está encriptado",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "Mesa",
|
||||
"Table - Tooltip": "Nombre de la tabla de la base de datos",
|
||||
"Table columns": "Columnas de tabla",
|
||||
"Table columns - Tooltip": "Columnas en la tabla involucradas en la sincronización de datos. Las columnas que no estén involucradas en la sincronización no necesitan ser añadidas"
|
||||
"Table columns - Tooltip": "Columnas en la tabla involucradas en la sincronización de datos. Las columnas que no estén involucradas en la sincronización no necesitan ser añadidas",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "Retraso API",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Introduce tu correo electrónico",
|
||||
"Input your phone number": "Ingrese su número de teléfono",
|
||||
"Is admin": "Es el administrador",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Los usuarios eliminados suavemente solo retienen registros en la base de datos y no pueden realizar ninguna operación",
|
||||
"Is forbidden": "está prohibido",
|
||||
"Is forbidden - Tooltip": "Los usuarios bloqueados ya no pueden iniciar sesión",
|
||||
"Is global admin": "¿Es administrador global?",
|
||||
"Is global admin - Tooltip": "Es un administrador de Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -11,6 +11,7 @@
|
||||
"New Adapter": "New Adapter",
|
||||
"Policies": "Policies",
|
||||
"Policies - Tooltip": "Casbin policy rules",
|
||||
"Rule type": "Rule type",
|
||||
"Sync policies successfully": "Sync policies successfully"
|
||||
},
|
||||
"application": {
|
||||
@ -172,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Applications",
|
||||
"Applications that require authentication": "Applications that require authentication",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Avatar",
|
||||
"Avatar - Tooltip": "Public avatar image for the user",
|
||||
@ -189,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Created time",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Default application",
|
||||
"Default application - Tooltip": "Default application for users registered directly from the organization page",
|
||||
@ -295,6 +298,7 @@
|
||||
"Save & Exit": "Save & Exit",
|
||||
"Session ID": "Session ID",
|
||||
"Sessions": "Sessions",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "Signin URL",
|
||||
"Signin URL - Tooltip": "Custom URL for the login page. If not set, the default Casdoor login page will be used. When set, the login links on various Casdoor pages will redirect to this URL",
|
||||
"Signup URL": "Signup URL",
|
||||
@ -311,6 +315,7 @@
|
||||
"Successfully deleted": "Successfully deleted",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Successfully saved",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Supported country codes",
|
||||
"Supported country codes - Tooltip": "Country codes supported by the organization. These codes can be selected as a prefix when sending SMS verification codes",
|
||||
"Sure to delete": "Sure to delete",
|
||||
@ -353,6 +358,13 @@
|
||||
"Show all": "Show all",
|
||||
"Virtual": "Virtual"
|
||||
},
|
||||
"home": {
|
||||
"New users past 30 days": "New users past 30 days",
|
||||
"New users past 7 days": "New users past 7 days",
|
||||
"New users today": "New users today",
|
||||
"Past 30 Days": "Past 30 Days",
|
||||
"Total users": "Total users"
|
||||
},
|
||||
"ldap": {
|
||||
"Admin": "Admin",
|
||||
"Admin - Tooltip": "CN or ID of the LDAP server administrator",
|
||||
@ -388,6 +400,7 @@
|
||||
"Continue with": "Continue with",
|
||||
"Email or phone": "Email or phone",
|
||||
"Failed to obtain MetaMask authorization": "Failed to obtain MetaMask authorization",
|
||||
"Failed to obtain Web3-Onboard authorization": "Failed to obtain Web3-Onboard authorization",
|
||||
"Forgot password?": "Forgot password?",
|
||||
"Loading": "Loading",
|
||||
"Logging out...": "Logging out...",
|
||||
@ -431,6 +444,7 @@
|
||||
"Passcode": "Passcode",
|
||||
"Please bind your email first, the system will automatically uses the mail for multi-factor authentication": "Please bind your email first, the system will automatically uses the mail for multi-factor authentication",
|
||||
"Please bind your phone first, the system automatically uses the phone for multi-factor authentication": "Please bind your phone first, the system automatically uses the phone for multi-factor authentication",
|
||||
"Please confirm the information below": "Please confirm the information below",
|
||||
"Please save this recovery code. Once your device cannot provide an authentication code, you can reset mfa authentication by this recovery code": "Please save this recovery code. Once your device cannot provide an authentication code, you can reset mfa authentication by this recovery code",
|
||||
"Protect your account with Multi-factor authentication": "Protect your account with Multi-factor authentication",
|
||||
"Recovery code": "Recovery code",
|
||||
@ -523,6 +537,7 @@
|
||||
"Return to Website": "Return to Website",
|
||||
"The payment has been canceled": "The payment has been canceled",
|
||||
"The payment has failed": "The payment has failed",
|
||||
"The payment has time out": "The payment has time out",
|
||||
"The payment is still under processing": "The payment is still under processing",
|
||||
"Type - Tooltip": "Payment method used when purchasing the product",
|
||||
"You have successfully completed the payment": "You have successfully completed the payment",
|
||||
@ -604,6 +619,7 @@
|
||||
"SKU": "SKU",
|
||||
"Sold": "Sold",
|
||||
"Sold - Tooltip": "Quantity sold",
|
||||
"Stripe": "Stripe",
|
||||
"Tag - Tooltip": "Tag of product",
|
||||
"Test buy page..": "Test buy page..",
|
||||
"There is no payment channel for this product.": "There is no payment channel for this product.",
|
||||
@ -618,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Agent ID",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "App ID",
|
||||
"App ID - Tooltip": "App ID",
|
||||
"App key": "App key",
|
||||
@ -640,6 +658,8 @@
|
||||
"Category - Tooltip": "Select a category",
|
||||
"Channel No.": "Channel No.",
|
||||
"Channel No. - Tooltip": "Channel No.",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Client ID",
|
||||
"Client ID - Tooltip": "Client ID",
|
||||
"Client ID 2": "Client ID 2",
|
||||
@ -648,7 +668,11 @@
|
||||
"Client secret - Tooltip": "Client secret",
|
||||
"Client secret 2": "Client secret 2",
|
||||
"Client secret 2 - Tooltip": "The second client secret key",
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Copy",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Disable SSL",
|
||||
"Disable SSL - Tooltip": "Whether to disable SSL protocol when communicating with STMP server",
|
||||
"Domain": "Domain",
|
||||
@ -656,7 +680,6 @@
|
||||
"Edit Provider": "Edit Provider",
|
||||
"Email content": "Email content",
|
||||
"Email content - Tooltip": "Content of the Email",
|
||||
"Email sent successfully": "Email sent successfully",
|
||||
"Email title": "Email title",
|
||||
"Email title - Tooltip": "Title of the email",
|
||||
"Enable QR code": "Enable QR code",
|
||||
@ -682,6 +705,10 @@
|
||||
"Method - Tooltip": "Login method, QR code or silent login",
|
||||
"New Provider": "New Provider",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Parse",
|
||||
"Parse metadata successfully": "Parse metadata successfully",
|
||||
"Path prefix": "Path prefix",
|
||||
@ -710,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Phone number for sending test SMS",
|
||||
"SMS account": "SMS account",
|
||||
"SMS account - Tooltip": "SMS account",
|
||||
"SMS sent successfully": "SMS sent successfully",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "SP Entity ID",
|
||||
@ -723,6 +749,7 @@
|
||||
"Secret key": "Secret key",
|
||||
"Secret key - Tooltip": "Used by the server to call the verification code provider API for verification",
|
||||
"Send Testing Email": "Send Testing Email",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Send Testing SMS",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -758,6 +785,8 @@
|
||||
"User mapping - Tooltip": "User mapping - Tooltip",
|
||||
"UserInfo URL": "UserInfo URL",
|
||||
"UserInfo URL - Tooltip": "UserInfo URL",
|
||||
"Wallets": "Wallets",
|
||||
"Wallets - Tooltip": "Wallets - Tooltip",
|
||||
"admin (Shared)": "admin (Shared)"
|
||||
},
|
||||
"record": {
|
||||
@ -832,6 +861,7 @@
|
||||
"Casdoor column": "Casdoor column",
|
||||
"Column name": "Column name",
|
||||
"Column type": "Column type",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Database",
|
||||
"Database - Tooltip": "The original database name",
|
||||
"Database type": "Database type",
|
||||
@ -839,6 +869,7 @@
|
||||
"Edit Syncer": "Edit Syncer",
|
||||
"Error text": "Error text",
|
||||
"Error text - Tooltip": "Error text",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Is hashed",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -850,8 +881,7 @@
|
||||
"Table - Tooltip": "Name of database table",
|
||||
"Table columns": "Table columns",
|
||||
"Table columns - Tooltip": "Columns in the table involved in data synchronization. Columns that are not involved in synchronization do not need to be added",
|
||||
"Table primary key": "Table primary key",
|
||||
"Table primary key - Tooltip": "Table primary key, such as id"
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "API Latency",
|
||||
@ -927,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Input your email",
|
||||
"Input your phone number": "Input your phone number",
|
||||
"Is admin": "Is admin",
|
||||
@ -935,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Soft-deleted users only retain database records and cannot perform any operations",
|
||||
"Is forbidden": "Is forbidden",
|
||||
"Is forbidden - Tooltip": "Forbidden users cannot log in any more",
|
||||
"Is global admin": "Is global admin",
|
||||
"Is global admin - Tooltip": "Is an administrator of Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Applications",
|
||||
"Applications that require authentication": "Applications qui nécessitent une authentification",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Avatar",
|
||||
"Avatar - Tooltip": "Image d'avatar public pour l'utilisateur",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Temps créé",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Application par défaut",
|
||||
"Default application - Tooltip": "Application par défaut pour les utilisateurs enregistrés directement depuis la page de l'organisation",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "Enregistrer et quitter",
|
||||
"Session ID": "Identificateur de session",
|
||||
"Sessions": "Séances",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "URL de connexion",
|
||||
"Signin URL - Tooltip": "URL personnalisé pour la page de connexion. Si non défini, la page de connexion Casdoor par défaut sera utilisée. Lorsqu'il est défini, les liens de connexion sur les différentes pages Casdoor seront redirigés vers cette URL",
|
||||
"Signup URL": "URL d'inscription",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "Supprimé avec succès",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Succès enregistré",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Codes de pays pris en charge",
|
||||
"Supported country codes - Tooltip": "Codes de pays pris en charge par l'organisation. Ces codes peuvent être sélectionnés comme préfixe lors de l'envoi de codes de vérification SMS",
|
||||
"Sure to delete": "Sûr de supprimer",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Identifiant d'agent",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "Identifiant d'application",
|
||||
"App ID - Tooltip": "Identifiant d'application",
|
||||
"App key": "Clé d'application",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "Sélectionnez une catégorie",
|
||||
"Channel No.": "chaîne n°",
|
||||
"Channel No. - Tooltip": "Canal N°",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Identifiant client",
|
||||
"Client ID - Tooltip": "Identifiant du client",
|
||||
"Client ID 2": "Identifiant client 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Copie",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Désactiver SSL",
|
||||
"Disable SSL - Tooltip": "Doit-on désactiver le protocole SSL lors de la communication avec le serveur STMP ?",
|
||||
"Domain": "Domaine",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "Fournisseur de modification",
|
||||
"Email content": "Contenu de l'e-mail",
|
||||
"Email content - Tooltip": "Contenu de l'e-mail",
|
||||
"Email sent successfully": "Email envoyé avec succès",
|
||||
"Email title": "Titre de l'email",
|
||||
"Email title - Tooltip": "Titre de l'email",
|
||||
"Enable QR code": "Activer le code QR",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "Méthode de connexion, code QR ou connexion silencieuse",
|
||||
"New Provider": "Nouveau fournisseur",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Parser",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Numéro de téléphone pour l'envoi de SMS de test",
|
||||
"SMS account": "compte SMS",
|
||||
"SMS account - Tooltip": "Compte SMS",
|
||||
"SMS sent successfully": "SMS envoyé avec succès",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "URL de l'ACS du fournisseur de service",
|
||||
"SP Entity ID": "Identifiant d'entité SP",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "Clé secrète",
|
||||
"Secret key - Tooltip": "Utilisé par le serveur pour appeler l'API du fournisseur de code de vérification pour vérifier",
|
||||
"Send Testing Email": "Envoyer un e-mail de test",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Envoyer des messages SMS de tests",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "Column Casdoor",
|
||||
"Column name": "Nom de la colonne",
|
||||
"Column type": "Type de colonne",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Base de données",
|
||||
"Database - Tooltip": "Le nom original de la base de données",
|
||||
"Database type": "Type de base de données",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "Éditer Syncer",
|
||||
"Error text": "Texte d'erreur",
|
||||
"Error text - Tooltip": "Texte d'erreur",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Est-haché",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "Table",
|
||||
"Table - Tooltip": "Nom de la table de base de données",
|
||||
"Table columns": "Colonnes de table",
|
||||
"Table columns - Tooltip": "Colonnes dans la table impliquées dans la synchronisation des données. Les colonnes qui ne sont pas impliquées dans la synchronisation n'ont pas besoin d'être ajoutées"
|
||||
"Table columns - Tooltip": "Colonnes dans la table impliquées dans la synchronisation des données. Les colonnes qui ne sont pas impliquées dans la synchronisation n'ont pas besoin d'être ajoutées",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "Retard API",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Entrez votre adresse e-mail",
|
||||
"Input your phone number": "Saisissez votre numéro de téléphone",
|
||||
"Is admin": "Est l'administrateur",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Les utilisateurs supprimés de manière douce conservent uniquement les enregistrements de base de données et ne peuvent pas effectuer d'opérations",
|
||||
"Is forbidden": "Est interdit",
|
||||
"Is forbidden - Tooltip": "Les utilisateurs interdits ne peuvent plus se connecter",
|
||||
"Is global admin": "Est l'administrateur global",
|
||||
"Is global admin - Tooltip": "Est un administrateur de Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -11,6 +11,7 @@
|
||||
"New Adapter": "New Adapter",
|
||||
"Policies": "Policies",
|
||||
"Policies - Tooltip": "Casbin policy rules",
|
||||
"Rule type": "Rule type",
|
||||
"Sync policies successfully": "Sync policies successfully"
|
||||
},
|
||||
"application": {
|
||||
@ -172,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Applications",
|
||||
"Applications that require authentication": "Applications that require authentication",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Avatar",
|
||||
"Avatar - Tooltip": "Public avatar image for the user",
|
||||
@ -189,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Created time",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Default application",
|
||||
"Default application - Tooltip": "Default application for users registered directly from the organization page",
|
||||
@ -295,6 +298,7 @@
|
||||
"Save & Exit": "Save & Exit",
|
||||
"Session ID": "Session ID",
|
||||
"Sessions": "Sessions",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "Signin URL",
|
||||
"Signin URL - Tooltip": "Custom URL for the login page. If not set, the default Casdoor login page will be used. When set, the login links on various Casdoor pages will redirect to this URL",
|
||||
"Signup URL": "Signup URL",
|
||||
@ -311,6 +315,7 @@
|
||||
"Successfully deleted": "Successfully deleted",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Successfully saved",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Supported country codes",
|
||||
"Supported country codes - Tooltip": "Country codes supported by the organization. These codes can be selected as a prefix when sending SMS verification codes",
|
||||
"Sure to delete": "Sure to delete",
|
||||
@ -353,6 +358,13 @@
|
||||
"Show all": "Show all",
|
||||
"Virtual": "Virtual"
|
||||
},
|
||||
"home": {
|
||||
"New users past 30 days": "New users past 30 days",
|
||||
"New users past 7 days": "New users past 7 days",
|
||||
"New users today": "New users today",
|
||||
"Past 30 Days": "Past 30 Days",
|
||||
"Total users": "Total users"
|
||||
},
|
||||
"ldap": {
|
||||
"Admin": "Admin",
|
||||
"Admin - Tooltip": "CN or ID of the LDAP server administrator",
|
||||
@ -388,6 +400,7 @@
|
||||
"Continue with": "Continue with",
|
||||
"Email or phone": "Email or phone",
|
||||
"Failed to obtain MetaMask authorization": "Failed to obtain MetaMask authorization",
|
||||
"Failed to obtain Web3-Onboard authorization": "Failed to obtain Web3-Onboard authorization",
|
||||
"Forgot password?": "Forgot password?",
|
||||
"Loading": "Loading",
|
||||
"Logging out...": "Logging out...",
|
||||
@ -431,6 +444,7 @@
|
||||
"Passcode": "Passcode",
|
||||
"Please bind your email first, the system will automatically uses the mail for multi-factor authentication": "Please bind your email first, the system will automatically uses the mail for multi-factor authentication",
|
||||
"Please bind your phone first, the system automatically uses the phone for multi-factor authentication": "Please bind your phone first, the system automatically uses the phone for multi-factor authentication",
|
||||
"Please confirm the information below": "Please confirm the information below",
|
||||
"Please save this recovery code. Once your device cannot provide an authentication code, you can reset mfa authentication by this recovery code": "Please save this recovery code. Once your device cannot provide an authentication code, you can reset mfa authentication by this recovery code",
|
||||
"Protect your account with Multi-factor authentication": "Protect your account with Multi-factor authentication",
|
||||
"Recovery code": "Recovery code",
|
||||
@ -523,6 +537,7 @@
|
||||
"Return to Website": "Return to Website",
|
||||
"The payment has been canceled": "The payment has been canceled",
|
||||
"The payment has failed": "The payment has failed",
|
||||
"The payment has time out": "The payment has time out",
|
||||
"The payment is still under processing": "The payment is still under processing",
|
||||
"Type - Tooltip": "Payment method used when purchasing the product",
|
||||
"You have successfully completed the payment": "You have successfully completed the payment",
|
||||
@ -604,6 +619,7 @@
|
||||
"SKU": "SKU",
|
||||
"Sold": "Sold",
|
||||
"Sold - Tooltip": "Quantity sold",
|
||||
"Stripe": "Stripe",
|
||||
"Tag - Tooltip": "Tag of product",
|
||||
"Test buy page..": "Test buy page..",
|
||||
"There is no payment channel for this product.": "There is no payment channel for this product.",
|
||||
@ -618,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Agent ID",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "App ID",
|
||||
"App ID - Tooltip": "App ID",
|
||||
"App key": "App key",
|
||||
@ -640,6 +658,8 @@
|
||||
"Category - Tooltip": "Select a category",
|
||||
"Channel No.": "Channel No.",
|
||||
"Channel No. - Tooltip": "Channel No.",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Client ID",
|
||||
"Client ID - Tooltip": "Client ID",
|
||||
"Client ID 2": "Client ID 2",
|
||||
@ -648,7 +668,11 @@
|
||||
"Client secret - Tooltip": "Client secret",
|
||||
"Client secret 2": "Client secret 2",
|
||||
"Client secret 2 - Tooltip": "The second client secret key",
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Copy",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Disable SSL",
|
||||
"Disable SSL - Tooltip": "Whether to disable SSL protocol when communicating with STMP server",
|
||||
"Domain": "Domain",
|
||||
@ -656,7 +680,6 @@
|
||||
"Edit Provider": "Edit Provider",
|
||||
"Email content": "Email content",
|
||||
"Email content - Tooltip": "Content of the Email",
|
||||
"Email sent successfully": "Email sent successfully",
|
||||
"Email title": "Email title",
|
||||
"Email title - Tooltip": "Title of the email",
|
||||
"Enable QR code": "Enable QR code",
|
||||
@ -682,6 +705,10 @@
|
||||
"Method - Tooltip": "Login method, QR code or silent login",
|
||||
"New Provider": "New Provider",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Parse",
|
||||
"Parse metadata successfully": "Parse metadata successfully",
|
||||
"Path prefix": "Path prefix",
|
||||
@ -710,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Phone number for sending test SMS",
|
||||
"SMS account": "SMS account",
|
||||
"SMS account - Tooltip": "SMS account",
|
||||
"SMS sent successfully": "SMS sent successfully",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "SP Entity ID",
|
||||
@ -723,6 +749,7 @@
|
||||
"Secret key": "Secret key",
|
||||
"Secret key - Tooltip": "Used by the server to call the verification code provider API for verification",
|
||||
"Send Testing Email": "Send Testing Email",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Send Testing SMS",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -758,6 +785,8 @@
|
||||
"User mapping - Tooltip": "User mapping - Tooltip",
|
||||
"UserInfo URL": "UserInfo URL",
|
||||
"UserInfo URL - Tooltip": "UserInfo URL",
|
||||
"Wallets": "Wallets",
|
||||
"Wallets - Tooltip": "Wallets - Tooltip",
|
||||
"admin (Shared)": "admin (Shared)"
|
||||
},
|
||||
"record": {
|
||||
@ -832,6 +861,7 @@
|
||||
"Casdoor column": "Casdoor column",
|
||||
"Column name": "Column name",
|
||||
"Column type": "Column type",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Database",
|
||||
"Database - Tooltip": "The original database name",
|
||||
"Database type": "Database type",
|
||||
@ -839,6 +869,7 @@
|
||||
"Edit Syncer": "Edit Syncer",
|
||||
"Error text": "Error text",
|
||||
"Error text - Tooltip": "Error text",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Is hashed",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -850,8 +881,7 @@
|
||||
"Table - Tooltip": "Name of database table",
|
||||
"Table columns": "Table columns",
|
||||
"Table columns - Tooltip": "Columns in the table involved in data synchronization. Columns that are not involved in synchronization do not need to be added",
|
||||
"Table primary key": "Table primary key",
|
||||
"Table primary key - Tooltip": "Table primary key, such as id"
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "API Latency",
|
||||
@ -927,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Input your email",
|
||||
"Input your phone number": "Input your phone number",
|
||||
"Is admin": "Is admin",
|
||||
@ -935,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Soft-deleted users only retain database records and cannot perform any operations",
|
||||
"Is forbidden": "Is forbidden",
|
||||
"Is forbidden - Tooltip": "Forbidden users cannot log in any more",
|
||||
"Is global admin": "Is global admin",
|
||||
"Is global admin - Tooltip": "Is an administrator of Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Aplikasi",
|
||||
"Applications that require authentication": "Aplikasi yang memerlukan autentikasi",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Avatar",
|
||||
"Avatar - Tooltip": "Gambar avatar publik untuk pengguna",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Waktu dibuat",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Aplikasi default",
|
||||
"Default application - Tooltip": "Aplikasi default untuk pengguna yang terdaftar langsung dari halaman organisasi",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "Simpan & Keluar",
|
||||
"Session ID": "ID sesi",
|
||||
"Sessions": "Sesi-sesi",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "URL Masuk",
|
||||
"Signin URL - Tooltip": "URL kustom untuk halaman masuk. Jika tidak diatur, halaman masuk Casdoor default akan digunakan. Ketika diatur, tautan masuk di berbagai halaman Casdoor akan diarahkan ke URL ini",
|
||||
"Signup URL": "URL Pendaftaran",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "Berhasil dihapus",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Berhasil disimpan",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Kode negara yang didukung",
|
||||
"Supported country codes - Tooltip": "Kode negara yang didukung oleh organisasi. Kode-kode ini dapat dipilih sebagai awalan saat mengirim kode verifikasi SMS",
|
||||
"Sure to delete": "Pasti untuk menghapus",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "ID Agen",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "ID Aplikasi",
|
||||
"App ID - Tooltip": "ID Aplikasi",
|
||||
"App key": "Kunci aplikasi",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "Pilih kategori",
|
||||
"Channel No.": "Saluran nomor.",
|
||||
"Channel No. - Tooltip": "Saluran No.",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "ID klien",
|
||||
"Client ID - Tooltip": "ID klien",
|
||||
"Client ID 2": "ID klien 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Salin",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Menonaktifkan SSL",
|
||||
"Disable SSL - Tooltip": "Apakah perlu menonaktifkan protokol SSL saat berkomunikasi dengan server STMP?",
|
||||
"Domain": "Domain",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "Ubah Penyedia Layanan",
|
||||
"Email content": "Konten Email",
|
||||
"Email content - Tooltip": "Isi Email",
|
||||
"Email sent successfully": "Email berhasil terkirim",
|
||||
"Email title": "Judul Email",
|
||||
"Email title - Tooltip": "Judul email",
|
||||
"Enable QR code": "Aktifkan kode QR",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "Metode login, kode QR atau login tanpa suara",
|
||||
"New Provider": "Penyedia Baru",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Parse: Memecah atau mengurai data atau teks menjadi bagian-bagian yang lebih kecil dan lebih mudah dipahami atau dimanipulasi",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Nomor telepon untuk mengirim SMS uji",
|
||||
"SMS account": "akun SMS",
|
||||
"SMS account - Tooltip": "Akun SMS",
|
||||
"SMS sent successfully": "SMS berhasil terkirim",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "Identitas Entitas SP",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "Kunci rahasia",
|
||||
"Secret key - Tooltip": "Digunakan oleh server untuk memanggil API penyedia kode verifikasi untuk melakukan verifikasi",
|
||||
"Send Testing Email": "Kirim Email Uji Coba",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Kirim SMS Uji Coba",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "Kolom Casdoor",
|
||||
"Column name": "Nama kolom",
|
||||
"Column type": "Tipe kolom",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Database",
|
||||
"Database - Tooltip": "Nama basis data asli",
|
||||
"Database type": "Tipe Basis Data",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "Pengedit Sinkronisasi",
|
||||
"Error text": "Teks kesalahan",
|
||||
"Error text - Tooltip": "Teks kesalahan",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Apakah di-hash?",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "Tabel",
|
||||
"Table - Tooltip": "Nama tabel database",
|
||||
"Table columns": "Kolom tabel",
|
||||
"Table columns - Tooltip": "Kolom pada tabel yang terlibat dalam sinkronisasi data. Kolom yang tidak terlibat dalam sinkronisasi tidak perlu ditambahkan"
|
||||
"Table columns - Tooltip": "Kolom pada tabel yang terlibat dalam sinkronisasi data. Kolom yang tidak terlibat dalam sinkronisasi tidak perlu ditambahkan",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "API Latency",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Masukkan alamat email Anda",
|
||||
"Input your phone number": "Masukkan nomor telepon Anda",
|
||||
"Is admin": "Apakah admin?",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Pengguna yang dihapus secara lembut hanya mempertahankan catatan basis data dan tidak dapat melakukan operasi apa pun",
|
||||
"Is forbidden": "Dilarang",
|
||||
"Is forbidden - Tooltip": "User yang dilarang tidak dapat masuk lagi",
|
||||
"Is global admin": "Apakah global admin",
|
||||
"Is global admin - Tooltip": "Adalah seorang administrator Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Applications",
|
||||
"Applications that require authentication": "Applications that require authentication",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Avatar",
|
||||
"Avatar - Tooltip": "Public avatar image for the user",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Created time",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Default application",
|
||||
"Default application - Tooltip": "Default application for users registered directly from the organization page",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "Save & Exit",
|
||||
"Session ID": "Session ID",
|
||||
"Sessions": "Sessions",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "Signin URL",
|
||||
"Signin URL - Tooltip": "Custom URL for the login page. If not set, the default Casdoor login page will be used. When set, the login links on various Casdoor pages will redirect to this URL",
|
||||
"Signup URL": "Signup URL",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "Successfully deleted",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Successfully saved",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Supported country codes",
|
||||
"Supported country codes - Tooltip": "Country codes supported by the organization. These codes can be selected as a prefix when sending SMS verification codes",
|
||||
"Sure to delete": "Sure to delete",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Agent ID",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "App ID",
|
||||
"App ID - Tooltip": "App ID",
|
||||
"App key": "App key",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "Select a category",
|
||||
"Channel No.": "Channel No.",
|
||||
"Channel No. - Tooltip": "Channel No.",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Client ID",
|
||||
"Client ID - Tooltip": "Client ID",
|
||||
"Client ID 2": "Client ID 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Copy",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Disable SSL",
|
||||
"Disable SSL - Tooltip": "Whether to disable SSL protocol when communicating with STMP server",
|
||||
"Domain": "Domain",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "Edit Provider",
|
||||
"Email content": "Email content",
|
||||
"Email content - Tooltip": "Content of the Email",
|
||||
"Email sent successfully": "Email sent successfully",
|
||||
"Email title": "Email title",
|
||||
"Email title - Tooltip": "Title of the email",
|
||||
"Enable QR code": "Enable QR code",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "Login method, QR code or silent login",
|
||||
"New Provider": "New Provider",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Parse",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Phone number for sending test SMS",
|
||||
"SMS account": "SMS account",
|
||||
"SMS account - Tooltip": "SMS account",
|
||||
"SMS sent successfully": "SMS sent successfully",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "SP Entity ID",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "Secret key",
|
||||
"Secret key - Tooltip": "Used by the server to call the verification code provider API for verification",
|
||||
"Send Testing Email": "Send Testing Email",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Send Testing SMS",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "Casdoor column",
|
||||
"Column name": "Column name",
|
||||
"Column type": "Column type",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Database",
|
||||
"Database - Tooltip": "The original database name",
|
||||
"Database type": "Database type",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "Edit Syncer",
|
||||
"Error text": "Error text",
|
||||
"Error text - Tooltip": "Error text",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Is hashed",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "Table",
|
||||
"Table - Tooltip": "Name of database table",
|
||||
"Table columns": "Table columns",
|
||||
"Table columns - Tooltip": "Columns in the table involved in data synchronization. Columns that are not involved in synchronization do not need to be added"
|
||||
"Table columns - Tooltip": "Columns in the table involved in data synchronization. Columns that are not involved in synchronization do not need to be added",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "API Latency",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Input your email",
|
||||
"Input your phone number": "Input your phone number",
|
||||
"Is admin": "Is admin",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Soft-deleted users only retain database records and cannot perform any operations",
|
||||
"Is forbidden": "Is forbidden",
|
||||
"Is forbidden - Tooltip": "Forbidden users cannot log in any more",
|
||||
"Is global admin": "Is global admin",
|
||||
"Is global admin - Tooltip": "Is an administrator of Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "アプリケーション",
|
||||
"Applications that require authentication": "認証が必要なアプリケーション",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "アバター",
|
||||
"Avatar - Tooltip": "ユーザーのパブリックアバター画像",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "作成された時間",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "デフォルトアプリケーション",
|
||||
"Default application - Tooltip": "組織ページから直接登録されたユーザーのデフォルトアプリケーション",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "保存して終了",
|
||||
"Session ID": "セッションID",
|
||||
"Sessions": "セッションズ",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "サインインのURL",
|
||||
"Signin URL - Tooltip": "ログインページ用のカスタムURL。設定されていない場合、デフォルトのCasdoorログインページが使用されます。設定されている場合、CasdoorのさまざまなページのログインリンクはこのURLにリダイレクトされます",
|
||||
"Signup URL": "登録URL",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "正常に削除されました",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "成功的に保存されました",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "サポートされている国コード",
|
||||
"Supported country codes - Tooltip": "組織でサポートされている国コード。これらのコードは、SMS認証コードのプレフィックスとして選択できます",
|
||||
"Sure to delete": "削除することが確実です",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "エージェントID",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "アプリID",
|
||||
"App ID - Tooltip": "アプリID",
|
||||
"App key": "アプリキー",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "カテゴリーを選択してください",
|
||||
"Channel No.": "チャンネル番号",
|
||||
"Channel No. - Tooltip": "チャンネル番号",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "クライアントID",
|
||||
"Client ID - Tooltip": "クライアントID",
|
||||
"Client ID 2": "クライアントID 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "コピー",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "SSLを無効にする",
|
||||
"Disable SSL - Tooltip": "SMTPサーバーと通信する場合にSSLプロトコルを無効にするかどうか",
|
||||
"Domain": "ドメイン",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "編集プロバイダー",
|
||||
"Email content": "Eメールの内容",
|
||||
"Email content - Tooltip": "メールの内容",
|
||||
"Email sent successfully": "メールが成功裏に送信されました",
|
||||
"Email title": "電子メールのタイトル",
|
||||
"Email title - Tooltip": "メールのタイトル",
|
||||
"Enable QR code": "QRコードを有効にする",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "ログイン方法、QRコードまたはサイレントログイン",
|
||||
"New Provider": "新しい提供者",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "パースする",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "テストSMSの送信先電話番号",
|
||||
"SMS account": "SMSアカウント",
|
||||
"SMS account - Tooltip": "SMSアカウント",
|
||||
"SMS sent successfully": "SMSが正常に送信されました",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "SPエンティティID",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "秘密鍵",
|
||||
"Secret key - Tooltip": "認証のためにサーバーによって使用され、認証コードプロバイダAPIを呼び出すためのもの",
|
||||
"Send Testing Email": "テスト用メールを送信する",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "テストSMSを送信してください",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "カスドアカラム",
|
||||
"Column name": "列名",
|
||||
"Column type": "コラムタイプ",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "データベース",
|
||||
"Database - Tooltip": "元のデータベース名",
|
||||
"Database type": "データベースのタイプ",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "エディットシンカー",
|
||||
"Error text": "エラーテキスト",
|
||||
"Error text - Tooltip": "エラーテキスト",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "ハッシュ化されました",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "テーブル",
|
||||
"Table - Tooltip": "データベーステーブル名",
|
||||
"Table columns": "テーブルの列",
|
||||
"Table columns - Tooltip": "テーブルで同期データに関与する列。同期に関係のない列は追加する必要はありません"
|
||||
"Table columns - Tooltip": "テーブルで同期データに関与する列。同期に関係のない列は追加する必要はありません",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "API遅延",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "あなたのメールアドレスを入力してください",
|
||||
"Input your phone number": "電話番号を入力してください",
|
||||
"Is admin": "管理者ですか?",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "ソフト削除されたユーザーは、データベースのレコードのみを保持し、何らかの操作を実行することはできません",
|
||||
"Is forbidden": "禁止されています",
|
||||
"Is forbidden - Tooltip": "禁止されたユーザーはこれ以上ログインできません",
|
||||
"Is global admin": "グローバル管理者です",
|
||||
"Is global admin - Tooltip": "Casdoorの管理者です",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "응용 프로그램",
|
||||
"Applications that require authentication": "인증이 필요한 애플리케이션들",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "아바타",
|
||||
"Avatar - Tooltip": "사용자를 위한 공개 아바타 이미지",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "작성한 시간",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "기본 애플리케이션",
|
||||
"Default application - Tooltip": "조직 페이지에서 직접 등록한 사용자의 기본 응용 프로그램",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "저장하고 종료하기",
|
||||
"Session ID": "세션 ID",
|
||||
"Sessions": "세션들",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "로그인 URL",
|
||||
"Signin URL - Tooltip": "로그인 페이지에 대한 사용자 지정 URL입니다. 설정되지 않으면 기본 Casdoor 로그인 페이지가 사용됩니다. 설정하면 Casdoor의 여러 페이지의 로그인 링크가이 URL로 리디렉션됩니다",
|
||||
"Signup URL": "가입 URL",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "성공적으로 삭제되었습니다",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "성공적으로 저장되었습니다",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "지원되는 국가 코드들",
|
||||
"Supported country codes - Tooltip": "조직에서 지원하는 국가 코드입니다. 이 코드들은 SMS 인증 코드를 보낼 때 접두사로 선택할 수 있습니다",
|
||||
"Sure to delete": "삭제하시겠습니까?",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "에이전트 ID",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "앱 ID",
|
||||
"App ID - Tooltip": "앱 식별자",
|
||||
"App key": "앱 키",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "카테고리를 선택하세요",
|
||||
"Channel No.": "채널 번호",
|
||||
"Channel No. - Tooltip": "채널 번호",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "클라이언트 ID",
|
||||
"Client ID - Tooltip": "클라이언트 ID",
|
||||
"Client ID 2": "고객 ID 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "복사하다",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "SSL을 사용하지 않도록 설정하십시오",
|
||||
"Disable SSL - Tooltip": "STMP 서버와 통신할 때 SSL 프로토콜을 비활성화할지 여부",
|
||||
"Domain": "도메인",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "이전 공급 업체 편집",
|
||||
"Email content": "이메일 내용",
|
||||
"Email content - Tooltip": "이메일 내용",
|
||||
"Email sent successfully": "이메일이 성공적으로 전송되었습니다",
|
||||
"Email title": "이메일 제목",
|
||||
"Email title - Tooltip": "이메일 제목",
|
||||
"Enable QR code": "QR 코드 활성화",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "로그인 방법, QR 코드 또는 음성 로그인",
|
||||
"New Provider": "새로운 공급 업체",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "파싱",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "테스트 SMS를 보내는 전화번호",
|
||||
"SMS account": "SMS 계정",
|
||||
"SMS account - Tooltip": "SMS 계정",
|
||||
"SMS sent successfully": "문자 메시지가 성공적으로 발송되었습니다",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "SP 개체 ID",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "비밀 키",
|
||||
"Secret key - Tooltip": "검증을 위해 서버에서 인증 코드 공급자 API를 호출하는 데 사용됩니다",
|
||||
"Send Testing Email": "테스트 이메일을 보내기",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "테스트 SMS를 보내세요",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "카스도어 컬럼",
|
||||
"Column name": "열 이름",
|
||||
"Column type": "컬럼 형태",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "데이터베이스",
|
||||
"Database - Tooltip": "원래 데이터베이스 이름",
|
||||
"Database type": "데이터베이스 유형",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "에딧 싱커",
|
||||
"Error text": "오류 메시지",
|
||||
"Error text - Tooltip": "에러 텍스트",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "해시화 되었습니다",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "테이블",
|
||||
"Table - Tooltip": "데이터베이스 테이블 이름",
|
||||
"Table columns": "테이블 열",
|
||||
"Table columns - Tooltip": "데이터 동기화에 관련된 테이블의 열들입니다. 동기화에 관련되지 않은 열은 추가할 필요가 없습니다"
|
||||
"Table columns - Tooltip": "데이터 동기화에 관련된 테이블의 열들입니다. 동기화에 관련되지 않은 열은 추가할 필요가 없습니다",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "API 지연",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "이메일을 입력하세요",
|
||||
"Input your phone number": "전화번호를 입력하세요",
|
||||
"Is admin": "어드민인가요?",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "소프트 삭제된 사용자는 데이터베이스 기록만 유지되며 어떠한 작업도 수행할 수 없습니다",
|
||||
"Is forbidden": "금지되어 있습니다",
|
||||
"Is forbidden - Tooltip": "금지된 사용자는 더 이상 로그인할 수 없습니다",
|
||||
"Is global admin": "전세계 관리자입니까?",
|
||||
"Is global admin - Tooltip": "캐스도어의 관리자입니다",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Applications",
|
||||
"Applications that require authentication": "Applications that require authentication",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Avatar",
|
||||
"Avatar - Tooltip": "Public avatar image for the user",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Created time",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Default application",
|
||||
"Default application - Tooltip": "Default application for users registered directly from the organization page",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "Save & Exit",
|
||||
"Session ID": "Session ID",
|
||||
"Sessions": "Sessions",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "Signin URL",
|
||||
"Signin URL - Tooltip": "Custom URL for the login page. If not set, the default Casdoor login page will be used. When set, the login links on various Casdoor pages will redirect to this URL",
|
||||
"Signup URL": "Signup URL",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "Successfully deleted",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Successfully saved",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Supported country codes",
|
||||
"Supported country codes - Tooltip": "Country codes supported by the organization. These codes can be selected as a prefix when sending SMS verification codes",
|
||||
"Sure to delete": "Sure to delete",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Agent ID",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "App ID",
|
||||
"App ID - Tooltip": "App ID",
|
||||
"App key": "App key",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "Select a category",
|
||||
"Channel No.": "Channel No.",
|
||||
"Channel No. - Tooltip": "Channel No.",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Client ID",
|
||||
"Client ID - Tooltip": "Client ID",
|
||||
"Client ID 2": "Client ID 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Copy",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Disable SSL",
|
||||
"Disable SSL - Tooltip": "Whether to disable SSL protocol when communicating with STMP server",
|
||||
"Domain": "Domain",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "Edit Provider",
|
||||
"Email content": "Email content",
|
||||
"Email content - Tooltip": "Content of the Email",
|
||||
"Email sent successfully": "Email sent successfully",
|
||||
"Email title": "Email title",
|
||||
"Email title - Tooltip": "Title of the email",
|
||||
"Enable QR code": "Enable QR code",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "Login method, QR code or silent login",
|
||||
"New Provider": "New Provider",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Parse",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Phone number for sending test SMS",
|
||||
"SMS account": "SMS account",
|
||||
"SMS account - Tooltip": "SMS account",
|
||||
"SMS sent successfully": "SMS sent successfully",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "SP Entity ID",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "Secret key",
|
||||
"Secret key - Tooltip": "Used by the server to call the verification code provider API for verification",
|
||||
"Send Testing Email": "Send Testing Email",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Send Testing SMS",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "Casdoor column",
|
||||
"Column name": "Column name",
|
||||
"Column type": "Column type",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Database",
|
||||
"Database - Tooltip": "The original database name",
|
||||
"Database type": "Database type",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "Edit Syncer",
|
||||
"Error text": "Error text",
|
||||
"Error text - Tooltip": "Error text",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Is hashed",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "Table",
|
||||
"Table - Tooltip": "Name of database table",
|
||||
"Table columns": "Table columns",
|
||||
"Table columns - Tooltip": "Columns in the table involved in data synchronization. Columns that are not involved in synchronization do not need to be added"
|
||||
"Table columns - Tooltip": "Columns in the table involved in data synchronization. Columns that are not involved in synchronization do not need to be added",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "API Latency",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Input your email",
|
||||
"Input your phone number": "Input your phone number",
|
||||
"Is admin": "Is admin",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Soft-deleted users only retain database records and cannot perform any operations",
|
||||
"Is forbidden": "Is forbidden",
|
||||
"Is forbidden - Tooltip": "Forbidden users cannot log in any more",
|
||||
"Is global admin": "Is global admin",
|
||||
"Is global admin - Tooltip": "Is an administrator of Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Aplicações",
|
||||
"Applications that require authentication": "Aplicações que requerem autenticação",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Avatar",
|
||||
"Avatar - Tooltip": "Imagem de avatar pública do usuário",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Hora de Criação",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Aplicação padrão",
|
||||
"Default application - Tooltip": "Aplicação padrão para usuários registrados diretamente na página da organização",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "Salvar e Sair",
|
||||
"Session ID": "ID da sessão",
|
||||
"Sessions": "Sessões",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "URL de login",
|
||||
"Signin URL - Tooltip": "URL personalizada para a página de login. Se não definido, será usada a página padrão de login do Casdoor. Quando definido, os links de login em várias páginas do Casdoor serão redirecionados para esta URL",
|
||||
"Signup URL": "URL de registro",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "Excluído com sucesso",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Salvo com sucesso",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Códigos de país suportados",
|
||||
"Supported country codes - Tooltip": "Códigos de país suportados pela organização. Esses códigos podem ser selecionados como prefixo ao enviar códigos de verificação SMS",
|
||||
"Sure to delete": "Tem certeza que deseja excluir",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "ID do Agente",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "ID do aplicativo",
|
||||
"App ID - Tooltip": "ID do aplicativo",
|
||||
"App key": "Chave do aplicativo",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "Selecione uma categoria",
|
||||
"Channel No.": "Número do canal",
|
||||
"Channel No. - Tooltip": "Número do canal",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "ID do cliente",
|
||||
"Client ID - Tooltip": "ID do cliente",
|
||||
"Client ID 2": "ID do cliente 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Copiar",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Desabilitar SSL",
|
||||
"Disable SSL - Tooltip": "Se deve desabilitar o protocolo SSL ao comunicar com o servidor SMTP",
|
||||
"Domain": "Domínio",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "Editar Provedor",
|
||||
"Email content": "Conteúdo do e-mail",
|
||||
"Email content - Tooltip": "Conteúdo do e-mail",
|
||||
"Email sent successfully": "E-mail enviado com sucesso",
|
||||
"Email title": "Título do e-mail",
|
||||
"Email title - Tooltip": "Título do e-mail",
|
||||
"Enable QR code": "Habilitar código QR",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "Método de login, código QR ou login silencioso",
|
||||
"New Provider": "Novo Provedor",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Analisar",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Número de telefone para enviar SMS de teste",
|
||||
"SMS account": "Conta SMS",
|
||||
"SMS account - Tooltip": "Conta SMS",
|
||||
"SMS sent successfully": "SMS enviado com sucesso",
|
||||
"SP ACS URL": "URL SP ACS",
|
||||
"SP ACS URL - Tooltip": "URL SP ACS",
|
||||
"SP Entity ID": "ID da Entidade SP",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "Chave secreta",
|
||||
"Secret key - Tooltip": "Usada pelo servidor para chamar a API do fornecedor de código de verificação para verificação",
|
||||
"Send Testing Email": "Enviar E-mail de Teste",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Enviar SMS de Teste",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "Coluna Casdoor",
|
||||
"Column name": "Nome da coluna",
|
||||
"Column type": "Tipo de coluna",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Banco de dados",
|
||||
"Database - Tooltip": "Nome original do banco de dados",
|
||||
"Database type": "Tipo de banco de dados",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "Editar Syncer",
|
||||
"Error text": "Texto de erro",
|
||||
"Error text - Tooltip": "Texto de erro",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Está criptografado",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "Tabela",
|
||||
"Table - Tooltip": "Nome da tabela no banco de dados",
|
||||
"Table columns": "Colunas da tabela",
|
||||
"Table columns - Tooltip": "Colunas na tabela envolvidas na sincronização de dados. Colunas que não estão envolvidas na sincronização não precisam ser adicionadas"
|
||||
"Table columns - Tooltip": "Colunas na tabela envolvidas na sincronização de dados. Colunas que não estão envolvidas na sincronização não precisam ser adicionadas",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "Latência da API",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "Tipo de cartão de identidade",
|
||||
"ID card type - Tooltip": "Tipo de cartão de identidade - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Digite seu e-mail",
|
||||
"Input your phone number": "Digite seu número de telefone",
|
||||
"Is admin": "É administrador",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Usuários excluídos somente mantêm registros no banco de dados e não podem realizar nenhuma operação",
|
||||
"Is forbidden": "Está proibido",
|
||||
"Is forbidden - Tooltip": "Usuários proibidos não podem fazer login novamente",
|
||||
"Is global admin": "É administrador global",
|
||||
"Is global admin - Tooltip": "É um administrador do Casdoor",
|
||||
"Is online": "Está online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Приложения",
|
||||
"Applications that require authentication": "Приложения, которые требуют аутентификации",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Аватар",
|
||||
"Avatar - Tooltip": "Публичное изображение аватара пользователя",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Созданное время",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Приложение по умолчанию",
|
||||
"Default application - Tooltip": "По умолчанию приложение для пользователей, зарегистрированных непосредственно со страницы организации",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "Сохранить и выйти",
|
||||
"Session ID": "Идентификатор сессии",
|
||||
"Sessions": "Сессии",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "URL для входа в систему",
|
||||
"Signin URL - Tooltip": "Пользовательский URL для страницы входа. Если не указан, будет использоваться стандартная страница входа Casdoor. При установке ссылки на вход на различных страницах Casdoor будут перенаправлять на этот URL",
|
||||
"Signup URL": "URL регистрации",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "Успешно удалено",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Успешно сохранено",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Поддерживаемые коды стран",
|
||||
"Supported country codes - Tooltip": "Коды стран, поддерживаемые организацией. Эти коды могут быть выбраны в качестве префикса при отправке SMS-кодов подтверждения",
|
||||
"Sure to delete": "Обязательное удаление",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Агент ID",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "Идентификатор приложения",
|
||||
"App ID - Tooltip": "Идентификатор приложения",
|
||||
"App key": "Ключ приложения",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "Выберите категорию",
|
||||
"Channel No.": "Канал №",
|
||||
"Channel No. - Tooltip": "Номер канала.",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Идентификатор клиента",
|
||||
"Client ID - Tooltip": "Идентификатор клиента",
|
||||
"Client ID 2": "Идентификатор клиента 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Копировать",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Отключить SSL",
|
||||
"Disable SSL - Tooltip": "Нужно ли отключать протокол SSL при общении с SMTP сервером?",
|
||||
"Domain": "Домен",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "Редактировать Провайдер",
|
||||
"Email content": "Содержание электронной почты",
|
||||
"Email content - Tooltip": "Содержание электронной почты",
|
||||
"Email sent successfully": "Электронное письмо успешно отправлено",
|
||||
"Email title": "Заголовок электронного письма",
|
||||
"Email title - Tooltip": "Заголовок электронной почты",
|
||||
"Enable QR code": "Включить QR-код",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "Метод входа, QR-код или беззвучный вход",
|
||||
"New Provider": "Новый провайдер",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Спарсить",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Номер телефона для отправки тестовых SMS сообщений",
|
||||
"SMS account": "СМС-аккаунт",
|
||||
"SMS account - Tooltip": "СМС-аккаунт",
|
||||
"SMS sent successfully": "SMS успешно отправлено",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "Идентификатор сущности SP",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "Секретный ключ",
|
||||
"Secret key - Tooltip": "Используется сервером для вызова API-интерфейса поставщика кода подтверждения для проверки",
|
||||
"Send Testing Email": "Отправить тестовое письмо",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Отправить тестовое SMS-сообщение",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "Колонка Casdoor",
|
||||
"Column name": "Название столбца",
|
||||
"Column type": "Тип колонки",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "База данных",
|
||||
"Database - Tooltip": "Оригинальное название базы данных",
|
||||
"Database type": "Тип базы данных",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "Редактировать Syncer",
|
||||
"Error text": "Текст ошибки",
|
||||
"Error text - Tooltip": "Текст ошибки",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Хешировано",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "Стол",
|
||||
"Table - Tooltip": "Название таблицы базы данных",
|
||||
"Table columns": "Столбцы таблицы",
|
||||
"Table columns - Tooltip": "Столбцы в таблице, участвующие в синхронизации данных. Столбцы, не участвующие в синхронизации, не нужно добавлять"
|
||||
"Table columns - Tooltip": "Столбцы в таблице, участвующие в синхронизации данных. Столбцы, не участвующие в синхронизации, не нужно добавлять",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "Задержка API",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Введите свой адрес электронной почты",
|
||||
"Input your phone number": "Введите ваш номер телефона",
|
||||
"Is admin": "Это администратор",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Мягко удаленные пользователи сохраняют только записи в базе данных и не могут выполнять никаких операций",
|
||||
"Is forbidden": "Запрещено",
|
||||
"Is forbidden - Tooltip": "Запрещенные пользователи больше не могут выполнять вход в систему",
|
||||
"Is global admin": "Является глобальным администратором",
|
||||
"Is global admin - Tooltip": "Является администратором Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Applications",
|
||||
"Applications that require authentication": "Applications that require authentication",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Avatar",
|
||||
"Avatar - Tooltip": "Public avatar image for the user",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Created time",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Default application",
|
||||
"Default application - Tooltip": "Default application for users registered directly from the organization page",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "Save & Exit",
|
||||
"Session ID": "Session ID",
|
||||
"Sessions": "Sessions",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "Signin URL",
|
||||
"Signin URL - Tooltip": "Custom URL for the login page. If not set, the default Casdoor login page will be used. When set, the login links on various Casdoor pages will redirect to this URL",
|
||||
"Signup URL": "Signup URL",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "Successfully deleted",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Successfully saved",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Supported country codes",
|
||||
"Supported country codes - Tooltip": "Country codes supported by the organization. These codes can be selected as a prefix when sending SMS verification codes",
|
||||
"Sure to delete": "Sure to delete",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Agent ID",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "App ID",
|
||||
"App ID - Tooltip": "App ID",
|
||||
"App key": "App key",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "Select a category",
|
||||
"Channel No.": "Channel No.",
|
||||
"Channel No. - Tooltip": "Channel No.",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Client ID",
|
||||
"Client ID - Tooltip": "Client ID",
|
||||
"Client ID 2": "Client ID 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Copy",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Disable SSL",
|
||||
"Disable SSL - Tooltip": "Whether to disable SSL protocol when communicating with STMP server",
|
||||
"Domain": "Domain",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "Edit Provider",
|
||||
"Email content": "Email content",
|
||||
"Email content - Tooltip": "Content of the Email",
|
||||
"Email sent successfully": "Email sent successfully",
|
||||
"Email title": "Email title",
|
||||
"Email title - Tooltip": "Title of the email",
|
||||
"Enable QR code": "Enable QR code",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "Login method, QR code or silent login",
|
||||
"New Provider": "New Provider",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Parse",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Phone number for sending test SMS",
|
||||
"SMS account": "SMS account",
|
||||
"SMS account - Tooltip": "SMS account",
|
||||
"SMS sent successfully": "SMS sent successfully",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "SP Entity ID",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "Secret key",
|
||||
"Secret key - Tooltip": "Used by the server to call the verification code provider API for verification",
|
||||
"Send Testing Email": "Send Testing Email",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Send Testing SMS",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "Casdoor column",
|
||||
"Column name": "Column name",
|
||||
"Column type": "Column type",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Database",
|
||||
"Database - Tooltip": "The original database name",
|
||||
"Database type": "Database type",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "Edit Syncer",
|
||||
"Error text": "Error text",
|
||||
"Error text - Tooltip": "Error text",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Is hashed",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "Table",
|
||||
"Table - Tooltip": "Name of database table",
|
||||
"Table columns": "Table columns",
|
||||
"Table columns - Tooltip": "Columns in the table involved in data synchronization. Columns that are not involved in synchronization do not need to be added"
|
||||
"Table columns - Tooltip": "Columns in the table involved in data synchronization. Columns that are not involved in synchronization do not need to be added",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "API Latency",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Input your email",
|
||||
"Input your phone number": "Input your phone number",
|
||||
"Is admin": "Is admin",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Soft-deleted users only retain database records and cannot perform any operations",
|
||||
"Is forbidden": "Is forbidden",
|
||||
"Is forbidden - Tooltip": "Forbidden users cannot log in any more",
|
||||
"Is global admin": "Is global admin",
|
||||
"Is global admin - Tooltip": "Is an administrator of Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "Ứng dụng",
|
||||
"Applications that require authentication": "Các ứng dụng yêu cầu xác thực",
|
||||
"Apps": "Apps",
|
||||
"Authorization": "Authorization",
|
||||
"Avatar": "Ảnh đại diện",
|
||||
"Avatar - Tooltip": "Ảnh đại diện công khai cho người dùng",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "Confirm",
|
||||
"Created time": "Thời gian tạo",
|
||||
"Custom": "Custom",
|
||||
"Dashboard": "Dashboard",
|
||||
"Default": "Default",
|
||||
"Default application": "Ứng dụng mặc định",
|
||||
"Default application - Tooltip": "Ứng dụng mặc định cho người dùng đăng ký trực tiếp từ trang tổ chức",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "Lưu và Thoát",
|
||||
"Session ID": "Mã phiên làm việc",
|
||||
"Sessions": "Phiên họp",
|
||||
"Shortcuts": "Shortcuts",
|
||||
"Signin URL": "Địa chỉ URL để đăng nhập",
|
||||
"Signin URL - Tooltip": "URL tùy chỉnh cho trang đăng nhập. Nếu không được thiết lập, trang đăng nhập mặc định của Casdoor sẽ được sử dụng. Khi được thiết lập, các liên kết đăng nhập trên các trang Casdoor khác sẽ chuyển hướng đến URL này",
|
||||
"Signup URL": "Đăng ký URL",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "Đã xóa thành công",
|
||||
"Successfully removed": "Successfully removed",
|
||||
"Successfully saved": "Thành công đã được lưu lại",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "Các mã quốc gia được hỗ trợ",
|
||||
"Supported country codes - Tooltip": "Mã quốc gia được hỗ trợ bởi tổ chức. Những mã này có thể được chọn làm tiền tố khi gửi mã xác nhận SMS",
|
||||
"Sure to delete": "Chắc chắn muốn xóa",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Mã đại lý",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "ID ứng dụng",
|
||||
"App ID - Tooltip": "Định danh ứng dụng",
|
||||
"App key": "Khóa ứng dụng",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "Chọn một danh mục",
|
||||
"Channel No.": "Kênh số.",
|
||||
"Channel No. - Tooltip": "Kênh Số.",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Mã khách hàng",
|
||||
"Client ID - Tooltip": "Mã khách hàng",
|
||||
"Client ID 2": "ID khách hàng 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "Sao chép",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "Vô hiệu hóa SSL",
|
||||
"Disable SSL - Tooltip": "Có nên vô hiệu hóa giao thức SSL khi giao tiếp với máy chủ STMP hay không?",
|
||||
"Domain": "Miền",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "Chỉnh sửa nhà cung cấp",
|
||||
"Email content": "Nội dung email",
|
||||
"Email content - Tooltip": "Nội dung của Email",
|
||||
"Email sent successfully": "Đã gửi email thành công",
|
||||
"Email title": "Tiêu đề email",
|
||||
"Email title - Tooltip": "Tiêu đề của email",
|
||||
"Enable QR code": "Kích hoạt mã QR",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "Phương thức đăng nhập, mã QR hoặc đăng nhập im lặng",
|
||||
"New Provider": "Nhà cung cấp mới",
|
||||
"Normal": "Normal",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "Phân tích cú pháp",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "Số điện thoại để gửi tin nhắn kiểm tra",
|
||||
"SMS account": "Tài khoản SMS",
|
||||
"SMS account - Tooltip": "Tài khoản SMS",
|
||||
"SMS sent successfully": "Gửi tin nhắn SMS thành công",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "SP Entity ID: Định danh thực thể SP",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "Chìa khóa bí mật",
|
||||
"Secret key - Tooltip": "Được sử dụng bởi máy chủ để gọi API nhà cung cấp mã xác minh để xác minh",
|
||||
"Send Testing Email": "Gửi Email kiểm tra",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "Gửi SMS kiểm tra",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "Cột Casdoor",
|
||||
"Column name": "Tên cột",
|
||||
"Column type": "Loại cột",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "Cơ sở dữ liệu",
|
||||
"Database - Tooltip": "Tên cơ sở dữ liệu ban đầu",
|
||||
"Database type": "Loại cơ sở dữ liệu",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "Chỉnh sửa phù hợp với Syncer",
|
||||
"Error text": "Văn bản lỗi",
|
||||
"Error text - Tooltip": "Văn bản lỗi",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "Đã được băm mã hóa",
|
||||
"Is key": "Is key",
|
||||
"Is read-only": "Is read-only",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "Bàn",
|
||||
"Table - Tooltip": "Tên của bảng cơ sở dữ liệu",
|
||||
"Table columns": "Các cột bảng",
|
||||
"Table columns - Tooltip": "Cột trong bảng liên quan đến đồng bộ dữ liệu. Các cột không liên quan đến đồng bộ hóa không cần được thêm vào"
|
||||
"Table columns - Tooltip": "Cột trong bảng liên quan đến đồng bộ dữ liệu. Các cột không liên quan đến đồng bộ hóa không cần được thêm vào",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "Độ trễ API",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "ID card type",
|
||||
"ID card type - Tooltip": "ID card type - Tooltip",
|
||||
"ID card with person": "ID card with person",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "Nhập địa chỉ email của bạn",
|
||||
"Input your phone number": "Nhập số điện thoại của bạn",
|
||||
"Is admin": "Là quản trị viên",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "Người dùng đã xóa mềm chỉ giữ lại các bản ghi trong cơ sở dữ liệu và không thể thực hiện bất kỳ thao tác nào",
|
||||
"Is forbidden": "Bị cấm",
|
||||
"Is forbidden - Tooltip": "Người dùng bị cấm không thể đăng nhập nữa",
|
||||
"Is global admin": "Là quản trị viên toàn cầu",
|
||||
"Is global admin - Tooltip": "Là một quản trị viên của Casdoor",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
@ -173,6 +173,7 @@
|
||||
"Application - Tooltip": "Application - Tooltip",
|
||||
"Applications": "应用",
|
||||
"Applications that require authentication": "需要认证和鉴权的应用",
|
||||
"Apps": "应用列表",
|
||||
"Authorization": "Casbin权限管理",
|
||||
"Avatar": "头像",
|
||||
"Avatar - Tooltip": "公开展示的用户头像",
|
||||
@ -190,6 +191,7 @@
|
||||
"Confirm": "确认",
|
||||
"Created time": "创建时间",
|
||||
"Custom": "自定义",
|
||||
"Dashboard": "数据看板",
|
||||
"Default": "默认",
|
||||
"Default application": "默认应用",
|
||||
"Default application - Tooltip": "直接从组织页面注册的用户默认所属的应用",
|
||||
@ -296,6 +298,7 @@
|
||||
"Save & Exit": "保存 & 退出",
|
||||
"Session ID": "会话ID",
|
||||
"Sessions": "会话",
|
||||
"Shortcuts": "快捷操作",
|
||||
"Signin URL": "登录URL",
|
||||
"Signin URL - Tooltip": "自定义登录页面的URL,不设置时采用Casdoor默认的登录页面,设置后Casdoor各类页面的登录链接会跳转到该URL",
|
||||
"Signup URL": "注册URL",
|
||||
@ -312,6 +315,7 @@
|
||||
"Successfully deleted": "删除成功",
|
||||
"Successfully removed": "移除成功",
|
||||
"Successfully saved": "保存成功",
|
||||
"Successfully sent": "Successfully sent",
|
||||
"Supported country codes": "支持的国家代码",
|
||||
"Supported country codes - Tooltip": "该组织所支持的国家代码,发送短信验证码时可以选择这些国家的代码前缀",
|
||||
"Sure to delete": "确定删除",
|
||||
@ -630,6 +634,8 @@
|
||||
"Agent ID - Tooltip": "Agent ID",
|
||||
"Api Key": "Api Key",
|
||||
"Api Key - Tooltip": "Api Key - Tooltip",
|
||||
"Api Token": "Api Token",
|
||||
"Api Token - Tooltip": "Api Token - Tooltip",
|
||||
"App ID": "App ID",
|
||||
"App ID - Tooltip": "App ID",
|
||||
"App key": "App key",
|
||||
@ -652,6 +658,8 @@
|
||||
"Category - Tooltip": "分类",
|
||||
"Channel No.": "Channel号码",
|
||||
"Channel No. - Tooltip": "Channel号码",
|
||||
"Chat Id": "Chat Id",
|
||||
"Chat Id - Tooltip": "Chat Id - Tooltip",
|
||||
"Client ID": "Client ID",
|
||||
"Client ID - Tooltip": "Client ID",
|
||||
"Client ID 2": "Client ID 2",
|
||||
@ -663,6 +671,8 @@
|
||||
"Content": "Content",
|
||||
"Content - Tooltip": "Content - Tooltip",
|
||||
"Copy": "复制",
|
||||
"DB Test": "DB Test",
|
||||
"DB Test - Tooltip": "DB Test - Tooltip",
|
||||
"Disable SSL": "禁用SSL",
|
||||
"Disable SSL - Tooltip": "与STMP服务器通信时是否禁用SSL协议",
|
||||
"Domain": "域名",
|
||||
@ -670,7 +680,6 @@
|
||||
"Edit Provider": "编辑提供商",
|
||||
"Email content": "邮件内容",
|
||||
"Email content - Tooltip": "邮件内容",
|
||||
"Email sent successfully": "邮件发送成功",
|
||||
"Email title": "邮件标题",
|
||||
"Email title - Tooltip": "邮件标题",
|
||||
"Enable QR code": "扫码登录",
|
||||
@ -696,6 +705,8 @@
|
||||
"Method - Tooltip": "登录方法,二维码或者静默授权登录",
|
||||
"New Provider": "添加提供商",
|
||||
"Normal": "标准",
|
||||
"Notification content": "Notification content",
|
||||
"Notification content - Tooltip": "Notification content - Tooltip",
|
||||
"Parameter name": "Parameter name",
|
||||
"Parameter name - Tooltip": "Parameter name - Tooltip",
|
||||
"Parse": "解析",
|
||||
@ -726,7 +737,6 @@
|
||||
"SMS Test - Tooltip": "请输入测试手机号",
|
||||
"SMS account": "SMS account",
|
||||
"SMS account - Tooltip": "SMS account",
|
||||
"SMS sent successfully": "短信发送成功",
|
||||
"SP ACS URL": "SP ACS URL",
|
||||
"SP ACS URL - Tooltip": "SP ACS URL",
|
||||
"SP Entity ID": "SP Entity ID",
|
||||
@ -739,6 +749,7 @@
|
||||
"Secret key": "Secret key",
|
||||
"Secret key - Tooltip": "用于服务端调用验证码提供商API进行验证",
|
||||
"Send Testing Email": "发送测试邮件",
|
||||
"Send Testing Notification": "Send Testing Notification",
|
||||
"Send Testing SMS": "发送测试短信",
|
||||
"Sender Id": "Sender Id",
|
||||
"Sender Id - Tooltip": "Sender Id - Tooltip",
|
||||
@ -850,6 +861,7 @@
|
||||
"Casdoor column": "Casdoor列名",
|
||||
"Column name": "列名",
|
||||
"Column type": "列类型",
|
||||
"Connect successfully": "Connect successfully",
|
||||
"Database": "数据库",
|
||||
"Database - Tooltip": "数据库名称",
|
||||
"Database type": "数据库类型",
|
||||
@ -857,6 +869,7 @@
|
||||
"Edit Syncer": "编辑同步器",
|
||||
"Error text": "错误信息",
|
||||
"Error text - Tooltip": "错误信息",
|
||||
"Failed to connect": "Failed to connect",
|
||||
"Is hashed": "是否参与哈希计算",
|
||||
"Is key": "是否为主键",
|
||||
"Is read-only": "是否只读",
|
||||
@ -867,7 +880,8 @@
|
||||
"Table": "表名",
|
||||
"Table - Tooltip": "数据库表名",
|
||||
"Table columns": "表格列",
|
||||
"Table columns - Tooltip": "参与数据同步的表格列,不参与同步的列不需要添加"
|
||||
"Table columns - Tooltip": "参与数据同步的表格列,不参与同步的列不需要添加",
|
||||
"Test DB Connection": "Test DB Connection"
|
||||
},
|
||||
"system": {
|
||||
"API Latency": "API 延迟",
|
||||
@ -943,6 +957,7 @@
|
||||
"ID card type": "身份证类型",
|
||||
"ID card type - Tooltip": "身份证类型 - Tooltip",
|
||||
"ID card with person": "手持身份证",
|
||||
"Input your chat id": "Input your chat id",
|
||||
"Input your email": "请输入邮箱",
|
||||
"Input your phone number": "输入手机号",
|
||||
"Is admin": "是组织管理员",
|
||||
@ -951,8 +966,6 @@
|
||||
"Is deleted - Tooltip": "被软删除的用户只保留数据库记录,无法进行任何操作",
|
||||
"Is forbidden": "被禁用",
|
||||
"Is forbidden - Tooltip": "被禁用的用户无法再登录",
|
||||
"Is global admin": "是全局管理员",
|
||||
"Is global admin - Tooltip": "是Casdoor平台的管理员",
|
||||
"Is online": "Is online",
|
||||
"Karma": "Karma",
|
||||
"Karma - Tooltip": "Karma - Tooltip",
|
||||
|
Loading…
x
Reference in New Issue
Block a user