feat: specify login organization

This commit is contained in:
Yaodong Yu
2023-05-27 19:02:54 +08:00
parent d04dd33d8b
commit 8ede4993af
23 changed files with 1210 additions and 573 deletions

View File

@ -127,6 +127,7 @@ p, *, *, *, /api/metrics, *, *
p, *, *, GET, /api/get-subscriptions, *, * p, *, *, GET, /api/get-subscriptions, *, *
p, *, *, GET, /api/get-pricing, *, * p, *, *, GET, /api/get-pricing, *, *
p, *, *, GET, /api/get-plan, *, * p, *, *, GET, /api/get-plan, *, *
p, *, *, GET, /api/get-organization-names, *, *
` `
sa := stringadapter.NewAdapter(ruleText) sa := stringadapter.NewAdapter(ruleText)

View File

@ -148,3 +148,16 @@ func (c *ApiController) GetDefaultApplication() {
maskedApplication := object.GetMaskedApplication(application, userId) maskedApplication := object.GetMaskedApplication(application, userId)
c.ResponseOk(maskedApplication) c.ResponseOk(maskedApplication)
} }
// GetOrganizationNames ...
// @Title GetOrganizationNames
// @Tag Organization API
// @Param owner query string true "owner"
// @Description get all organization names
// @Success 200 {array} object.Organization The Response object
// @router /get-organization-names [get]
func (c *ApiController) GetOrganizationNames() {
owner := c.Input().Get("owner")
organizationNames := object.GetOrganizationsByFields(owner, "name")
c.ResponseOk(organizationNames)
}

View File

@ -51,6 +51,7 @@ type Application struct {
EnableSamlCompress bool `json:"enableSamlCompress"` EnableSamlCompress bool `json:"enableSamlCompress"`
EnableWebAuthn bool `json:"enableWebAuthn"` EnableWebAuthn bool `json:"enableWebAuthn"`
EnableLinkWithEmail bool `json:"enableLinkWithEmail"` EnableLinkWithEmail bool `json:"enableLinkWithEmail"`
OrgChoiceMode string `json:"orgChoiceMode"`
SamlReplyUrl string `xorm:"varchar(100)" json:"samlReplyUrl"` SamlReplyUrl string `xorm:"varchar(100)" json:"samlReplyUrl"`
Providers []*ProviderItem `xorm:"mediumtext" json:"providers"` Providers []*ProviderItem `xorm:"mediumtext" json:"providers"`
SignupItems []*SignupItem `xorm:"varchar(1000)" json:"signupItems"` SignupItems []*SignupItem `xorm:"varchar(1000)" json:"signupItems"`

View File

@ -90,6 +90,16 @@ func GetOrganizations(owner string) []*Organization {
return organizations return organizations
} }
func GetOrganizationsByFields(owner string, fields ...string) []*Organization {
organizations := []*Organization{}
err := adapter.Engine.Desc("created_time").Cols(fields...).Find(&organizations, &Organization{Owner: owner})
if err != nil {
panic(err)
}
return organizations
}
func GetPaginationOrganizations(owner string, offset, limit int, field, value, sortField, sortOrder string) []*Organization { func GetPaginationOrganizations(owner string, offset, limit int, field, value, sortField, sortOrder string) []*Organization {
organizations := []*Organization{} organizations := []*Organization{}
session := GetSession(owner, offset, limit, field, value, sortField, sortOrder) session := GetSession(owner, offset, limit, field, value, sortField, sortOrder)

View File

@ -65,6 +65,7 @@ func initAPI() {
beego.Router("/api/add-organization", &controllers.ApiController{}, "POST:AddOrganization") beego.Router("/api/add-organization", &controllers.ApiController{}, "POST:AddOrganization")
beego.Router("/api/delete-organization", &controllers.ApiController{}, "POST:DeleteOrganization") beego.Router("/api/delete-organization", &controllers.ApiController{}, "POST:DeleteOrganization")
beego.Router("/api/get-default-application", &controllers.ApiController{}, "GET:GetDefaultApplication") beego.Router("/api/get-default-application", &controllers.ApiController{}, "GET:GetDefaultApplication")
beego.Router("/api/get-organization-names", &controllers.ApiController{}, "GET:GetOrganizationNames")
beego.Router("/api/get-global-users", &controllers.ApiController{}, "GET:GetGlobalUsers") beego.Router("/api/get-global-users", &controllers.ApiController{}, "GET:GetGlobalUsers")
beego.Router("/api/get-users", &controllers.ApiController{}, "GET:GetUsers") beego.Router("/api/get-users", &controllers.ApiController{}, "GET:GetUsers")

View File

@ -441,6 +441,26 @@ class ApplicationEditPage extends React.Component {
}} /> }} />
</Col> </Col>
</Row> </Row>
<Row style={{marginTop: "20px"}} >
<Col style={{marginTop: "5px"}} span={(Setting.isMobile()) ? 22 : 2}>
{Setting.getLabel(i18next.t("application:Org choice mode"), i18next.t("application:Org choice mode - Tooltip"))} :
</Col>
<Col span={22} >
<Select virtual={false} style={{width: "100%"}}
options={[
{label: i18next.t("general:None"), value: "None"},
{label: i18next.t("application:Select"), value: "Select"},
{label: i18next.t("application:Input"), value: "Input"},
].map((item) => {
return Setting.getOption(item.label, item.value);
})}
value={this.state.application.orgChoiceMode ?? []}
onChange={(value => {
this.updateApplicationField("orgChoiceMode", value);
})} >
</Select>
</Col>
</Row>
<Row style={{marginTop: "20px"}} > <Row style={{marginTop: "20px"}} >
<Col style={{marginTop: "5px"}} span={(Setting.isMobile()) ? 22 : 2}> <Col style={{marginTop: "5px"}} span={(Setting.isMobile()) ? 22 : 2}>
{Setting.getLabel(i18next.t("general:Signup URL"), i18next.t("general:Signup URL - Tooltip"))} : {Setting.getLabel(i18next.t("general:Signup URL"), i18next.t("general:Signup URL - Tooltip"))} :

View File

@ -178,7 +178,7 @@ class PricingEditPage extends React.Component {
</Row> </Row>
<Row style={{marginTop: "20px"}} > <Row style={{marginTop: "20px"}} >
<Col style={{marginTop: "5px"}} span={(Setting.isMobile()) ? 22 : 2}> <Col style={{marginTop: "5px"}} span={(Setting.isMobile()) ? 22 : 2}>
{Setting.getLabel(i18next.t("pricing:Sub plans"), i18next.t("Pricing:Sub plans - Tooltip"))} : {Setting.getLabel(i18next.t("pricing:Sub plans"), i18next.t("pricing:Sub plans - Tooltip"))} :
</Col> </Col>
<Col span={22} > <Col span={22} >
<Select mode="tags" style={{width: "100%"}} value={this.state.pricing.plans} <Select mode="tags" style={{width: "100%"}} value={this.state.pricing.plans}

View File

@ -14,8 +14,9 @@
import React from "react"; import React from "react";
import {Button, Checkbox, Col, Form, Input, Result, Row, Spin, Tabs} from "antd"; import {Button, Checkbox, Col, Form, Input, Result, Row, Spin, Tabs} from "antd";
import {LockOutlined, UserOutlined} from "@ant-design/icons"; import {ArrowLeftOutlined, LockOutlined, UserOutlined} from "@ant-design/icons";
import * as UserWebauthnBackend from "../backend/UserWebauthnBackend"; import * as UserWebauthnBackend from "../backend/UserWebauthnBackend";
import OrganizationSelect from "../common/select/OrganizationSelect";
import * as Conf from "../Conf"; import * as Conf from "../Conf";
import * as AuthBackend from "./AuthBackend"; import * as AuthBackend from "./AuthBackend";
import * as OrganizationBackend from "../backend/OrganizationBackend"; import * as OrganizationBackend from "../backend/OrganizationBackend";
@ -57,6 +58,7 @@ class LoginPage extends React.Component {
redirectUrl: "", redirectUrl: "",
isTermsOfUseVisible: false, isTermsOfUseVisible: false,
termsOfUseContent: "", termsOfUseContent: "",
orgChoiceMode: new URLSearchParams(props.location?.search).get("orgChoiceMode") ?? null,
}; };
if (this.state.type === "cas" && props.match?.params.casApplicationName !== undefined) { if (this.state.type === "cas" && props.match?.params.casApplicationName !== undefined) {
@ -815,6 +817,102 @@ class LoginPage extends React.Component {
} }
} }
renderLoginPanel(application) {
const orgChoiceMode = application.orgChoiceMode;
if (this.isOrganizationChoiceBoxVisible(orgChoiceMode)) {
return this.renderOrganizationChoiceBox(orgChoiceMode);
}
if (this.state.getVerifyTotp !== undefined) {
return this.state.getVerifyTotp();
} else {
return (
<React.Fragment>
{this.renderSignedInBox()}
{this.renderForm(application)}
</React.Fragment>
);
}
}
renderOrganizationChoiceBox(orgChoiceMode) {
const renderChoiceBox = () => {
switch (orgChoiceMode) {
case "None":
return null;
case "Select":
return (
<div>
<p style={{fontSize: "large"}}>
{i18next.t("login:Please select an organization to sign in")}
</p>
<OrganizationSelect style={{width: "70%"}}
onSelect={(value) => {
Setting.goToLink(`/login/${value}?orgChoiceMode=None`);
}} />
</div>
);
case "Input":
return (
<div>
<p style={{fontSize: "large"}}>
{i18next.t("login:Please type an organization to sign in")}
</p>
<Form
name="basic"
onFinish={(values) => {Setting.goToLink(`/login/${values.organizationName}?orgChoiceMode=None`);}}
>
<Form.Item
name="organizationName"
rules={[{required: true, message: i18next.t("login:Please input your organization name!")}]}
>
<Input style={{width: "70%"}} onPressEnter={(e) => {
Setting.goToLink(`/login/${e.target.value}?orgChoiceMode=None`);
}} />
</Form.Item>
<Button type="primary" htmlType="submit">
{i18next.t("general:Confirm")}
</Button>
</Form>
</div>
);
default:
return null;
}
};
return (
<div style={{height: 300, width: 300}}>
{renderChoiceBox()}
</div>
);
}
isOrganizationChoiceBoxVisible(orgChoiceMode) {
if (this.state.orgChoiceMode === "None") {
return false;
}
const path = this.props.match?.path;
if (path === "/login" || path === "/login/:owner") {
return orgChoiceMode === "Select" || orgChoiceMode === "Input";
}
return false;
}
renderBackButton() {
if (this.state.orgChoiceMode === "None") {
return (
<Button type="text" size="large" icon={<ArrowLeftOutlined />}
style={{top: "65px", left: "15px", position: "absolute"}}
onClick={() => history.back()}>
</Button>
);
}
}
render() { render() {
const application = this.getApplicationObj(); const application = this.getApplicationObj();
if (application === undefined) { if (application === undefined) {
@ -863,10 +961,13 @@ class LoginPage extends React.Component {
{ {
Setting.renderLogo(application) Setting.renderLogo(application)
} }
{
this.renderBackButton()
}
<LanguageSelect languages={application.organizationObj.languages} style={{top: "55px", right: "5px", position: "absolute"}} /> <LanguageSelect languages={application.organizationObj.languages} style={{top: "55px", right: "5px", position: "absolute"}} />
{this.state.getVerifyTotp !== undefined ? null : this.renderSignedInBox()} {
{this.state.getVerifyTotp !== undefined ? null : this.renderForm(application)} this.renderLoginPanel(application)
{this.state.getVerifyTotp !== undefined ? this.state.getVerifyTotp() : null} }
</div> </div>
</div> </div>
</div> </div>

View File

@ -79,3 +79,13 @@ export function getDefaultApplication(owner, name) {
}, },
}).then(res => res.json()); }).then(res => res.json());
} }
export function getOrganizationNames(owner) {
return fetch(`${Setting.ServerUrl}/api/get-organization-names?owner=${owner}`, {
method: "GET",
credentials: "include",
headers: {
"Accept-Language": Setting.getAcceptLanguage(),
},
}).then(res => res.json());
}

View File

@ -0,0 +1,63 @@
// 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 React from "react";
import {Select} from "antd";
import i18next from "i18next";
import * as OrganizationBackend from "../../backend/OrganizationBackend";
import * as Setting from "../../Setting";
function OrganizationSelect(props) {
const {onChange} = props;
const [organizations, setOrganizations] = React.useState([]);
const [value, setValue] = React.useState("");
React.useEffect(() => {
if (props.organizations === undefined) {
getOrganizations();
}
const initValue = organizations.length > 0 ? organizations[0] : "";
handleOnChange(initValue);
}, []);
const getOrganizations = () => {
OrganizationBackend.getOrganizationNames("admin")
.then((res) => {
if (res.status === "ok") {
setOrganizations(res.data);
}
});
};
const handleOnChange = (value) => {
setValue(value);
onChange?.(value);
};
return (
<Select
options={organizations.map((organization) => Setting.getOption(organization.name, organization.name))}
virtual={false}
showSearch
placeholder={i18next.t("login:Please select an organization")}
value={value}
onChange={handleOnChange}
filterOption={(input, option) => (option?.text ?? "").toLowerCase().includes(input.toLowerCase())}
{...props}
>
</Select>
);
}
export default OrganizationSelect;

View File

@ -1,14 +1,14 @@
{ {
"account": { "account": {
"Chats & Messages": "Chats & Messages", "Chats & Messages": "Chats & Messages",
"Logout": "Abmeldung", "Logout": "Abmelden",
"My Account": "Mein Konto", "My Account": "Mein Konto",
"Sign Up": "Anmelden" "Sign Up": "Anmelden"
}, },
"adapter": { "adapter": {
"Duplicated policy rules": "Doppelte Richtlinienregeln", "Duplicated policy rules": "Doppelte Richtlinienregeln",
"Edit Adapter": "Bearbeiten Sie den Adapter", "Edit Adapter": "Adapter bearbeiten",
"Failed to sync policies": "Fehler beim Synchronisieren von Richtlinien", "Failed to sync policies": "Fehler beim Synchronisieren der Richtlinien",
"New Adapter": "Neuer Adapter", "New Adapter": "Neuer Adapter",
"Policies": "Richtlinien", "Policies": "Richtlinien",
"Policies - Tooltip": "Casbin Richtlinienregeln", "Policies - Tooltip": "Casbin Richtlinienregeln",
@ -23,13 +23,13 @@
"Center": "Zentrum", "Center": "Zentrum",
"Copy SAML metadata URL": "SAML-Metadaten-URL kopieren", "Copy SAML metadata URL": "SAML-Metadaten-URL kopieren",
"Copy prompt page URL": "URL der Prompt-Seite kopieren", "Copy prompt page URL": "URL der Prompt-Seite kopieren",
"Copy signin page URL": "Kopieren Sie die URL der Anmeldeseite", "Copy signin page URL": "URL der Anmeldeseite kopieren",
"Copy signup page URL": "URL der Anmeldeseite kopieren", "Copy signup page URL": "URL der Anmeldeseite kopieren",
"Dynamic": "Dynamic", "Dynamic": "Dynamic",
"Edit Application": "Bearbeitungsanwendung", "Edit Application": "Anwendung bearbeiten",
"Enable Email linking": "E-Mail-Verknüpfung aktivieren", "Enable Email linking": "E-Mail-Verknüpfung aktivieren",
"Enable Email linking - Tooltip": "Bei der Verwendung von Drittanbietern zur Anmeldung wird, wenn es in der Organisation einen Benutzer mit der gleichen E-Mail gibt, automatisch die Drittanbieter-Anmelde-Methode mit diesem Benutzer verbunden", "Enable Email linking - Tooltip": "Bei der Verwendung von Drittanbietern zur Anmeldung wird, wenn es in der Organisation einen Benutzer mit der gleichen E-Mail gibt, automatisch die Drittanbieter-Anmelde-Methode mit diesem Benutzer verbunden",
"Enable SAML compression": "Aktivieren Sie SAML-Komprimierung", "Enable SAML compression": "SAML-Komprimierung aktivieren",
"Enable SAML compression - Tooltip": "Ob SAML-Antwortnachrichten komprimiert werden sollen, wenn Casdoor als SAML-IdP verwendet wird", "Enable SAML compression - Tooltip": "Ob SAML-Antwortnachrichten komprimiert werden sollen, wenn Casdoor als SAML-IdP verwendet wird",
"Enable WebAuthn signin": "Anmeldung mit WebAuthn aktivieren", "Enable WebAuthn signin": "Anmeldung mit WebAuthn aktivieren",
"Enable WebAuthn signin - Tooltip": "Ob Benutzern erlaubt werden soll, sich mit WebAuthn anzumelden", "Enable WebAuthn signin - Tooltip": "Ob Benutzern erlaubt werden soll, sich mit WebAuthn anzumelden",
@ -45,7 +45,7 @@
"File uploaded successfully": "Datei erfolgreich hochgeladen", "File uploaded successfully": "Datei erfolgreich hochgeladen",
"First, last": "First, last", "First, last": "First, last",
"Follow organization theme": "Folge dem Theme der Organisation", "Follow organization theme": "Folge dem Theme der Organisation",
"Form CSS": "Formular CSS", "Form CSS": "Form CSS",
"Form CSS - Edit": "Form CSS - Bearbeiten", "Form CSS - Edit": "Form CSS - Bearbeiten",
"Form CSS - Tooltip": "CSS-Styling der Anmelde-, Registrierungs- und Passwort-vergessen-Seite (z. B. Hinzufügen von Rahmen und Schatten)", "Form CSS - Tooltip": "CSS-Styling der Anmelde-, Registrierungs- und Passwort-vergessen-Seite (z. B. Hinzufügen von Rahmen und Schatten)",
"Form CSS Mobile": "Form CSS Mobile", "Form CSS Mobile": "Form CSS Mobile",
@ -56,14 +56,16 @@
"Grant types": "Grant-Typen", "Grant types": "Grant-Typen",
"Grant types - Tooltip": "Wählen Sie aus, welche Grant-Typen im OAuth-Protokoll zulässig sind", "Grant types - Tooltip": "Wählen Sie aus, welche Grant-Typen im OAuth-Protokoll zulässig sind",
"Incremental": "Incremental", "Incremental": "Incremental",
"Input": "Input",
"Left": "Links", "Left": "Links",
"Logged in successfully": "Erfolgreich eingeloggt", "Logged in successfully": "Erfolgreich eingeloggt",
"Logged out successfully": "Erfolgreich ausgeloggt", "Logged out successfully": "Erfolgreich ausgeloggt",
"New Application": "Neue Anwendung", "New Application": "Neue Anwendung",
"No verification": "No verification", "No verification": "No verification",
"None": "kein(e)",
"Normal": "Normal", "Normal": "Normal",
"Only signup": "Only signup", "Only signup": "Only signup",
"Org choice mode": "Org choice mode",
"Org choice mode - Tooltip": "Org choice mode - Tooltip",
"Please input your application!": "Bitte geben Sie Ihre Anwendung ein!", "Please input your application!": "Bitte geben Sie Ihre Anwendung ein!",
"Please input your organization!": "Bitte geben Sie Ihre Organisation ein!", "Please input your organization!": "Bitte geben Sie Ihre Organisation ein!",
"Please select a HTML file": "Bitte wählen Sie eine HTML-Datei aus", "Please select a HTML file": "Bitte wählen Sie eine HTML-Datei aus",
@ -82,6 +84,7 @@
"SAML metadata - Tooltip": "Die Metadaten des SAML-Protokolls", "SAML metadata - Tooltip": "Die Metadaten des SAML-Protokolls",
"SAML metadata URL copied to clipboard successfully": "SAML-Metadaten URL erfolgreich in die Zwischenablage kopiert", "SAML metadata URL copied to clipboard successfully": "SAML-Metadaten URL erfolgreich in die Zwischenablage kopiert",
"SAML reply URL": "SAML Reply-URL", "SAML reply URL": "SAML Reply-URL",
"Select": "Select",
"Side panel HTML": "Sidepanel-HTML", "Side panel HTML": "Sidepanel-HTML",
"Side panel HTML - Edit": "Sidepanel HTML - Bearbeiten", "Side panel HTML - Edit": "Sidepanel HTML - Bearbeiten",
"Side panel HTML - Tooltip": "Passen Sie den HTML-Code für das Sidepanel der Login-Seite an", "Side panel HTML - Tooltip": "Passen Sie den HTML-Code für das Sidepanel der Login-Seite an",
@ -152,7 +155,7 @@
"Change Password": "Passwort ändern", "Change Password": "Passwort ändern",
"Choose email or phone": "Wählen Sie E-Mail oder Telefon", "Choose email or phone": "Wählen Sie E-Mail oder Telefon",
"Next Step": "Nächster Schritt", "Next Step": "Nächster Schritt",
"Please input your username!": "Bitte gib deinen Benutzernamen ein!", "Please input your username!": "Bitte geben Sie Ihren Benutzernamen ein!",
"Reset": "Zurücksetzen", "Reset": "Zurücksetzen",
"Retrieve password": "Passwort abrufen", "Retrieve password": "Passwort abrufen",
"Unknown forget type": "Unbekannter Vergesslichkeitstyp", "Unknown forget type": "Unbekannter Vergesslichkeitstyp",
@ -164,11 +167,16 @@
"Adapter - Tooltip": "Tabellenname des Policy Stores", "Adapter - Tooltip": "Tabellenname des Policy Stores",
"Adapters": "Adapter", "Adapters": "Adapter",
"Add": "Hinzufügen", "Add": "Hinzufügen",
"Affiliation URL": "Zugehörigkeits-URL", "Affiliation URL": "Affiliation-URL",
"Affiliation URL - Tooltip": "Die Homepage-URL für die Zugehörigkeit", "Affiliation URL - Tooltip": "Die Homepage-URL für die Zugehörigkeit",
"Application": "Applikation", "Application": "Applikation",
"Application - Tooltip": "Application - Tooltip",
"Applications": "Anwendungen", "Applications": "Anwendungen",
"Applications that require authentication": "Anwendungen, die eine Authentifizierung erfordern", "Applications that require authentication": "Anwendungen, die eine Authentifizierung erfordern",
"Approve time": "Approve time",
"Approve time - Tooltip": "Approve time - Tooltip",
"Approver": "Approver",
"Approver - Tooltip": "Approver - Tooltip",
"Avatar": "Avatar", "Avatar": "Avatar",
"Avatar - Tooltip": "Öffentliches Avatarbild für den Benutzer", "Avatar - Tooltip": "Öffentliches Avatarbild für den Benutzer",
"Back": "Back", "Back": "Back",
@ -180,8 +188,9 @@
"Certs": "Zertifikate", "Certs": "Zertifikate",
"Chats": "Chats", "Chats": "Chats",
"Click to Upload": "Klicken Sie zum Hochladen", "Click to Upload": "Klicken Sie zum Hochladen",
"Client IP": "Kunden-IP", "Client IP": "Client-IP",
"Close": "Schließen", "Close": "Schließen",
"Confirm": "Confirm",
"Created time": "Erstellte Zeit", "Created time": "Erstellte Zeit",
"Default application": "Standard Anwendung", "Default application": "Standard Anwendung",
"Default application - Tooltip": "Standard-Anwendung für Benutzer, die direkt von der Organisationsseite registriert wurden", "Default application - Tooltip": "Standard-Anwendung für Benutzer, die direkt von der Organisationsseite registriert wurden",
@ -226,6 +235,8 @@
"Last name": "Nachname", "Last name": "Nachname",
"Logo": "Logo", "Logo": "Logo",
"Logo - Tooltip": "Symbole, die die Anwendung der Außenwelt präsentiert", "Logo - Tooltip": "Symbole, die die Anwendung der Außenwelt präsentiert",
"MFA items": "MFA items",
"MFA items - Tooltip": "MFA items - Tooltip",
"Master password": "Hauptpasswort", "Master password": "Hauptpasswort",
"Master password - Tooltip": "Kann zum Einloggen aller Benutzer unter dieser Organisation verwendet werden, was es Administratoren bequem macht, sich als dieser Benutzer einzuloggen, um technische Probleme zu lösen", "Master password - Tooltip": "Kann zum Einloggen aller Benutzer unter dieser Organisation verwendet werden, was es Administratoren bequem macht, sich als dieser Benutzer einzuloggen, um technische Probleme zu lösen",
"Menu": "Menü", "Menu": "Menü",
@ -236,6 +247,7 @@
"Models": "Modelle", "Models": "Modelle",
"Name": "Name", "Name": "Name",
"Name - Tooltip": "Eindeutige, auf Strings basierende ID", "Name - Tooltip": "Eindeutige, auf Strings basierende ID",
"None": "None",
"OAuth providers": "OAuth-Provider", "OAuth providers": "OAuth-Provider",
"OK": "OK", "OK": "OK",
"Organization": "Organisation", "Organization": "Organisation",
@ -254,11 +266,11 @@
"Phone - Tooltip": "Telefonnummer", "Phone - Tooltip": "Telefonnummer",
"Phone or email": "Phone or email", "Phone or email": "Phone or email",
"Plans": "Pläne", "Plans": "Pläne",
"Pricings": "Preise",
"Preview": "Vorschau", "Preview": "Vorschau",
"Preview - Tooltip": "Vorschau der konfigurierten Effekte", "Preview - Tooltip": "Vorschau der konfigurierten Effekte",
"Pricings": "Preise",
"Products": "Produkte", "Products": "Produkte",
"Provider": "Anbieter", "Provider": "Provider",
"Provider - Tooltip": "Zahlungsprovider, die konfiguriert werden müssen, inkl. PayPal, Alipay, WeChat Pay usw.", "Provider - Tooltip": "Zahlungsprovider, die konfiguriert werden müssen, inkl. PayPal, Alipay, WeChat Pay usw.",
"Providers": "Provider", "Providers": "Provider",
"Providers - Tooltip": "Provider, die konfiguriert werden müssen, einschließlich Drittanbieter-Logins, Objektspeicherung, Verifizierungscode usw.", "Providers - Tooltip": "Provider, die konfiguriert werden müssen, einschließlich Drittanbieter-Logins, Objektspeicherung, Verifizierungscode usw.",
@ -271,7 +283,7 @@
"Save": "Speichern", "Save": "Speichern",
"Save & Exit": "Speichern und verlassen", "Save & Exit": "Speichern und verlassen",
"Session ID": "Session-ID", "Session ID": "Session-ID",
"Sessions": "Sitzungen", "Sessions": "Sessions",
"Signin URL": "Anmeldungs-URL", "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", "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", "Signup URL": "Anmelde-URL",
@ -283,6 +295,8 @@
"Sorry, you do not have permission to access this page or logged in status invalid.": "Es tut uns leid, aber Sie haben keine Berechtigung, auf diese Seite zuzugreifen, oder Sie sind nicht angemeldet.", "Sorry, you do not have permission to access this page or logged in status invalid.": "Es tut uns leid, aber Sie haben keine Berechtigung, auf diese Seite zuzugreifen, oder Sie sind nicht angemeldet.",
"State": "Bundesland / Staat", "State": "Bundesland / Staat",
"State - Tooltip": "Bundesland", "State - Tooltip": "Bundesland",
"Submitter": "Submitter",
"Submitter - Tooltip": "Submitter - Tooltip",
"Subscriptions": "Abonnements", "Subscriptions": "Abonnements",
"Successfully added": "Erfolgreich hinzugefügt", "Successfully added": "Erfolgreich hinzugefügt",
"Successfully deleted": "Erfolgreich gelöscht", "Successfully deleted": "Erfolgreich gelöscht",
@ -322,7 +336,7 @@
"Auto Sync - Tooltip": "Auto-Sync-Konfiguration, deaktiviert um 0 Uhr", "Auto Sync - Tooltip": "Auto-Sync-Konfiguration, deaktiviert um 0 Uhr",
"Base DN": "Basis-DN", "Base DN": "Basis-DN",
"Base DN - Tooltip": "Basis-DN während der LDAP-Suche", "Base DN - Tooltip": "Basis-DN während der LDAP-Suche",
"CN": "KN", "CN": "CN",
"Edit LDAP": "LDAP bearbeiten", "Edit LDAP": "LDAP bearbeiten",
"Enable SSL": "Aktivieren Sie SSL", "Enable SSL": "Aktivieren Sie SSL",
"Enable SSL - Tooltip": "Ob SSL aktiviert werden soll", "Enable SSL - Tooltip": "Ob SSL aktiviert werden soll",
@ -332,7 +346,7 @@
"Last Sync": "Letzte Synchronisation", "Last Sync": "Letzte Synchronisation",
"Search Filter": "Search Filter", "Search Filter": "Search Filter",
"Search Filter - Tooltip": "Search Filter - Tooltip", "Search Filter - Tooltip": "Search Filter - Tooltip",
"Server": "Serverh)", "Server": "Server",
"Server host": "Server Host", "Server host": "Server Host",
"Server host - Tooltip": "LDAP-Server-Adresse", "Server host - Tooltip": "LDAP-Server-Adresse",
"Server name": "Servername", "Server name": "Servername",
@ -354,8 +368,12 @@
"Or sign in with another account": "Oder mit einem anderen Konto anmelden", "Or sign in with another account": "Oder mit einem anderen Konto anmelden",
"Please input your Email or Phone!": "Bitte geben Sie Ihre E-Mail oder Telefonnummer ein!", "Please input your Email or Phone!": "Bitte geben Sie Ihre E-Mail oder Telefonnummer ein!",
"Please input your code!": "Bitte geben Sie Ihren Code ein!", "Please input your code!": "Bitte geben Sie Ihren Code ein!",
"Please input your organization name!": "Please input your organization name!",
"Please input your password!": "Bitte geben Sie Ihr Passwort ein!", "Please input your password!": "Bitte geben Sie Ihr Passwort ein!",
"Please input your password, at least 6 characters!": "Bitte geben Sie Ihr Passwort ein, es muss mindestens 6 Zeichen lang sein!", "Please input your password, at least 6 characters!": "Bitte geben Sie Ihr Passwort ein, es muss mindestens 6 Zeichen lang sein!",
"Please select an organization": "Please select an organization",
"Please select an organization to sign in": "Please select an organization to sign in",
"Please type an organization to sign in": "Please type an organization to sign in",
"Redirecting, please wait.": "Umleitung, bitte warten.", "Redirecting, please wait.": "Umleitung, bitte warten.",
"Sign In": "Anmelden", "Sign In": "Anmelden",
"Sign in with WebAuthn": "Melden Sie sich mit WebAuthn an", "Sign in with WebAuthn": "Melden Sie sich mit WebAuthn an",
@ -426,6 +444,8 @@
"Is profile public - Tooltip": "Nach der Schließung können nur globale Administratoren oder Benutzer in der gleichen Organisation auf die Profilseite des Benutzers zugreifen", "Is profile public - Tooltip": "Nach der Schließung können nur globale Administratoren oder Benutzer in der gleichen Organisation auf die Profilseite des Benutzers zugreifen",
"Modify rule": "Regel ändern", "Modify rule": "Regel ändern",
"New Organization": "Neue Organisation", "New Organization": "Neue Organisation",
"Optional": "Optional",
"Required": "Required",
"Soft deletion": "Softe Löschung", "Soft deletion": "Softe Löschung",
"Soft deletion - Tooltip": "Wenn aktiviert, werden gelöschte Benutzer nicht vollständig aus der Datenbank entfernt. Stattdessen werden sie als gelöscht markiert", "Soft deletion - Tooltip": "Wenn aktiviert, werden gelöschte Benutzer nicht vollständig aus der Datenbank entfernt. Stattdessen werden sie als gelöscht markiert",
"Tags": "Tags", "Tags": "Tags",
@ -493,7 +513,7 @@
"Approver - Tooltip": "Die Person, die die Genehmigung genehmigt hat", "Approver - Tooltip": "Die Person, die die Genehmigung genehmigt hat",
"Deny": "Ablehnen", "Deny": "Ablehnen",
"Edit Permission": "Recht bearbeiten", "Edit Permission": "Recht bearbeiten",
"Effect": "Wirkung", "Effect": "Effekt",
"Effect - Tooltip": "Erlauben oder ablehnen", "Effect - Tooltip": "Erlauben oder ablehnen",
"New Permission": "Neue Genehmigung", "New Permission": "Neue Genehmigung",
"Pending": "Ausstehend", "Pending": "Ausstehend",
@ -506,6 +526,34 @@
"TreeNode": "TreeNode", "TreeNode": "TreeNode",
"Write": "Schreib" "Write": "Schreib"
}, },
"plan": {
"Edit Plan": "Edit Plan",
"New Plan": "New Plan",
"PerMonth": "pro Monat",
"Price per month": "Price per month",
"Price per year": "Price per year",
"PricePerMonth": "Preis pro Monat",
"PricePerMonth - Tooltip": "PricePerMonth - Tooltip",
"PricePerYear": "Preis pro Jahr",
"PricePerYear - Tooltip": "PricePerYear - Tooltip",
"Sub role": "Sub role",
"Sub roles - Tooltip": "Rolle im aktuellen Plan enthalten"
},
"pricing": {
"Copy pricing page URL": "Preisseite URL kopieren",
"Edit Pricing": "Edit Pricing",
"Free": "Kostenlos",
"Getting started": "Loslegen",
"Has trial": "Testphase verfügbar",
"Has trial - Tooltip": "Verfügbarkeit der Testphase nach Auswahl eines Plans",
"New Pricing": "New Pricing",
"Sub plans": "Zusatzpläne",
"Sub plans - Tooltip": "Sub plans - Tooltip",
"Trial duration": "Testphase Dauer",
"Trial duration - Tooltip": "Dauer der Testphase",
"days trial available!": "Tage Testphase verfügbar!",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "Preisseite URL erfolgreich in die Zwischenablage kopiert. Bitte fügen Sie sie in ein Inkognito-Fenster oder einen anderen Browser ein."
},
"product": { "product": {
"Alipay": "Alipay", "Alipay": "Alipay",
"Buy": "Kaufen", "Buy": "Kaufen",
@ -554,7 +602,7 @@
"AppSecret - Tooltip": "App-Geheimnis", "AppSecret - Tooltip": "App-Geheimnis",
"Auth URL": "Auth-URL", "Auth URL": "Auth-URL",
"Auth URL - Tooltip": "Auth-URL", "Auth URL - Tooltip": "Auth-URL",
"Bucket": "Eimer", "Bucket": "Bucket",
"Bucket - Tooltip": "Name des Buckets", "Bucket - Tooltip": "Name des Buckets",
"Can not parse metadata": "Kann Metadaten nicht durchsuchen / auswerten", "Can not parse metadata": "Kann Metadaten nicht durchsuchen / auswerten",
"Can signin": "Kann sich einloggen", "Can signin": "Kann sich einloggen",
@ -575,7 +623,7 @@
"Copy": "Kopieren", "Copy": "Kopieren",
"Disable SSL": "SSL deaktivieren", "Disable SSL": "SSL deaktivieren",
"Disable SSL - Tooltip": "Ob die Deaktivierung des SSL-Protokolls bei der Kommunikation mit dem STMP-Server erfolgen soll", "Disable SSL - Tooltip": "Ob die Deaktivierung des SSL-Protokolls bei der Kommunikation mit dem STMP-Server erfolgen soll",
"Domain": "Domäne", "Domain": "Domain",
"Domain - Tooltip": "Benutzerdefinierte Domain für Objektspeicher", "Domain - Tooltip": "Benutzerdefinierte Domain für Objektspeicher",
"Edit Provider": "Provider bearbeiten", "Edit Provider": "Provider bearbeiten",
"Email content": "Email-Inhalt", "Email content": "Email-Inhalt",
@ -585,8 +633,8 @@
"Email title - Tooltip": "Betreff der E-Mail", "Email title - Tooltip": "Betreff der E-Mail",
"Enable QR code": "QR-Code aktivieren", "Enable QR code": "QR-Code aktivieren",
"Enable QR code - Tooltip": "Ob das Scannen von QR-Codes zum Einloggen aktiviert werden soll", "Enable QR code - Tooltip": "Ob das Scannen von QR-Codes zum Einloggen aktiviert werden soll",
"Endpoint": "Endpunkt", "Endpoint": "Endpoint",
"Endpoint (Intranet)": "Endpunkt (Intranet)", "Endpoint (Intranet)": "Endpoint (Intranet)",
"From address": "From address", "From address": "From address",
"From address - Tooltip": "From address - Tooltip", "From address - Tooltip": "From address - Tooltip",
"From name": "From name", "From name": "From name",
@ -610,10 +658,10 @@
"Path prefix": "Pfadpräfix", "Path prefix": "Pfadpräfix",
"Path prefix - Tooltip": "Bucket-Pfad-Präfix für Objektspeicher", "Path prefix - Tooltip": "Bucket-Pfad-Präfix für Objektspeicher",
"Please use WeChat and scan the QR code to sign in": "Bitte verwenden Sie WeChat und scanne den QR-Code ein, um dich anzumelden", "Please use WeChat and scan the QR code to sign in": "Bitte verwenden Sie WeChat und scanne den QR-Code ein, um dich anzumelden",
"Port": "Hafen", "Port": "Port",
"Port - Tooltip": "Stellen Sie sicher, dass der Port offen ist", "Port - Tooltip": "Stellen Sie sicher, dass der Port offen ist",
"Prompted": "ausgelöst", "Prompted": "ausgelöst",
"Provider URL": "Anbieter-URL", "Provider URL": "Provider-URL",
"Provider URL - Tooltip": "URL zur Konfiguration des Dienstanbieters, dieses Feld dient nur als Referenz und wird in Casdoor nicht verwendet", "Provider URL - Tooltip": "URL zur Konfiguration des Dienstanbieters, dieses Feld dient nur als Referenz und wird in Casdoor nicht verwendet",
"Region ID": "Regions-ID", "Region ID": "Regions-ID",
"Region ID - Tooltip": "Regions-ID für den Dienstleister", "Region ID - Tooltip": "Regions-ID für den Dienstleister",
@ -626,13 +674,13 @@
"SMS account": "SMS-Konto", "SMS account": "SMS-Konto",
"SMS account - Tooltip": "SMS-Konto", "SMS account - Tooltip": "SMS-Konto",
"SMS sent successfully": "SMS erfolgreich versendet", "SMS sent successfully": "SMS erfolgreich versendet",
"SP ACS URL": "SP-ACS-URL", "SP ACS URL": "SP ACS URL",
"SP ACS URL - Tooltip": "SP ACS URL - Tooltip", "SP ACS URL - Tooltip": "SP ACS URL",
"SP Entity ID": "SP-Entitäts-ID", "SP Entity ID": "SP-Entitäts-ID",
"Scene": "Szene", "Scene": "Scene",
"Scene - Tooltip": "Szene", "Scene - Tooltip": "Szene",
"Scope": "Umfang", "Scope": "Scope",
"Scope - Tooltip": "Umfang", "Scope - Tooltip": "Scope",
"Secret access key": "Secret-Access-Key", "Secret access key": "Secret-Access-Key",
"Secret access key - Tooltip": "Geheimer Zugriffsschlüssel", "Secret access key - Tooltip": "Geheimer Zugriffsschlüssel",
"Secret key": "Secret-Key", "Secret key": "Secret-Key",
@ -641,7 +689,7 @@
"Send Testing SMS": "Sende Test-SMS", "Send Testing SMS": "Sende Test-SMS",
"Sign Name": "Signatur Namen", "Sign Name": "Signatur Namen",
"Sign Name - Tooltip": "Name der Signatur, die verwendet werden soll", "Sign Name - Tooltip": "Name der Signatur, die verwendet werden soll",
"Sign request": "Unterschriftsanforderung", "Sign request": "Signaturanfrage",
"Sign request - Tooltip": "Ob die Anfrage eine Signatur erfordert", "Sign request - Tooltip": "Ob die Anfrage eine Signatur erfordert",
"Signin HTML": "Anmeldungs-HTML", "Signin HTML": "Anmeldungs-HTML",
"Signin HTML - Edit": "Anmeldungs-HTML - Bearbeiten", "Signin HTML - Edit": "Anmeldungs-HTML - Bearbeiten",
@ -667,17 +715,17 @@
"Type - Tooltip": "Wählen Sie einen Typ aus", "Type - Tooltip": "Wählen Sie einen Typ aus",
"UserInfo URL": "UserInfo-URL", "UserInfo URL": "UserInfo-URL",
"UserInfo URL - Tooltip": "UserInfo-URL", "UserInfo URL - Tooltip": "UserInfo-URL",
"admin (Shared)": "admin (Gemeinsam)" "admin (Shared)": "admin (Shared)"
}, },
"record": { "record": {
"Is triggered": "Ist ausgelöst" "Is triggered": "Ist ausgelöst"
}, },
"resource": { "resource": {
"Copy Link": "Kopiere den Link", "Copy Link": "Link kopieren",
"File name": "Dateiname", "File name": "Dateiname",
"File size": "Dateigröße", "File size": "Dateigröße",
"Format": "Format", "Format": "Format",
"Parent": "Elternteil", "Parent": "Parent",
"Upload a file...": "Hochladen einer Datei..." "Upload a file...": "Hochladen einer Datei..."
}, },
"role": { "role": {
@ -694,11 +742,11 @@
"Accept": "Akzeptieren", "Accept": "Akzeptieren",
"Agreement": "Vereinbarung", "Agreement": "Vereinbarung",
"Confirm": "Bestätigen", "Confirm": "Bestätigen",
"Decline": "Abnahme", "Decline": "Ablehnen",
"Have account?": "Haben Sie ein Konto?", "Have account?": "Haben Sie ein Konto?",
"Please accept the agreement!": "Bitte akzeptieren Sie die Vereinbarung!", "Please accept the agreement!": "Bitte akzeptieren Sie die Vereinbarung!",
"Please click the below button to sign in": "Bitte klicken Sie auf den untenstehenden Button, um sich anzumelden", "Please click the below button to sign in": "Bitte klicken Sie auf den untenstehenden Button, um sich anzumelden",
"Please confirm your password!": "Bitte bestätige dein Passwort!", "Please confirm your password!": "Bitte bestätigen Sie Ihr Passwort!",
"Please input the correct ID card number!": "Bitte geben Sie die korrekte Ausweisnummer ein!", "Please input the correct ID card number!": "Bitte geben Sie die korrekte Ausweisnummer ein!",
"Please input your Email!": "Bitte geben Sie Ihre E-Mail-Adresse ein!", "Please input your Email!": "Bitte geben Sie Ihre E-Mail-Adresse ein!",
"Please input your ID card number!": "Bitte geben Sie Ihre Personalausweisnummer ein!", "Please input your ID card number!": "Bitte geben Sie Ihre Personalausweisnummer ein!",
@ -723,6 +771,24 @@
"Your confirmed password is inconsistent with the password!": "Dein bestätigtes Passwort stimmt nicht mit dem Passwort überein!", "Your confirmed password is inconsistent with the password!": "Dein bestätigtes Passwort stimmt nicht mit dem Passwort überein!",
"sign in now": "Jetzt anmelden" "sign in now": "Jetzt anmelden"
}, },
"subscription": {
"Approved": "Approved",
"Duration": "Laufzeit",
"Duration - Tooltip": "Laufzeit des Abonnements",
"Edit Subscription": "Edit Subscription",
"End Date": "Enddatum",
"End Date - Tooltip": "Enddatum",
"New Subscription": "New Subscription",
"Pending": "Pending",
"Start Date": "Startdatum",
"Start Date - Tooltip": "Startdatum",
"Sub plan": "Abonnementplan",
"Sub plan - Tooltip": "Abonnementplan",
"Sub plane": "Sub plane",
"Sub user": "Sub user",
"Sub users": "Abonnenten",
"Sub users - Tooltip": "Abonnenten"
},
"syncer": { "syncer": {
"Affiliation table": "Zuordnungstabelle", "Affiliation table": "Zuordnungstabelle",
"Affiliation table - Tooltip": "Datenbanktabellenname der Arbeitseinheit", "Affiliation table - Tooltip": "Datenbanktabellenname der Arbeitseinheit",
@ -755,7 +821,7 @@
"About Casdoor": "Über Casdoor", "About Casdoor": "Über Casdoor",
"An Identity and Access Management (IAM) / Single-Sign-On (SSO) platform with web UI supporting OAuth 2.0, OIDC, SAML and CAS": "Eine Identitäts- und Zugriffsverwaltung (IAM) / Single-Sign-On (SSO) Plattform mit Web-UI, die OAuth 2.0, OIDC, SAML und CAS unterstützt", "An Identity and Access Management (IAM) / Single-Sign-On (SSO) platform with web UI supporting OAuth 2.0, OIDC, SAML and CAS": "Eine Identitäts- und Zugriffsverwaltung (IAM) / Single-Sign-On (SSO) Plattform mit Web-UI, die OAuth 2.0, OIDC, SAML und CAS unterstützt",
"CPU Usage": "CPU-Auslastung", "CPU Usage": "CPU-Auslastung",
"Community": "Gemeinschaft", "Community": "Community",
"Count": "Zählen", "Count": "Zählen",
"Failed to get CPU usage": "Konnte CPU-Auslastung nicht abrufen", "Failed to get CPU usage": "Konnte CPU-Auslastung nicht abrufen",
"Failed to get memory usage": "Fehler beim Abrufen der Speichernutzung", "Failed to get memory usage": "Fehler beim Abrufen der Speichernutzung",
@ -768,22 +834,22 @@
"Version": "Version" "Version": "Version"
}, },
"theme": { "theme": {
"Blossom": "Blüte", "Blossom": "Blossom",
"Border radius": "Border Radius", "Border radius": "Border Radius",
"Compact": "Kompakt", "Compact": "Compact",
"Customize theme": "Anpassen des Themes", "Customize theme": "Anpassen des Themes",
"Dark": "Dunkel", "Dark": "Dunkel",
"Default": "Standardeinstellungen", "Default": "Standardeinstellungen",
"Document": "Dokument", "Document": "Dokument",
"Is compact": "Ist kompakt", "Is compact": "Ist kompakt",
"Primary color": "Primärfarbe", "Primary color": "Primärfarbe",
"Theme": "Thema", "Theme": "Theme",
"Theme - Tooltip": "Stiltheme der Anwendung" "Theme - Tooltip": "Stiltheme der Anwendung"
}, },
"token": { "token": {
"Access token": "Access-Token", "Access token": "Access-Token",
"Authorization code": "Authorisierungscode", "Authorization code": "Authorisierungscode",
"Edit Token": "Edit-Token bearbeiten", "Edit Token": "Token bearbeiten",
"Expires in": "läuft ab in", "Expires in": "läuft ab in",
"New Token": "Neuer Token", "New Token": "Neuer Token",
"Token type": "Token-Typ" "Token type": "Token-Typ"
@ -831,7 +897,7 @@
"Is online": "Is online", "Is online": "Is online",
"Karma": "Karma", "Karma": "Karma",
"Karma - Tooltip": "Karma - Tooltip", "Karma - Tooltip": "Karma - Tooltip",
"Keys": "Schlüssel", "Keys": "Keys",
"Language": "Language", "Language": "Language",
"Language - Tooltip": "Language - Tooltip", "Language - Tooltip": "Language - Tooltip",
"Link": "Link", "Link": "Link",
@ -861,7 +927,7 @@
"Set Password": "Passwort festlegen", "Set Password": "Passwort festlegen",
"Set new profile picture": "Neues Profilbild festlegen", "Set new profile picture": "Neues Profilbild festlegen",
"Set password...": "Passwort festlegen...", "Set password...": "Passwort festlegen...",
"Tag": "Markierung", "Tag": "Tag",
"Tag - Tooltip": "Tags des Benutzers", "Tag - Tooltip": "Tags des Benutzers",
"Title": "Titel", "Title": "Titel",
"Title - Tooltip": "Position in der Zugehörigkeit", "Title - Tooltip": "Position in der Zugehörigkeit",
@ -872,7 +938,7 @@
"Values": "Werte", "Values": "Werte",
"Verification code sent": "Bestätigungscode gesendet", "Verification code sent": "Bestätigungscode gesendet",
"WebAuthn credentials": "WebAuthn-Anmeldeinformationen", "WebAuthn credentials": "WebAuthn-Anmeldeinformationen",
"input password": "Eingabe des Passworts" "input password": "Passwort eingeben"
}, },
"webhook": { "webhook": {
"Content type": "Content-Type", "Content type": "Content-Type",
@ -887,36 +953,5 @@
"Method - Tooltip": "HTTP Methode", "Method - Tooltip": "HTTP Methode",
"New Webhook": "Neue Webhook", "New Webhook": "Neue Webhook",
"Value": "Wert" "Value": "Wert"
},
"plan": {
"Sub roles - Tooltip": "Rolle im aktuellen Plan enthalten",
"PricePerMonth": "Preis pro Monat",
"PricePerYear": "Preis pro Jahr",
"PerMonth": "pro Monat"
},
"pricing": {
"Sub plans": "Zusatzpläne",
"Sub plans - Tooltip": "Plans included in the current pricing",
"Has trial": "Testphase verfügbar",
"Has trial - Tooltip": "Verfügbarkeit der Testphase nach Auswahl eines Plans",
"Trial duration": "Testphase Dauer",
"Trial duration - Tooltip": "Dauer der Testphase",
"Getting started": "Loslegen",
"Copy pricing page URL": "Preisseite URL kopieren",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "Preisseite URL erfolgreich in die Zwischenablage kopiert. Bitte fügen Sie sie in ein Inkognito-Fenster oder einen anderen Browser ein.",
"days trial available!": "Tage Testphase verfügbar!",
"Free": "Kostenlos"
},
"subscription": {
"Duration": "Laufzeit",
"Duration - Tooltip": "Laufzeit des Abonnements",
"Start Date": "Startdatum",
"Start Date - Tooltip": "Startdatum",
"End Date": "Enddatum",
"End Date - Tooltip": "Enddatum",
"Sub users": "Abonnenten",
"Sub users - Tooltip": "Abonnenten",
"Sub plan": "Abonnementplan",
"Sub plan - Tooltip": "Abonnementplan"
} }
} }

View File

@ -56,14 +56,16 @@
"Grant types": "Grant types", "Grant types": "Grant types",
"Grant types - Tooltip": "Select which grant types are allowed in the OAuth protocol", "Grant types - Tooltip": "Select which grant types are allowed in the OAuth protocol",
"Incremental": "Incremental", "Incremental": "Incremental",
"Input": "Input",
"Left": "Left", "Left": "Left",
"Logged in successfully": "Logged in successfully", "Logged in successfully": "Logged in successfully",
"Logged out successfully": "Logged out successfully", "Logged out successfully": "Logged out successfully",
"New Application": "New Application", "New Application": "New Application",
"No verification": "No verification", "No verification": "No verification",
"None": "None",
"Normal": "Normal", "Normal": "Normal",
"Only signup": "Only signup", "Only signup": "Only signup",
"Org choice mode": "Org choice mode",
"Org choice mode - Tooltip": "Org choice mode - Tooltip",
"Please input your application!": "Please input your application!", "Please input your application!": "Please input your application!",
"Please input your organization!": "Please input your organization!", "Please input your organization!": "Please input your organization!",
"Please select a HTML file": "Please select a HTML file", "Please select a HTML file": "Please select a HTML file",
@ -82,6 +84,7 @@
"SAML metadata - Tooltip": "The metadata of SAML protocol", "SAML metadata - Tooltip": "The metadata of SAML protocol",
"SAML metadata URL copied to clipboard successfully": "SAML metadata URL copied to clipboard successfully", "SAML metadata URL copied to clipboard successfully": "SAML metadata URL copied to clipboard successfully",
"SAML reply URL": "SAML reply URL", "SAML reply URL": "SAML reply URL",
"Select": "Select",
"Side panel HTML": "Side panel HTML", "Side panel HTML": "Side panel HTML",
"Side panel HTML - Edit": "Side panel HTML - Edit", "Side panel HTML - Edit": "Side panel HTML - Edit",
"Side panel HTML - Tooltip": "Customize the HTML code for the side panel of the login page", "Side panel HTML - Tooltip": "Customize the HTML code for the side panel of the login page",
@ -167,8 +170,13 @@
"Affiliation URL": "Affiliation URL", "Affiliation URL": "Affiliation URL",
"Affiliation URL - Tooltip": "The homepage URL for the affiliation", "Affiliation URL - Tooltip": "The homepage URL for the affiliation",
"Application": "Application", "Application": "Application",
"Application - Tooltip": "Application - Tooltip",
"Applications": "Applications", "Applications": "Applications",
"Applications that require authentication": "Applications that require authentication", "Applications that require authentication": "Applications that require authentication",
"Approve time": "Approve time",
"Approve time - Tooltip": "Approve time - Tooltip",
"Approver": "Approver",
"Approver - Tooltip": "Approver - Tooltip",
"Avatar": "Avatar", "Avatar": "Avatar",
"Avatar - Tooltip": "Public avatar image for the user", "Avatar - Tooltip": "Public avatar image for the user",
"Back": "Back", "Back": "Back",
@ -182,6 +190,7 @@
"Click to Upload": "Click to Upload", "Click to Upload": "Click to Upload",
"Client IP": "Client IP", "Client IP": "Client IP",
"Close": "Close", "Close": "Close",
"Confirm": "Confirm",
"Created time": "Created time", "Created time": "Created time",
"Default application": "Default application", "Default application": "Default application",
"Default application - Tooltip": "Default application for users registered directly from the organization page", "Default application - Tooltip": "Default application for users registered directly from the organization page",
@ -226,6 +235,8 @@
"Last name": "Last name", "Last name": "Last name",
"Logo": "Logo", "Logo": "Logo",
"Logo - Tooltip": "Icons that the application presents to the outside world", "Logo - Tooltip": "Icons that the application presents to the outside world",
"MFA items": "MFA items",
"MFA items - Tooltip": "MFA items - Tooltip",
"Master password": "Master password", "Master password": "Master password",
"Master password - Tooltip": "Can be used to log in to all users under this organization, making it convenient for administrators to log in as this user to solve technical issues", "Master password - Tooltip": "Can be used to log in to all users under this organization, making it convenient for administrators to log in as this user to solve technical issues",
"Menu": "Menu", "Menu": "Menu",
@ -236,6 +247,7 @@
"Models": "Models", "Models": "Models",
"Name": "Name", "Name": "Name",
"Name - Tooltip": "Unique, string-based ID", "Name - Tooltip": "Unique, string-based ID",
"None": "None",
"OAuth providers": "OAuth providers", "OAuth providers": "OAuth providers",
"OK": "OK", "OK": "OK",
"Organization": "Organization", "Organization": "Organization",
@ -254,9 +266,9 @@
"Phone - Tooltip": "Phone number", "Phone - Tooltip": "Phone number",
"Phone or email": "Phone or email", "Phone or email": "Phone or email",
"Plans": "Plans", "Plans": "Plans",
"Pricings": "Pricings",
"Preview": "Preview", "Preview": "Preview",
"Preview - Tooltip": "Preview the configured effects", "Preview - Tooltip": "Preview the configured effects",
"Pricings": "Pricings",
"Products": "Products", "Products": "Products",
"Provider": "Provider", "Provider": "Provider",
"Provider - Tooltip": "Payment providers to be configured, including PayPal, Alipay, WeChat Pay, etc.", "Provider - Tooltip": "Payment providers to be configured, including PayPal, Alipay, WeChat Pay, etc.",
@ -283,6 +295,8 @@
"Sorry, you do not have permission to access this page or logged in status invalid.": "Sorry, you do not have permission to access this page or logged in status invalid.", "Sorry, you do not have permission to access this page or logged in status invalid.": "Sorry, you do not have permission to access this page or logged in status invalid.",
"State": "State", "State": "State",
"State - Tooltip": "State", "State - Tooltip": "State",
"Submitter": "Submitter",
"Submitter - Tooltip": "Submitter - Tooltip",
"Subscriptions": "Subscriptions", "Subscriptions": "Subscriptions",
"Successfully added": "Successfully added", "Successfully added": "Successfully added",
"Successfully deleted": "Successfully deleted", "Successfully deleted": "Successfully deleted",
@ -354,8 +368,12 @@
"Or sign in with another account": "Or sign in with another account", "Or sign in with another account": "Or sign in with another account",
"Please input your Email or Phone!": "Please input your Email or Phone!", "Please input your Email or Phone!": "Please input your Email or Phone!",
"Please input your code!": "Please input your code!", "Please input your code!": "Please input your code!",
"Please input your organization name!": "Please input your organization name!",
"Please input your password!": "Please input your password!", "Please input your password!": "Please input your password!",
"Please input your password, at least 6 characters!": "Please input your password, at least 6 characters!", "Please input your password, at least 6 characters!": "Please input your password, at least 6 characters!",
"Please select an organization": "Please select an organization",
"Please select an organization to sign in": "Please select an organization to sign in",
"Please type an organization to sign in": "Please type an organization to sign in",
"Redirecting, please wait.": "Redirecting, please wait.", "Redirecting, please wait.": "Redirecting, please wait.",
"Sign In": "Sign In", "Sign In": "Sign In",
"Sign in with WebAuthn": "Sign in with WebAuthn", "Sign in with WebAuthn": "Sign in with WebAuthn",
@ -426,6 +444,8 @@
"Is profile public - Tooltip": "After being closed, only global administrators or users in the same organization can access the user's profile page", "Is profile public - Tooltip": "After being closed, only global administrators or users in the same organization can access the user's profile page",
"Modify rule": "Modify rule", "Modify rule": "Modify rule",
"New Organization": "New Organization", "New Organization": "New Organization",
"Optional": "Optional",
"Required": "Required",
"Soft deletion": "Soft deletion", "Soft deletion": "Soft deletion",
"Soft deletion - Tooltip": "When enabled, deleting users will not completely remove them from the database. Instead, they will be marked as deleted", "Soft deletion - Tooltip": "When enabled, deleting users will not completely remove them from the database. Instead, they will be marked as deleted",
"Tags": "Tags", "Tags": "Tags",
@ -506,6 +526,34 @@
"TreeNode": "TreeNode", "TreeNode": "TreeNode",
"Write": "Write" "Write": "Write"
}, },
"plan": {
"Edit Plan": "Edit Plan",
"New Plan": "New Plan",
"PerMonth": "per month",
"Price per month": "Price per month",
"Price per year": "Price per year",
"PricePerMonth": "Price per month",
"PricePerMonth - Tooltip": "PricePerMonth - Tooltip",
"PricePerYear": "Price per year",
"PricePerYear - Tooltip": "PricePerYear - Tooltip",
"Sub role": "Sub role",
"Sub roles - Tooltip": "Role included in the current plane"
},
"pricing": {
"Copy pricing page URL": "Copy pricing page URL",
"Edit Pricing": "Edit Pricing",
"Free": "Free",
"Getting started": "Getting started",
"Has trial": "Has trial",
"Has trial - Tooltip": "Availability of the trial period after choosing a plan",
"New Pricing": "New Pricing",
"Sub plans": "Sub plans",
"Sub plans - Tooltip": "Sub plans - Tooltip",
"Trial duration": "Trial duration",
"Trial duration - Tooltip": "Trial duration period",
"days trial available!": "days trial available!",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser"
},
"product": { "product": {
"Alipay": "Alipay", "Alipay": "Alipay",
"Buy": "Buy", "Buy": "Buy",
@ -723,6 +771,24 @@
"Your confirmed password is inconsistent with the password!": "Your confirmed password is inconsistent with the password!", "Your confirmed password is inconsistent with the password!": "Your confirmed password is inconsistent with the password!",
"sign in now": "sign in now" "sign in now": "sign in now"
}, },
"subscription": {
"Approved": "Approved",
"Duration": "Duration",
"Duration - Tooltip": "Subscription duration",
"Edit Subscription": "Edit Subscription",
"End Date": "End Date",
"End Date - Tooltip": "End Date",
"New Subscription": "New Subscription",
"Pending": "Pending",
"Start Date": "Start Date",
"Start Date - Tooltip": "Start Date",
"Sub plan": "Sub plan",
"Sub plan - Tooltip": "Sub plan",
"Sub plane": "Sub plane",
"Sub user": "Sub user",
"Sub users": "Sub users",
"Sub users - Tooltip": "Sub users"
},
"syncer": { "syncer": {
"Affiliation table": "Affiliation table", "Affiliation table": "Affiliation table",
"Affiliation table - Tooltip": "Database table name of the work unit", "Affiliation table - Tooltip": "Database table name of the work unit",
@ -887,37 +953,5 @@
"Method - Tooltip": "HTTP method", "Method - Tooltip": "HTTP method",
"New Webhook": "New Webhook", "New Webhook": "New Webhook",
"Value": "Value" "Value": "Value"
},
"plan": {
"Sub roles - Tooltip": "Role included in the current plane",
"PricePerMonth": "Price per month",
"PricePerYear": "Price per year",
"PerMonth": "per month"
},
"pricing": {
"Sub plans": "Sub plans",
"Sub plans - Tooltip": "Plans included in the current pricing",
"Has trial": "Has trial",
"Has trial - Tooltip": "Availability of the trial period after choosing a plan",
"Trial duration": "Trial duration",
"Trial duration - Tooltip": "Trial duration period",
"Getting started" : "Getting started",
"Copy pricing page URL": "Copy pricing page URL",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser" : "pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser",
"days trial available!": "days trial available!",
"Free": "Free"
},
"subscription": {
"Duration": "Duration",
"Duration - Tooltip": "Subscription duration",
"Start Date": "Start Date",
"Start Date - Tooltip": "Start Date",
"End Date": "End Date",
"End Date - Tooltip": "End Date",
"Sub users": "Sub users",
"Sub users - Tooltip": "Sub users",
"Sub plan": "Sub plan",
"Sub plan - Tooltip": "Sub plan"
} }
} }

View File

@ -56,14 +56,16 @@
"Grant types": "Tipos de subvenciones", "Grant types": "Tipos de subvenciones",
"Grant types - Tooltip": "Selecciona cuáles tipos de subvenciones están permitidas en el protocolo OAuth", "Grant types - Tooltip": "Selecciona cuáles tipos de subvenciones están permitidas en el protocolo OAuth",
"Incremental": "Incremental", "Incremental": "Incremental",
"Input": "Input",
"Left": "Izquierda", "Left": "Izquierda",
"Logged in successfully": "Acceso satisfactorio", "Logged in successfully": "Acceso satisfactorio",
"Logged out successfully": "Cerró sesión exitosamente", "Logged out successfully": "Cerró sesión exitosamente",
"New Application": "Nueva aplicación", "New Application": "Nueva aplicación",
"No verification": "No verification", "No verification": "No verification",
"None": "Ninguno",
"Normal": "Normal", "Normal": "Normal",
"Only signup": "Only signup", "Only signup": "Only signup",
"Org choice mode": "Org choice mode",
"Org choice mode - Tooltip": "Org choice mode - Tooltip",
"Please input your application!": "¡Por favor, ingrese su solicitud!", "Please input your application!": "¡Por favor, ingrese su solicitud!",
"Please input your organization!": "¡Por favor, ingrese su organización!", "Please input your organization!": "¡Por favor, ingrese su organización!",
"Please select a HTML file": "Por favor, seleccione un archivo HTML", "Please select a HTML file": "Por favor, seleccione un archivo HTML",
@ -82,6 +84,7 @@
"SAML metadata - Tooltip": "Los metadatos del protocolo SAML", "SAML metadata - Tooltip": "Los metadatos del protocolo SAML",
"SAML metadata URL copied to clipboard successfully": "La URL de metadatos de SAML se ha copiado correctamente en el portapapeles", "SAML metadata URL copied to clipboard successfully": "La URL de metadatos de SAML se ha copiado correctamente en el portapapeles",
"SAML reply URL": "URL de respuesta SAML", "SAML reply URL": "URL de respuesta SAML",
"Select": "Select",
"Side panel HTML": "Panel lateral HTML", "Side panel HTML": "Panel lateral HTML",
"Side panel HTML - Edit": "Panel lateral HTML - Editar", "Side panel HTML - Edit": "Panel lateral HTML - Editar",
"Side panel HTML - Tooltip": "Personaliza el código HTML del panel lateral de la página de inicio de sesión", "Side panel HTML - Tooltip": "Personaliza el código HTML del panel lateral de la página de inicio de sesión",
@ -167,14 +170,19 @@
"Affiliation URL": "URL de afiliación", "Affiliation URL": "URL de afiliación",
"Affiliation URL - Tooltip": "La URL de la página de inicio para la afiliación", "Affiliation URL - Tooltip": "La URL de la página de inicio para la afiliación",
"Application": "Aplicación", "Application": "Aplicación",
"Application - Tooltip": "Application - Tooltip",
"Applications": "Aplicaciones", "Applications": "Aplicaciones",
"Applications that require authentication": "Aplicaciones que requieren autenticación", "Applications that require authentication": "Aplicaciones que requieren autenticación",
"Approve time": "Approve time",
"Approve time - Tooltip": "Approve time - Tooltip",
"Approver": "Approver",
"Approver - Tooltip": "Approver - Tooltip",
"Avatar": "Avatar", "Avatar": "Avatar",
"Avatar - Tooltip": "Imagen de avatar pública para el usuario", "Avatar - Tooltip": "Imagen de avatar pública para el usuario",
"Back": "Back", "Back": "Back",
"Back Home": "Regreso a casa", "Back Home": "Regreso a casa",
"Cancel": "Cancelar", "Cancel": "Cancelar",
"Captcha": "Captcha (no se traduce)", "Captcha": "Captcha",
"Cert": "ificado", "Cert": "ificado",
"Cert - Tooltip": "El certificado de clave pública que necesita ser verificado por el SDK del cliente correspondiente a esta aplicación", "Cert - Tooltip": "El certificado de clave pública que necesita ser verificado por el SDK del cliente correspondiente a esta aplicación",
"Certs": "Certificaciones", "Certs": "Certificaciones",
@ -182,6 +190,7 @@
"Click to Upload": "Haz clic para cargar", "Click to Upload": "Haz clic para cargar",
"Client IP": "Dirección IP del cliente", "Client IP": "Dirección IP del cliente",
"Close": "Cerca", "Close": "Cerca",
"Confirm": "Confirm",
"Created time": "Tiempo creado", "Created time": "Tiempo creado",
"Default application": "Aplicación predeterminada", "Default application": "Aplicación predeterminada",
"Default application - Tooltip": "Aplicación predeterminada para usuarios registrados directamente desde la página de la organización", "Default application - Tooltip": "Aplicación predeterminada para usuarios registrados directamente desde la página de la organización",
@ -206,7 +215,7 @@
"Failed to get answer": "Failed to get answer", "Failed to get answer": "Failed to get answer",
"Failed to save": "No se pudo guardar", "Failed to save": "No se pudo guardar",
"Failed to verify": "Failed to verify", "Failed to verify": "Failed to verify",
"Favicon": "Favicon (ícono de favoritos)", "Favicon": "Favicon",
"Favicon - Tooltip": "URL del icono Favicon utilizado en todas las páginas de Casdoor de la organización", "Favicon - Tooltip": "URL del icono Favicon utilizado en todas las páginas de Casdoor de la organización",
"First name": "Nombre de pila", "First name": "Nombre de pila",
"Forget URL": "Olvide la URL", "Forget URL": "Olvide la URL",
@ -219,13 +228,15 @@
"ID - Tooltip": "Cadena aleatoria única", "ID - Tooltip": "Cadena aleatoria única",
"Is enabled": "Está habilitado", "Is enabled": "Está habilitado",
"Is enabled - Tooltip": "Establecer si se puede usar", "Is enabled - Tooltip": "Establecer si se puede usar",
"LDAPs": "LDAPs (Secure LDAP)", "LDAPs": "LDAPs",
"LDAPs - Tooltip": "Servidores LDAP", "LDAPs - Tooltip": "Servidores LDAP",
"Languages": "Idiomas", "Languages": "Idiomas",
"Languages - Tooltip": "Idiomas disponibles", "Languages - Tooltip": "Idiomas disponibles",
"Last name": "Apellido", "Last name": "Apellido",
"Logo": "Logotipo", "Logo": "Logotipo",
"Logo - Tooltip": "Iconos que la aplicación presenta al mundo exterior", "Logo - Tooltip": "Iconos que la aplicación presenta al mundo exterior",
"MFA items": "MFA items",
"MFA items - Tooltip": "MFA items - Tooltip",
"Master password": "Contraseña maestra", "Master password": "Contraseña maestra",
"Master password - Tooltip": "Se puede usar para iniciar sesión en todos los usuarios de esta organización, lo que hace conveniente que los administradores inicien sesión como este usuario para resolver problemas técnicos", "Master password - Tooltip": "Se puede usar para iniciar sesión en todos los usuarios de esta organización, lo que hace conveniente que los administradores inicien sesión como este usuario para resolver problemas técnicos",
"Menu": "Menú", "Menu": "Menú",
@ -236,6 +247,7 @@
"Models": "Modelos", "Models": "Modelos",
"Name": "Nombre", "Name": "Nombre",
"Name - Tooltip": "ID único basado en cadenas", "Name - Tooltip": "ID único basado en cadenas",
"None": "None",
"OAuth providers": "Proveedores de OAuth", "OAuth providers": "Proveedores de OAuth",
"OK": "Vale", "OK": "Vale",
"Organization": "Organización", "Organization": "Organización",
@ -254,9 +266,9 @@
"Phone - Tooltip": "Número de teléfono", "Phone - Tooltip": "Número de teléfono",
"Phone or email": "Phone or email", "Phone or email": "Phone or email",
"Plans": "Planes", "Plans": "Planes",
"Pricings": "Precios",
"Preview": "Avance", "Preview": "Avance",
"Preview - Tooltip": "Vista previa de los efectos configurados", "Preview - Tooltip": "Vista previa de los efectos configurados",
"Pricings": "Precios",
"Products": "Productos", "Products": "Productos",
"Provider": "Proveedor", "Provider": "Proveedor",
"Provider - Tooltip": "Proveedores de pago a configurar, incluyendo PayPal, Alipay, WeChat Pay, etc.", "Provider - Tooltip": "Proveedores de pago a configurar, incluyendo PayPal, Alipay, WeChat Pay, etc.",
@ -283,6 +295,8 @@
"Sorry, you do not have permission to access this page or logged in status invalid.": "Lo siento, no tiene permiso para acceder a esta página o su estado de inicio de sesión es inválido.", "Sorry, you do not have permission to access this page or logged in status invalid.": "Lo siento, no tiene permiso para acceder a esta página o su estado de inicio de sesión es inválido.",
"State": "Estado", "State": "Estado",
"State - Tooltip": "Estado", "State - Tooltip": "Estado",
"Submitter": "Submitter",
"Submitter - Tooltip": "Submitter - Tooltip",
"Subscriptions": "Suscripciones", "Subscriptions": "Suscripciones",
"Successfully added": "Éxito al agregar", "Successfully added": "Éxito al agregar",
"Successfully deleted": "Éxito en la eliminación", "Successfully deleted": "Éxito en la eliminación",
@ -354,8 +368,12 @@
"Or sign in with another account": "O inicia sesión con otra cuenta", "Or sign in with another account": "O inicia sesión con otra cuenta",
"Please input your Email or Phone!": "¡Por favor introduzca su correo electrónico o teléfono!", "Please input your Email or Phone!": "¡Por favor introduzca su correo electrónico o teléfono!",
"Please input your code!": "¡Por favor ingrese su código!", "Please input your code!": "¡Por favor ingrese su código!",
"Please input your organization name!": "Please input your organization name!",
"Please input your password!": "¡Ingrese su contraseña, por favor!", "Please input your password!": "¡Ingrese su contraseña, por favor!",
"Please input your password, at least 6 characters!": "Por favor ingrese su contraseña, ¡de al menos 6 caracteres!", "Please input your password, at least 6 characters!": "Por favor ingrese su contraseña, ¡de al menos 6 caracteres!",
"Please select an organization": "Please select an organization",
"Please select an organization to sign in": "Please select an organization to sign in",
"Please type an organization to sign in": "Please type an organization to sign in",
"Redirecting, please wait.": "Redirigiendo, por favor espera.", "Redirecting, please wait.": "Redirigiendo, por favor espera.",
"Sign In": "Iniciar sesión", "Sign In": "Iniciar sesión",
"Sign in with WebAuthn": "Iniciar sesión con WebAuthn", "Sign in with WebAuthn": "Iniciar sesión con WebAuthn",
@ -365,7 +383,7 @@
"The input is not valid Email or phone number!": "¡La entrada no es un correo electrónico o número de teléfono válido!", "The input is not valid Email or phone number!": "¡La entrada no es un correo electrónico o número de teléfono válido!",
"To access": "para acceder", "To access": "para acceder",
"Verification code": "Código de verificación", "Verification code": "Código de verificación",
"WebAuthn": "WebAuthn (Autenticación Web)", "WebAuthn": "WebAuthn",
"sign up now": "Regístrate ahora", "sign up now": "Regístrate ahora",
"username, Email or phone": "Nombre de usuario, correo electrónico o teléfono" "username, Email or phone": "Nombre de usuario, correo electrónico o teléfono"
}, },
@ -426,6 +444,8 @@
"Is profile public - Tooltip": "Después de estar cerrado, solo los administradores globales o usuarios de la misma organización pueden acceder a la página de perfil del usuario", "Is profile public - Tooltip": "Después de estar cerrado, solo los administradores globales o usuarios de la misma organización pueden acceder a la página de perfil del usuario",
"Modify rule": "Modificar regla", "Modify rule": "Modificar regla",
"New Organization": "Nueva organización", "New Organization": "Nueva organización",
"Optional": "Optional",
"Required": "Required",
"Soft deletion": "Eliminación suave", "Soft deletion": "Eliminación suave",
"Soft deletion - Tooltip": "Cuando se habilita, la eliminación de usuarios no los eliminará por completo de la base de datos. En su lugar, se marcarán como eliminados", "Soft deletion - Tooltip": "Cuando se habilita, la eliminación de usuarios no los eliminará por completo de la base de datos. En su lugar, se marcarán como eliminados",
"Tags": "Etiquetas", "Tags": "Etiquetas",
@ -506,11 +526,39 @@
"TreeNode": "Nodo del árbol", "TreeNode": "Nodo del árbol",
"Write": "Escribir" "Write": "Escribir"
}, },
"plan": {
"Edit Plan": "Edit Plan",
"New Plan": "New Plan",
"PerMonth": "por mes",
"Price per month": "Price per month",
"Price per year": "Price per year",
"PricePerMonth": "Precio por mes",
"PricePerMonth - Tooltip": "PricePerMonth - Tooltip",
"PricePerYear": "Precio por año",
"PricePerYear - Tooltip": "PricePerYear - Tooltip",
"Sub role": "Sub role",
"Sub roles - Tooltip": "Rol incluido en el plan actual"
},
"pricing": {
"Copy pricing page URL": "Copiar URL de la página de precios",
"Edit Pricing": "Edit Pricing",
"Free": "Gratis",
"Getting started": "Empezar",
"Has trial": "Tiene período de prueba",
"Has trial - Tooltip": "Disponibilidad del período de prueba después de elegir un plan",
"New Pricing": "New Pricing",
"Sub plans": "Planes adicionales",
"Sub plans - Tooltip": "Sub plans - Tooltip",
"Trial duration": "Duración del período de prueba",
"Trial duration - Tooltip": "Duración del período de prueba",
"days trial available!": "días de prueba disponibles",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "URL de la página de precios copiada correctamente al portapapeles, péguela en una ventana de incógnito u otro navegador"
},
"product": { "product": {
"Alipay": "Alipay", "Alipay": "Alipay",
"Buy": "Comprar", "Buy": "Comprar",
"Buy Product": "Comprar producto", "Buy Product": "Comprar producto",
"CNY": "Año Nuevo Chino (ANC)", "CNY": "CNY",
"Detail": "Detalle", "Detail": "Detalle",
"Detail - Tooltip": "Detalle del producto", "Detail - Tooltip": "Detalle del producto",
"Edit Product": "Editar Producto", "Edit Product": "Editar Producto",
@ -531,7 +579,7 @@
"Quantity - Tooltip": "Cantidad de producto", "Quantity - Tooltip": "Cantidad de producto",
"Return URL": "URL de retorno", "Return URL": "URL de retorno",
"Return URL - Tooltip": "URL para regresar después de una compra exitosa", "Return URL - Tooltip": "URL para regresar después de una compra exitosa",
"SKU": "SKU (referencia de unidad de almacenamiento)", "SKU": "SKU",
"Sold": "Vendido", "Sold": "Vendido",
"Sold - Tooltip": "Cantidad vendida", "Sold - Tooltip": "Cantidad vendida",
"Tag - Tooltip": "Etiqueta de producto", "Tag - Tooltip": "Etiqueta de producto",
@ -723,6 +771,24 @@
"Your confirmed password is inconsistent with the password!": "¡Su contraseña confirmada no es coherente con la contraseña!", "Your confirmed password is inconsistent with the password!": "¡Su contraseña confirmada no es coherente con la contraseña!",
"sign in now": "Inicie sesión ahora" "sign in now": "Inicie sesión ahora"
}, },
"subscription": {
"Approved": "Approved",
"Duration": "Duración",
"Duration - Tooltip": "Duración de la suscripción",
"Edit Subscription": "Edit Subscription",
"End Date": "Fecha de finalización",
"End Date - Tooltip": "Fecha de finalización",
"New Subscription": "New Subscription",
"Pending": "Pending",
"Start Date": "Fecha de inicio",
"Start Date - Tooltip": "Fecha de inicio",
"Sub plan": "Plan de suscripción",
"Sub plan - Tooltip": "Plan de suscripción",
"Sub plane": "Sub plane",
"Sub user": "Sub user",
"Sub users": "Usuarios de la suscripción",
"Sub users - Tooltip": "Usuarios de la suscripción"
},
"syncer": { "syncer": {
"Affiliation table": "Tabla de afiliación", "Affiliation table": "Tabla de afiliación",
"Affiliation table - Tooltip": "Nombre de la tabla de base de datos de la unidad de trabajo", "Affiliation table - Tooltip": "Nombre de la tabla de base de datos de la unidad de trabajo",
@ -887,36 +953,5 @@
"Method - Tooltip": "Método HTTP", "Method - Tooltip": "Método HTTP",
"New Webhook": "Nuevo Webhook", "New Webhook": "Nuevo Webhook",
"Value": "Valor" "Value": "Valor"
},
"plan": {
"Sub roles - Tooltip": "Rol incluido en el plan actual",
"PricePerMonth": "Precio por mes",
"PricePerYear": "Precio por año",
"PerMonth": "por mes"
},
"pricing": {
"Sub plans": "Planes adicionales",
"Sub plans - Tooltip": "Plans included in the current pricing",
"Has trial": "Tiene período de prueba",
"Has trial - Tooltip": "Disponibilidad del período de prueba después de elegir un plan",
"Trial duration": "Duración del período de prueba",
"Trial duration - Tooltip": "Duración del período de prueba",
"Getting started": "Empezar",
"Copy pricing page URL": "Copiar URL de la página de precios",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "URL de la página de precios copiada correctamente al portapapeles, péguela en una ventana de incógnito u otro navegador",
"days trial available!": "días de prueba disponibles",
"Free": "Gratis"
},
"subscription": {
"Duration": "Duración",
"Duration - Tooltip": "Duración de la suscripción",
"Start Date": "Fecha de inicio",
"Start Date - Tooltip": "Fecha de inicio",
"End Date": "Fecha de finalización",
"End Date - Tooltip": "Fecha de finalización",
"Sub users": "Usuarios de la suscripción",
"Sub users - Tooltip": "Usuarios de la suscripción",
"Sub plan": "Plan de suscripción",
"Sub plan - Tooltip": "Plan de suscripción"
} }
} }

View File

@ -56,14 +56,16 @@
"Grant types": "Types de subventions", "Grant types": "Types de subventions",
"Grant types - Tooltip": "Sélectionnez les types d'autorisations autorisés dans le protocole OAuth", "Grant types - Tooltip": "Sélectionnez les types d'autorisations autorisés dans le protocole OAuth",
"Incremental": "Incremental", "Incremental": "Incremental",
"Input": "Input",
"Left": "gauche", "Left": "gauche",
"Logged in successfully": "Connecté avec succès", "Logged in successfully": "Connecté avec succès",
"Logged out successfully": "Déconnecté avec succès", "Logged out successfully": "Déconnecté avec succès",
"New Application": "Nouvelle application", "New Application": "Nouvelle application",
"No verification": "No verification", "No verification": "No verification",
"None": "Aucun",
"Normal": "Normal", "Normal": "Normal",
"Only signup": "Only signup", "Only signup": "Only signup",
"Org choice mode": "Org choice mode",
"Org choice mode - Tooltip": "Org choice mode - Tooltip",
"Please input your application!": "Veuillez saisir votre demande d'application !", "Please input your application!": "Veuillez saisir votre demande d'application !",
"Please input your organization!": "S'il vous plaît saisir votre organisation !", "Please input your organization!": "S'il vous plaît saisir votre organisation !",
"Please select a HTML file": "S'il vous plaît sélectionnez un fichier HTML", "Please select a HTML file": "S'il vous plaît sélectionnez un fichier HTML",
@ -82,6 +84,7 @@
"SAML metadata - Tooltip": "Les métadonnées du protocole SAML", "SAML metadata - Tooltip": "Les métadonnées du protocole SAML",
"SAML metadata URL copied to clipboard successfully": "URL des métadonnées SAML copiée dans le presse-papiers avec succès", "SAML metadata URL copied to clipboard successfully": "URL des métadonnées SAML copiée dans le presse-papiers avec succès",
"SAML reply URL": "URL de réponse SAML", "SAML reply URL": "URL de réponse SAML",
"Select": "Select",
"Side panel HTML": "Panneau latéral HTML", "Side panel HTML": "Panneau latéral HTML",
"Side panel HTML - Edit": "Panneau latéral HTML - Modifier", "Side panel HTML - Edit": "Panneau latéral HTML - Modifier",
"Side panel HTML - Tooltip": "Personnalisez le code HTML du panneau latéral de la page de connexion", "Side panel HTML - Tooltip": "Personnalisez le code HTML du panneau latéral de la page de connexion",
@ -167,9 +170,14 @@
"Affiliation URL": "URL d'affiliation", "Affiliation URL": "URL d'affiliation",
"Affiliation URL - Tooltip": "La URL de la page d'accueil pour l'affiliation", "Affiliation URL - Tooltip": "La URL de la page d'accueil pour l'affiliation",
"Application": "Application", "Application": "Application",
"Application - Tooltip": "Application - Tooltip",
"Applications": "Applications", "Applications": "Applications",
"Applications that require authentication": "Applications qui nécessitent une authentification", "Applications that require authentication": "Applications qui nécessitent une authentification",
"Avatar": "Avatars", "Approve time": "Approve time",
"Approve time - Tooltip": "Approve time - Tooltip",
"Approver": "Approver",
"Approver - Tooltip": "Approver - Tooltip",
"Avatar": "Avatar",
"Avatar - Tooltip": "Image d'avatar public pour l'utilisateur", "Avatar - Tooltip": "Image d'avatar public pour l'utilisateur",
"Back": "Back", "Back": "Back",
"Back Home": "Retour à la maison", "Back Home": "Retour à la maison",
@ -182,19 +190,20 @@
"Click to Upload": "Cliquez pour télécharger", "Click to Upload": "Cliquez pour télécharger",
"Client IP": "Adresse IP du client", "Client IP": "Adresse IP du client",
"Close": "Fermer", "Close": "Fermer",
"Confirm": "Confirm",
"Created time": "Temps créé", "Created time": "Temps créé",
"Default application": "Application par défaut", "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", "Default application - Tooltip": "Application par défaut pour les utilisateurs enregistrés directement depuis la page de l'organisation",
"Default avatar": "Avatar par défaut", "Default avatar": "Avatar par défaut",
"Default avatar - Tooltip": "Avatar par défaut utilisé lorsque des utilisateurs nouvellement enregistrés ne définissent pas d'image d'avatar", "Default avatar - Tooltip": "Avatar par défaut utilisé lorsque des utilisateurs nouvellement enregistrés ne définissent pas d'image d'avatar",
"Delete": "Supprimer", "Delete": "Supprimer",
"Description": "Libellé", "Description": "Description",
"Description - Tooltip": "Informations détaillées pour référence, Casdoor ne l'utilisera pas en soi", "Description - Tooltip": "Informations détaillées pour référence, Casdoor ne l'utilisera pas en soi",
"Display name": "Nom d'affichage", "Display name": "Nom d'affichage",
"Display name - Tooltip": "Un nom convivial et facilement lisible affiché publiquement dans l'interface utilisateur", "Display name - Tooltip": "Un nom convivial et facilement lisible affiché publiquement dans l'interface utilisateur",
"Down": "En bas", "Down": "En bas",
"Edit": "Modifier", "Edit": "Modifier",
"Email": "Courriel", "Email": "Email",
"Email - Tooltip": "Adresse e-mail valide", "Email - Tooltip": "Adresse e-mail valide",
"Enable": "Enable", "Enable": "Enable",
"Enabled": "Enabled", "Enabled": "Enabled",
@ -219,13 +228,15 @@
"ID - Tooltip": "Chaîne unique aléatoire", "ID - Tooltip": "Chaîne unique aléatoire",
"Is enabled": "Est activé", "Is enabled": "Est activé",
"Is enabled - Tooltip": "Définir s'il peut être utilisé", "Is enabled - Tooltip": "Définir s'il peut être utilisé",
"LDAPs": "LDAPs (LDAP Secure)", "LDAPs": "LDAPs",
"LDAPs - Tooltip": "Serveurs LDAP", "LDAPs - Tooltip": "Serveurs LDAP",
"Languages": "Langues", "Languages": "Langues",
"Languages - Tooltip": "Langues disponibles", "Languages - Tooltip": "Langues disponibles",
"Last name": "Nom de famille", "Last name": "Nom de famille",
"Logo": "Logo", "Logo": "Logo",
"Logo - Tooltip": "Icônes que l'application présente au monde extérieur", "Logo - Tooltip": "Icônes que l'application présente au monde extérieur",
"MFA items": "MFA items",
"MFA items - Tooltip": "MFA items - Tooltip",
"Master password": "Mot de passe principal", "Master password": "Mot de passe principal",
"Master password - Tooltip": "Peut être utilisé pour se connecter à tous les utilisateurs sous cette organisation, ce qui facilite la connexion des administrateurs en tant que cet utilisateur pour résoudre les problèmes techniques", "Master password - Tooltip": "Peut être utilisé pour se connecter à tous les utilisateurs sous cette organisation, ce qui facilite la connexion des administrateurs en tant que cet utilisateur pour résoudre les problèmes techniques",
"Menu": "Menu", "Menu": "Menu",
@ -236,6 +247,7 @@
"Models": "Modèles", "Models": "Modèles",
"Name": "Nom", "Name": "Nom",
"Name - Tooltip": "Identifiant unique à base de chaîne", "Name - Tooltip": "Identifiant unique à base de chaîne",
"None": "None",
"OAuth providers": "Fournisseurs OAuth", "OAuth providers": "Fournisseurs OAuth",
"OK": "D'accord", "OK": "D'accord",
"Organization": "Organisation", "Organization": "Organisation",
@ -254,9 +266,9 @@
"Phone - Tooltip": "Numéro de téléphone", "Phone - Tooltip": "Numéro de téléphone",
"Phone or email": "Phone or email", "Phone or email": "Phone or email",
"Plans": "Plans", "Plans": "Plans",
"Pricings": "Tarifs",
"Preview": "Aperçu", "Preview": "Aperçu",
"Preview - Tooltip": "Prévisualisez les effets configurés", "Preview - Tooltip": "Prévisualisez les effets configurés",
"Pricings": "Tarifs",
"Products": "Produits", "Products": "Produits",
"Provider": "Fournisseur", "Provider": "Fournisseur",
"Provider - Tooltip": "Les fournisseurs de paiement doivent être configurés, y compris PayPal, Alipay, WeChat Pay, etc.", "Provider - Tooltip": "Les fournisseurs de paiement doivent être configurés, y compris PayPal, Alipay, WeChat Pay, etc.",
@ -283,6 +295,8 @@
"Sorry, you do not have permission to access this page or logged in status invalid.": "Désolé, vous n'avez pas la permission d'accéder à cette page ou votre statut de connexion est invalide.", "Sorry, you do not have permission to access this page or logged in status invalid.": "Désolé, vous n'avez pas la permission d'accéder à cette page ou votre statut de connexion est invalide.",
"State": "État", "State": "État",
"State - Tooltip": "État", "State - Tooltip": "État",
"Submitter": "Submitter",
"Submitter - Tooltip": "Submitter - Tooltip",
"Subscriptions": "Abonnements", "Subscriptions": "Abonnements",
"Successfully added": "Ajouté avec succès", "Successfully added": "Ajouté avec succès",
"Successfully deleted": "Supprimé avec succès", "Successfully deleted": "Supprimé avec succès",
@ -314,7 +328,7 @@
"{total} in total": "{total} au total" "{total} in total": "{total} au total"
}, },
"ldap": { "ldap": {
"Admin": "Administrateur", "Admin": "Admin",
"Admin - Tooltip": "CN ou ID de l'administrateur du serveur LDAP", "Admin - Tooltip": "CN ou ID de l'administrateur du serveur LDAP",
"Admin Password": "Mot de passe d'administrateur", "Admin Password": "Mot de passe d'administrateur",
"Admin Password - Tooltip": "Mot de passe administrateur du serveur LDAP", "Admin Password - Tooltip": "Mot de passe administrateur du serveur LDAP",
@ -354,8 +368,12 @@
"Or sign in with another account": "Ou connectez-vous avec un autre compte", "Or sign in with another account": "Ou connectez-vous avec un autre compte",
"Please input your Email or Phone!": "S'il vous plaît, entrez votre adresse e-mail ou votre numéro de téléphone !", "Please input your Email or Phone!": "S'il vous plaît, entrez votre adresse e-mail ou votre numéro de téléphone !",
"Please input your code!": "Veuillez entrer votre code !", "Please input your code!": "Veuillez entrer votre code !",
"Please input your organization name!": "Please input your organization name!",
"Please input your password!": "Veuillez entrer votre mot de passe !", "Please input your password!": "Veuillez entrer votre mot de passe !",
"Please input your password, at least 6 characters!": "Veuillez entrer votre mot de passe, au moins 6 caractères!", "Please input your password, at least 6 characters!": "Veuillez entrer votre mot de passe, au moins 6 caractères!",
"Please select an organization": "Please select an organization",
"Please select an organization to sign in": "Please select an organization to sign in",
"Please type an organization to sign in": "Please type an organization to sign in",
"Redirecting, please wait.": "Redirection en cours, veuillez patienter.", "Redirecting, please wait.": "Redirection en cours, veuillez patienter.",
"Sign In": "Se connecter", "Sign In": "Se connecter",
"Sign in with WebAuthn": "Connectez-vous avec WebAuthn", "Sign in with WebAuthn": "Connectez-vous avec WebAuthn",
@ -426,6 +444,8 @@
"Is profile public - Tooltip": "Après sa fermeture, seuls les administrateurs mondiaux ou les utilisateurs de la même organisation peuvent accéder à la page de profil de l'utilisateur", "Is profile public - Tooltip": "Après sa fermeture, seuls les administrateurs mondiaux ou les utilisateurs de la même organisation peuvent accéder à la page de profil de l'utilisateur",
"Modify rule": "Modifier la règle", "Modify rule": "Modifier la règle",
"New Organization": "Nouvelle organisation", "New Organization": "Nouvelle organisation",
"Optional": "Optional",
"Required": "Required",
"Soft deletion": "Suppression douce", "Soft deletion": "Suppression douce",
"Soft deletion - Tooltip": "Lorsqu'elle est activée, la suppression d'utilisateurs ne les retirera pas complètement de la base de données. Au lieu de cela, ils seront marqués comme supprimés", "Soft deletion - Tooltip": "Lorsqu'elle est activée, la suppression d'utilisateurs ne les retirera pas complètement de la base de données. Au lieu de cela, ils seront marqués comme supprimés",
"Tags": "Étiquettes", "Tags": "Étiquettes",
@ -506,6 +526,34 @@
"TreeNode": "Nœud arborescent", "TreeNode": "Nœud arborescent",
"Write": "Écrire" "Write": "Écrire"
}, },
"plan": {
"Edit Plan": "Edit Plan",
"New Plan": "New Plan",
"PerMonth": "par mois",
"Price per month": "Price per month",
"Price per year": "Price per year",
"PricePerMonth": "Prix par mois",
"PricePerMonth - Tooltip": "PricePerMonth - Tooltip",
"PricePerYear": "Prix par an",
"PricePerYear - Tooltip": "PricePerYear - Tooltip",
"Sub role": "Sub role",
"Sub roles - Tooltip": "Rôle inclus dans le plan actuel"
},
"pricing": {
"Copy pricing page URL": "Copier l'URL de la page tarifs",
"Edit Pricing": "Edit Pricing",
"Free": "Gratuit",
"Getting started": "Commencer",
"Has trial": "Essai gratuit disponible",
"Has trial - Tooltip": "Disponibilité de la période d'essai après avoir choisi un forfait",
"New Pricing": "New Pricing",
"Sub plans": "Forfaits supplémentaires",
"Sub plans - Tooltip": "Sub plans - Tooltip",
"Trial duration": "Durée de l'essai",
"Trial duration - Tooltip": "Durée de la période d'essai",
"days trial available!": "jours d'essai disponibles !",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "URL de la page tarifs copiée avec succès dans le presse-papiers, veuillez le coller dans une fenêtre de navigation privée ou un autre navigateur"
},
"product": { "product": {
"Alipay": "Alipay", "Alipay": "Alipay",
"Buy": "Acheter", "Buy": "Acheter",
@ -593,7 +641,7 @@
"From name - Tooltip": "From name - Tooltip", "From name - Tooltip": "From name - Tooltip",
"Host": "Hôte", "Host": "Hôte",
"Host - Tooltip": "Nom d'hôte", "Host - Tooltip": "Nom d'hôte",
"IdP": "IdP (Identité Fournisseur)", "IdP": "IdP",
"IdP certificate": "Certificat IdP", "IdP certificate": "Certificat IdP",
"Intelligent Validation": "Intelligent Validation", "Intelligent Validation": "Intelligent Validation",
"Internal": "Internal", "Internal": "Internal",
@ -626,7 +674,7 @@
"SMS account": "compte SMS", "SMS account": "compte SMS",
"SMS account - Tooltip": "Compte SMS", "SMS account - Tooltip": "Compte SMS",
"SMS sent successfully": "SMS envoyé avec succès", "SMS sent successfully": "SMS envoyé avec succès",
"SP ACS URL": "URL du SP ACS", "SP ACS URL": "SP ACS URL",
"SP ACS URL - Tooltip": "URL de l'ACS du fournisseur de service", "SP ACS URL - Tooltip": "URL de l'ACS du fournisseur de service",
"SP Entity ID": "Identifiant d'entité SP", "SP Entity ID": "Identifiant d'entité SP",
"Scene": "Scène", "Scene": "Scène",
@ -663,7 +711,7 @@
"Third-party": "Third-party", "Third-party": "Third-party",
"Token URL": "URL de jeton", "Token URL": "URL de jeton",
"Token URL - Tooltip": "URL de jeton", "Token URL - Tooltip": "URL de jeton",
"Type": "Type de texte", "Type": "Type",
"Type - Tooltip": "Sélectionnez un type", "Type - Tooltip": "Sélectionnez un type",
"UserInfo URL": "URL d'informations utilisateur", "UserInfo URL": "URL d'informations utilisateur",
"UserInfo URL - Tooltip": "URL d'informations sur l'utilisateur", "UserInfo URL - Tooltip": "URL d'informations sur l'utilisateur",
@ -676,7 +724,7 @@
"Copy Link": "Copier le lien", "Copy Link": "Copier le lien",
"File name": "Nom de fichier", "File name": "Nom de fichier",
"File size": "Taille de fichier", "File size": "Taille de fichier",
"Format": "Formater", "Format": "Format",
"Parent": "Parent", "Parent": "Parent",
"Upload a file...": "Télécharger un fichier..." "Upload a file...": "Télécharger un fichier..."
}, },
@ -723,6 +771,24 @@
"Your confirmed password is inconsistent with the password!": "Votre mot de passe confirmé est incompatible avec le mot de passe !", "Your confirmed password is inconsistent with the password!": "Votre mot de passe confirmé est incompatible avec le mot de passe !",
"sign in now": "Connectez-vous maintenant" "sign in now": "Connectez-vous maintenant"
}, },
"subscription": {
"Approved": "Approved",
"Duration": "Durée",
"Duration - Tooltip": "Durée de l'abonnement",
"Edit Subscription": "Edit Subscription",
"End Date": "Date de fin",
"End Date - Tooltip": "Date de fin",
"New Subscription": "New Subscription",
"Pending": "Pending",
"Start Date": "Date de début",
"Start Date - Tooltip": "Date de début",
"Sub plan": "Plan de l'abonnement",
"Sub plan - Tooltip": "Plan de l'abonnement",
"Sub plane": "Sub plane",
"Sub user": "Sub user",
"Sub users": "Utilisateurs de l'abonnement",
"Sub users - Tooltip": "Utilisateurs de l'abonnement"
},
"syncer": { "syncer": {
"Affiliation table": "Table d'affiliation", "Affiliation table": "Table d'affiliation",
"Affiliation table - Tooltip": "Nom de la table de la base de données de l'unité de travail", "Affiliation table - Tooltip": "Nom de la table de la base de données de l'unité de travail",
@ -742,7 +808,7 @@
"New Syncer": "Nouveau synchroniseur", "New Syncer": "Nouveau synchroniseur",
"Sync interval": "Intervalle de synchronisation", "Sync interval": "Intervalle de synchronisation",
"Sync interval - Tooltip": "Unité en secondes", "Sync interval - Tooltip": "Unité en secondes",
"Table": "Tableau", "Table": "Table",
"Table - Tooltip": "Nom de la table de base de données", "Table - Tooltip": "Nom de la table de base de données",
"Table columns": "Colonnes de table", "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",
@ -835,7 +901,7 @@
"Language": "Language", "Language": "Language",
"Language - Tooltip": "Language - Tooltip", "Language - Tooltip": "Language - Tooltip",
"Link": "Lien", "Link": "Lien",
"Location": "Localisation", "Location": "Location",
"Location - Tooltip": "Ville de résidence", "Location - Tooltip": "Ville de résidence",
"Managed accounts": "Comptes gérés", "Managed accounts": "Comptes gérés",
"Modify password...": "Modifier le mot de passe...", "Modify password...": "Modifier le mot de passe...",
@ -887,36 +953,5 @@
"Method - Tooltip": "Méthode HTTP", "Method - Tooltip": "Méthode HTTP",
"New Webhook": "Nouveau webhook", "New Webhook": "Nouveau webhook",
"Value": "Valeur" "Value": "Valeur"
},
"plan": {
"Sub roles - Tooltip": "Rôle inclus dans le plan actuel",
"PricePerMonth": "Prix par mois",
"PricePerYear": "Prix par an",
"PerMonth": "par mois"
},
"pricing": {
"Sub plans": "Forfaits supplémentaires",
"Sub plans - Tooltip": "Plans included in the current pricing",
"Has trial": "Essai gratuit disponible",
"Has trial - Tooltip": "Disponibilité de la période d'essai après avoir choisi un forfait",
"Trial duration": "Durée de l'essai",
"Trial duration - Tooltip": "Durée de la période d'essai",
"Getting started": "Commencer",
"Copy pricing page URL": "Copier l'URL de la page tarifs",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "URL de la page tarifs copiée avec succès dans le presse-papiers, veuillez le coller dans une fenêtre de navigation privée ou un autre navigateur",
"days trial available!": "jours d'essai disponibles !",
"Free": "Gratuit"
},
"subscription": {
"Duration": "Durée",
"Duration - Tooltip": "Durée de l'abonnement",
"Start Date": "Date de début",
"Start Date - Tooltip": "Date de début",
"End Date": "Date de fin",
"End Date - Tooltip": "Date de fin",
"Sub users": "Utilisateurs de l'abonnement",
"Sub users - Tooltip": "Utilisateurs de l'abonnement",
"Sub plan": "Plan de l'abonnement",
"Sub plan - Tooltip": "Plan de l'abonnement"
} }
} }

View File

@ -56,14 +56,16 @@
"Grant types": "Jenis-jenis hibah", "Grant types": "Jenis-jenis hibah",
"Grant types - Tooltip": "Pilih jenis hibah apa yang diperbolehkan dalam protokol OAuth", "Grant types - Tooltip": "Pilih jenis hibah apa yang diperbolehkan dalam protokol OAuth",
"Incremental": "Incremental", "Incremental": "Incremental",
"Input": "Input",
"Left": "Kiri", "Left": "Kiri",
"Logged in successfully": "Berhasil masuk", "Logged in successfully": "Berhasil masuk",
"Logged out successfully": "Berhasil keluar dari sistem", "Logged out successfully": "Berhasil keluar dari sistem",
"New Application": "Aplikasi Baru", "New Application": "Aplikasi Baru",
"No verification": "No verification", "No verification": "No verification",
"None": "Tidak ada",
"Normal": "Normal", "Normal": "Normal",
"Only signup": "Only signup", "Only signup": "Only signup",
"Org choice mode": "Org choice mode",
"Org choice mode - Tooltip": "Org choice mode - Tooltip",
"Please input your application!": "Silakan masukkan aplikasi Anda!", "Please input your application!": "Silakan masukkan aplikasi Anda!",
"Please input your organization!": "Silakan masukkan organisasi Anda!", "Please input your organization!": "Silakan masukkan organisasi Anda!",
"Please select a HTML file": "Silahkan pilih file HTML", "Please select a HTML file": "Silahkan pilih file HTML",
@ -82,6 +84,7 @@
"SAML metadata - Tooltip": "Metadata dari protokol SAML", "SAML metadata - Tooltip": "Metadata dari protokol SAML",
"SAML metadata URL copied to clipboard successfully": "URL metadata SAML berhasil disalin ke clipboard", "SAML metadata URL copied to clipboard successfully": "URL metadata SAML berhasil disalin ke clipboard",
"SAML reply URL": "Alamat URL Balasan SAML", "SAML reply URL": "Alamat URL Balasan SAML",
"Select": "Select",
"Side panel HTML": "Panel samping HTML", "Side panel HTML": "Panel samping HTML",
"Side panel HTML - Edit": "Panel sisi HTML - Sunting", "Side panel HTML - Edit": "Panel sisi HTML - Sunting",
"Side panel HTML - Tooltip": "Menyesuaikan kode HTML untuk panel samping halaman login", "Side panel HTML - Tooltip": "Menyesuaikan kode HTML untuk panel samping halaman login",
@ -167,8 +170,13 @@
"Affiliation URL": "URL Afiliasi", "Affiliation URL": "URL Afiliasi",
"Affiliation URL - Tooltip": "URL halaman depan untuk afiliasi", "Affiliation URL - Tooltip": "URL halaman depan untuk afiliasi",
"Application": "Aplikasi", "Application": "Aplikasi",
"Application - Tooltip": "Application - Tooltip",
"Applications": "Aplikasi", "Applications": "Aplikasi",
"Applications that require authentication": "Aplikasi yang memerlukan autentikasi", "Applications that require authentication": "Aplikasi yang memerlukan autentikasi",
"Approve time": "Approve time",
"Approve time - Tooltip": "Approve time - Tooltip",
"Approver": "Approver",
"Approver - Tooltip": "Approver - Tooltip",
"Avatar": "Avatar", "Avatar": "Avatar",
"Avatar - Tooltip": "Gambar avatar publik untuk pengguna", "Avatar - Tooltip": "Gambar avatar publik untuk pengguna",
"Back": "Back", "Back": "Back",
@ -182,6 +190,7 @@
"Click to Upload": "Klik untuk Mengunggah", "Click to Upload": "Klik untuk Mengunggah",
"Client IP": "IP klien", "Client IP": "IP klien",
"Close": "Tutup", "Close": "Tutup",
"Confirm": "Confirm",
"Created time": "Waktu dibuat", "Created time": "Waktu dibuat",
"Default application": "Aplikasi default", "Default application": "Aplikasi default",
"Default application - Tooltip": "Aplikasi default untuk pengguna yang terdaftar langsung dari halaman organisasi", "Default application - Tooltip": "Aplikasi default untuk pengguna yang terdaftar langsung dari halaman organisasi",
@ -226,6 +235,8 @@
"Last name": "Nama belakang", "Last name": "Nama belakang",
"Logo": "Logo", "Logo": "Logo",
"Logo - Tooltip": "Ikon-ikon yang disajikan aplikasi ke dunia luar", "Logo - Tooltip": "Ikon-ikon yang disajikan aplikasi ke dunia luar",
"MFA items": "MFA items",
"MFA items - Tooltip": "MFA items - Tooltip",
"Master password": "Kata sandi utama", "Master password": "Kata sandi utama",
"Master password - Tooltip": "Dapat digunakan untuk masuk ke semua pengguna di bawah organisasi ini, sehingga memudahkan administrator untuk masuk sebagai pengguna ini untuk menyelesaikan masalah teknis", "Master password - Tooltip": "Dapat digunakan untuk masuk ke semua pengguna di bawah organisasi ini, sehingga memudahkan administrator untuk masuk sebagai pengguna ini untuk menyelesaikan masalah teknis",
"Menu": "Daftar makanan", "Menu": "Daftar makanan",
@ -236,6 +247,7 @@
"Models": "Model-model", "Models": "Model-model",
"Name": "Nama", "Name": "Nama",
"Name - Tooltip": "ID unik berbasis string", "Name - Tooltip": "ID unik berbasis string",
"None": "None",
"OAuth providers": "Penyedia OAuth", "OAuth providers": "Penyedia OAuth",
"OK": "Baik atau Oke", "OK": "Baik atau Oke",
"Organization": "Organisasi", "Organization": "Organisasi",
@ -254,9 +266,9 @@
"Phone - Tooltip": "Nomor telepon", "Phone - Tooltip": "Nomor telepon",
"Phone or email": "Phone or email", "Phone or email": "Phone or email",
"Plans": "Rencana", "Plans": "Rencana",
"Pricings": "Harga",
"Preview": "Tinjauan", "Preview": "Tinjauan",
"Preview - Tooltip": "Mengawali pratinjau efek yang sudah dikonfigurasi", "Preview - Tooltip": "Mengawali pratinjau efek yang sudah dikonfigurasi",
"Pricings": "Harga",
"Products": "Produk", "Products": "Produk",
"Provider": "Penyedia", "Provider": "Penyedia",
"Provider - Tooltip": "Penyedia pembayaran harus dikonfigurasi, termasuk PayPal, Alipay, WeChat Pay, dan sebagainya.", "Provider - Tooltip": "Penyedia pembayaran harus dikonfigurasi, termasuk PayPal, Alipay, WeChat Pay, dan sebagainya.",
@ -283,6 +295,8 @@
"Sorry, you do not have permission to access this page or logged in status invalid.": "Maaf, Anda tidak memiliki izin untuk mengakses halaman ini atau status masuk tidak valid.", "Sorry, you do not have permission to access this page or logged in status invalid.": "Maaf, Anda tidak memiliki izin untuk mengakses halaman ini atau status masuk tidak valid.",
"State": "Negara", "State": "Negara",
"State - Tooltip": "Negara", "State - Tooltip": "Negara",
"Submitter": "Submitter",
"Submitter - Tooltip": "Submitter - Tooltip",
"Subscriptions": "Langganan", "Subscriptions": "Langganan",
"Successfully added": "Berhasil ditambahkan", "Successfully added": "Berhasil ditambahkan",
"Successfully deleted": "Berhasil dihapus", "Successfully deleted": "Berhasil dihapus",
@ -354,8 +368,12 @@
"Or sign in with another account": "Atau masuk dengan akun lain", "Or sign in with another account": "Atau masuk dengan akun lain",
"Please input your Email or Phone!": "Silahkan masukkan email atau nomor telepon Anda!", "Please input your Email or Phone!": "Silahkan masukkan email atau nomor telepon Anda!",
"Please input your code!": "Silakan masukkan kode Anda!", "Please input your code!": "Silakan masukkan kode Anda!",
"Please input your organization name!": "Please input your organization name!",
"Please input your password!": "Masukkan kata sandi Anda!", "Please input your password!": "Masukkan kata sandi Anda!",
"Please input your password, at least 6 characters!": "Silakan masukkan kata sandi Anda, minimal 6 karakter!", "Please input your password, at least 6 characters!": "Silakan masukkan kata sandi Anda, minimal 6 karakter!",
"Please select an organization": "Please select an organization",
"Please select an organization to sign in": "Please select an organization to sign in",
"Please type an organization to sign in": "Please type an organization to sign in",
"Redirecting, please wait.": "Mengalihkan, harap tunggu.", "Redirecting, please wait.": "Mengalihkan, harap tunggu.",
"Sign In": "Masuk", "Sign In": "Masuk",
"Sign in with WebAuthn": "Masuk dengan WebAuthn", "Sign in with WebAuthn": "Masuk dengan WebAuthn",
@ -426,6 +444,8 @@
"Is profile public - Tooltip": "Setelah ditutup, hanya administrator global atau pengguna di organisasi yang sama yang dapat mengakses halaman profil pengguna", "Is profile public - Tooltip": "Setelah ditutup, hanya administrator global atau pengguna di organisasi yang sama yang dapat mengakses halaman profil pengguna",
"Modify rule": "Mengubah aturan", "Modify rule": "Mengubah aturan",
"New Organization": "Organisasi baru", "New Organization": "Organisasi baru",
"Optional": "Optional",
"Required": "Required",
"Soft deletion": "Penghapusan lunak", "Soft deletion": "Penghapusan lunak",
"Soft deletion - Tooltip": "Ketika diaktifkan, menghapus pengguna tidak akan sepenuhnya menghapus mereka dari database. Sebaliknya, mereka akan ditandai sebagai dihapus", "Soft deletion - Tooltip": "Ketika diaktifkan, menghapus pengguna tidak akan sepenuhnya menghapus mereka dari database. Sebaliknya, mereka akan ditandai sebagai dihapus",
"Tags": "Tag-tag", "Tags": "Tag-tag",
@ -506,6 +526,34 @@
"TreeNode": "PohonNode", "TreeNode": "PohonNode",
"Write": "Menulis" "Write": "Menulis"
}, },
"plan": {
"Edit Plan": "Edit Plan",
"New Plan": "New Plan",
"PerMonth": "per bulan",
"Price per month": "Price per month",
"Price per year": "Price per year",
"PricePerMonth": "Harga per bulan",
"PricePerMonth - Tooltip": "PricePerMonth - Tooltip",
"PricePerYear": "Harga per tahun",
"PricePerYear - Tooltip": "PricePerYear - Tooltip",
"Sub role": "Sub role",
"Sub roles - Tooltip": "Peran yang termasuk dalam rencana saat ini"
},
"pricing": {
"Copy pricing page URL": "Salin URL halaman harga",
"Edit Pricing": "Edit Pricing",
"Free": "Gratis",
"Getting started": "Mulai",
"Has trial": "Mempunyai periode percobaan",
"Has trial - Tooltip": "Ketersediaan periode percobaan setelah memilih rencana",
"New Pricing": "New Pricing",
"Sub plans": "Rencana Tambahan",
"Sub plans - Tooltip": "Sub plans - Tooltip",
"Trial duration": "Durasi percobaan",
"Trial duration - Tooltip": "Durasi periode percobaan",
"days trial available!": "hari percobaan tersedia!",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "URL halaman harga berhasil disalin ke clipboard, silakan tempelkan ke dalam jendela mode penyamaran atau browser lainnya"
},
"product": { "product": {
"Alipay": "Alipay", "Alipay": "Alipay",
"Buy": "Beli", "Buy": "Beli",
@ -723,6 +771,24 @@
"Your confirmed password is inconsistent with the password!": "Kata sandi yang dikonfirmasi tidak konsisten dengan kata sandi!", "Your confirmed password is inconsistent with the password!": "Kata sandi yang dikonfirmasi tidak konsisten dengan kata sandi!",
"sign in now": "Masuk sekarang" "sign in now": "Masuk sekarang"
}, },
"subscription": {
"Approved": "Approved",
"Duration": "Durasi",
"Duration - Tooltip": "Durasi langganan",
"Edit Subscription": "Edit Subscription",
"End Date": "Tanggal Berakhir",
"End Date - Tooltip": "Tanggal Berakhir",
"New Subscription": "New Subscription",
"Pending": "Pending",
"Start Date": "Tanggal Mulai",
"Start Date - Tooltip": "Tanggal Mulai",
"Sub plan": "Rencana Langganan",
"Sub plan - Tooltip": "Rencana Langganan",
"Sub plane": "Sub plane",
"Sub user": "Sub user",
"Sub users": "Pengguna Langganan",
"Sub users - Tooltip": "Pengguna Langganan"
},
"syncer": { "syncer": {
"Affiliation table": "Tabel afiliasi", "Affiliation table": "Tabel afiliasi",
"Affiliation table - Tooltip": "Nama tabel database dari unit kerja", "Affiliation table - Tooltip": "Nama tabel database dari unit kerja",
@ -731,7 +797,7 @@
"Casdoor column": "Kolom Casdoor", "Casdoor column": "Kolom Casdoor",
"Column name": "Nama kolom", "Column name": "Nama kolom",
"Column type": "Tipe kolom", "Column type": "Tipe kolom",
"Database": "Database (bahasa Indonesia)", "Database": "Database",
"Database - Tooltip": "Nama basis data asli", "Database - Tooltip": "Nama basis data asli",
"Database type": "Tipe Basis Data", "Database type": "Tipe Basis Data",
"Database type - Tooltip": "Jenis database, mendukung semua database yang didukung oleh XORM, seperti MySQL, PostgreSQL, SQL Server, Oracle, SQLite, dan lain-lain.", "Database type - Tooltip": "Jenis database, mendukung semua database yang didukung oleh XORM, seperti MySQL, PostgreSQL, SQL Server, Oracle, SQLite, dan lain-lain.",
@ -887,36 +953,5 @@
"Method - Tooltip": "Metode HTTP", "Method - Tooltip": "Metode HTTP",
"New Webhook": "Webhook Baru", "New Webhook": "Webhook Baru",
"Value": "Nilai" "Value": "Nilai"
},
"plan": {
"Sub roles - Tooltip": "Peran yang termasuk dalam rencana saat ini",
"PricePerMonth": "Harga per bulan",
"PricePerYear": "Harga per tahun",
"PerMonth": "per bulan"
},
"pricing": {
"Sub plans": "Rencana Tambahan",
"Sub plans - Tooltip": "Plans included in the current pricing",
"Has trial": "Mempunyai periode percobaan",
"Has trial - Tooltip": "Ketersediaan periode percobaan setelah memilih rencana",
"Trial duration": "Durasi percobaan",
"Trial duration - Tooltip": "Durasi periode percobaan",
"Getting started": "Mulai",
"Copy pricing page URL": "Salin URL halaman harga",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "URL halaman harga berhasil disalin ke clipboard, silakan tempelkan ke dalam jendela mode penyamaran atau browser lainnya",
"days trial available!": "hari percobaan tersedia!",
"Free": "Gratis"
},
"subscription": {
"Duration": "Durasi",
"Duration - Tooltip": "Durasi langganan",
"Start Date": "Tanggal Mulai",
"Start Date - Tooltip": "Tanggal Mulai",
"End Date": "Tanggal Berakhir",
"End Date - Tooltip": "Tanggal Berakhir",
"Sub users": "Pengguna Langganan",
"Sub users - Tooltip": "Pengguna Langganan",
"Sub plan": "Rencana Langganan",
"Sub plan - Tooltip": "Rencana Langganan"
} }
} }

View File

@ -56,14 +56,16 @@
"Grant types": "グラント種類", "Grant types": "グラント種類",
"Grant types - Tooltip": "OAuthプロトコルで許可されているグラントタイプを選択してください", "Grant types - Tooltip": "OAuthプロトコルで許可されているグラントタイプを選択してください",
"Incremental": "Incremental", "Incremental": "Incremental",
"Input": "Input",
"Left": "左", "Left": "左",
"Logged in successfully": "正常にログインしました", "Logged in successfully": "正常にログインしました",
"Logged out successfully": "正常にログアウトしました", "Logged out successfully": "正常にログアウトしました",
"New Application": "新しいアプリケーション", "New Application": "新しいアプリケーション",
"No verification": "No verification", "No verification": "No verification",
"None": "なし",
"Normal": "Normal", "Normal": "Normal",
"Only signup": "Only signup", "Only signup": "Only signup",
"Org choice mode": "Org choice mode",
"Org choice mode - Tooltip": "Org choice mode - Tooltip",
"Please input your application!": "あなたの申請を入力してください!", "Please input your application!": "あなたの申請を入力してください!",
"Please input your organization!": "あなたの組織を入力してください!", "Please input your organization!": "あなたの組織を入力してください!",
"Please select a HTML file": "HTMLファイルを選択してください", "Please select a HTML file": "HTMLファイルを選択してください",
@ -82,6 +84,7 @@
"SAML metadata - Tooltip": "SAMLプロトコルのメタデータ", "SAML metadata - Tooltip": "SAMLプロトコルのメタデータ",
"SAML metadata URL copied to clipboard successfully": "SAMLメタデータURLが正常にクリップボードにコピーされました", "SAML metadata URL copied to clipboard successfully": "SAMLメタデータURLが正常にクリップボードにコピーされました",
"SAML reply URL": "SAMLリプライURL", "SAML reply URL": "SAMLリプライURL",
"Select": "Select",
"Side panel HTML": "サイドパネルのHTML", "Side panel HTML": "サイドパネルのHTML",
"Side panel HTML - Edit": "サイドパネルのHTML - 編集", "Side panel HTML - Edit": "サイドパネルのHTML - 編集",
"Side panel HTML - Tooltip": "ログインページのサイドパネルに対するHTMLコードをカスタマイズしてください", "Side panel HTML - Tooltip": "ログインページのサイドパネルに対するHTMLコードをカスタマイズしてください",
@ -167,8 +170,13 @@
"Affiliation URL": "所属するURL", "Affiliation URL": "所属するURL",
"Affiliation URL - Tooltip": "所属先のホームページURL", "Affiliation URL - Tooltip": "所属先のホームページURL",
"Application": "アプリケーション", "Application": "アプリケーション",
"Application - Tooltip": "Application - Tooltip",
"Applications": "アプリケーション", "Applications": "アプリケーション",
"Applications that require authentication": "認証が必要なアプリケーション", "Applications that require authentication": "認証が必要なアプリケーション",
"Approve time": "Approve time",
"Approve time - Tooltip": "Approve time - Tooltip",
"Approver": "Approver",
"Approver - Tooltip": "Approver - Tooltip",
"Avatar": "アバター", "Avatar": "アバター",
"Avatar - Tooltip": "ユーザーのパブリックアバター画像", "Avatar - Tooltip": "ユーザーのパブリックアバター画像",
"Back": "Back", "Back": "Back",
@ -182,6 +190,7 @@
"Click to Upload": "アップロードするにはクリックしてください", "Click to Upload": "アップロードするにはクリックしてください",
"Client IP": "クライアントIP", "Client IP": "クライアントIP",
"Close": "閉じる", "Close": "閉じる",
"Confirm": "Confirm",
"Created time": "作成された時間", "Created time": "作成された時間",
"Default application": "デフォルトアプリケーション", "Default application": "デフォルトアプリケーション",
"Default application - Tooltip": "組織ページから直接登録されたユーザーのデフォルトアプリケーション", "Default application - Tooltip": "組織ページから直接登録されたユーザーのデフォルトアプリケーション",
@ -219,13 +228,15 @@
"ID - Tooltip": "ユニークなランダム文字列", "ID - Tooltip": "ユニークなランダム文字列",
"Is enabled": "可能になっています", "Is enabled": "可能になっています",
"Is enabled - Tooltip": "使用可能かどうかを設定してください", "Is enabled - Tooltip": "使用可能かどうかを設定してください",
"LDAPs": "LDAP", "LDAPs": "LDAPs",
"LDAPs - Tooltip": "LDAPサーバー", "LDAPs - Tooltip": "LDAPサーバー",
"Languages": "言語", "Languages": "言語",
"Languages - Tooltip": "利用可能な言語", "Languages - Tooltip": "利用可能な言語",
"Last name": "苗字", "Last name": "苗字",
"Logo": "ロゴ", "Logo": "ロゴ",
"Logo - Tooltip": "アプリケーションが外部世界に示すアイコン", "Logo - Tooltip": "アプリケーションが外部世界に示すアイコン",
"MFA items": "MFA items",
"MFA items - Tooltip": "MFA items - Tooltip",
"Master password": "マスターパスワード", "Master password": "マスターパスワード",
"Master password - Tooltip": "この組織のすべてのユーザーにログインするために使用でき、管理者が技術的な問題を解決するためにこのユーザーとしてログインするのに便利です", "Master password - Tooltip": "この組織のすべてのユーザーにログインするために使用でき、管理者が技術的な問題を解決するためにこのユーザーとしてログインするのに便利です",
"Menu": "メニュー", "Menu": "メニュー",
@ -236,6 +247,7 @@
"Models": "モデル", "Models": "モデル",
"Name": "名前", "Name": "名前",
"Name - Tooltip": "ユニークで文字列ベースのID", "Name - Tooltip": "ユニークで文字列ベースのID",
"None": "None",
"OAuth providers": "OAuthプロバイダー", "OAuth providers": "OAuthプロバイダー",
"OK": "了解", "OK": "了解",
"Organization": "組織", "Organization": "組織",
@ -254,9 +266,9 @@
"Phone - Tooltip": "電話番号", "Phone - Tooltip": "電話番号",
"Phone or email": "Phone or email", "Phone or email": "Phone or email",
"Plans": "プラン", "Plans": "プラン",
"Pricings": "価格設定",
"Preview": "プレビュー", "Preview": "プレビュー",
"Preview - Tooltip": "構成されたエフェクトをプレビューする", "Preview - Tooltip": "構成されたエフェクトをプレビューする",
"Pricings": "価格設定",
"Products": "製品", "Products": "製品",
"Provider": "プロバイダー", "Provider": "プロバイダー",
"Provider - Tooltip": "支払いプロバイダーを設定する必要があります。これには、PayPal、Alipay、WeChat Payなどが含まれます。", "Provider - Tooltip": "支払いプロバイダーを設定する必要があります。これには、PayPal、Alipay、WeChat Payなどが含まれます。",
@ -283,6 +295,8 @@
"Sorry, you do not have permission to access this page or logged in status invalid.": "申し訳ありませんが、このページにアクセスする権限がありません、またはログイン状態が無効です。", "Sorry, you do not have permission to access this page or logged in status invalid.": "申し訳ありませんが、このページにアクセスする権限がありません、またはログイン状態が無効です。",
"State": "州", "State": "州",
"State - Tooltip": "状態", "State - Tooltip": "状態",
"Submitter": "Submitter",
"Submitter - Tooltip": "Submitter - Tooltip",
"Subscriptions": "サブスクリプション", "Subscriptions": "サブスクリプション",
"Successfully added": "正常に追加されました", "Successfully added": "正常に追加されました",
"Successfully deleted": "正常に削除されました", "Successfully deleted": "正常に削除されました",
@ -314,7 +328,7 @@
"{total} in total": "総計{total}" "{total} in total": "総計{total}"
}, },
"ldap": { "ldap": {
"Admin": "管理者", "Admin": "Admin",
"Admin - Tooltip": "LDAPサーバー管理者のCNまたはID", "Admin - Tooltip": "LDAPサーバー管理者のCNまたはID",
"Admin Password": "管理者パスワード", "Admin Password": "管理者パスワード",
"Admin Password - Tooltip": "LDAPサーバーの管理者パスワード", "Admin Password - Tooltip": "LDAPサーバーの管理者パスワード",
@ -354,8 +368,12 @@
"Or sign in with another account": "別のアカウントでサインインする", "Or sign in with another account": "別のアカウントでサインインする",
"Please input your Email or Phone!": "あなたのメールアドレスまたは電話番号を入力してください!", "Please input your Email or Phone!": "あなたのメールアドレスまたは電話番号を入力してください!",
"Please input your code!": "あなたのコードを入力してください!", "Please input your code!": "あなたのコードを入力してください!",
"Please input your organization name!": "Please input your organization name!",
"Please input your password!": "パスワードを入力してください!", "Please input your password!": "パスワードを入力してください!",
"Please input your password, at least 6 characters!": "パスワードを入力してください。少なくとも6文字です", "Please input your password, at least 6 characters!": "パスワードを入力してください。少なくとも6文字です",
"Please select an organization": "Please select an organization",
"Please select an organization to sign in": "Please select an organization to sign in",
"Please type an organization to sign in": "Please type an organization to sign in",
"Redirecting, please wait.": "リダイレクト中、お待ちください。", "Redirecting, please wait.": "リダイレクト中、お待ちください。",
"Sign In": "サインイン", "Sign In": "サインイン",
"Sign in with WebAuthn": "WebAuthnでサインインしてください", "Sign in with WebAuthn": "WebAuthnでサインインしてください",
@ -426,6 +444,8 @@
"Is profile public - Tooltip": "閉鎖された後、グローバル管理者または同じ組織のユーザーだけがユーザーのプロファイルページにアクセスできます", "Is profile public - Tooltip": "閉鎖された後、グローバル管理者または同じ組織のユーザーだけがユーザーのプロファイルページにアクセスできます",
"Modify rule": "ルールを変更する", "Modify rule": "ルールを変更する",
"New Organization": "新しい組織", "New Organization": "新しい組織",
"Optional": "Optional",
"Required": "Required",
"Soft deletion": "ソフト削除", "Soft deletion": "ソフト削除",
"Soft deletion - Tooltip": "有効になっている場合、ユーザーを削除しても完全にデータベースから削除されません。代わりに、削除されたとマークされます", "Soft deletion - Tooltip": "有効になっている場合、ユーザーを削除しても完全にデータベースから削除されません。代わりに、削除されたとマークされます",
"Tags": "タグ", "Tags": "タグ",
@ -506,6 +526,34 @@
"TreeNode": "ツリーノード", "TreeNode": "ツリーノード",
"Write": "書く" "Write": "書く"
}, },
"plan": {
"Edit Plan": "Edit Plan",
"New Plan": "New Plan",
"PerMonth": "月毎",
"Price per month": "Price per month",
"Price per year": "Price per year",
"PricePerMonth": "月額料金",
"PricePerMonth - Tooltip": "PricePerMonth - Tooltip",
"PricePerYear": "年間料金",
"PricePerYear - Tooltip": "PricePerYear - Tooltip",
"Sub role": "Sub role",
"Sub roles - Tooltip": "現在のプランに含まれるロール"
},
"pricing": {
"Copy pricing page URL": "価格ページのURLをコピー",
"Edit Pricing": "Edit Pricing",
"Free": "無料",
"Getting started": "はじめる",
"Has trial": "トライアル期間あり",
"Has trial - Tooltip": "プラン選択後のトライアル期間の有無",
"New Pricing": "New Pricing",
"Sub plans": "追加プラン",
"Sub plans - Tooltip": "Sub plans - Tooltip",
"Trial duration": "トライアル期間の長さ",
"Trial duration - Tooltip": "トライアル期間の長さ",
"days trial available!": "日間のトライアルが利用可能です!",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "価格ページのURLが正常にクリップボードにコピーされました。シークレットウィンドウや別のブラウザに貼り付けてください。"
},
"product": { "product": {
"Alipay": "Alipay", "Alipay": "Alipay",
"Buy": "購入", "Buy": "購入",
@ -627,7 +675,7 @@
"SMS account - Tooltip": "SMSアカウント", "SMS account - Tooltip": "SMSアカウント",
"SMS sent successfully": "SMSが正常に送信されました", "SMS sent successfully": "SMSが正常に送信されました",
"SP ACS URL": "SP ACS URL", "SP ACS URL": "SP ACS URL",
"SP ACS URL - Tooltip": "SP ACS URL - ツールチップ", "SP ACS URL - Tooltip": "SP ACS URL",
"SP Entity ID": "SPエンティティID", "SP Entity ID": "SPエンティティID",
"Scene": "シーン", "Scene": "シーン",
"Scene - Tooltip": "シーン", "Scene - Tooltip": "シーン",
@ -723,6 +771,24 @@
"Your confirmed password is inconsistent with the password!": "確認されたパスワードは、パスワードと矛盾しています!", "Your confirmed password is inconsistent with the password!": "確認されたパスワードは、パスワードと矛盾しています!",
"sign in now": "今すぐサインインしてください" "sign in now": "今すぐサインインしてください"
}, },
"subscription": {
"Approved": "Approved",
"Duration": "期間",
"Duration - Tooltip": "購読の期間",
"Edit Subscription": "Edit Subscription",
"End Date": "終了日",
"End Date - Tooltip": "終了日",
"New Subscription": "New Subscription",
"Pending": "Pending",
"Start Date": "開始日",
"Start Date - Tooltip": "開始日",
"Sub plan": "購読プラン",
"Sub plan - Tooltip": "購読プラン",
"Sub plane": "Sub plane",
"Sub user": "Sub user",
"Sub users": "購読ユーザー",
"Sub users - Tooltip": "購読ユーザー"
},
"syncer": { "syncer": {
"Affiliation table": "所属テーブル", "Affiliation table": "所属テーブル",
"Affiliation table - Tooltip": "作業単位のデータベーステーブル名", "Affiliation table - Tooltip": "作業単位のデータベーステーブル名",
@ -887,36 +953,5 @@
"Method - Tooltip": "HTTPメソッド", "Method - Tooltip": "HTTPメソッド",
"New Webhook": "新しいWebhook", "New Webhook": "新しいWebhook",
"Value": "値" "Value": "値"
},
"plan": {
"Sub roles - Tooltip": "現在のプランに含まれるロール",
"PricePerMonth": "月額料金",
"PricePerYear": "年間料金",
"PerMonth": "月毎"
},
"pricing": {
"Sub plans": "追加プラン",
"Sub plans - Tooltip": "Plans included in the current pricing",
"Has trial": "トライアル期間あり",
"Has trial - Tooltip": "プラン選択後のトライアル期間の有無",
"Trial duration": "トライアル期間の長さ",
"Trial duration - Tooltip": "トライアル期間の長さ",
"Getting started": "はじめる",
"Copy pricing page URL": "価格ページのURLをコピー",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "価格ページのURLが正常にクリップボードにコピーされました。シークレットウィンドウや別のブラウザに貼り付けてください。",
"days trial available!": "日間のトライアルが利用可能です!",
"Free": "無料"
},
"subscription": {
"Duration": "期間",
"Duration - Tooltip": "購読の期間",
"Start Date": "開始日",
"Start Date - Tooltip": "開始日",
"End Date": "終了日",
"End Date - Tooltip": "終了日",
"Sub users": "購読ユーザー",
"Sub users - Tooltip": "購読ユーザー",
"Sub plan": "購読プラン",
"Sub plan - Tooltip": "購読プラン"
} }
} }

View File

@ -56,14 +56,16 @@
"Grant types": "Grant types: 부여 유형", "Grant types": "Grant types: 부여 유형",
"Grant types - Tooltip": "OAuth 프로토콜에서 허용되는 그란트 유형을 선택하십시오", "Grant types - Tooltip": "OAuth 프로토콜에서 허용되는 그란트 유형을 선택하십시오",
"Incremental": "Incremental", "Incremental": "Incremental",
"Input": "Input",
"Left": "왼쪽", "Left": "왼쪽",
"Logged in successfully": "성공적으로 로그인했습니다", "Logged in successfully": "성공적으로 로그인했습니다",
"Logged out successfully": "로그아웃이 성공적으로 되었습니다", "Logged out successfully": "로그아웃이 성공적으로 되었습니다",
"New Application": "새로운 응용 프로그램", "New Application": "새로운 응용 프로그램",
"No verification": "No verification", "No verification": "No verification",
"None": "없음",
"Normal": "Normal", "Normal": "Normal",
"Only signup": "Only signup", "Only signup": "Only signup",
"Org choice mode": "Org choice mode",
"Org choice mode - Tooltip": "Org choice mode - Tooltip",
"Please input your application!": "당신의 신청서를 입력해주세요!", "Please input your application!": "당신의 신청서를 입력해주세요!",
"Please input your organization!": "귀하의 조직을 입력해 주세요!", "Please input your organization!": "귀하의 조직을 입력해 주세요!",
"Please select a HTML file": "HTML 파일을 선택해 주세요", "Please select a HTML file": "HTML 파일을 선택해 주세요",
@ -82,6 +84,7 @@
"SAML metadata - Tooltip": "SAML 프로토콜의 메타 데이터", "SAML metadata - Tooltip": "SAML 프로토콜의 메타 데이터",
"SAML metadata URL copied to clipboard successfully": "SAML 메타데이터의 URL이 성공적으로 클립보드로 복사되었습니다", "SAML metadata URL copied to clipboard successfully": "SAML 메타데이터의 URL이 성공적으로 클립보드로 복사되었습니다",
"SAML reply URL": "SAML 응답 URL", "SAML reply URL": "SAML 응답 URL",
"Select": "Select",
"Side panel HTML": "사이드 패널 HTML", "Side panel HTML": "사이드 패널 HTML",
"Side panel HTML - Edit": "사이드 패널 HTML - 편집", "Side panel HTML - Edit": "사이드 패널 HTML - 편집",
"Side panel HTML - Tooltip": "로그인 페이지의 측면 패널용 HTML 코드를 맞춤 설정하십시오", "Side panel HTML - Tooltip": "로그인 페이지의 측면 패널용 HTML 코드를 맞춤 설정하십시오",
@ -167,8 +170,13 @@
"Affiliation URL": "소속 URL", "Affiliation URL": "소속 URL",
"Affiliation URL - Tooltip": "소속 홈페이지 URL", "Affiliation URL - Tooltip": "소속 홈페이지 URL",
"Application": "응용 프로그램", "Application": "응용 프로그램",
"Application - Tooltip": "Application - Tooltip",
"Applications": "응용 프로그램", "Applications": "응용 프로그램",
"Applications that require authentication": "인증이 필요한 애플리케이션들", "Applications that require authentication": "인증이 필요한 애플리케이션들",
"Approve time": "Approve time",
"Approve time - Tooltip": "Approve time - Tooltip",
"Approver": "Approver",
"Approver - Tooltip": "Approver - Tooltip",
"Avatar": "아바타", "Avatar": "아바타",
"Avatar - Tooltip": "사용자를 위한 공개 아바타 이미지", "Avatar - Tooltip": "사용자를 위한 공개 아바타 이미지",
"Back": "Back", "Back": "Back",
@ -182,6 +190,7 @@
"Click to Upload": "클릭하여 업로드하세요", "Click to Upload": "클릭하여 업로드하세요",
"Client IP": "고객 IP", "Client IP": "고객 IP",
"Close": "닫다", "Close": "닫다",
"Confirm": "Confirm",
"Created time": "작성한 시간", "Created time": "작성한 시간",
"Default application": "기본 애플리케이션", "Default application": "기본 애플리케이션",
"Default application - Tooltip": "조직 페이지에서 직접 등록한 사용자의 기본 응용 프로그램", "Default application - Tooltip": "조직 페이지에서 직접 등록한 사용자의 기본 응용 프로그램",
@ -226,6 +235,8 @@
"Last name": "성", "Last name": "성",
"Logo": "로고", "Logo": "로고",
"Logo - Tooltip": "애플리케이션이 외부 세계에 제시하는 아이콘들", "Logo - Tooltip": "애플리케이션이 외부 세계에 제시하는 아이콘들",
"MFA items": "MFA items",
"MFA items - Tooltip": "MFA items - Tooltip",
"Master password": "마스터 비밀번호", "Master password": "마스터 비밀번호",
"Master password - Tooltip": "이 조직의 모든 사용자에게 로그인하는 데 사용될 수 있으며, 이 사용자로 로그인하여 기술 문제를 해결하는 관리자에게 편리합니다", "Master password - Tooltip": "이 조직의 모든 사용자에게 로그인하는 데 사용될 수 있으며, 이 사용자로 로그인하여 기술 문제를 해결하는 관리자에게 편리합니다",
"Menu": "메뉴", "Menu": "메뉴",
@ -236,6 +247,7 @@
"Models": "모델들", "Models": "모델들",
"Name": "이름", "Name": "이름",
"Name - Tooltip": "고유한 문자열 기반 ID", "Name - Tooltip": "고유한 문자열 기반 ID",
"None": "None",
"OAuth providers": "OAuth 공급자", "OAuth providers": "OAuth 공급자",
"OK": "예", "OK": "예",
"Organization": "조직화", "Organization": "조직화",
@ -254,9 +266,9 @@
"Phone - Tooltip": "전화 번호", "Phone - Tooltip": "전화 번호",
"Phone or email": "Phone or email", "Phone or email": "Phone or email",
"Plans": "플랜", "Plans": "플랜",
"Pricings": "가격",
"Preview": "미리보기", "Preview": "미리보기",
"Preview - Tooltip": "구성된 효과를 미리보기합니다", "Preview - Tooltip": "구성된 효과를 미리보기합니다",
"Pricings": "가격",
"Products": "제품들", "Products": "제품들",
"Provider": "공급자", "Provider": "공급자",
"Provider - Tooltip": "지불 공급자를 구성해야합니다. PayPal, Alipay, WeChat Pay 등이 포함됩니다.", "Provider - Tooltip": "지불 공급자를 구성해야합니다. PayPal, Alipay, WeChat Pay 등이 포함됩니다.",
@ -283,6 +295,8 @@
"Sorry, you do not have permission to access this page or logged in status invalid.": "죄송합니다. 이 페이지에 접근할 권한이 없거나 로그인 상태가 유효하지 않습니다.", "Sorry, you do not have permission to access this page or logged in status invalid.": "죄송합니다. 이 페이지에 접근할 권한이 없거나 로그인 상태가 유효하지 않습니다.",
"State": "주", "State": "주",
"State - Tooltip": "국가", "State - Tooltip": "국가",
"Submitter": "Submitter",
"Submitter - Tooltip": "Submitter - Tooltip",
"Subscriptions": "구독", "Subscriptions": "구독",
"Successfully added": "성공적으로 추가되었습니다", "Successfully added": "성공적으로 추가되었습니다",
"Successfully deleted": "성공적으로 삭제되었습니다", "Successfully deleted": "성공적으로 삭제되었습니다",
@ -354,8 +368,12 @@
"Or sign in with another account": "다른 계정으로 로그인하세요", "Or sign in with another account": "다른 계정으로 로그인하세요",
"Please input your Email or Phone!": "이메일 또는 전화번호를 입력해주세요!", "Please input your Email or Phone!": "이메일 또는 전화번호를 입력해주세요!",
"Please input your code!": "코드를 입력해주세요!", "Please input your code!": "코드를 입력해주세요!",
"Please input your organization name!": "Please input your organization name!",
"Please input your password!": "비밀번호를 입력해주세요!", "Please input your password!": "비밀번호를 입력해주세요!",
"Please input your password, at least 6 characters!": "비밀번호를 입력해주세요. 최소 6자 이상 필요합니다!", "Please input your password, at least 6 characters!": "비밀번호를 입력해주세요. 최소 6자 이상 필요합니다!",
"Please select an organization": "Please select an organization",
"Please select an organization to sign in": "Please select an organization to sign in",
"Please type an organization to sign in": "Please type an organization to sign in",
"Redirecting, please wait.": "리디렉팅 중입니다. 잠시 기다려주세요.", "Redirecting, please wait.": "리디렉팅 중입니다. 잠시 기다려주세요.",
"Sign In": "로그인", "Sign In": "로그인",
"Sign in with WebAuthn": "WebAuthn으로 로그인하세요", "Sign in with WebAuthn": "WebAuthn으로 로그인하세요",
@ -426,6 +444,8 @@
"Is profile public - Tooltip": "닫힌 후에는 전역 관리자 또는 동일한 조직의 사용자만 사용자 프로필 페이지에 액세스할 수 있습니다", "Is profile public - Tooltip": "닫힌 후에는 전역 관리자 또는 동일한 조직의 사용자만 사용자 프로필 페이지에 액세스할 수 있습니다",
"Modify rule": "규칙 수정", "Modify rule": "규칙 수정",
"New Organization": "새로운 조직", "New Organization": "새로운 조직",
"Optional": "Optional",
"Required": "Required",
"Soft deletion": "소프트 삭제", "Soft deletion": "소프트 삭제",
"Soft deletion - Tooltip": "사용 가능한 경우, 사용자 삭제 시 데이터베이스에서 완전히 삭제되지 않습니다. 대신 삭제됨으로 표시됩니다", "Soft deletion - Tooltip": "사용 가능한 경우, 사용자 삭제 시 데이터베이스에서 완전히 삭제되지 않습니다. 대신 삭제됨으로 표시됩니다",
"Tags": "태그", "Tags": "태그",
@ -506,6 +526,34 @@
"TreeNode": "트리 노드", "TreeNode": "트리 노드",
"Write": "쓰다" "Write": "쓰다"
}, },
"plan": {
"Edit Plan": "Edit Plan",
"New Plan": "New Plan",
"PerMonth": "월",
"Price per month": "Price per month",
"Price per year": "Price per year",
"PricePerMonth": "월별 가격",
"PricePerMonth - Tooltip": "PricePerMonth - Tooltip",
"PricePerYear": "연간 가격",
"PricePerYear - Tooltip": "PricePerYear - Tooltip",
"Sub role": "Sub role",
"Sub roles - Tooltip": "현재 플랜에 포함된 역할"
},
"pricing": {
"Copy pricing page URL": "가격 페이지 URL 복사",
"Edit Pricing": "Edit Pricing",
"Free": "무료",
"Getting started": "시작하기",
"Has trial": "무료 체험 가능",
"Has trial - Tooltip": "플랜 선택 후 체험 기간의 가용 여부",
"New Pricing": "New Pricing",
"Sub plans": "추가 플랜",
"Sub plans - Tooltip": "Sub plans - Tooltip",
"Trial duration": "체험 기간",
"Trial duration - Tooltip": "체험 기간의 기간",
"days trial available!": "일 무료 체험 가능!",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "가격 페이지 URL이 클립보드에 성공적으로 복사되었습니다. 시크릿 창이나 다른 브라우저에 붙여넣기해주세요."
},
"product": { "product": {
"Alipay": "Alipay", "Alipay": "Alipay",
"Buy": "구매하다", "Buy": "구매하다",
@ -627,7 +675,7 @@
"SMS account - Tooltip": "SMS 계정", "SMS account - Tooltip": "SMS 계정",
"SMS sent successfully": "문자 메시지가 성공적으로 발송되었습니다", "SMS sent successfully": "문자 메시지가 성공적으로 발송되었습니다",
"SP ACS URL": "SP ACS URL", "SP ACS URL": "SP ACS URL",
"SP ACS URL - Tooltip": "SP ACS URL - Tooltip", "SP ACS URL - Tooltip": "SP ACS URL",
"SP Entity ID": "SP 개체 ID", "SP Entity ID": "SP 개체 ID",
"Scene": "장면", "Scene": "장면",
"Scene - Tooltip": "장면", "Scene - Tooltip": "장면",
@ -723,6 +771,24 @@
"Your confirmed password is inconsistent with the password!": "확인된 비밀번호가 비밀번호와 일치하지 않습니다!", "Your confirmed password is inconsistent with the password!": "확인된 비밀번호가 비밀번호와 일치하지 않습니다!",
"sign in now": "지금 로그인하십시오" "sign in now": "지금 로그인하십시오"
}, },
"subscription": {
"Approved": "Approved",
"Duration": "기간",
"Duration - Tooltip": "구독 기간",
"Edit Subscription": "Edit Subscription",
"End Date": "종료일",
"End Date - Tooltip": "종료일",
"New Subscription": "New Subscription",
"Pending": "Pending",
"Start Date": "시작일",
"Start Date - Tooltip": "시작일",
"Sub plan": "구독 플랜",
"Sub plan - Tooltip": "구독 플랜",
"Sub plane": "Sub plane",
"Sub user": "Sub user",
"Sub users": "구독 사용자",
"Sub users - Tooltip": "구독 사용자"
},
"syncer": { "syncer": {
"Affiliation table": "소속 테이블", "Affiliation table": "소속 테이블",
"Affiliation table - Tooltip": "작업 단위의 데이터베이스 테이블 이름", "Affiliation table - Tooltip": "작업 단위의 데이터베이스 테이블 이름",
@ -887,36 +953,5 @@
"Method - Tooltip": "HTTP 방법", "Method - Tooltip": "HTTP 방법",
"New Webhook": "새로운 웹훅", "New Webhook": "새로운 웹훅",
"Value": "가치" "Value": "가치"
},
"plan": {
"Sub roles - Tooltip": "현재 플랜에 포함된 역할",
"PricePerMonth": "월별 가격",
"PricePerYear": "연간 가격",
"PerMonth": "월"
},
"pricing": {
"Sub plans": "추가 플랜",
"Sub plans - Tooltip": "Plans included in the current pricing",
"Has trial": "무료 체험 가능",
"Has trial - Tooltip": "플랜 선택 후 체험 기간의 가용 여부",
"Trial duration": "체험 기간",
"Trial duration - Tooltip": "체험 기간의 기간",
"Getting started": "시작하기",
"Copy pricing page URL": "가격 페이지 URL 복사",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "가격 페이지 URL이 클립보드에 성공적으로 복사되었습니다. 시크릿 창이나 다른 브라우저에 붙여넣기해주세요.",
"days trial available!": "일 무료 체험 가능!",
"Free": "무료"
},
"subscription": {
"Duration": "기간",
"Duration - Tooltip": "구독 기간",
"Start Date": "시작일",
"Start Date - Tooltip": "시작일",
"End Date": "종료일",
"End Date - Tooltip": "종료일",
"Sub users": "구독 사용자",
"Sub users - Tooltip": "구독 사용자",
"Sub plan": "구독 플랜",
"Sub plan - Tooltip": "구독 플랜"
} }
} }

View File

@ -56,14 +56,16 @@
"Grant types": "Tipos de concessão", "Grant types": "Tipos de concessão",
"Grant types - Tooltip": "Selecione quais tipos de concessão são permitidos no protocolo OAuth", "Grant types - Tooltip": "Selecione quais tipos de concessão são permitidos no protocolo OAuth",
"Incremental": "Incremental", "Incremental": "Incremental",
"Input": "Input",
"Left": "Esquerda", "Left": "Esquerda",
"Logged in successfully": "Login realizado com sucesso", "Logged in successfully": "Login realizado com sucesso",
"Logged out successfully": "Logout realizado com sucesso", "Logged out successfully": "Logout realizado com sucesso",
"New Application": "Nova Aplicação", "New Application": "Nova Aplicação",
"No verification": "Sem verificação", "No verification": "Sem verificação",
"None": "Nenhum",
"Normal": "Normal", "Normal": "Normal",
"Only signup": "Apenas registro", "Only signup": "Apenas registro",
"Org choice mode": "Org choice mode",
"Org choice mode - Tooltip": "Org choice mode - Tooltip",
"Please input your application!": "Por favor, insira o nome da sua aplicação!", "Please input your application!": "Por favor, insira o nome da sua aplicação!",
"Please input your organization!": "Por favor, insira o nome da sua organização!", "Please input your organization!": "Por favor, insira o nome da sua organização!",
"Please select a HTML file": "Por favor, selecione um arquivo HTML", "Please select a HTML file": "Por favor, selecione um arquivo HTML",
@ -82,6 +84,7 @@
"SAML metadata - Tooltip": "Os metadados do protocolo SAML", "SAML metadata - Tooltip": "Os metadados do protocolo SAML",
"SAML metadata URL copied to clipboard successfully": "URL dos metadados do SAML copiada para a área de transferência com sucesso", "SAML metadata URL copied to clipboard successfully": "URL dos metadados do SAML copiada para a área de transferência com sucesso",
"SAML reply URL": "URL de resposta do SAML", "SAML reply URL": "URL de resposta do SAML",
"Select": "Select",
"Side panel HTML": "HTML do painel lateral", "Side panel HTML": "HTML do painel lateral",
"Side panel HTML - Edit": "Editar HTML do painel lateral", "Side panel HTML - Edit": "Editar HTML do painel lateral",
"Side panel HTML - Tooltip": "Personalize o código HTML para o painel lateral da página de login", "Side panel HTML - Tooltip": "Personalize o código HTML para o painel lateral da página de login",
@ -121,7 +124,7 @@
"Private key copied to clipboard successfully": "Chave privada copiada para a área de transferência com sucesso", "Private key copied to clipboard successfully": "Chave privada copiada para a área de transferência com sucesso",
"Scope - Tooltip": "Cenários de uso do certificado", "Scope - Tooltip": "Cenários de uso do certificado",
"Type - Tooltip": "Tipo de certificado" "Type - Tooltip": "Tipo de certificado"
}, },
"chat": { "chat": {
"AI": "IA", "AI": "IA",
"Edit Chat": "Editar Chat", "Edit Chat": "Editar Chat",
@ -167,8 +170,13 @@
"Affiliation URL": "URL da Afiliação", "Affiliation URL": "URL da Afiliação",
"Affiliation URL - Tooltip": "A URL da página inicial para a afiliação", "Affiliation URL - Tooltip": "A URL da página inicial para a afiliação",
"Application": "Aplicação", "Application": "Aplicação",
"Application - Tooltip": "Application - Tooltip",
"Applications": "Aplicações", "Applications": "Aplicações",
"Applications that require authentication": "Aplicações que requerem autenticação", "Applications that require authentication": "Aplicações que requerem autenticação",
"Approve time": "Approve time",
"Approve time - Tooltip": "Approve time - Tooltip",
"Approver": "Approver",
"Approver - Tooltip": "Approver - Tooltip",
"Avatar": "Avatar", "Avatar": "Avatar",
"Avatar - Tooltip": "Imagem de avatar pública do usuário", "Avatar - Tooltip": "Imagem de avatar pública do usuário",
"Back": "Voltar", "Back": "Voltar",
@ -182,6 +190,7 @@
"Click to Upload": "Clique para Enviar", "Click to Upload": "Clique para Enviar",
"Client IP": "IP do Cliente", "Client IP": "IP do Cliente",
"Close": "Fechar", "Close": "Fechar",
"Confirm": "Confirm",
"Created time": "Hora de Criação", "Created time": "Hora de Criação",
"Default application": "Aplicação padrão", "Default application": "Aplicação padrão",
"Default application - Tooltip": "Aplicação padrão para usuários registrados diretamente na página da organização", "Default application - Tooltip": "Aplicação padrão para usuários registrados diretamente na página da organização",
@ -226,6 +235,8 @@
"Last name": "Sobrenome", "Last name": "Sobrenome",
"Logo": "Logo", "Logo": "Logo",
"Logo - Tooltip": "Ícones que o aplicativo apresenta para o mundo externo", "Logo - Tooltip": "Ícones que o aplicativo apresenta para o mundo externo",
"MFA items": "MFA items",
"MFA items - Tooltip": "MFA items - Tooltip",
"Master password": "Senha mestra", "Master password": "Senha mestra",
"Master password - Tooltip": "Pode ser usada para fazer login em todos os usuários desta organização, facilitando para os administradores fazerem login como este usuário para resolver problemas técnicos", "Master password - Tooltip": "Pode ser usada para fazer login em todos os usuários desta organização, facilitando para os administradores fazerem login como este usuário para resolver problemas técnicos",
"Menu": "Menu", "Menu": "Menu",
@ -236,6 +247,7 @@
"Models": "Modelos", "Models": "Modelos",
"Name": "Nome", "Name": "Nome",
"Name - Tooltip": "ID único em formato de string", "Name - Tooltip": "ID único em formato de string",
"None": "None",
"OAuth providers": "Provedores OAuth", "OAuth providers": "Provedores OAuth",
"OK": "OK", "OK": "OK",
"Organization": "Organização", "Organization": "Organização",
@ -253,8 +265,10 @@
"Phone": "Telefone", "Phone": "Telefone",
"Phone - Tooltip": "Número de telefone", "Phone - Tooltip": "Número de telefone",
"Phone or email": "Telefone ou email", "Phone or email": "Telefone ou email",
"Plans": "Kế hoạch",
"Preview": "Visualizar", "Preview": "Visualizar",
"Preview - Tooltip": "Visualizar os efeitos configurados", "Preview - Tooltip": "Visualizar os efeitos configurados",
"Pricings": "Bảng giá",
"Products": "Produtos", "Products": "Produtos",
"Provider": "Provedor", "Provider": "Provedor",
"Provider - Tooltip": "Provedores de pagamento a serem configurados, incluindo PayPal, Alipay, WeChat Pay, etc.", "Provider - Tooltip": "Provedores de pagamento a serem configurados, incluindo PayPal, Alipay, WeChat Pay, etc.",
@ -281,6 +295,9 @@
"Sorry, you do not have permission to access this page or logged in status invalid.": "Desculpe, você não tem permissão para acessar esta página ou o status de login é inválido.", "Sorry, you do not have permission to access this page or logged in status invalid.": "Desculpe, você não tem permissão para acessar esta página ou o status de login é inválido.",
"State": "Estado", "State": "Estado",
"State - Tooltip": "Estado", "State - Tooltip": "Estado",
"Submitter": "Submitter",
"Submitter - Tooltip": "Submitter - Tooltip",
"Subscriptions": "Đăng ký",
"Successfully added": "Adicionado com sucesso", "Successfully added": "Adicionado com sucesso",
"Successfully deleted": "Excluído com sucesso", "Successfully deleted": "Excluído com sucesso",
"Successfully saved": "Salvo com sucesso", "Successfully saved": "Salvo com sucesso",
@ -351,8 +368,12 @@
"Or sign in with another account": "Ou entre com outra conta", "Or sign in with another account": "Ou entre com outra conta",
"Please input your Email or Phone!": "Por favor, informe seu email ou telefone!", "Please input your Email or Phone!": "Por favor, informe seu email ou telefone!",
"Please input your code!": "Por favor, informe o código!", "Please input your code!": "Por favor, informe o código!",
"Please input your organization name!": "Please input your organization name!",
"Please input your password!": "Por favor, informe sua senha!", "Please input your password!": "Por favor, informe sua senha!",
"Please input your password, at least 6 characters!": "Por favor, informe sua senha, pelo menos 6 caracteres!", "Please input your password, at least 6 characters!": "Por favor, informe sua senha, pelo menos 6 caracteres!",
"Please select an organization": "Please select an organization",
"Please select an organization to sign in": "Please select an organization to sign in",
"Please type an organization to sign in": "Please type an organization to sign in",
"Redirecting, please wait.": "Redirecionando, por favor aguarde.", "Redirecting, please wait.": "Redirecionando, por favor aguarde.",
"Sign In": "Entrar", "Sign In": "Entrar",
"Sign in with WebAuthn": "Entrar com WebAuthn", "Sign in with WebAuthn": "Entrar com WebAuthn",
@ -365,7 +386,7 @@
"WebAuthn": "WebAuthn", "WebAuthn": "WebAuthn",
"sign up now": "Inscreva-se agora", "sign up now": "Inscreva-se agora",
"username, Email or phone": "Nome de usuário, email ou telefone" "username, Email or phone": "Nome de usuário, email ou telefone"
}, },
"message": { "message": {
"Author": "Autor", "Author": "Autor",
"Author - Tooltip": "Autor - Dica de ferramenta", "Author - Tooltip": "Autor - Dica de ferramenta",
@ -404,7 +425,7 @@
"Verify Password": "Verificar Senha", "Verify Password": "Verificar Senha",
"Your email is": "Seu e-mail é", "Your email is": "Seu e-mail é",
"Your phone is": "Seu telefone é", "Your phone is": "Seu telefone é",
"preferred": "Preferido" "preferred": "Preferido"
}, },
"model": { "model": {
"Edit Model": "Editar Modelo", "Edit Model": "Editar Modelo",
@ -423,6 +444,8 @@
"Is profile public - Tooltip": "Após ser fechado, apenas administradores globais ou usuários na mesma organização podem acessar a página de perfil do usuário", "Is profile public - Tooltip": "Após ser fechado, apenas administradores globais ou usuários na mesma organização podem acessar a página de perfil do usuário",
"Modify rule": "Modificar regra", "Modify rule": "Modificar regra",
"New Organization": "Nova Organização", "New Organization": "Nova Organização",
"Optional": "Optional",
"Required": "Required",
"Soft deletion": "Exclusão suave", "Soft deletion": "Exclusão suave",
"Soft deletion - Tooltip": "Quando ativada, a exclusão de usuários não os removerá completamente do banco de dados. Em vez disso, eles serão marcados como excluídos", "Soft deletion - Tooltip": "Quando ativada, a exclusão de usuários não os removerá completamente do banco de dados. Em vez disso, eles serão marcados como excluídos",
"Tags": "Tags", "Tags": "Tags",
@ -503,6 +526,34 @@
"TreeNode": "Nó da Árvore", "TreeNode": "Nó da Árvore",
"Write": "Escrever" "Write": "Escrever"
}, },
"plan": {
"Edit Plan": "Edit Plan",
"New Plan": "New Plan",
"PerMonth": "mỗi tháng",
"Price per month": "Price per month",
"Price per year": "Price per year",
"PricePerMonth": "Giá mỗi tháng",
"PricePerMonth - Tooltip": "PricePerMonth - Tooltip",
"PricePerYear": "Giá mỗi năm",
"PricePerYear - Tooltip": "PricePerYear - Tooltip",
"Sub role": "Sub role",
"Sub roles - Tooltip": "Vai trò bao gồm trong kế hoạch hiện tại"
},
"pricing": {
"Copy pricing page URL": "Sao chép URL trang bảng giá",
"Edit Pricing": "Edit Pricing",
"Free": "Miễn phí",
"Getting started": "Bắt đầu",
"Has trial": "Có thời gian thử nghiệm",
"Has trial - Tooltip": "Khả dụng thời gian thử nghiệm sau khi chọn kế hoạch",
"New Pricing": "New Pricing",
"Sub plans": "Kế hoạch phụ",
"Sub plans - Tooltip": "Sub plans - Tooltip",
"Trial duration": "Thời gian thử nghiệm",
"Trial duration - Tooltip": "Thời gian thử nghiệm",
"days trial available!": "ngày dùng thử có sẵn!",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "URL trang bảng giá đã được sao chép vào clipboard thành công, vui lòng dán vào cửa sổ ẩn danh hoặc trình duyệt khác"
},
"product": { "product": {
"Alipay": "Alipay", "Alipay": "Alipay",
"Buy": "Comprar", "Buy": "Comprar",
@ -536,7 +587,7 @@
"There is no payment channel for this product.": "Não há canal de pagamento disponível para este produto.", "There is no payment channel for this product.": "Não há canal de pagamento disponível para este produto.",
"This product is currently not in sale.": "Este produto não está disponível para venda no momento.", "This product is currently not in sale.": "Este produto não está disponível para venda no momento.",
"USD": "USD", "USD": "USD",
"WeChat Pay": "WeChat Pay" "WeChat Pay": "WeChat Pay"
}, },
"provider": { "provider": {
"Access key": "Chave de acesso", "Access key": "Chave de acesso",
@ -664,7 +715,7 @@
"Type - Tooltip": "Selecione um tipo", "Type - Tooltip": "Selecione um tipo",
"UserInfo URL": "URL do UserInfo", "UserInfo URL": "URL do UserInfo",
"UserInfo URL - Tooltip": "URL do UserInfo", "UserInfo URL - Tooltip": "URL do UserInfo",
"admin (Shared)": "admin (Compartilhado)" "admin (Shared)": "admin (Compartilhado)"
}, },
"record": { "record": {
"Is triggered": "Foi acionado" "Is triggered": "Foi acionado"
@ -720,6 +771,24 @@
"Your confirmed password is inconsistent with the password!": "Sua senha confirmada não é consistente com a senha!", "Your confirmed password is inconsistent with the password!": "Sua senha confirmada não é consistente com a senha!",
"sign in now": "Faça login agora" "sign in now": "Faça login agora"
}, },
"subscription": {
"Approved": "Approved",
"Duration": "Thời lượng",
"Duration - Tooltip": "Thời lượng đăng ký",
"Edit Subscription": "Edit Subscription",
"End Date": "Ngày kết thúc",
"End Date - Tooltip": "Ngày kết thúc",
"New Subscription": "New Subscription",
"Pending": "Pending",
"Start Date": "Ngày bắt đầu",
"Start Date - Tooltip": "Ngày bắt đầu",
"Sub plan": "Kế hoạch đăng ký",
"Sub plan - Tooltip": "Kế hoạch đăng ký",
"Sub plane": "Sub plane",
"Sub user": "Sub user",
"Sub users": "Người dùng đăng ký",
"Sub users - Tooltip": "Người dùng đăng ký"
},
"syncer": { "syncer": {
"Affiliation table": "Tabela de Afiliação", "Affiliation table": "Tabela de Afiliação",
"Affiliation table - Tooltip": "Nome da tabela no banco de dados da unidade de trabalho", "Affiliation table - Tooltip": "Nome da tabela no banco de dados da unidade de trabalho",
@ -785,92 +854,91 @@
"New Token": "Novo Token", "New Token": "Novo Token",
"Token type": "Tipo de Token" "Token type": "Tipo de Token"
}, },
"user": "user": {
{ "3rd-party logins": "Logins de terceiros",
"3rd-party logins": "Logins de terceiros", "3rd-party logins - Tooltip": "Logins sociais vinculados pelo usuário",
"3rd-party logins - Tooltip": "Logins sociais vinculados pelo usuário", "Address": "Endereço",
"Address": "Endereço", "Address - Tooltip": "Endereço residencial",
"Address - Tooltip": "Endereço residencial", "Affiliation": "Afiliação",
"Affiliation": "Afiliação", "Affiliation - Tooltip": "Empregador, como nome da empresa ou organização",
"Affiliation - Tooltip": "Empregador, como nome da empresa ou organização", "Bio": "Biografia",
"Bio": "Biografia", "Bio - Tooltip": "Autoapresentação do usuário",
"Bio - Tooltip": "Autoapresentação do usuário", "Birthday": "Aniversário",
"Birthday": "Aniversário", "Birthday - Tooltip": "Aniversário - Tooltip",
"Birthday - Tooltip": "Aniversário - Tooltip", "Captcha Verify Failed": "Falha na verificação de captcha",
"Captcha Verify Failed": "Falha na verificação de captcha", "Captcha Verify Success": "Verificação de captcha bem-sucedida",
"Captcha Verify Success": "Verificação de captcha bem-sucedida", "Country code": "Código do país",
"Country code": "Código do país", "Country/Region": "País/Região",
"Country/Region": "País/Região", "Country/Region - Tooltip": "País ou região",
"Country/Region - Tooltip": "País ou região", "Edit User": "Editar Usuário",
"Edit User": "Editar Usuário", "Education": "Educação",
"Education": "Educação", "Education - Tooltip": "Educação - Tooltip",
"Education - Tooltip": "Educação - Tooltip", "Email cannot be empty": "O e-mail não pode ficar em branco",
"Email cannot be empty": "O e-mail não pode ficar em branco", "Email/phone reset successfully": "Redefinição de e-mail/telefone com sucesso",
"Email/phone reset successfully": "Redefinição de e-mail/telefone com sucesso", "Empty input!": "Entrada vazia!",
"Empty input!": "Entrada vazia!", "Gender": "Gênero",
"Gender": "Gênero", "Gender - Tooltip": "Gênero - Tooltip",
"Gender - Tooltip": "Gênero - Tooltip", "Homepage": "Página inicial",
"Homepage": "Página inicial", "Homepage - Tooltip": "URL da página inicial do usuário",
"Homepage - Tooltip": "URL da página inicial do usuário", "ID card": "Cartão de identidade",
"ID card": "Cartão de identidade", "ID card - Tooltip": "Cartão de identidade - Tooltip",
"ID card - Tooltip": "Cartão de identidade - Tooltip", "ID card type": "Tipo de cartão de identidade",
"ID card type": "Tipo de cartão de identidade", "ID card type - Tooltip": "Tipo de cartão de identidade - Tooltip",
"ID card type - Tooltip": "Tipo de cartão de identidade - Tooltip", "Input your email": "Digite seu e-mail",
"Input your email": "Digite seu e-mail", "Input your phone number": "Digite seu número de telefone",
"Input your phone number": "Digite seu número de telefone", "Is admin": "É administrador",
"Is admin": "É administrador", "Is admin - Tooltip": um administrador da organização à qual o usuário pertence",
"Is admin - Tooltip": "É um administrador da organização à qual o usuário pertence", "Is deleted": "Foi excluído",
"Is deleted": "Foi excluído", "Is deleted - Tooltip": "Usuários excluídos somente mantêm registros no banco de dados e não podem realizar nenhuma operação",
"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": "Está proibido", "Is forbidden - Tooltip": "Usuários proibidos não podem fazer login novamente",
"Is forbidden - Tooltip": "Usuários proibidos não podem fazer login novamente", "Is global admin": "É administrador global",
"Is global admin": "É administrador global", "Is global admin - Tooltip": um administrador do Casdoor",
"Is global admin - Tooltip": "É um administrador do Casdoor", "Is online": "Está online",
"Is online": "Está online", "Karma": "Karma",
"Karma": "Karma", "Karma - Tooltip": "Karma - Tooltip",
"Karma - Tooltip": "Karma - Tooltip", "Keys": "Chaves",
"Keys": "Chaves", "Language": "Idioma",
"Language": "Idioma", "Language - Tooltip": "Idioma - Tooltip",
"Language - Tooltip": "Idioma - Tooltip", "Link": "Link",
"Link": "Link", "Location": "Localização",
"Location": "Localização", "Location - Tooltip": "Cidade de residência",
"Location - Tooltip": "Cidade de residência", "Managed accounts": "Contas gerenciadas",
"Managed accounts": "Contas gerenciadas", "Modify password...": "Modificar senha...",
"Modify password...": "Modificar senha...", "Multi-factor authentication": "Autenticação de vários fatores",
"Multi-factor authentication": "Autenticação de vários fatores", "New Email": "Novo E-mail",
"New Email": "Novo E-mail", "New Password": "Nova Senha",
"New Password": "Nova Senha", "New User": "Novo Usuário",
"New User": "Novo Usuário", "New phone": "Novo telefone",
"New phone": "Novo telefone", "Old Password": "Senha Antiga",
"Old Password": "Senha Antiga", "Password set successfully": "Senha definida com sucesso",
"Password set successfully": "Senha definida com sucesso", "Phone cannot be empty": "O telefone não pode ficar vazio",
"Phone cannot be empty": "O telefone não pode ficar vazio", "Please select avatar from resources": "Selecione um avatar dos recursos",
"Please select avatar from resources": "Selecione um avatar dos recursos", "Properties": "Propriedades",
"Properties": "Propriedades", "Properties - Tooltip": "Propriedades do usuário",
"Properties - Tooltip": "Propriedades do usuário", "Ranking": "Classificação",
"Ranking": "Classificação", "Ranking - Tooltip": "Classificação - Tooltip",
"Ranking - Tooltip": "Classificação - Tooltip", "Re-enter New": "Digite Novamente",
"Re-enter New": "Digite Novamente", "Reset Email...": "Redefinir E-mail...",
"Reset Email...": "Redefinir E-mail...", "Reset Phone...": "Redefinir Telefone...",
"Reset Phone...": "Redefinir Telefone...", "Score": "Pontuação",
"Score": "Pontuação", "Score - Tooltip": "Pontuação - Tooltip",
"Score - Tooltip": "Pontuação - Tooltip", "Select a photo...": "Selecionar uma foto...",
"Select a photo...": "Selecionar uma foto...", "Set Password": "Definir Senha",
"Set Password": "Definir Senha", "Set new profile picture": "Definir nova foto de perfil",
"Set new profile picture": "Definir nova foto de perfil", "Set password...": "Definir senha...",
"Set password...": "Definir senha...", "Tag": "Tag",
"Tag": "Tag", "Tag - Tooltip": "Tag do usuário",
"Tag - Tooltip": "Tag do usuário", "Title": "Título",
"Title": "Título", "Title - Tooltip": "Cargo na afiliação",
"Title - Tooltip": "Cargo na afiliação", "Two passwords you typed do not match.": "As duas senhas digitadas não coincidem.",
"Two passwords you typed do not match.": "As duas senhas digitadas não coincidem.", "Unlink": "Desvincular",
"Unlink": "Desvincular", "Upload (.xlsx)": "Enviar (.xlsx)",
"Upload (.xlsx)": "Enviar (.xlsx)", "Upload a photo": "Enviar uma foto",
"Upload a photo": "Enviar uma foto", "Values": "Valores",
"Values": "Valores", "Verification code sent": "Código de verificação enviado",
"Verification code sent": "Código de verificação enviado", "WebAuthn credentials": "Credenciais WebAuthn",
"WebAuthn credentials": "Credenciais WebAuthn", "input password": "Digite a senha"
"input password": "Digite a senha"
}, },
"webhook": { "webhook": {
"Content type": "Tipo de conteúdo", "Content type": "Tipo de conteúdo",

View File

@ -56,14 +56,16 @@
"Grant types": "Типы грантов", "Grant types": "Типы грантов",
"Grant types - Tooltip": "Выберите, какие типы грантов разрешены в протоколе OAuth", "Grant types - Tooltip": "Выберите, какие типы грантов разрешены в протоколе OAuth",
"Incremental": "Incremental", "Incremental": "Incremental",
"Input": "Input",
"Left": "Левый", "Left": "Левый",
"Logged in successfully": "Успешный вход в систему", "Logged in successfully": "Успешный вход в систему",
"Logged out successfully": "Успешный выход из системы", "Logged out successfully": "Успешный выход из системы",
"New Application": "Новое приложение", "New Application": "Новое приложение",
"No verification": "No verification", "No verification": "No verification",
"None": "Никакой",
"Normal": "Normal", "Normal": "Normal",
"Only signup": "Only signup", "Only signup": "Only signup",
"Org choice mode": "Org choice mode",
"Org choice mode - Tooltip": "Org choice mode - Tooltip",
"Please input your application!": "Пожалуйста, введите свою заявку!", "Please input your application!": "Пожалуйста, введите свою заявку!",
"Please input your organization!": "Пожалуйста, введите название вашей организации!", "Please input your organization!": "Пожалуйста, введите название вашей организации!",
"Please select a HTML file": "Пожалуйста, выберите файл HTML", "Please select a HTML file": "Пожалуйста, выберите файл HTML",
@ -82,6 +84,7 @@
"SAML metadata - Tooltip": "Метаданные протокола SAML", "SAML metadata - Tooltip": "Метаданные протокола SAML",
"SAML metadata URL copied to clipboard successfully": "URL метаданных SAML успешно скопирован в буфер обмена", "SAML metadata URL copied to clipboard successfully": "URL метаданных SAML успешно скопирован в буфер обмена",
"SAML reply URL": "URL ответа SAML", "SAML reply URL": "URL ответа SAML",
"Select": "Select",
"Side panel HTML": "Боковая панель HTML", "Side panel HTML": "Боковая панель HTML",
"Side panel HTML - Edit": "Боковая панель HTML - Редактировать", "Side panel HTML - Edit": "Боковая панель HTML - Редактировать",
"Side panel HTML - Tooltip": "Настроить HTML-код для боковой панели страницы входа в систему", "Side panel HTML - Tooltip": "Настроить HTML-код для боковой панели страницы входа в систему",
@ -167,8 +170,13 @@
"Affiliation URL": "URL принадлежности", "Affiliation URL": "URL принадлежности",
"Affiliation URL - Tooltip": "URL домашней страницы для аффилированности", "Affiliation URL - Tooltip": "URL домашней страницы для аффилированности",
"Application": "Приложение", "Application": "Приложение",
"Application - Tooltip": "Application - Tooltip",
"Applications": "Приложения", "Applications": "Приложения",
"Applications that require authentication": "Приложения, которые требуют аутентификации", "Applications that require authentication": "Приложения, которые требуют аутентификации",
"Approve time": "Approve time",
"Approve time - Tooltip": "Approve time - Tooltip",
"Approver": "Approver",
"Approver - Tooltip": "Approver - Tooltip",
"Avatar": "Аватар", "Avatar": "Аватар",
"Avatar - Tooltip": "Публичное изображение аватара пользователя", "Avatar - Tooltip": "Публичное изображение аватара пользователя",
"Back": "Back", "Back": "Back",
@ -182,6 +190,7 @@
"Click to Upload": "Нажмите, чтобы загрузить", "Click to Upload": "Нажмите, чтобы загрузить",
"Client IP": "Клиентский IP", "Client IP": "Клиентский IP",
"Close": "Близко", "Close": "Близко",
"Confirm": "Confirm",
"Created time": "Созданное время", "Created time": "Созданное время",
"Default application": "Приложение по умолчанию", "Default application": "Приложение по умолчанию",
"Default application - Tooltip": "По умолчанию приложение для пользователей, зарегистрированных непосредственно со страницы организации", "Default application - Tooltip": "По умолчанию приложение для пользователей, зарегистрированных непосредственно со страницы организации",
@ -219,13 +228,15 @@
"ID - Tooltip": "Уникальная случайная строка", "ID - Tooltip": "Уникальная случайная строка",
"Is enabled": "Включен", "Is enabled": "Включен",
"Is enabled - Tooltip": "Установить, может ли использоваться", "Is enabled - Tooltip": "Установить, может ли использоваться",
"LDAPs": "LDAPы", "LDAPs": "LDAPs",
"LDAPs - Tooltip": "LDAP серверы", "LDAPs - Tooltip": "LDAP серверы",
"Languages": "Языки", "Languages": "Языки",
"Languages - Tooltip": "Доступные языки", "Languages - Tooltip": "Доступные языки",
"Last name": "Фамилия", "Last name": "Фамилия",
"Logo": "Логотип", "Logo": "Логотип",
"Logo - Tooltip": "Иконки, которые приложение представляет во внешний мир", "Logo - Tooltip": "Иконки, которые приложение представляет во внешний мир",
"MFA items": "MFA items",
"MFA items - Tooltip": "MFA items - Tooltip",
"Master password": "Главный пароль", "Master password": "Главный пароль",
"Master password - Tooltip": "Можно использовать для входа в учетные записи всех пользователей этой организации, что удобно для администраторов, чтобы войти в качестве этого пользователя и решить технические проблемы", "Master password - Tooltip": "Можно использовать для входа в учетные записи всех пользователей этой организации, что удобно для администраторов, чтобы войти в качестве этого пользователя и решить технические проблемы",
"Menu": "Меню", "Menu": "Меню",
@ -236,6 +247,7 @@
"Models": "Модели", "Models": "Модели",
"Name": "Имя", "Name": "Имя",
"Name - Tooltip": "Уникальный идентификатор на основе строки", "Name - Tooltip": "Уникальный идентификатор на основе строки",
"None": "None",
"OAuth providers": "Провайдеры OAuth", "OAuth providers": "Провайдеры OAuth",
"OK": "OK - Хорошо", "OK": "OK - Хорошо",
"Organization": "Организация", "Organization": "Организация",
@ -254,9 +266,9 @@
"Phone - Tooltip": "Номер телефона", "Phone - Tooltip": "Номер телефона",
"Phone or email": "Phone or email", "Phone or email": "Phone or email",
"Plans": "Планы", "Plans": "Планы",
"Pricings": "Тарифы",
"Preview": "Предварительный просмотр", "Preview": "Предварительный просмотр",
"Preview - Tooltip": "Предварительный просмотр настроенных эффектов", "Preview - Tooltip": "Предварительный просмотр настроенных эффектов",
"Pricings": "Тарифы",
"Products": "Продукты", "Products": "Продукты",
"Provider": "Провайдер", "Provider": "Провайдер",
"Provider - Tooltip": "Провайдеры платежей должны быть настроены, включая PayPal, Alipay, WeChat Pay и т.д.", "Provider - Tooltip": "Провайдеры платежей должны быть настроены, включая PayPal, Alipay, WeChat Pay и т.д.",
@ -283,6 +295,8 @@
"Sorry, you do not have permission to access this page or logged in status invalid.": "К сожалению, у вас нет разрешения на доступ к этой странице или ваш статус входа недействителен.", "Sorry, you do not have permission to access this page or logged in status invalid.": "К сожалению, у вас нет разрешения на доступ к этой странице или ваш статус входа недействителен.",
"State": "Государство", "State": "Государство",
"State - Tooltip": "Государство", "State - Tooltip": "Государство",
"Submitter": "Submitter",
"Submitter - Tooltip": "Submitter - Tooltip",
"Subscriptions": "Подписки", "Subscriptions": "Подписки",
"Successfully added": "Успешно добавлено", "Successfully added": "Успешно добавлено",
"Successfully deleted": "Успешно удалено", "Successfully deleted": "Успешно удалено",
@ -309,12 +323,12 @@
"User type - Tooltip": "Теги, к которым принадлежит пользователь, по умолчанию \"обычный пользователь\"", "User type - Tooltip": "Теги, к которым принадлежит пользователь, по умолчанию \"обычный пользователь\"",
"Users": "Пользователи", "Users": "Пользователи",
"Users under all organizations": "Пользователи всех организаций", "Users under all organizations": "Пользователи всех организаций",
"Webhooks": "Вебхуки", "Webhooks": "Webhooks",
"empty": "пустые", "empty": "пустые",
"{total} in total": "{total} в общей сложности" "{total} in total": "{total} в общей сложности"
}, },
"ldap": { "ldap": {
"Admin": "Админ", "Admin": "Admin",
"Admin - Tooltip": "CN или ID администратора сервера LDAP", "Admin - Tooltip": "CN или ID администратора сервера LDAP",
"Admin Password": "Пароль администратора", "Admin Password": "Пароль администратора",
"Admin Password - Tooltip": "Пароль администратора сервера LDAP", "Admin Password - Tooltip": "Пароль администратора сервера LDAP",
@ -322,7 +336,7 @@
"Auto Sync - Tooltip": "Автоматическая синхронизация настроек отключена при значении 0", "Auto Sync - Tooltip": "Автоматическая синхронизация настроек отключена при значении 0",
"Base DN": "Базовый DN", "Base DN": "Базовый DN",
"Base DN - Tooltip": "Базовый DN во время поиска LDAP", "Base DN - Tooltip": "Базовый DN во время поиска LDAP",
"CN": "КНР", "CN": "CN",
"Edit LDAP": "Изменить LDAP", "Edit LDAP": "Изменить LDAP",
"Enable SSL": "Включить SSL", "Enable SSL": "Включить SSL",
"Enable SSL - Tooltip": "Перевод: Следует ли включать SSL", "Enable SSL - Tooltip": "Перевод: Следует ли включать SSL",
@ -354,8 +368,12 @@
"Or sign in with another account": "Или войти с другой учетной записью", "Or sign in with another account": "Или войти с другой учетной записью",
"Please input your Email or Phone!": "Пожалуйста, введите свой адрес электронной почты или номер телефона!", "Please input your Email or Phone!": "Пожалуйста, введите свой адрес электронной почты или номер телефона!",
"Please input your code!": "Пожалуйста, введите свой код!", "Please input your code!": "Пожалуйста, введите свой код!",
"Please input your organization name!": "Please input your organization name!",
"Please input your password!": "Пожалуйста, введите свой пароль!", "Please input your password!": "Пожалуйста, введите свой пароль!",
"Please input your password, at least 6 characters!": "Пожалуйста, введите свой пароль, длина должна быть не менее 6 символов!", "Please input your password, at least 6 characters!": "Пожалуйста, введите свой пароль, длина должна быть не менее 6 символов!",
"Please select an organization": "Please select an organization",
"Please select an organization to sign in": "Please select an organization to sign in",
"Please type an organization to sign in": "Please type an organization to sign in",
"Redirecting, please wait.": "Перенаправление, пожалуйста, подождите.", "Redirecting, please wait.": "Перенаправление, пожалуйста, подождите.",
"Sign In": "Войти", "Sign In": "Войти",
"Sign in with WebAuthn": "Войти с помощью WebAuthn", "Sign in with WebAuthn": "Войти с помощью WebAuthn",
@ -426,6 +444,8 @@
"Is profile public - Tooltip": "После закрытия страницы профиля, только глобальные администраторы или пользователи из той же организации могут получить к ней доступ", "Is profile public - Tooltip": "После закрытия страницы профиля, только глобальные администраторы или пользователи из той же организации могут получить к ней доступ",
"Modify rule": "Изменить правило", "Modify rule": "Изменить правило",
"New Organization": "Новая организация", "New Organization": "Новая организация",
"Optional": "Optional",
"Required": "Required",
"Soft deletion": "Мягкое удаление", "Soft deletion": "Мягкое удаление",
"Soft deletion - Tooltip": "Когда включено, удаление пользователей не полностью удаляет их из базы данных. Вместо этого они будут помечены как удаленные", "Soft deletion - Tooltip": "Когда включено, удаление пользователей не полностью удаляет их из базы данных. Вместо этого они будут помечены как удаленные",
"Tags": "Теги", "Tags": "Теги",
@ -506,6 +526,34 @@
"TreeNode": "Узел дерева", "TreeNode": "Узел дерева",
"Write": "Написать" "Write": "Написать"
}, },
"plan": {
"Edit Plan": "Edit Plan",
"New Plan": "New Plan",
"PerMonth": "в месяц",
"Price per month": "Price per month",
"Price per year": "Price per year",
"PricePerMonth": "Цена за месяц",
"PricePerMonth - Tooltip": "PricePerMonth - Tooltip",
"PricePerYear": "Цена за год",
"PricePerYear - Tooltip": "PricePerYear - Tooltip",
"Sub role": "Sub role",
"Sub roles - Tooltip": "Роль, включенная в текущий план"
},
"pricing": {
"Copy pricing page URL": "Скопировать URL прайс-листа",
"Edit Pricing": "Edit Pricing",
"Free": "Бесплатно",
"Getting started": "Выьрать план",
"Has trial": "Есть пробный период",
"Has trial - Tooltip": "Наличие пробного периода после выбора плана",
"New Pricing": "New Pricing",
"Sub plans": "Тарифные планы",
"Sub plans - Tooltip": "Sub plans - Tooltip",
"Trial duration": "Продолжительность пробного периода",
"Trial duration - Tooltip": "Продолжительность пробного периода",
"days trial available!": "дней пробного периода доступно!",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "URL страницы прайс-листа успешно скопирован в буфер обмена, пожалуйста, вставьте его в режиме инкогнито или другом браузере"
},
"product": { "product": {
"Alipay": "Alipay", "Alipay": "Alipay",
"Buy": "Купить", "Buy": "Купить",
@ -593,7 +641,7 @@
"From name - Tooltip": "From name - Tooltip", "From name - Tooltip": "From name - Tooltip",
"Host": "Хост", "Host": "Хост",
"Host - Tooltip": "Имя хоста", "Host - Tooltip": "Имя хоста",
"IdP": "ИдП", "IdP": "IdP",
"IdP certificate": "Сертификат IdP", "IdP certificate": "Сертификат IdP",
"Intelligent Validation": "Intelligent Validation", "Intelligent Validation": "Intelligent Validation",
"Internal": "Internal", "Internal": "Internal",
@ -627,7 +675,7 @@
"SMS account - Tooltip": "СМС-аккаунт", "SMS account - Tooltip": "СМС-аккаунт",
"SMS sent successfully": "SMS успешно отправлено", "SMS sent successfully": "SMS успешно отправлено",
"SP ACS URL": "SP ACS URL", "SP ACS URL": "SP ACS URL",
"SP ACS URL - Tooltip": "SP ACS URL - Подсказка", "SP ACS URL - Tooltip": "SP ACS URL",
"SP Entity ID": "Идентификатор сущности SP", "SP Entity ID": "Идентификатор сущности SP",
"Scene": "Сцена", "Scene": "Сцена",
"Scene - Tooltip": "Сцена", "Scene - Tooltip": "Сцена",
@ -723,6 +771,24 @@
"Your confirmed password is inconsistent with the password!": "Ваш подтвержденный пароль не соответствует паролю!", "Your confirmed password is inconsistent with the password!": "Ваш подтвержденный пароль не соответствует паролю!",
"sign in now": "войти сейчас" "sign in now": "войти сейчас"
}, },
"subscription": {
"Approved": "Approved",
"Duration": "Продолжительность",
"Duration - Tooltip": "Продолжительность подписки",
"Edit Subscription": "Edit Subscription",
"End Date": "Дата окончания",
"End Date - Tooltip": "Дата окончания",
"New Subscription": "New Subscription",
"Pending": "Pending",
"Start Date": "Дата начала",
"Start Date - Tooltip": "Дата начала",
"Sub plan": "План подписки",
"Sub plan - Tooltip": "План подписки",
"Sub plane": "Sub plane",
"Sub user": "Sub user",
"Sub users": "Пользователь подписки",
"Sub users - Tooltip": "Пользователь которому офомлена подписка"
},
"syncer": { "syncer": {
"Affiliation table": "Таблица принадлежности", "Affiliation table": "Таблица принадлежности",
"Affiliation table - Tooltip": "Имя таблицы базы данных рабочей единицы", "Affiliation table - Tooltip": "Имя таблицы базы данных рабочей единицы",
@ -887,36 +953,5 @@
"Method - Tooltip": "Метод HTTP", "Method - Tooltip": "Метод HTTP",
"New Webhook": "Новый вебхук", "New Webhook": "Новый вебхук",
"Value": "Значение" "Value": "Значение"
},
"plan": {
"Sub roles - Tooltip": "Роль, включенная в текущий план",
"PricePerMonth": "Цена за месяц",
"PricePerYear": "Цена за год",
"PerMonth": "в месяц"
},
"pricing": {
"Sub plans": "Тарифные планы",
"Sub plans - Tooltip": "Plans included in the current pricing",
"Has trial": "Есть пробный период",
"Has trial - Tooltip": "Наличие пробного периода после выбора плана",
"Trial duration": "Продолжительность пробного периода",
"Trial duration - Tooltip": "Продолжительность пробного периода",
"Getting started": "Выьрать план",
"Copy pricing page URL": "Скопировать URL прайс-листа",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "URL страницы прайс-листа успешно скопирован в буфер обмена, пожалуйста, вставьте его в режиме инкогнито или другом браузере",
"days trial available!": "дней пробного периода доступно!",
"Free": "Бесплатно"
},
"subscription": {
"Duration": "Продолжительность",
"Duration - Tooltip": "Продолжительность подписки",
"Start Date": "Дата начала",
"Start Date - Tooltip": "Дата начала",
"End Date": "Дата окончания",
"End Date - Tooltip": "Дата окончания",
"Sub users": "Пользователь подписки",
"Sub users - Tooltip": "Пользователь которому офомлена подписка",
"Sub plan": "План подписки",
"Sub plan - Tooltip": "План подписки"
} }
} }

View File

@ -26,7 +26,7 @@
"Copy signin page URL": "Sao chép URL trang đăng nhập", "Copy signin page URL": "Sao chép URL trang đăng nhập",
"Copy signup page URL": "Sao chép URL trang đăng ký", "Copy signup page URL": "Sao chép URL trang đăng ký",
"Dynamic": "Dynamic", "Dynamic": "Dynamic",
"Edit Application": "Sửa ứng dụng", "Edit Application": "Chỉnh sửa ứng dụng",
"Enable Email linking": "Cho phép liên kết Email", "Enable Email linking": "Cho phép liên kết Email",
"Enable Email linking - Tooltip": "Khi sử dụng nhà cung cấp bên thứ ba để đăng nhập, nếu có người dùng trong tổ chức có cùng địa chỉ Email, phương pháp đăng nhập bên thứ ba sẽ tự động được liên kết với người dùng đó", "Enable Email linking - Tooltip": "Khi sử dụng nhà cung cấp bên thứ ba để đăng nhập, nếu có người dùng trong tổ chức có cùng địa chỉ Email, phương pháp đăng nhập bên thứ ba sẽ tự động được liên kết với người dùng đó",
"Enable SAML compression": "Cho phép nén SAML", "Enable SAML compression": "Cho phép nén SAML",
@ -43,10 +43,10 @@
"Enable signup - Tooltip": "Có cho phép người dùng đăng ký tài khoản mới không?", "Enable signup - Tooltip": "Có cho phép người dùng đăng ký tài khoản mới không?",
"Failed to sign in": "Không đăng nhập được", "Failed to sign in": "Không đăng nhập được",
"File uploaded successfully": "Tệp được tải lên thành công", "File uploaded successfully": "Tệp được tải lên thành công",
"First, last": "Tên, Họ", "First, last": "First, last",
"Follow organization theme": "Theo giao diện tổ chức", "Follow organization theme": "Theo chủ đề tổ chức",
"Form CSS": "Mẫu CSS", "Form CSS": "Mẫu CSS",
"Form CSS - Edit": "Biểu mẫu CSS - Sửa", "Form CSS - Edit": "Biểu mẫu CSS - Chỉnh sửa",
"Form CSS - Tooltip": "Phong cách CSS của các biểu mẫu đăng ký, đăng nhập và quên mật khẩu (ví dụ: thêm đường viền và bóng)", "Form CSS - Tooltip": "Phong cách CSS của các biểu mẫu đăng ký, đăng nhập và quên mật khẩu (ví dụ: thêm đường viền và bóng)",
"Form CSS Mobile": "Form CSS Mobile", "Form CSS Mobile": "Form CSS Mobile",
"Form CSS Mobile - Edit": "Form CSS Mobile - Edit", "Form CSS Mobile - Edit": "Form CSS Mobile - Edit",
@ -55,26 +55,28 @@
"Form position - Tooltip": "Vị trí của các biểu mẫu đăng ký, đăng nhập và quên mật khẩu", "Form position - Tooltip": "Vị trí của các biểu mẫu đăng ký, đăng nhập và quên mật khẩu",
"Grant types": "Loại hỗ trợ", "Grant types": "Loại hỗ trợ",
"Grant types - Tooltip": "Chọn loại hỗ trợ được cho phép trong giao thức OAuth", "Grant types - Tooltip": "Chọn loại hỗ trợ được cho phép trong giao thức OAuth",
"Incremental": "Tăng", "Incremental": "Incremental",
"Input": "Input",
"Left": "Trái", "Left": "Trái",
"Logged in successfully": "Đăng nhập thành công", "Logged in successfully": "Đăng nhập thành công",
"Logged out successfully": "Đã đăng xuất thành công", "Logged out successfully": "Đã đăng xuất thành công",
"New Application": "Ứng dụng mới", "New Application": "Ứng dụng mới",
"No verification": "Không xác minh", "No verification": "No verification",
"None": "Không", "Normal": "Normal",
"Normal": "Bình thường", "Only signup": "Only signup",
"Only signup": "Chỉ đăng ký", "Org choice mode": "Org choice mode",
"Please input your application!": "Vui lòng nhập ứng dụng của bạn!", "Org choice mode - Tooltip": "Org choice mode - Tooltip",
"Please input your organization!": "Vui lòng nhập tổ chức của bạn!", "Please input your application!": "Vui lòng nhập đơn của bạn!",
"Please input your organization!": "Vui lòng nhập tên tổ chức của bạn!",
"Please select a HTML file": "Vui lòng chọn tệp HTML", "Please select a HTML file": "Vui lòng chọn tệp HTML",
"Prompt page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "Đã sao chép đường dẫn thành công, hãy dán nó vào cửa sổ ẩn danh hoặc trình duyệt khác", "Prompt page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "Đã sao chép đường dẫn trang một cách thành công, hãy dán nó vào cửa sổ ẩn danh hoặc trình duyệt khác",
"Random": "Ngẫu nhiên", "Random": "Random",
"Real name": "Tên thật", "Real name": "Real name",
"Redirect URL": "Chuyển hướng URL", "Redirect URL": "Chuyển hướng đường dẫn URL",
"Redirect URL (Assertion Consumer Service POST Binding URL) - Tooltip": "Điều hướng URL (URL khung POST Dịch vụ Tiêu thụ Khẳng định)", "Redirect URL (Assertion Consumer Service POST Binding URL) - Tooltip": "Điều hướng URL (URL khung POST Dịch vụ Tiêu thụ Khẳng định)",
"Redirect URLs": "Chuyển hướng URL", "Redirect URLs": "Chuyển hướng URL",
"Redirect URLs - Tooltip": "Danh sách URL chuyển hướng được phép, hỗ trợ khớp biểu thức chính quy; các URL không có trong danh sách sẽ không được chuyển hướng", "Redirect URLs - Tooltip": "Danh sách URL chuyển hướng được phép, hỗ trợ khớp biểu thức chính quy; các URL không có trong danh sách sẽ không được chuyển hướng",
"Refresh token expire": "Làm mới mã thông báo hết hạn", "Refresh token expire": "Refresh token hết hạn",
"Refresh token expire - Tooltip": "Thời gian hết hạn của mã thông báo làm mới", "Refresh token expire - Tooltip": "Thời gian hết hạn của mã thông báo làm mới",
"Right": "Đúng", "Right": "Đúng",
"Rule": "Quy tắc", "Rule": "Quy tắc",
@ -82,12 +84,13 @@
"SAML metadata - Tooltip": "Các siêu dữ liệu của giao thức SAML", "SAML metadata - Tooltip": "Các siêu dữ liệu của giao thức SAML",
"SAML metadata URL copied to clipboard successfully": "URL metadata SAML đã được sao chép vào bộ nhớ tạm thành công", "SAML metadata URL copied to clipboard successfully": "URL metadata SAML đã được sao chép vào bộ nhớ tạm thành công",
"SAML reply URL": "URL phản hồi SAML", "SAML reply URL": "URL phản hồi SAML",
"Select": "Select",
"Side panel HTML": "Bảng điều khiển HTML bên lề", "Side panel HTML": "Bảng điều khiển HTML bên lề",
"Side panel HTML - Edit": "Bảng Panel Bên - Chỉnh sửa HTML", "Side panel HTML - Edit": "Bảng Panel Bên - Chỉnh sửa HTML",
"Side panel HTML - Tooltip": "Tùy chỉnh mã HTML cho bảng điều khiển bên của trang đăng nhập", "Side panel HTML - Tooltip": "Tùy chỉnh mã HTML cho bảng điều khiển bên của trang đăng nhập",
"Sign Up Error": "Lỗi đăng ký", "Sign Up Error": "Lỗi đăng ký",
"Signin": "Đăng nhập", "Signin": "Signin",
"Signin (Default True)": "Đăng nhập (Mặc định đúng)", "Signin (Default True)": "Signin (Default True)",
"Signin page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "Đã sao chép thành công địa chỉ URL trang Đăng nhập vào clipboard, vui lòng dán nó vào cửa sổ ẩn danh hoặc trình duyệt khác", "Signin page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "Đã sao chép thành công địa chỉ URL trang Đăng nhập vào clipboard, vui lòng dán nó vào cửa sổ ẩn danh hoặc trình duyệt khác",
"Signin session": "Phiên đăng nhập", "Signin session": "Phiên đăng nhập",
"Signup items": "Các mục đăng ký", "Signup items": "Các mục đăng ký",
@ -108,7 +111,7 @@
"Certificate copied to clipboard successfully": "Chứng chỉ đã được sao chép vào bộ nhớ tạm thành công", "Certificate copied to clipboard successfully": "Chứng chỉ đã được sao chép vào bộ nhớ tạm thành công",
"Copy certificate": "Bản sao chứng chỉ", "Copy certificate": "Bản sao chứng chỉ",
"Copy private key": "Sao chép khóa riêng tư", "Copy private key": "Sao chép khóa riêng tư",
"Crypto algorithm": "Thuật toán mã hóa", "Crypto algorithm": "Thuật toán mật mã",
"Crypto algorithm - Tooltip": "Thuật toán mã hóa được sử dụng bởi chứng chỉ", "Crypto algorithm - Tooltip": "Thuật toán mã hóa được sử dụng bởi chứng chỉ",
"Download certificate": "Tải xuống chứng chỉ", "Download certificate": "Tải xuống chứng chỉ",
"Download private key": "Tải xuống khóa riêng tư", "Download private key": "Tải xuống khóa riêng tư",
@ -163,18 +166,23 @@
"Adapter": "Bộ chuyển đổi", "Adapter": "Bộ chuyển đổi",
"Adapter - Tooltip": "Tên bảng của kho lưu trữ chính sách", "Adapter - Tooltip": "Tên bảng của kho lưu trữ chính sách",
"Adapters": "Bộ chuyển đổi", "Adapters": "Bộ chuyển đổi",
"Add": "Tạo mới", "Add": "Thêm vào",
"Affiliation URL": "Đường dẫn liên kết liên kết", "Affiliation URL": "Đường dẫn liên kết liên kết",
"Affiliation URL - Tooltip": "Đường dẫn URL trang chủ của liên kết", "Affiliation URL - Tooltip": "Đường dẫn URL trang chủ của liên kết",
"Application": "Ứng dụng", "Application": "Ứng dụng",
"Application - Tooltip": "Application - Tooltip",
"Applications": "Ứng dụng", "Applications": "Ứng dụng",
"Applications that require authentication": "Các ứng dụng yêu cầu xác thực", "Applications that require authentication": "Các ứng dụng yêu cầu xác thực",
"Approve time": "Approve time",
"Approve time - Tooltip": "Approve time - Tooltip",
"Approver": "Approver",
"Approver - Tooltip": "Approver - Tooltip",
"Avatar": "Ảnh đại diện", "Avatar": "Ảnh đại diện",
"Avatar - Tooltip": "Ảnh đại diện công khai cho người dùng", "Avatar - Tooltip": "Ảnh đại diện công khai cho người dùng",
"Back": "Back", "Back": "Back",
"Back Home": "Trở về nhà", "Back Home": "Trở về nhà",
"Cancel": "Hủy bỏ", "Cancel": "Hủy bỏ",
"Captcha": "Mã xác minh", "Captcha": "Captcha",
"Cert": "Chứng chỉ", "Cert": "Chứng chỉ",
"Cert - Tooltip": "Chứng chỉ khóa công khai cần được xác minh bởi SDK khách hàng tương ứng với ứng dụng này", "Cert - Tooltip": "Chứng chỉ khóa công khai cần được xác minh bởi SDK khách hàng tương ứng với ứng dụng này",
"Certs": "Chứng chỉ", "Certs": "Chứng chỉ",
@ -182,6 +190,7 @@
"Click to Upload": "Nhấp để tải lên", "Click to Upload": "Nhấp để tải lên",
"Client IP": "Địa chỉ IP của khách hàng", "Client IP": "Địa chỉ IP của khách hàng",
"Close": "Đóng lại", "Close": "Đóng lại",
"Confirm": "Confirm",
"Created time": "Thời gian tạo", "Created time": "Thời gian tạo",
"Default application": "Ứng dụng mặc định", "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", "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",
@ -193,7 +202,7 @@
"Display name": "Tên hiển thị", "Display name": "Tên hiển thị",
"Display name - Tooltip": "Một tên dễ sử dụng, dễ đọc được hiển thị công khai trên giao diện người dùng", "Display name - Tooltip": "Một tên dễ sử dụng, dễ đọc được hiển thị công khai trên giao diện người dùng",
"Down": "Xuống", "Down": "Xuống",
"Edit": "Sửa", "Edit": "Chỉnh sửa",
"Email": "Email: Thư điện tử", "Email": "Email: Thư điện tử",
"Email - Tooltip": "Địa chỉ email hợp lệ", "Email - Tooltip": "Địa chỉ email hợp lệ",
"Enable": "Enable", "Enable": "Enable",
@ -204,12 +213,12 @@
"Failed to delete": "Không thể xoá", "Failed to delete": "Không thể xoá",
"Failed to enable": "Failed to enable", "Failed to enable": "Failed to enable",
"Failed to get answer": "Failed to get answer", "Failed to get answer": "Failed to get answer",
"Failed to save": "Không thể lưu lại", "Failed to save": "Không thể lưu được",
"Failed to verify": "Failed to verify", "Failed to verify": "Failed to verify",
"Favicon": "Favicon", "Favicon": "Favicon",
"Favicon - Tooltip": "URL biểu tượng Favicon được sử dụng trong tất cả các trang của tổ chức Casdoor", "Favicon - Tooltip": "URL biểu tượng Favicon được sử dụng trong tất cả các trang của tổ chức Casdoor",
"First name": "Tên", "First name": "Tên đầu tiên",
"Forget URL": "Quên URL", "Forget URL": "Quên đường dẫn URL",
"Forget URL - Tooltip": "Đường dẫn tùy chỉnh cho trang \"Quên mật khẩu\". Nếu không được thiết lập, trang \"Quên mật khẩu\" mặc định của Casdoor sẽ được sử dụng. Khi cài đặt, liên kết \"Quên mật khẩu\" trên trang đăng nhập sẽ chuyển hướng đến URL này", "Forget URL - Tooltip": "Đường dẫn tùy chỉnh cho trang \"Quên mật khẩu\". Nếu không được thiết lập, trang \"Quên mật khẩu\" mặc định của Casdoor sẽ được sử dụng. Khi cài đặt, liên kết \"Quên mật khẩu\" trên trang đăng nhập sẽ chuyển hướng đến URL này",
"Found some texts still not translated? Please help us translate at": "Tìm thấy một số văn bản vẫn chưa được dịch? Vui lòng giúp chúng tôi dịch tại", "Found some texts still not translated? Please help us translate at": "Tìm thấy một số văn bản vẫn chưa được dịch? Vui lòng giúp chúng tôi dịch tại",
"Go to writable demo site?": "Bạn có muốn đi đến trang demo có thể viết được không?", "Go to writable demo site?": "Bạn có muốn đi đến trang demo có thể viết được không?",
@ -220,15 +229,17 @@
"Is enabled": "Đã được kích hoạt", "Is enabled": "Đã được kích hoạt",
"Is enabled - Tooltip": "Đặt liệu nó có thể sử dụng hay không", "Is enabled - Tooltip": "Đặt liệu nó có thể sử dụng hay không",
"LDAPs": "LDAPs", "LDAPs": "LDAPs",
"LDAPs - Tooltip": "Máy chủ LDAP", "LDAPs - Tooltip": "Các máy chủ LDAP",
"Languages": "Ngôn ngữ", "Languages": "Ngôn ngữ",
"Languages - Tooltip": "Ngôn ngữ hiện có", "Languages - Tooltip": "Các ngôn ngữ hiện có",
"Last name": "Họ", "Last name": "Họ",
"Logo": "Biểu tượng", "Logo": "Logo",
"Logo - Tooltip": "Biểu tượng mà ứng dụng hiển thị ra ngoài thế giới", "Logo - Tooltip": "Biểu tượng mà ứng dụng hiển thị ra ngoài thế giới",
"MFA items": "MFA items",
"MFA items - Tooltip": "MFA items - Tooltip",
"Master password": "Mật khẩu chính", "Master password": "Mật khẩu chính",
"Master password - Tooltip": "Có thể được sử dụng để đăng nhập vào tất cả các người dùng trong tổ chức này, giúp cho quản trị viên dễ dàng đăng nhập với tư cách người dùng này để giải quyết các vấn đề kỹ thuật", "Master password - Tooltip": "Có thể được sử dụng để đăng nhập vào tất cả các người dùng trong tổ chức này, giúp cho quản trị viên dễ dàng đăng nhập với tư cách người dùng này để giải quyết các vấn đề kỹ thuật",
"Menu": "Trình đơn", "Menu": "Thực đơn",
"Messages": "Messages", "Messages": "Messages",
"Method": "Phương pháp", "Method": "Phương pháp",
"Model": "Mô hình", "Model": "Mô hình",
@ -236,7 +247,8 @@
"Models": "Mô hình", "Models": "Mô hình",
"Name": "Tên", "Name": "Tên",
"Name - Tooltip": "ID duy nhất dựa trên chuỗi", "Name - Tooltip": "ID duy nhất dựa trên chuỗi",
"OAuth providers": "Nhà cung cấp OAuth", "None": "None",
"OAuth providers": "Cung cấp OAuth",
"OK": "Được rồi", "OK": "Được rồi",
"Organization": "Tổ chức", "Organization": "Tổ chức",
"Organization - Tooltip": "Tương tự như các khái niệm như người thuê hoặc nhóm người dùng, mỗi người dùng và ứng dụng đều thuộc về một tổ chức", "Organization - Tooltip": "Tương tự như các khái niệm như người thuê hoặc nhóm người dùng, mỗi người dùng và ứng dụng đều thuộc về một tổ chức",
@ -254,9 +266,9 @@
"Phone - Tooltip": "Số điện thoại", "Phone - Tooltip": "Số điện thoại",
"Phone or email": "Phone or email", "Phone or email": "Phone or email",
"Plans": "Kế hoạch", "Plans": "Kế hoạch",
"Pricings": "Bảng giá",
"Preview": "Xem trước", "Preview": "Xem trước",
"Preview - Tooltip": "Xem trước các hiệu ứng đã cấu hình", "Preview - Tooltip": "Xem trước các hiệu ứng đã cấu hình",
"Pricings": "Bảng giá",
"Products": "Sản phẩm", "Products": "Sản phẩm",
"Provider": "Nhà cung cấp", "Provider": "Nhà cung cấp",
"Provider - Tooltip": "Cung cấp thanh toán được cấu hình, bao gồm PayPal, Alipay, WeChat Pay, vv.", "Provider - Tooltip": "Cung cấp thanh toán được cấu hình, bao gồm PayPal, Alipay, WeChat Pay, vv.",
@ -270,8 +282,8 @@
"Roles - Tooltip": "Các vai trò mà người dùng thuộc về", "Roles - Tooltip": "Các vai trò mà người dùng thuộc về",
"Save": "Lưu", "Save": "Lưu",
"Save & Exit": "Lưu và Thoát", "Save & Exit": "Lưu và Thoát",
"Session ID": "ID phiên làm việc", "Session ID": " phiên làm việc",
"Sessions": "Phiên", "Sessions": "Phiên họp",
"Signin URL": "Địa chỉ URL để đăng nhập", "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", "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", "Signup URL": "Đăng ký URL",
@ -283,6 +295,8 @@
"Sorry, you do not have permission to access this page or logged in status invalid.": "Xin lỗi, bạn không có quyền truy cập trang này hoặc trạng thái đăng nhập không hợp lệ.", "Sorry, you do not have permission to access this page or logged in status invalid.": "Xin lỗi, bạn không có quyền truy cập trang này hoặc trạng thái đăng nhập không hợp lệ.",
"State": "Nhà nước", "State": "Nhà nước",
"State - Tooltip": "Trạng thái", "State - Tooltip": "Trạng thái",
"Submitter": "Submitter",
"Submitter - Tooltip": "Submitter - Tooltip",
"Subscriptions": "Đăng ký", "Subscriptions": "Đăng ký",
"Successfully added": "Đã thêm thành công", "Successfully added": "Đã thêm thành công",
"Successfully deleted": "Đã xóa thành công", "Successfully deleted": "Đã xóa thành công",
@ -291,12 +305,12 @@
"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", "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", "Sure to delete": "Chắc chắn muốn xóa",
"Swagger": "Swagger", "Swagger": "Swagger",
"Sync": "Đồng bộ", "Sync": "Đồng bộ hoá",
"Syncers": "Đồng bộ hóa", "Syncers": "Đồng bộ hóa",
"System Info": "Thông tin hệ thống", "System Info": "Thông tin hệ thống",
"There was a problem signing you in..": "There was a problem signing you in..", "There was a problem signing you in..": "There was a problem signing you in..",
"This is a read-only demo site!": "Đây là trang web giới thiệu chỉ có chức năng đọc!", "This is a read-only demo site!": "Đây là trang web giới thiệu chỉ có chức năng đọc!",
"Timestamp": "Nhãn thời gian", "Timestamp": "Đánh dấu thời gian",
"Tokens": "Mã thông báo", "Tokens": "Mã thông báo",
"URL": "URL", "URL": "URL",
"URL - Tooltip": "Đường dẫn URL", "URL - Tooltip": "Đường dẫn URL",
@ -314,7 +328,7 @@
"{total} in total": "Trong tổng số {total}" "{total} in total": "Trong tổng số {total}"
}, },
"ldap": { "ldap": {
"Admin": "Quản trị", "Admin": "Admin",
"Admin - Tooltip": "CN hoặc ID của quản trị viên máy chủ LDAP", "Admin - Tooltip": "CN hoặc ID của quản trị viên máy chủ LDAP",
"Admin Password": "Mật khẩu quản trị viên", "Admin Password": "Mật khẩu quản trị viên",
"Admin Password - Tooltip": "Mật khẩu quản trị viên của máy chủ LDAP", "Admin Password - Tooltip": "Mật khẩu quản trị viên của máy chủ LDAP",
@ -323,7 +337,7 @@
"Base DN": "DN cơ sở", "Base DN": "DN cơ sở",
"Base DN - Tooltip": "Đơn vị căn bản (Base DN) trong quá trình tìm kiếm LDAP", "Base DN - Tooltip": "Đơn vị căn bản (Base DN) trong quá trình tìm kiếm LDAP",
"CN": "CN", "CN": "CN",
"Edit LDAP": "Sửa LDAP", "Edit LDAP": "Chỉnh sửa LDAP",
"Enable SSL": "Kích hoạt SSL", "Enable SSL": "Kích hoạt SSL",
"Enable SSL - Tooltip": "Có nên kích hoạt SSL hay không?", "Enable SSL - Tooltip": "Có nên kích hoạt SSL hay không?",
"Filter fields": "Filter fields", "Filter fields": "Filter fields",
@ -354,8 +368,12 @@
"Or sign in with another account": "Hoặc đăng nhập bằng tài khoản khác", "Or sign in with another account": "Hoặc đăng nhập bằng tài khoản khác",
"Please input your Email or Phone!": "Vui lòng nhập địa chỉ Email hoặc số điện thoại của bạn!", "Please input your Email or Phone!": "Vui lòng nhập địa chỉ Email hoặc số điện thoại của bạn!",
"Please input your code!": "Vui lòng nhập mã của bạn!", "Please input your code!": "Vui lòng nhập mã của bạn!",
"Please input your organization name!": "Please input your organization name!",
"Please input your password!": "Vui lòng nhập mật khẩu của bạn!", "Please input your password!": "Vui lòng nhập mật khẩu của bạn!",
"Please input your password, at least 6 characters!": "Vui lòng nhập mật khẩu của bạn, ít nhất 6 ký tự!", "Please input your password, at least 6 characters!": "Vui lòng nhập mật khẩu của bạn, ít nhất 6 ký tự!",
"Please select an organization": "Please select an organization",
"Please select an organization to sign in": "Please select an organization to sign in",
"Please type an organization to sign in": "Please type an organization to sign in",
"Redirecting, please wait.": "Đang chuyển hướng, vui lòng đợi.", "Redirecting, please wait.": "Đang chuyển hướng, vui lòng đợi.",
"Sign In": "Đăng nhập", "Sign In": "Đăng nhập",
"Sign in with WebAuthn": "Đăng nhập với WebAuthn", "Sign in with WebAuthn": "Đăng nhập với WebAuthn",
@ -410,7 +428,7 @@
"preferred": "preferred" "preferred": "preferred"
}, },
"model": { "model": {
"Edit Model": "Sửa mô hình", "Edit Model": "Chỉnh sửa mô hình",
"Model text": "Văn bản mẫu", "Model text": "Văn bản mẫu",
"Model text - Tooltip": "Mô hình kiểm soát truy cập Casbin, bao gồm các mô hình tích hợp như ACL, RBAC, ABAC, RESTful, v.v. Bạn cũng có thể tạo các mô hình tùy chỉnh. Để biết thêm thông tin, vui lòng truy cập trang web Casbin", "Model text - Tooltip": "Mô hình kiểm soát truy cập Casbin, bao gồm các mô hình tích hợp như ACL, RBAC, ABAC, RESTful, v.v. Bạn cũng có thể tạo các mô hình tùy chỉnh. Để biết thêm thông tin, vui lòng truy cập trang web Casbin",
"New Model": "Mô hình mới" "New Model": "Mô hình mới"
@ -418,14 +436,16 @@
"organization": { "organization": {
"Account items": "Mục tài khoản", "Account items": "Mục tài khoản",
"Account items - Tooltip": "Các mục trong trang Cài đặt cá nhân", "Account items - Tooltip": "Các mục trong trang Cài đặt cá nhân",
"Edit Organization": "Sửa tổ chức", "Edit Organization": "Chỉnh sửa tổ chức",
"Follow global theme": "Theo giao diện chung", "Follow global theme": "Theo chủ đề toàn cầu",
"Init score": "Điểm khởi tạo", "Init score": "Điểm khởi tạo",
"Init score - Tooltip": "Điểm số ban đầu được trao cho người dùng khi đăng ký", "Init score - Tooltip": "Điểm số ban đầu được trao cho người dùng khi đăng ký",
"Is profile public": "Hồ sơ có công khai không?", "Is profile public": "Hồ sơ có công khai không?",
"Is profile public - Tooltip": "Sau khi đóng lại, chỉ các quản trị viên toàn cầu hoặc người dùng trong cùng tổ chức mới có thể truy cập trang hồ sơ người dùng", "Is profile public - Tooltip": "Sau khi đóng lại, chỉ các quản trị viên toàn cầu hoặc người dùng trong cùng tổ chức mới có thể truy cập trang hồ sơ người dùng",
"Modify rule": "Sửa đổi quy tắc", "Modify rule": "Sửa đổi quy tắc",
"New Organization": "Tổ chức mới", "New Organization": "Tổ chức mới",
"Optional": "Optional",
"Required": "Required",
"Soft deletion": "Xóa mềm", "Soft deletion": "Xóa mềm",
"Soft deletion - Tooltip": "Khi được bật, việc xóa người dùng sẽ không hoàn toàn loại bỏ họ khỏi cơ sở dữ liệu. Thay vào đó, họ sẽ được đánh dấu là đã bị xóa", "Soft deletion - Tooltip": "Khi được bật, việc xóa người dùng sẽ không hoàn toàn loại bỏ họ khỏi cơ sở dữ liệu. Thay vào đó, họ sẽ được đánh dấu là đã bị xóa",
"Tags": "Thẻ", "Tags": "Thẻ",
@ -484,7 +504,7 @@
"permission": { "permission": {
"Actions": "Hành động", "Actions": "Hành động",
"Actions - Tooltip": "Các hành động được phép", "Actions - Tooltip": "Các hành động được phép",
"Admin": "Quản trị", "Admin": "Admin",
"Allow": "Cho phép", "Allow": "Cho phép",
"Approve time": "Phê duyệt thời gian", "Approve time": "Phê duyệt thời gian",
"Approve time - Tooltip": "Thời gian chấp thuận cho quyền này", "Approve time - Tooltip": "Thời gian chấp thuận cho quyền này",
@ -506,6 +526,34 @@
"TreeNode": "Nút của cây", "TreeNode": "Nút của cây",
"Write": "Viết" "Write": "Viết"
}, },
"plan": {
"Edit Plan": "Edit Plan",
"New Plan": "New Plan",
"PerMonth": "mỗi tháng",
"Price per month": "Price per month",
"Price per year": "Price per year",
"PricePerMonth": "Giá mỗi tháng",
"PricePerMonth - Tooltip": "PricePerMonth - Tooltip",
"PricePerYear": "Giá mỗi năm",
"PricePerYear - Tooltip": "PricePerYear - Tooltip",
"Sub role": "Sub role",
"Sub roles - Tooltip": "Vai trò bao gồm trong kế hoạch hiện tại"
},
"pricing": {
"Copy pricing page URL": "Sao chép URL trang bảng giá",
"Edit Pricing": "Edit Pricing",
"Free": "Miễn phí",
"Getting started": "Bắt đầu",
"Has trial": "Có thời gian thử nghiệm",
"Has trial - Tooltip": "Khả dụng thời gian thử nghiệm sau khi chọn kế hoạch",
"New Pricing": "New Pricing",
"Sub plans": "Kế hoạch phụ",
"Sub plans - Tooltip": "Sub plans - Tooltip",
"Trial duration": "Thời gian thử nghiệm",
"Trial duration - Tooltip": "Thời gian thử nghiệm",
"days trial available!": "ngày dùng thử có sẵn!",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "URL trang bảng giá đã được sao chép vào clipboard thành công, vui lòng dán vào cửa sổ ẩn danh hoặc trình duyệt khác"
},
"product": { "product": {
"Alipay": "Alipay", "Alipay": "Alipay",
"Buy": "Mua", "Buy": "Mua",
@ -513,7 +561,7 @@
"CNY": "CNY", "CNY": "CNY",
"Detail": "Chi tiết", "Detail": "Chi tiết",
"Detail - Tooltip": "Chi tiết sản phẩm", "Detail - Tooltip": "Chi tiết sản phẩm",
"Edit Product": "Sửa sản phẩm", "Edit Product": "Chỉnh sửa sản phẩm",
"I have completed the payment": "Tôi đã thanh toán hoàn tất", "I have completed the payment": "Tôi đã thanh toán hoàn tất",
"Image": "Ảnh", "Image": "Ảnh",
"Image - Tooltip": "Hình ảnh sản phẩm", "Image - Tooltip": "Hình ảnh sản phẩm",
@ -595,8 +643,8 @@
"Host - Tooltip": "Tên của người chủ chỗ ở", "Host - Tooltip": "Tên của người chủ chỗ ở",
"IdP": "IdP", "IdP": "IdP",
"IdP certificate": "Chứng chỉ IdP", "IdP certificate": "Chứng chỉ IdP",
"Intelligent Validation": "Xác nhận thông minh", "Intelligent Validation": "Intelligent Validation",
"Internal": "Nội bộ", "Internal": "Internal",
"Issuer URL": "Địa chỉ URL của người phát hành", "Issuer URL": "Địa chỉ URL của người phát hành",
"Issuer URL - Tooltip": "Địa chỉ URL của nhà phát hành", "Issuer URL - Tooltip": "Địa chỉ URL của nhà phát hành",
"Link copied to clipboard successfully": "Đã sao chép liên kết vào bộ nhớ tạm thành công", "Link copied to clipboard successfully": "Đã sao chép liên kết vào bộ nhớ tạm thành công",
@ -604,7 +652,7 @@
"Metadata - Tooltip": "SAML metadata: siêu dữ liệu SAML", "Metadata - Tooltip": "SAML metadata: siêu dữ liệu SAML",
"Method - Tooltip": "Phương thức đăng nhập, mã QR hoặc đăng nhập im lặng", "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", "New Provider": "Nhà cung cấp mới",
"Normal": "Thường", "Normal": "Normal",
"Parse": "Phân tích cú pháp", "Parse": "Phân tích cú pháp",
"Parse metadata successfully": "Phân tích siêu dữ liệu thành công", "Parse metadata successfully": "Phân tích siêu dữ liệu thành công",
"Path prefix": "Tiền tố đường dẫn", "Path prefix": "Tiền tố đường dẫn",
@ -626,8 +674,8 @@
"SMS account": "Tài khoản SMS", "SMS account": "Tài khoản SMS",
"SMS account - Tooltip": "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", "SMS sent successfully": "Gửi tin nhắn SMS thành công",
"SP ACS URL": "SP ACC URL", "SP ACS URL": "SP ACS URL",
"SP ACS URL - Tooltip": "SP ACS URL - Tooltip", "SP ACS URL - Tooltip": "SP ACS URL",
"SP Entity ID": "SP Entity ID: Định danh thực thể SP", "SP Entity ID": "SP Entity ID: Định danh thực thể SP",
"Scene": "Cảnh", "Scene": "Cảnh",
"Scene - Tooltip": "Cảnh", "Scene - Tooltip": "Cảnh",
@ -649,10 +697,10 @@
"Signup HTML": "Đăng ký HTML", "Signup HTML": "Đăng ký HTML",
"Signup HTML - Edit": "Đăng ký HTML - Chỉnh sửa", "Signup HTML - Edit": "Đăng ký HTML - Chỉnh sửa",
"Signup HTML - Tooltip": "Trang HTML tùy chỉnh để thay thế phong cách trang đăng ký mặc định", "Signup HTML - Tooltip": "Trang HTML tùy chỉnh để thay thế phong cách trang đăng ký mặc định",
"Silent": "Im lặng", "Silent": "Silent",
"Site key": "Khóa trang web", "Site key": "Khóa trang web",
"Site key - Tooltip": "Khóa trang web", "Site key - Tooltip": "Khóa trang web",
"Sliding Validation": "Xác nhận trượt ngang", "Sliding Validation": "Sliding Validation",
"Sub type": "Loại phụ", "Sub type": "Loại phụ",
"Sub type - Tooltip": "Loại phụ", "Sub type - Tooltip": "Loại phụ",
"Template code": "Mã mẫu của template", "Template code": "Mã mẫu của template",
@ -660,9 +708,9 @@
"Test Email": "Thư Email kiểm tra", "Test Email": "Thư Email kiểm tra",
"Test Email - Tooltip": "Địa chỉ email để nhận thư kiểm tra", "Test Email - Tooltip": "Địa chỉ email để nhận thư kiểm tra",
"Test SMTP Connection": "Kiểm tra kết nối SMTP", "Test SMTP Connection": "Kiểm tra kết nối SMTP",
"Third-party": "Bên thứ ba", "Third-party": "Third-party",
"Token URL": "Đường dẫn mã thông báo", "Token URL": "Đường dẫn Token",
"Token URL - Tooltip": "Địa chỉ của mã thông báo", "Token URL - Tooltip": "Địa chỉ URL của Token",
"Type": "Kiểu", "Type": "Kiểu",
"Type - Tooltip": "Chọn loại", "Type - Tooltip": "Chọn loại",
"UserInfo URL": "Đường dẫn UserInfo", "UserInfo URL": "Đường dẫn UserInfo",
@ -681,7 +729,7 @@
"Upload a file...": "Tải lên một tệp..." "Upload a file...": "Tải lên một tệp..."
}, },
"role": { "role": {
"Edit Role": "Sửa vai trò", "Edit Role": "Chỉnh sửa vai trò",
"New Role": "Vai trò mới", "New Role": "Vai trò mới",
"Sub domains": "Các phân miền con", "Sub domains": "Các phân miền con",
"Sub domains - Tooltip": "Các lĩnh vực được bao gồm trong vai trò hiện tại", "Sub domains - Tooltip": "Các lĩnh vực được bao gồm trong vai trò hiện tại",
@ -718,11 +766,29 @@
"The input is not valid Email!": "Đầu vào không phải là địa chỉ Email hợp lệ!", "The input is not valid Email!": "Đầu vào không phải là địa chỉ Email hợp lệ!",
"The input is not valid Phone!": "Đầu vào không hợp lệ! Số điện thoại không hợp lệ!", "The input is not valid Phone!": "Đầu vào không hợp lệ! Số điện thoại không hợp lệ!",
"Username": "Tên đăng nhập", "Username": "Tên đăng nhập",
"Username - Tooltip": "Tên người dùng - Tooltip", "Username - Tooltip": "Username - Tooltip",
"Your account has been created!": "Tài khoản của bạn đã được tạo!", "Your account has been created!": "Tài khoản của bạn đã được tạo!",
"Your confirmed password is inconsistent with the password!": "Mật khẩu xác nhận của bạn không khớp với mật khẩu đã nhập!", "Your confirmed password is inconsistent with the password!": "Mật khẩu xác nhận của bạn không khớp với mật khẩu đã nhập!",
"sign in now": "Đăng nhập ngay bây giờ" "sign in now": "Đăng nhập ngay bây giờ"
}, },
"subscription": {
"Approved": "Approved",
"Duration": "Thời lượng",
"Duration - Tooltip": "Thời lượng đăng ký",
"Edit Subscription": "Edit Subscription",
"End Date": "Ngày kết thúc",
"End Date - Tooltip": "Ngày kết thúc",
"New Subscription": "New Subscription",
"Pending": "Pending",
"Start Date": "Ngày bắt đầu",
"Start Date - Tooltip": "Ngày bắt đầu",
"Sub plan": "Kế hoạch đăng ký",
"Sub plan - Tooltip": "Kế hoạch đăng ký",
"Sub plane": "Sub plane",
"Sub user": "Sub user",
"Sub users": "Người dùng đăng ký",
"Sub users - Tooltip": "Người dùng đăng ký"
},
"syncer": { "syncer": {
"Affiliation table": "Bảng liên kết", "Affiliation table": "Bảng liên kết",
"Affiliation table - Tooltip": "Tên bảng cơ sở dữ liệu của đơn vị làm việc", "Affiliation table - Tooltip": "Tên bảng cơ sở dữ liệu của đơn vị làm việc",
@ -771,21 +837,21 @@
"Blossom": "hoa nở", "Blossom": "hoa nở",
"Border radius": "Bán kính đường viền", "Border radius": "Bán kính đường viền",
"Compact": "Nhỏ gọn, tiện dụng", "Compact": "Nhỏ gọn, tiện dụng",
"Customize theme": "Tùy chỉnh giao diện", "Customize theme": "Tùy chỉnh chủ đề",
"Dark": "Tối tăm", "Dark": "Tối tăm",
"Default": "Mặc định", "Default": "Mặc định",
"Document": "Tài liệu", "Document": "Tài liệu",
"Is compact": "Có kích thước nhỏ gọn", "Is compact": "Có kích thước nhỏ gọn",
"Primary color": "Màu sắc cơ bản", "Primary color": "Màu sắc cơ bản",
"Theme": "Giao diện", "Theme": "Chủ đề",
"Theme - Tooltip": "Trang trí giao diện của ứng dụng" "Theme - Tooltip": "Chủ đề phong cách của ứng dụng"
}, },
"token": { "token": {
"Access token": "Mã thông báo truy cập", "Access token": "Mã thông báo truy cập",
"Authorization code": "Mã xác thực", "Authorization code": "Mã xác thực",
"Edit Token": "Chỉnh sửa mã thông báo", "Edit Token": "Chỉnh sửa mã thông báo",
"Expires in": "Hết hạn sau", "Expires in": "Hết hạn vào",
"New Token": "Tạo mã thông báo", "New Token": "Token mới",
"Token type": "Loại mã thông báo" "Token type": "Loại mã thông báo"
}, },
"user": { "user": {
@ -877,7 +943,7 @@
"webhook": { "webhook": {
"Content type": "Loại nội dung", "Content type": "Loại nội dung",
"Content type - Tooltip": "Loại nội dung", "Content type - Tooltip": "Loại nội dung",
"Edit Webhook": "Sửa Webhook", "Edit Webhook": "Chỉnh sửa Webhook",
"Events": "Sự kiện", "Events": "Sự kiện",
"Events - Tooltip": "Sự kiện", "Events - Tooltip": "Sự kiện",
"Headers": "Tiêu đề", "Headers": "Tiêu đề",
@ -887,36 +953,5 @@
"Method - Tooltip": "Phương thức HTTP", "Method - Tooltip": "Phương thức HTTP",
"New Webhook": "Webhook mới", "New Webhook": "Webhook mới",
"Value": "Giá trị" "Value": "Giá trị"
},
"plan": {
"Sub roles - Tooltip": "Vai trò bao gồm trong kế hoạch hiện tại",
"PricePerMonth": "Giá mỗi tháng",
"PricePerYear": "Giá mỗi năm",
"PerMonth": "mỗi tháng"
},
"pricing": {
"Sub plans": "Kế hoạch phụ",
"Sub plans - Tooltip": "Plans included in the current pricing",
"Has trial": "Có thời gian thử nghiệm",
"Has trial - Tooltip": "Khả dụng thời gian thử nghiệm sau khi chọn kế hoạch",
"Trial duration": "Thời gian thử nghiệm",
"Trial duration - Tooltip": "Thời gian thử nghiệm",
"Getting started": "Bắt đầu",
"Copy pricing page URL": "Sao chép URL trang bảng giá",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "URL trang bảng giá đã được sao chép vào clipboard thành công, vui lòng dán vào cửa sổ ẩn danh hoặc trình duyệt khác",
"days trial available!": "ngày dùng thử có sẵn!",
"Free": "Miễn phí"
},
"subscription": {
"Duration": "Thời lượng",
"Duration - Tooltip": "Thời lượng đăng ký",
"Start Date": "Ngày bắt đầu",
"Start Date - Tooltip": "Ngày bắt đầu",
"End Date": "Ngày kết thúc",
"End Date - Tooltip": "Ngày kết thúc",
"Sub users": "Người dùng đăng ký",
"Sub users - Tooltip": "Người dùng đăng ký",
"Sub plan": "Kế hoạch đăng ký",
"Sub plan - Tooltip": "Kế hoạch đăng ký"
} }
} }

View File

@ -56,14 +56,16 @@
"Grant types": "OAuth授权类型", "Grant types": "OAuth授权类型",
"Grant types - Tooltip": "选择允许哪些OAuth协议中的grant types", "Grant types - Tooltip": "选择允许哪些OAuth协议中的grant types",
"Incremental": "递增", "Incremental": "递增",
"Input": "输入",
"Left": "居左", "Left": "居左",
"Logged in successfully": "登录成功", "Logged in successfully": "登录成功",
"Logged out successfully": "登出成功", "Logged out successfully": "登出成功",
"New Application": "添加应用", "New Application": "添加应用",
"No verification": "不校验", "No verification": "不校验",
"None": "关闭",
"Normal": "标准", "Normal": "标准",
"Only signup": "仅注册", "Only signup": "仅注册",
"Org choice mode": "组织选择模式",
"Org choice mode - Tooltip": "采用什么方式选择要登录的组织",
"Please input your application!": "请输入你的应用", "Please input your application!": "请输入你的应用",
"Please input your organization!": "请输入你的组织", "Please input your organization!": "请输入你的组织",
"Please select a HTML file": "请选择一个HTML文件", "Please select a HTML file": "请选择一个HTML文件",
@ -82,6 +84,7 @@
"SAML metadata - Tooltip": "SAML协议的元数据Metadata信息", "SAML metadata - Tooltip": "SAML协议的元数据Metadata信息",
"SAML metadata URL copied to clipboard successfully": "SAML元数据URL已成功复制到剪贴板", "SAML metadata URL copied to clipboard successfully": "SAML元数据URL已成功复制到剪贴板",
"SAML reply URL": "SAML回复 URL", "SAML reply URL": "SAML回复 URL",
"Select": "选择",
"Side panel HTML": "侧面板HTML", "Side panel HTML": "侧面板HTML",
"Side panel HTML - Edit": "侧面板HTML - 编辑", "Side panel HTML - Edit": "侧面板HTML - 编辑",
"Side panel HTML - Tooltip": "自定义登录页面侧面板的HTML代码", "Side panel HTML - Tooltip": "自定义登录页面侧面板的HTML代码",
@ -167,8 +170,13 @@
"Affiliation URL": "工作单位URL", "Affiliation URL": "工作单位URL",
"Affiliation URL - Tooltip": "工作单位的官网URL", "Affiliation URL - Tooltip": "工作单位的官网URL",
"Application": "应用", "Application": "应用",
"Application - Tooltip": "Application - Tooltip",
"Applications": "应用", "Applications": "应用",
"Applications that require authentication": "需要认证和鉴权的应用", "Applications that require authentication": "需要认证和鉴权的应用",
"Approve time": "Approve time",
"Approve time - Tooltip": "Approve time - Tooltip",
"Approver": "Approver",
"Approver - Tooltip": "Approver - Tooltip",
"Avatar": "头像", "Avatar": "头像",
"Avatar - Tooltip": "公开展示的用户头像", "Avatar - Tooltip": "公开展示的用户头像",
"Back": "返回", "Back": "返回",
@ -182,6 +190,7 @@
"Click to Upload": "点击上传", "Click to Upload": "点击上传",
"Client IP": "客户端IP", "Client IP": "客户端IP",
"Close": "关闭", "Close": "关闭",
"Confirm": "确认",
"Created time": "创建时间", "Created time": "创建时间",
"Default application": "默认应用", "Default application": "默认应用",
"Default application - Tooltip": "直接从组织页面注册的用户默认所属的应用", "Default application - Tooltip": "直接从组织页面注册的用户默认所属的应用",
@ -206,7 +215,7 @@
"Failed to get answer": "获取回答失败", "Failed to get answer": "获取回答失败",
"Failed to save": "保存失败", "Failed to save": "保存失败",
"Failed to verify": "验证失败", "Failed to verify": "验证失败",
"Favicon": "组织Favicon", "Favicon": "Favicon",
"Favicon - Tooltip": "该组织所有Casdoor页面中所使用的Favicon图标URL", "Favicon - Tooltip": "该组织所有Casdoor页面中所使用的Favicon图标URL",
"First name": "名字", "First name": "名字",
"Forget URL": "忘记密码URL", "Forget URL": "忘记密码URL",
@ -226,6 +235,8 @@
"Last name": "姓氏", "Last name": "姓氏",
"Logo": "Logo", "Logo": "Logo",
"Logo - Tooltip": "应用程序向外展示的图标", "Logo - Tooltip": "应用程序向外展示的图标",
"MFA items": "MFA 项",
"MFA items - Tooltip": "MFA 项 - Tooltip",
"Master password": "万能密码", "Master password": "万能密码",
"Master password - Tooltip": "可用来登录该组织下的所有用户,方便管理员以该用户身份登录,以解决技术问题", "Master password - Tooltip": "可用来登录该组织下的所有用户,方便管理员以该用户身份登录,以解决技术问题",
"Menu": "目录", "Menu": "目录",
@ -236,6 +247,7 @@
"Models": "模型", "Models": "模型",
"Name": "名称", "Name": "名称",
"Name - Tooltip": "唯一的、字符串式的ID", "Name - Tooltip": "唯一的、字符串式的ID",
"None": "无",
"OAuth providers": "OAuth提供方", "OAuth providers": "OAuth提供方",
"OK": "OK", "OK": "OK",
"Organization": "组织", "Organization": "组织",
@ -254,9 +266,9 @@
"Phone - Tooltip": "手机号", "Phone - Tooltip": "手机号",
"Phone or email": "手机或邮箱", "Phone or email": "手机或邮箱",
"Plans": "计划", "Plans": "计划",
"Pricings": "定价",
"Preview": "预览", "Preview": "预览",
"Preview - Tooltip": "可预览所配置的效果", "Preview - Tooltip": "可预览所配置的效果",
"Pricings": "定价",
"Products": "商品", "Products": "商品",
"Provider": "提供商", "Provider": "提供商",
"Provider - Tooltip": "需要配置的支付提供商包括PayPal、支付宝、微信支付等", "Provider - Tooltip": "需要配置的支付提供商包括PayPal、支付宝、微信支付等",
@ -283,6 +295,8 @@
"Sorry, you do not have permission to access this page or logged in status invalid.": "抱歉,您无权访问该页面或登录状态失效", "Sorry, you do not have permission to access this page or logged in status invalid.": "抱歉,您无权访问该页面或登录状态失效",
"State": "状态", "State": "状态",
"State - Tooltip": "状态", "State - Tooltip": "状态",
"Submitter": "Submitter",
"Submitter - Tooltip": "Submitter - Tooltip",
"Subscriptions": "订阅", "Subscriptions": "订阅",
"Successfully added": "添加成功", "Successfully added": "添加成功",
"Successfully deleted": "删除成功", "Successfully deleted": "删除成功",
@ -354,8 +368,12 @@
"Or sign in with another account": "或者,登录其他账号", "Or sign in with another account": "或者,登录其他账号",
"Please input your Email or Phone!": "请输入您的Email或手机号!", "Please input your Email or Phone!": "请输入您的Email或手机号!",
"Please input your code!": "请输入您的验证码!", "Please input your code!": "请输入您的验证码!",
"Please input your organization name!": "请输入组织的名字!",
"Please input your password!": "请输入您的密码!", "Please input your password!": "请输入您的密码!",
"Please input your password, at least 6 characters!": "请输入您的密码不少于6位", "Please input your password, at least 6 characters!": "请输入您的密码不少于6位",
"Please select an organization": "请选择一个组织",
"Please select an organization to sign in": "请选择要登录的组织",
"Please type an organization to sign in": "请输入要登录的组织",
"Redirecting, please wait.": "正在跳转, 请稍等.", "Redirecting, please wait.": "正在跳转, 请稍等.",
"Sign In": "登录", "Sign In": "登录",
"Sign in with WebAuthn": "WebAuthn登录", "Sign in with WebAuthn": "WebAuthn登录",
@ -365,7 +383,7 @@
"The input is not valid Email or phone number!": "您输入的电子邮箱格式或手机号有误!", "The input is not valid Email or phone number!": "您输入的电子邮箱格式或手机号有误!",
"To access": "访问", "To access": "访问",
"Verification code": "验证码", "Verification code": "验证码",
"WebAuthn": "Web身份验证", "WebAuthn": "WebAuthn",
"sign up now": "立即注册", "sign up now": "立即注册",
"username, Email or phone": "用户名、Email或手机号" "username, Email or phone": "用户名、Email或手机号"
}, },
@ -426,6 +444,8 @@
"Is profile public - Tooltip": "关闭后只有全局管理员或同组织用户才能访问用户主页", "Is profile public - Tooltip": "关闭后只有全局管理员或同组织用户才能访问用户主页",
"Modify rule": "修改规则", "Modify rule": "修改规则",
"New Organization": "添加组织", "New Organization": "添加组织",
"Optional": "可选",
"Required": "必须",
"Soft deletion": "软删除", "Soft deletion": "软删除",
"Soft deletion - Tooltip": "启用后,删除一个用户时不会在数据库彻底清除,只会标记为已删除状态", "Soft deletion - Tooltip": "启用后,删除一个用户时不会在数据库彻底清除,只会标记为已删除状态",
"Tags": "标签集合", "Tags": "标签集合",
@ -506,6 +526,34 @@
"TreeNode": "树节点", "TreeNode": "树节点",
"Write": "写权限" "Write": "写权限"
}, },
"plan": {
"Edit Plan": "Edit Plan",
"New Plan": "New Plan",
"PerMonth": "每月",
"Price per month": "Price per month",
"Price per year": "Price per year",
"PricePerMonth": "每月价格",
"PricePerMonth - Tooltip": "PricePerMonth - Tooltip",
"PricePerYear": "每年价格",
"PricePerYear - Tooltip": "PricePerYear - Tooltip",
"Sub role": "Sub role",
"Sub roles - Tooltip": "当前计划中包含的角色"
},
"pricing": {
"Copy pricing page URL": "复制定价页面链接",
"Edit Pricing": "Edit Pricing",
"Free": "免费",
"Getting started": "开始使用",
"Has trial": "有试用期",
"Has trial - Tooltip": "选择计划后是否有试用期",
"New Pricing": "New Pricing",
"Sub plans": "附加计划",
"Sub plans - Tooltip": "Sub plans - Tooltip",
"Trial duration": "试用期时长",
"Trial duration - Tooltip": "试用期时长",
"days trial available!": "天试用期可用!",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "定价页面链接已成功复制到剪贴板,请粘贴到隐身窗口或其他浏览器中"
},
"product": { "product": {
"Alipay": "支付宝", "Alipay": "支付宝",
"Buy": "购买", "Buy": "购买",
@ -542,18 +590,18 @@
"WeChat Pay": "微信支付" "WeChat Pay": "微信支付"
}, },
"provider": { "provider": {
"Access key": "访问密钥", "Access key": "Access key",
"Access key - Tooltip": "Access key", "Access key - Tooltip": "Access key",
"Agent ID": "Agent ID", "Agent ID": "Agent ID",
"Agent ID - Tooltip": "Agent ID - Tooltip", "Agent ID - Tooltip": "Agent ID",
"App ID": "App ID", "App ID": "App ID",
"App ID - Tooltip": "App ID - Tooltip", "App ID - Tooltip": "App ID",
"App key": "App key", "App key": "App key",
"App key - Tooltip": "App key - Tooltip", "App key - Tooltip": "App key",
"App secret": "App secret", "App secret": "App secret",
"AppSecret - Tooltip": "App secret", "AppSecret - Tooltip": "App secret",
"Auth URL": "Auth URL", "Auth URL": "Auth URL",
"Auth URL - Tooltip": "Auth URL - 工具提示", "Auth URL - Tooltip": "Auth URL",
"Bucket": "存储桶", "Bucket": "存储桶",
"Bucket - Tooltip": "Bucket名称", "Bucket - Tooltip": "Bucket名称",
"Can not parse metadata": "无法解析元数据", "Can not parse metadata": "无法解析元数据",
@ -564,13 +612,13 @@
"Category - Tooltip": "分类", "Category - Tooltip": "分类",
"Channel No.": "Channel号码", "Channel No.": "Channel号码",
"Channel No. - Tooltip": "Channel号码", "Channel No. - Tooltip": "Channel号码",
"Client ID": "客户端ID", "Client ID": "Client ID",
"Client ID - Tooltip": "Client ID", "Client ID - Tooltip": "Client ID",
"Client ID 2": "客户端 ID 2", "Client ID 2": "Client ID 2",
"Client ID 2 - Tooltip": "第二个Client ID", "Client ID 2 - Tooltip": "第二个Client ID",
"Client secret": "客户端密钥", "Client secret": "Client secret",
"Client secret - Tooltip": "Client secret", "Client secret - Tooltip": "Client secret",
"Client secret 2": "客户端密钥 2", "Client secret 2": "Client secret 2",
"Client secret 2 - Tooltip": "第二个Client secret", "Client secret 2 - Tooltip": "第二个Client secret",
"Copy": "复制", "Copy": "复制",
"Disable SSL": "禁用SSL", "Disable SSL": "禁用SSL",
@ -624,16 +672,16 @@
"SMS Test": "测试短信配置", "SMS Test": "测试短信配置",
"SMS Test - Tooltip": "请输入测试手机号", "SMS Test - Tooltip": "请输入测试手机号",
"SMS account": "SMS account", "SMS account": "SMS account",
"SMS account - Tooltip": "SMS account - Tooltip", "SMS account - Tooltip": "SMS account",
"SMS sent successfully": "短信发送成功", "SMS sent successfully": "短信发送成功",
"SP ACS URL": "SP ACS URL", "SP ACS URL": "SP ACS URL",
"SP ACS URL - Tooltip": "SP ACS URL - 工具提示", "SP ACS URL - Tooltip": "SP ACS URL",
"SP Entity ID": "SP 实体 ID", "SP Entity ID": "SP Entity ID",
"Scene": "Scene", "Scene": "Scene",
"Scene - Tooltip": "Scene - Tooltip", "Scene - Tooltip": "Scene",
"Scope": "Scope", "Scope": "Scope",
"Scope - Tooltip": "Scope - 工具提示", "Scope - Tooltip": "Scope",
"Secret access key": "秘密访问密钥", "Secret access key": "Secret access key",
"Secret access key - Tooltip": "Secret access key", "Secret access key - Tooltip": "Secret access key",
"Secret key": "Secret key", "Secret key": "Secret key",
"Secret key - Tooltip": "用于服务端调用验证码提供商API进行验证", "Secret key - Tooltip": "用于服务端调用验证码提供商API进行验证",
@ -723,6 +771,24 @@
"Your confirmed password is inconsistent with the password!": "您两次输入的密码不一致!", "Your confirmed password is inconsistent with the password!": "您两次输入的密码不一致!",
"sign in now": "立即登录" "sign in now": "立即登录"
}, },
"subscription": {
"Approved": "Approved",
"Duration": "订阅时长",
"Duration - Tooltip": "订阅时长",
"Edit Subscription": "Edit Subscription",
"End Date": "结束日期",
"End Date - Tooltip": "结束日期",
"New Subscription": "New Subscription",
"Pending": "Pending",
"Start Date": "开始日期",
"Start Date - Tooltip": "开始日期",
"Sub plan": "订阅计划",
"Sub plan - Tooltip": "订阅计划",
"Sub plane": "Sub plane",
"Sub user": "Sub user",
"Sub users": "订阅用户",
"Sub users - Tooltip": "订阅用户"
},
"syncer": { "syncer": {
"Affiliation table": "工作单位表", "Affiliation table": "工作单位表",
"Affiliation table - Tooltip": "工作单位的数据库表名", "Affiliation table - Tooltip": "工作单位的数据库表名",
@ -887,36 +953,5 @@
"Method - Tooltip": "HTTP方法", "Method - Tooltip": "HTTP方法",
"New Webhook": "添加Webhook", "New Webhook": "添加Webhook",
"Value": "值" "Value": "值"
},
"plan": {
"Sub roles - Tooltip": "当前计划中包含的角色",
"PricePerMonth": "每月价格",
"PricePerYear": "每年价格",
"PerMonth": "每月"
},
"pricing": {
"Sub plans": "附加计划",
"Sub plans - Tooltip": "Plans included in the current pricing",
"Has trial": "有试用期",
"Has trial - Tooltip": "选择计划后是否有试用期",
"Trial duration": "试用期时长",
"Trial duration - Tooltip": "试用期时长",
"Getting started": "开始使用",
"Copy pricing page URL": "复制定价页面链接",
"pricing page URL copied to clipboard successfully, please paste it into the incognito window or another browser": "定价页面链接已成功复制到剪贴板,请粘贴到隐身窗口或其他浏览器中",
"days trial available!": "天试用期可用!",
"Free": "免费"
},
"subscription": {
"Duration": "订阅时长",
"Duration - Tooltip": "订阅时长",
"Start Date": "开始日期",
"Start Date - Tooltip": "开始日期",
"End Date": "结束日期",
"End Date - Tooltip": "结束日期",
"Sub users": "订阅用户",
"Sub users - Tooltip": "订阅用户",
"Sub plan": "订阅计划",
"Sub plan - Tooltip": "订阅计划"
} }
} }

View File

@ -188,7 +188,7 @@ class ProviderTable extends React.Component {
onChange={value => { onChange={value => {
this.updateField(table, index, "rule", value); this.updateField(table, index, "rule", value);
}} > }} >
<Option key="None" value="None">{i18next.t("application:None")}</Option> <Option key="None" value="None">{i18next.t("general:None")}</Option>
<Option key="Dynamic" value="Dynamic">{i18next.t("application:Dynamic")}</Option> <Option key="Dynamic" value="Dynamic">{i18next.t("application:Dynamic")}</Option>
<Option key="Always" value="Always">{i18next.t("application:Always")}</Option> <Option key="Always" value="Always">{i18next.t("application:Always")}</Option>
</Select> </Select>

View File

@ -177,7 +177,7 @@ class SignupTable extends React.Component {
]; ];
} else if (record.name === "Display name") { } else if (record.name === "Display name") {
options = [ options = [
{id: "None", name: i18next.t("application:None")}, {id: "None", name: i18next.t("general:None")},
{id: "Real name", name: i18next.t("application:Real name")}, {id: "Real name", name: i18next.t("application:Real name")},
{id: "First, last", name: i18next.t("application:First, last")}, {id: "First, last", name: i18next.t("application:First, last")},
]; ];