mirror of
https://github.com/logto-io/logto.git
synced 2025-03-31 22:51:25 -05:00
fix(console): fix add-on console issues
This commit is contained in:
parent
d2220f1205
commit
0004d682b0
40 changed files with 275 additions and 221 deletions
|
@ -9,10 +9,11 @@ type Props = {
|
|||
readonly children: ReactNode;
|
||||
readonly isLoading?: boolean;
|
||||
readonly buttonTitle?: AdminConsoleKey;
|
||||
readonly isButtonDisabled?: boolean;
|
||||
readonly onClick: () => void;
|
||||
};
|
||||
|
||||
function AddOnNoticeFooter({ children, isLoading, onClick, buttonTitle }: Props) {
|
||||
function AddOnNoticeFooter({ children, isLoading, onClick, isButtonDisabled, buttonTitle }: Props) {
|
||||
return (
|
||||
<div className={styles.container}>
|
||||
<div className={styles.description}>{children}</div>
|
||||
|
@ -21,6 +22,7 @@ function AddOnNoticeFooter({ children, isLoading, onClick, buttonTitle }: Props)
|
|||
type="primary"
|
||||
title={buttonTitle ?? 'upsell.upgrade_plan'}
|
||||
isLoading={isLoading}
|
||||
disabled={isButtonDisabled}
|
||||
onClick={onClick}
|
||||
/>
|
||||
</div>
|
||||
|
|
|
@ -12,6 +12,7 @@ import { SubscriptionDataContext } from '@/contexts/SubscriptionDataProvider';
|
|||
import Button from '@/ds-components/Button';
|
||||
import TextLink from '@/ds-components/TextLink';
|
||||
import useApplicationsUsage from '@/hooks/use-applications-usage';
|
||||
import useUserPreferences from '@/hooks/use-user-preferences';
|
||||
|
||||
import styles from './index.module.scss';
|
||||
|
||||
|
@ -30,6 +31,10 @@ function Footer({ selectedType, isLoading, onClickCreate, isThirdParty }: Props)
|
|||
hasMachineToMachineAppsReachedLimit,
|
||||
hasThirdPartyAppsReachedLimit,
|
||||
} = useApplicationsUsage();
|
||||
const {
|
||||
data: { m2mUpsellNoticeAcknowledged },
|
||||
update,
|
||||
} = useUserPreferences();
|
||||
|
||||
if (selectedType) {
|
||||
const { id: planId, name: planName, quota } = currentPlan;
|
||||
|
@ -38,13 +43,17 @@ function Footer({ selectedType, isLoading, onClickCreate, isThirdParty }: Props)
|
|||
selectedType === ApplicationType.MachineToMachine &&
|
||||
isDevFeaturesEnabled &&
|
||||
hasMachineToMachineAppsReachedLimit &&
|
||||
planId === ReservedPlanId.Pro
|
||||
planId === ReservedPlanId.Pro &&
|
||||
!m2mUpsellNoticeAcknowledged
|
||||
) {
|
||||
return (
|
||||
<AddOnNoticeFooter
|
||||
isLoading={isLoading}
|
||||
buttonTitle="applications.create"
|
||||
onClick={onClickCreate}
|
||||
onClick={() => {
|
||||
void update({ m2mUpsellNoticeAcknowledged: true });
|
||||
onClickCreate();
|
||||
}}
|
||||
>
|
||||
<Trans
|
||||
components={{
|
||||
|
|
|
@ -7,7 +7,12 @@
|
|||
padding: _.unit(5) _.unit(6);
|
||||
|
||||
> div:not(:first-child) {
|
||||
margin-top: _.unit(2);
|
||||
margin-top: _.unit(4);
|
||||
}
|
||||
|
||||
&.freeUser {
|
||||
flex: 0 0 calc((100% - _.unit(2)) / 2);
|
||||
max-width: calc((100% - _.unit(2)) / 2);
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -26,8 +31,8 @@
|
|||
}
|
||||
|
||||
.cardItem {
|
||||
flex: 0 0 calc(33.333% - _.unit(2) * 2);
|
||||
max-width: calc(33.333% - _.unit(2) * 2);
|
||||
flex: 0 0 calc((100% - _.unit(2) * 2) / 3);
|
||||
max-width: calc((100% - _.unit(2) * 2) / 3);
|
||||
max-height: 112px;
|
||||
}
|
||||
|
||||
|
|
|
@ -56,8 +56,10 @@ function PlanUsage({ currentSubscription, currentPlan, periodicUsage: rawPeriodi
|
|||
periodicUsage.mauLimit,
|
||||
isDevFeaturesEnabled ? currentSubscriptionQuota.mauLimit : currentPlan.quota.mauLimit,
|
||||
];
|
||||
const [tokenUsage, tokenLimit] = [periodicUsage.tokenLimit, currentSubscriptionQuota.tokenLimit];
|
||||
|
||||
const usagePercent = conditional(mauLimit && activeUsers / mauLimit);
|
||||
const mauUsagePercent = conditional(mauLimit && activeUsers / mauLimit) ?? 0;
|
||||
const tokenUsagePercent = conditional(tokenLimit && tokenUsage / tokenLimit) ?? 0;
|
||||
|
||||
const usages: ProPlanUsageCardProps[] = usageKeys.map((key) => ({
|
||||
usage:
|
||||
|
@ -96,6 +98,57 @@ function PlanUsage({ currentSubscription, currentPlan, periodicUsage: rawPeriodi
|
|||
))}
|
||||
</div>
|
||||
</div>
|
||||
) : isDevFeaturesEnabled ? (
|
||||
<div>
|
||||
<div className={classNames(styles.planCycle, styles.planCycleNewPricingModel)}>
|
||||
<DynamicT
|
||||
forKey="subscription.plan_cycle"
|
||||
interpolation={{
|
||||
period: formatPeriod({
|
||||
periodStart: currentPeriodStart,
|
||||
periodEnd: currentPeriodEnd,
|
||||
}),
|
||||
renewDate: dayjs(currentPeriodEnd).add(1, 'day').format('MMM D, YYYY'),
|
||||
}}
|
||||
/>
|
||||
</div>
|
||||
<div className={styles.newPricingModelUsage}>
|
||||
<div className={classNames(styles.container, styles.freeUser)}>
|
||||
<div className={styles.usage}>
|
||||
{`${activeUsers} / `}
|
||||
{mauLimit === null ? (
|
||||
<DynamicT forKey="subscription.quota_table.unlimited" />
|
||||
) : (
|
||||
mauLimit.toLocaleString()
|
||||
)}
|
||||
{` MAU (${(mauUsagePercent * 100).toFixed(2)}%)`}
|
||||
</div>
|
||||
<div className={styles.usageBar}>
|
||||
<div
|
||||
className={classNames(styles.usageBarInner, mauUsagePercent >= 1 && styles.overuse)}
|
||||
style={{ width: `${Math.min(mauUsagePercent, 1) * 100}%` }}
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
<div className={classNames(styles.container, styles.freeUser)}>
|
||||
<div className={styles.usage}>
|
||||
{`${tokenUsage} / `}
|
||||
{tokenLimit === null ? (
|
||||
<DynamicT forKey="subscription.quota_table.unlimited" />
|
||||
) : (
|
||||
tokenLimit.toLocaleString()
|
||||
)}
|
||||
{` Token usage (${(tokenUsagePercent * 100).toFixed(2)}%)`}
|
||||
</div>
|
||||
<div className={styles.usageBar}>
|
||||
<div
|
||||
className={classNames(styles.usageBarInner, tokenUsagePercent >= 1 && styles.overuse)}
|
||||
style={{ width: `${Math.min(tokenUsagePercent, 1) * 100}%` }}
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
) : (
|
||||
<div className={styles.container}>
|
||||
<div className={styles.usage}>
|
||||
|
@ -106,7 +159,7 @@ function PlanUsage({ currentSubscription, currentPlan, periodicUsage: rawPeriodi
|
|||
mauLimit.toLocaleString()
|
||||
)}
|
||||
{' MAU'}
|
||||
{usagePercent && ` (${(usagePercent * 100).toFixed(2)}%)`}
|
||||
{mauUsagePercent && ` (${(mauUsagePercent * 100).toFixed(2)}%)`}
|
||||
</div>
|
||||
<div className={styles.planCycle}>
|
||||
<DynamicT
|
||||
|
@ -120,11 +173,11 @@ function PlanUsage({ currentSubscription, currentPlan, periodicUsage: rawPeriodi
|
|||
}}
|
||||
/>
|
||||
</div>
|
||||
{usagePercent && (
|
||||
{mauUsagePercent && (
|
||||
<div className={styles.usageBar}>
|
||||
<div
|
||||
className={classNames(styles.usageBarInner, usagePercent >= 1 && styles.overuse)}
|
||||
style={{ width: `${Math.min(usagePercent, 1) * 100}%` }}
|
||||
className={classNames(styles.usageBarInner, mauUsagePercent >= 1 && styles.overuse)}
|
||||
style={{ width: `${Math.min(mauUsagePercent, 1) * 100}%` }}
|
||||
/>
|
||||
</div>
|
||||
)}
|
||||
|
|
|
@ -19,7 +19,14 @@ const userPreferencesGuard = z.object({
|
|||
managementApiAcknowledged: z.boolean().optional(),
|
||||
roleWithManagementApiAccessNotificationAcknowledged: z.boolean().optional(),
|
||||
m2mRoleNotificationAcknowledged: z.boolean().optional(),
|
||||
/* === Add on feature related fields === */
|
||||
mfaUpsellNoticeAcknowledged: z.boolean().optional(),
|
||||
m2mUpsellNoticeAcknowledged: z.boolean().optional(),
|
||||
apiResourceUpsellNoticeAcknowledged: z.boolean().optional(),
|
||||
organizationUpsellNoticeAcknowledged: z.boolean().optional(),
|
||||
tenantMembersUpsellNoticeAcknowledged: z.boolean().optional(),
|
||||
enterpriseSsoUpsellNoticeAcknowledged: z.boolean().optional(),
|
||||
/* === Add on feature related fields === */
|
||||
});
|
||||
|
||||
type UserPreferences = z.infer<typeof userPreferencesGuard>;
|
||||
|
|
|
@ -12,6 +12,7 @@ import { SubscriptionDataContext } from '@/contexts/SubscriptionDataProvider';
|
|||
import Button from '@/ds-components/Button';
|
||||
import TextLink from '@/ds-components/TextLink';
|
||||
import useApiResourcesUsage from '@/hooks/use-api-resources-usage';
|
||||
import useUserPreferences from '@/hooks/use-user-preferences';
|
||||
|
||||
import styles from './index.module.scss';
|
||||
|
||||
|
@ -29,6 +30,10 @@ function Footer({ isCreationLoading, onClickCreate }: Props) {
|
|||
currentSku,
|
||||
} = useContext(SubscriptionDataContext);
|
||||
const { hasReachedLimit } = useApiResourcesUsage();
|
||||
const {
|
||||
data: { apiResourceUpsellNoticeAcknowledged },
|
||||
update,
|
||||
} = useUserPreferences();
|
||||
|
||||
if (
|
||||
hasReachedLimit &&
|
||||
|
@ -53,12 +58,20 @@ function Footer({ isCreationLoading, onClickCreate }: Props) {
|
|||
);
|
||||
}
|
||||
|
||||
if (isDevFeaturesEnabled && hasReachedLimit && planId === ReservedPlanId.Pro) {
|
||||
if (
|
||||
isDevFeaturesEnabled &&
|
||||
hasReachedLimit &&
|
||||
planId === ReservedPlanId.Pro &&
|
||||
!apiResourceUpsellNoticeAcknowledged
|
||||
) {
|
||||
return (
|
||||
<AddOnNoticeFooter
|
||||
isLoading={isCreationLoading}
|
||||
buttonTitle="api_resources.create"
|
||||
onClick={onClickCreate}
|
||||
onClick={() => {
|
||||
void update({ apiResourceUpsellNoticeAcknowledged: true });
|
||||
onClickCreate();
|
||||
}}
|
||||
>
|
||||
<Trans
|
||||
components={{
|
||||
|
|
|
@ -27,6 +27,7 @@ import ModalLayout from '@/ds-components/ModalLayout';
|
|||
import TextInput from '@/ds-components/TextInput';
|
||||
import TextLink from '@/ds-components/TextLink';
|
||||
import useApi, { type RequestError } from '@/hooks/use-api';
|
||||
import useUserPreferences from '@/hooks/use-user-preferences';
|
||||
import modalStyles from '@/scss/modal.module.scss';
|
||||
import { trySubmitSafe } from '@/utils/form';
|
||||
|
||||
|
@ -52,6 +53,10 @@ function SsoCreationModal({ isOpen, onClose: rawOnClose }: Props) {
|
|||
currentSubscription: { planId },
|
||||
currentSubscriptionQuota,
|
||||
} = useContext(SubscriptionDataContext);
|
||||
const {
|
||||
data: { enterpriseSsoUpsellNoticeAcknowledged },
|
||||
update,
|
||||
} = useUserPreferences();
|
||||
const [selectedProviderName, setSelectedProviderName] = useState<string>();
|
||||
|
||||
const isSsoEnabled =
|
||||
|
@ -126,6 +131,14 @@ function SsoCreationModal({ isOpen, onClose: rawOnClose }: Props) {
|
|||
})
|
||||
);
|
||||
|
||||
const isCreateButtonDisabled = useMemo(() => {
|
||||
// The button is available only when:
|
||||
// 1. `connectorName` field is not empty.
|
||||
// 2. At least one connector is selected.
|
||||
// 3. Error is resolved. Since `connectorName` is the only field of this form, it means `connectorName` field error is resolved.
|
||||
return !(watch('connectorName') && isAnyConnectorSelected) || Boolean(errors.connectorName);
|
||||
}, [errors.connectorName, isAnyConnectorSelected, watch]);
|
||||
|
||||
if (!isOpen) {
|
||||
return null;
|
||||
}
|
||||
|
@ -147,36 +160,36 @@ function SsoCreationModal({ isOpen, onClose: rawOnClose }: Props) {
|
|||
)}
|
||||
footer={
|
||||
conditional(
|
||||
isDevFeaturesEnabled && planId === ReservedPlanId.Pro && (
|
||||
<AddOnNoticeFooter
|
||||
buttonTitle="enterprise_sso.create_modal.create_button_text"
|
||||
onClick={onSubmit}
|
||||
>
|
||||
<Trans
|
||||
components={{
|
||||
span: <span className={styles.strong} />,
|
||||
a: <TextLink to="https://blog.logto.io/pricing-add-ons/" />,
|
||||
isDevFeaturesEnabled &&
|
||||
planId === ReservedPlanId.Pro &&
|
||||
!enterpriseSsoUpsellNoticeAcknowledged && (
|
||||
<AddOnNoticeFooter
|
||||
buttonTitle="enterprise_sso.create_modal.create_button_text"
|
||||
isButtonDisabled={isCreateButtonDisabled}
|
||||
onClick={() => {
|
||||
void update({ enterpriseSsoUpsellNoticeAcknowledged: true });
|
||||
void onSubmit();
|
||||
}}
|
||||
>
|
||||
{t('upsell.add_on.footer.enterprise_sso', {
|
||||
price: enterpriseSsoAddOnUnitPrice,
|
||||
planName: t('subscription.pro_plan'),
|
||||
})}
|
||||
</Trans>
|
||||
</AddOnNoticeFooter>
|
||||
)
|
||||
<Trans
|
||||
components={{
|
||||
span: <span className={styles.strong} />,
|
||||
a: <TextLink to="https://blog.logto.io/pricing-add-ons/" />,
|
||||
}}
|
||||
>
|
||||
{t('upsell.add_on.footer.enterprise_sso', {
|
||||
price: enterpriseSsoAddOnUnitPrice,
|
||||
planName: t('subscription.pro_plan'),
|
||||
})}
|
||||
</Trans>
|
||||
</AddOnNoticeFooter>
|
||||
)
|
||||
) ??
|
||||
(isSsoEnabled ? (
|
||||
<Button
|
||||
title="enterprise_sso.create_modal.create_button_text"
|
||||
type="primary"
|
||||
disabled={
|
||||
// The button is available only when:
|
||||
// 1. `connectorName` field is not empty.
|
||||
// 2. At least one connector is selected.
|
||||
// 3. Error is resolved. Since `connectorName` is the only field of this form, it means `connectorName` field error is resolved.
|
||||
!(watch('connectorName') && isAnyConnectorSelected) || Boolean(errors.connectorName)
|
||||
}
|
||||
disabled={isCreateButtonDisabled}
|
||||
onClick={onSubmit}
|
||||
/>
|
||||
) : (
|
||||
|
|
|
@ -17,6 +17,7 @@ import ModalLayout from '@/ds-components/ModalLayout';
|
|||
import TextInput from '@/ds-components/TextInput';
|
||||
import TextLink from '@/ds-components/TextLink';
|
||||
import useApi from '@/hooks/use-api';
|
||||
import useUserPreferences from '@/hooks/use-user-preferences';
|
||||
import modalStyles from '@/scss/modal.module.scss';
|
||||
import { trySubmitSafe } from '@/utils/form';
|
||||
|
||||
|
@ -35,6 +36,10 @@ function CreateOrganizationModal({ isOpen, onClose }: Props) {
|
|||
currentSubscription: { planId },
|
||||
currentSubscriptionQuota,
|
||||
} = useContext(SubscriptionDataContext);
|
||||
const {
|
||||
data: { organizationUpsellNoticeAcknowledged },
|
||||
update,
|
||||
} = useUserPreferences();
|
||||
const isOrganizationsDisabled =
|
||||
isCloud &&
|
||||
!(isDevFeaturesEnabled
|
||||
|
@ -81,25 +86,30 @@ function CreateOrganizationModal({ isOpen, onClose }: Props) {
|
|||
)}
|
||||
footer={
|
||||
cond(
|
||||
isDevFeaturesEnabled && planId === ReservedPlanId.Pro && (
|
||||
<AddOnNoticeFooter
|
||||
isLoading={isSubmitting}
|
||||
buttonTitle="general.create"
|
||||
onClick={submit}
|
||||
>
|
||||
<Trans
|
||||
components={{
|
||||
span: <span className={styles.strong} />,
|
||||
a: <TextLink to="https://blog.logto.io/pricing-add-ons/" />,
|
||||
isDevFeaturesEnabled &&
|
||||
planId === ReservedPlanId.Pro &&
|
||||
!organizationUpsellNoticeAcknowledged && (
|
||||
<AddOnNoticeFooter
|
||||
isLoading={isSubmitting}
|
||||
buttonTitle="general.create"
|
||||
onClick={async () => {
|
||||
void update({ organizationUpsellNoticeAcknowledged: true });
|
||||
await submit();
|
||||
}}
|
||||
>
|
||||
{t('upsell.add_on.footer.organization', {
|
||||
price: organizationAddOnUnitPrice,
|
||||
planName: t('subscription.pro_plan'),
|
||||
})}
|
||||
</Trans>
|
||||
</AddOnNoticeFooter>
|
||||
)
|
||||
<Trans
|
||||
components={{
|
||||
span: <span className={styles.strong} />,
|
||||
a: <TextLink to="https://blog.logto.io/pricing-add-ons/" />,
|
||||
}}
|
||||
>
|
||||
{t('upsell.add_on.footer.organization', {
|
||||
price: organizationAddOnUnitPrice,
|
||||
planName: t('subscription.pro_plan'),
|
||||
})}
|
||||
</Trans>
|
||||
</AddOnNoticeFooter>
|
||||
)
|
||||
) ??
|
||||
(isOrganizationsDisabled ? (
|
||||
<QuotaGuardFooter>
|
||||
|
|
|
@ -53,8 +53,6 @@ function PlanComparisonTable() {
|
|||
const tables: Table[] = useMemo(() => {
|
||||
const contact = t('contact');
|
||||
const unlimited = t('unlimited');
|
||||
const paidQuotaLimitTip = t('paid_quota_limit_tip');
|
||||
const paidAddOnFeatureTip = t('paid_add_on_feature_tip');
|
||||
const addOn = t('add_on');
|
||||
const comingSoon = adminConsoleTranslation('general.coming_soon');
|
||||
|
||||
|
@ -66,7 +64,6 @@ function PlanComparisonTable() {
|
|||
const includedTokens = t('quota.included_tokens');
|
||||
const includedTokensTip = t('tokens_tip');
|
||||
const proPlanIncludedTokens = t('million', { value: 1 });
|
||||
const proPlanIncludedTokensTip = t('paid_token_limit_tip');
|
||||
|
||||
// Applications
|
||||
const totalApplications = t('application.total');
|
||||
|
@ -102,7 +99,6 @@ function PlanComparisonTable() {
|
|||
const mfa = t('user_authn.mfa');
|
||||
const mfaPrice = t('monthly_price', { value: 48 });
|
||||
const orgPrice = t('monthly_price', { value: 48 });
|
||||
const adaptiveMfa = t('user_authn.adaptive_mfa');
|
||||
const impersonation = t('user_authn.impersonation');
|
||||
|
||||
// User management
|
||||
|
@ -147,7 +143,7 @@ function PlanComparisonTable() {
|
|||
},
|
||||
{
|
||||
name: `${includedTokens}|${includedTokensTip}`,
|
||||
data: ['500,000', `${proPlanIncludedTokens}|${proPlanIncludedTokensTip}`, contact],
|
||||
data: ['500,000', `${proPlanIncludedTokens}`, contact],
|
||||
},
|
||||
],
|
||||
},
|
||||
|
@ -157,11 +153,7 @@ function PlanComparisonTable() {
|
|||
{ name: totalApplications, data: ['3', unlimited, contact] },
|
||||
{
|
||||
name: m2mApps,
|
||||
data: [
|
||||
`${freePlanM2mLimit}`,
|
||||
`${proPlanM2mAppLimit}|${paidQuotaLimitTip}|${proPlanM2mAppPrice}`,
|
||||
contact,
|
||||
],
|
||||
data: [`${freePlanM2mLimit}`, `${proPlanM2mAppLimit}||${proPlanM2mAppPrice}`, contact],
|
||||
},
|
||||
{ name: `${thirdPartyApps}|${thirdPartyAppsTip}`, data: ['-', unlimited, contact] },
|
||||
],
|
||||
|
@ -171,11 +163,7 @@ function PlanComparisonTable() {
|
|||
rows: [
|
||||
{
|
||||
name: resourceCount,
|
||||
data: [
|
||||
'1',
|
||||
`${proPlanResourceLimit}|${paidQuotaLimitTip}|${proPlanResourcePrice}`,
|
||||
contact,
|
||||
],
|
||||
data: ['1', `${proPlanResourceLimit}||${proPlanResourcePrice}`, contact],
|
||||
},
|
||||
{ name: permissionsPerResource, data: ['1', unlimited, contact] },
|
||||
],
|
||||
|
@ -188,7 +176,7 @@ function PlanComparisonTable() {
|
|||
{ name: appLogoAndFavicon, data: ['✓', '✓', '✓'] },
|
||||
{ name: darkMode, data: ['✓', '✓', '✓'] },
|
||||
{ name: i18n, data: ['✓', '✓', '✓'] },
|
||||
{ name: bringYourUi, data: ['-', '✓', '✓'] },
|
||||
{ name: bringYourUi, data: ['-', comingSoon, comingSoon] },
|
||||
],
|
||||
},
|
||||
{
|
||||
|
@ -200,12 +188,8 @@ function PlanComparisonTable() {
|
|||
{ name: emailConnector, data: ['✓', '✓', '✓'] },
|
||||
{ name: smsConnector, data: ['✓', '✓', '✓'] },
|
||||
{ name: socialConnectors, data: ['3', unlimited, contact] },
|
||||
{ name: sso, data: ['-', `${ssoPrice}|${paidAddOnFeatureTip}|${addOn}`, contact] },
|
||||
{ name: mfa, data: ['-', `${mfaPrice}|${paidAddOnFeatureTip}|${addOn}`, contact] },
|
||||
{
|
||||
name: adaptiveMfa,
|
||||
data: ['-', comingSoon, contact],
|
||||
},
|
||||
{ name: sso, data: ['-', `${ssoPrice}||${addOn}`, contact] },
|
||||
{ name: mfa, data: ['-', `${mfaPrice}||${addOn}`, contact] },
|
||||
{ name: impersonation, data: ['-', '✓', '✓'] },
|
||||
],
|
||||
},
|
||||
|
@ -223,14 +207,14 @@ function PlanComparisonTable() {
|
|||
rows: [
|
||||
{
|
||||
name: organization,
|
||||
data: ['-', `${orgPrice}|${paidAddOnFeatureTip}|${addOn}`, contact],
|
||||
data: ['-', `${orgPrice}||${addOn}`, contact],
|
||||
},
|
||||
{ name: orgCount, data: ['-', unlimited, contact] },
|
||||
{ name: allowedUsersPerOrg, data: ['-', unlimited, contact] },
|
||||
{ name: invitation, data: ['-', comingSoon, contact] },
|
||||
{ name: invitation, data: ['-', '✓', '✓'] },
|
||||
{ name: orgRoles, data: ['-', unlimited, contact] },
|
||||
{ name: orgPermissions, data: ['-', unlimited, contact] },
|
||||
{ name: jitProvisioning, data: ['-', comingSoon, comingSoon] },
|
||||
{ name: jitProvisioning, data: ['-', '✓', '✓'] },
|
||||
],
|
||||
},
|
||||
{
|
||||
|
@ -241,11 +225,7 @@ function PlanComparisonTable() {
|
|||
{ name: jwtClaims, data: ['-', '✓', contact] },
|
||||
{
|
||||
name: tenantMembers,
|
||||
data: [
|
||||
'1',
|
||||
`${tenantMembersLimit}|${paidAddOnFeatureTip}|${tenantMembersPrice}`,
|
||||
contact,
|
||||
],
|
||||
data: ['1', `${tenantMembersLimit}||${tenantMembersPrice}`, contact],
|
||||
},
|
||||
],
|
||||
},
|
||||
|
@ -254,7 +234,7 @@ function PlanComparisonTable() {
|
|||
rows: [
|
||||
{ name: community, data: ['✓', '✓', '✓'] },
|
||||
{ name: emailTicketSupport, data: ['-', '✓ (48h)', contact] },
|
||||
{ name: soc2Report, data: ['-', comingSoon, comingSoon] },
|
||||
{ name: soc2Report, data: ['-', '✓', '✓'] },
|
||||
{ name: hipaaOrBaaReport, data: ['-', '-', comingSoon] },
|
||||
],
|
||||
},
|
||||
|
|
|
@ -17,6 +17,7 @@ import ModalLayout from '@/ds-components/ModalLayout';
|
|||
import Select, { type Option } from '@/ds-components/Select';
|
||||
import TextLink from '@/ds-components/TextLink';
|
||||
import { useConfirmModal } from '@/hooks/use-confirm-modal';
|
||||
import useUserPreferences from '@/hooks/use-user-preferences';
|
||||
import modalStyles from '@/scss/modal.module.scss';
|
||||
import { hasReachedSubscriptionQuotaLimit } from '@/utils/quota';
|
||||
|
||||
|
@ -45,6 +46,10 @@ function InviteMemberModal({ isOpen, onClose }: Props) {
|
|||
currentSubscriptionQuota,
|
||||
currentSubscriptionUsage: { tenantMembersLimit },
|
||||
} = useContext(SubscriptionDataContext);
|
||||
const {
|
||||
data: { tenantMembersUpsellNoticeAcknowledged },
|
||||
update,
|
||||
} = useUserPreferences();
|
||||
|
||||
const formMethods = useForm<InviteMemberForm>({
|
||||
defaultValues: {
|
||||
|
@ -132,11 +137,15 @@ function InviteMemberModal({ isOpen, onClose }: Props) {
|
|||
conditional(
|
||||
isDevFeaturesEnabled &&
|
||||
hasTenantMembersReachedLimit &&
|
||||
planId === ReservedPlanId.Pro && (
|
||||
planId === ReservedPlanId.Pro &&
|
||||
!tenantMembersUpsellNoticeAcknowledged && (
|
||||
<AddOnNoticeFooter
|
||||
isLoading={isLoading}
|
||||
buttonTitle="tenant_members.invite_members"
|
||||
onClick={onSubmit}
|
||||
onClick={async () => {
|
||||
void update({ tenantMembersUpsellNoticeAcknowledged: true });
|
||||
await onSubmit();
|
||||
}}
|
||||
>
|
||||
<Trans
|
||||
components={{
|
||||
|
|
|
@ -12,10 +12,12 @@ const subscription = {
|
|||
'Hier ist dein aktueller Tarif. Du kannst einfach deinen Tarifverbrauch einsehen, deine anstehende Rechnung überprüfen und bei Bedarf Änderungen an deinem Tarif vornehmen.',
|
||||
plan_usage: 'Plan-Nutzung',
|
||||
plan_cycle: 'Plan-Zyklus: {{period}}. Die Nutzung wird am {{renewDate}} erneuert.',
|
||||
next_bill: 'Ihre nächste Rechnung',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: 'Weitere Informationen zur Berechnung finden Sie in diesem <a>Artikel</a>.',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
'Die hier angezeigten Preise verstehen sich exklusive Steuern. Die Steuer wird auf Grundlage der von Ihnen bereitgestellten Informationen und Ihrer lokalen gesetzlichen Anforderungen berechnet und in Ihren Rechnungen ausgewiesen.',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: 'Zahlung verwalten',
|
||||
overfill_quota_warning:
|
||||
'Sie haben Ihr Quotenlimit erreicht. Um Probleme zu vermeiden, upgraden Sie den Plan.',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: 'Integrierter E-Mail-Connector',
|
||||
mfa: 'Multi-Faktor-Authentifizierung',
|
||||
sso: 'Unternehmens-SSO',
|
||||
adaptive_mfa: 'Adaptive MFA',
|
||||
|
||||
impersonation: 'Stellvertretung',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} Tage',
|
||||
add_on: 'Zusatzleistung',
|
||||
tier: 'Stufe{{value, number}}: ',
|
||||
paid_token_limit_tip:
|
||||
'Logto wird Gebühren für Funktionen erheben, die über Ihr Kontingent hinausgehen. Sie können es kostenlos nutzen, bis wir ab dem 2. Quartal 2024 mit der Abrechnung beginnen. Wenn Sie mehr Tokens benötigen, setzen Sie sich bitte mit uns in Verbindung. Standardmäßig berechnen wir $80 pro Monat für jede Million Tokens.',
|
||||
paid_quota_limit_tip:
|
||||
'Logto wird Gebühren für Funktionen hinzufügen, die über Ihr Kontingent hinausgehen. Sie können es kostenlos verwenden, bis wir etwa im 2. Quartal 2024 mit der Berechnung beginnen.',
|
||||
paid_add_on_feature_tip:
|
||||
'Dies ist eine Zusatzfunktion. Sie können sie kostenlos verwenden, bis wir etwa im 2. Quartal 2024 mit der Berechnung beginnen.',
|
||||
|
||||
million: '{{value, number}} Millionen',
|
||||
mau_tip:
|
||||
'MAU (monatlich aktive Benutzer) bezeichnet die Anzahl der eindeutigen Benutzer, die in einem Abrechnungszyklus mindestens einen Token mit Logto ausgetauscht haben.',
|
||||
|
|
|
@ -13,10 +13,10 @@ const subscription = {
|
|||
'Here’s your current plan. You can easily see your plan usage, check your upcoming bill, and make changes to your plan as needed.',
|
||||
plan_usage: 'Plan usage',
|
||||
plan_cycle: 'Plan cycle: {{period}}. Usage renews on {{renewDate}}.',
|
||||
next_bill: 'Your next bill',
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: 'To learn more about the calculation, please refer to this <a>article</a>.',
|
||||
next_bill_tip:
|
||||
'The prices displayed here are tax-exclusive. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: 'Manage payment',
|
||||
overfill_quota_warning:
|
||||
'You have reached your quota limit. To prevent any issues, upgrade the plan.',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: 'Built-in email connector',
|
||||
mfa: 'Multi-factor authentication',
|
||||
sso: 'Enterprise SSO',
|
||||
adaptive_mfa: 'Adaptive MFA',
|
||||
|
||||
impersonation: 'Impersonation',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} days',
|
||||
add_on: 'Add-on',
|
||||
tier: 'Tier{{value, number}}: ',
|
||||
paid_token_limit_tip:
|
||||
"Logto will add charges for features that go beyond your quota limit. You can use it at no cost until we're beginning charging around Q2 2024. If you require more tokens, please get in touch with us. By default, we bill $80 per month for every million tokens.",
|
||||
paid_quota_limit_tip:
|
||||
"Logto will add charges for features that go beyond your quota limit. You can use it at no cost until we're beginning charging around Q2 2024.",
|
||||
paid_add_on_feature_tip:
|
||||
"This is an add-on feature. You can use it at no cost until we're beginning charging around Q2 2024.",
|
||||
|
||||
million: '{{value, number}} million',
|
||||
mau_tip:
|
||||
'MAU (monthly active user) means the number of unique users who have exchanged at least one token with Logto in a billing cycle.',
|
||||
|
|
|
@ -13,10 +13,12 @@ const subscription = {
|
|||
'Aquí está tu plan actual. Puedes ver fácilmente el uso de tu plan, revisar tu próxima factura y hacer cambios en tu plan según sea necesario.',
|
||||
plan_usage: 'Uso del plan',
|
||||
plan_cycle: 'Ciclo del plan: {{period}}. La renovación del uso se realiza en {{renewDate}}.',
|
||||
next_bill: 'Su próxima factura',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: 'Para obtener más información sobre el cálculo, consulte este <a>artículo</a>.',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
'Los precios mostrados aquí no incluyen impuestos. El monto de impuestos se calculará según la información que proporcione y los requisitos regulatorios locales, y se mostrará en sus facturas.',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: 'Gestionar el pago',
|
||||
overfill_quota_warning:
|
||||
'Ha alcanzado el límite de su cuota. Para evitar problemas, actualice el plan.',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: 'Conector de correo electrónico incorporado',
|
||||
mfa: 'Autenticación multifactor',
|
||||
sso: 'SSO empresarial',
|
||||
adaptive_mfa: 'MFA adaptativo',
|
||||
|
||||
impersonation: 'Suplantación de identidad',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} días',
|
||||
add_on: 'Complemento',
|
||||
tier: 'Nivel{{value, number}}: ',
|
||||
paid_token_limit_tip:
|
||||
'Logto agregará cargos por funciones que superen su límite de cuota. Puede usarlo sin costo hasta que comencemos a cobrar alrededor del segundo trimestre de 2024. Si necesita más tokens, por favor contáctenos. Por defecto, cobramos $80 por mes por cada millón de tokens.',
|
||||
paid_quota_limit_tip:
|
||||
'Logto agregará cargos por funciones que excedan su límite de cuota. Puede usarlo sin costo hasta que comencemos a cobrar aproximadamente en el segundo trimestre de 2024.',
|
||||
paid_add_on_feature_tip:
|
||||
'Esta es una característica adicional. Puede usarla sin costo hasta que comencemos a cobrar aproximadamente en el segundo trimestre de 2024.',
|
||||
|
||||
million: '{{value, number}} millones',
|
||||
mau_tip:
|
||||
'MAU (usuarios activos mensuales) significa el número de usuarios únicos que han intercambiado al menos un token con Logto en un ciclo de facturación.',
|
||||
|
|
|
@ -13,10 +13,12 @@ const subscription = {
|
|||
"Voici votre plan actuel. Vous pouvez facilement consulter l'utilisation de votre plan, vérifier votre prochaine facture et apporter des modifications à votre plan si nécessaire.",
|
||||
plan_usage: 'Utilisation du plan',
|
||||
plan_cycle: "Cycle du plan: {{period}}. L'utilisation est renouvelée le {{renewDate}}.",
|
||||
next_bill: 'Votre prochaine facture',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: 'Pour en savoir plus sur le calcul, veuillez vous référer à cet <a>article</a>.',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
"Les prix affichés ici n'incluent pas les taxes. Le montant des taxes sera calculé en fonction des informations que vous fournissez et des exigences réglementaires locales, et sera indiqué sur vos factures.",
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: 'Gérer le Paiement',
|
||||
overfill_quota_warning:
|
||||
'Vous avez atteint votre limite de quota. Pour éviter tout problème, passez à un plan supérieur.',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: 'Connecteur email intégré',
|
||||
mfa: 'Authentification multi-facteurs',
|
||||
sso: 'SSO entreprise',
|
||||
adaptive_mfa: 'MFA adaptative',
|
||||
|
||||
impersonation: "Usurpation d'identité",
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} jours',
|
||||
add_on: 'Module complémentaire',
|
||||
tier: 'Niveau{{value, number}} :',
|
||||
paid_token_limit_tip:
|
||||
"Logto facturera des frais pour les fonctionnalités qui dépassent votre limite de quota. Vous pouvez l'utiliser gratuitement jusqu'à ce que nous commencions à facturer vers le deuxième trimestre 2024. Si vous avez besoin de plus de jetons, veuillez nous contacter. Par défaut, nous facturons 80 $ par mois pour chaque million de jetons.",
|
||||
paid_quota_limit_tip:
|
||||
"Logto ajoutera des frais pour les fonctionnalités qui dépassent votre limite de quota. Vous pouvez l'utiliser gratuitement jusqu'à ce que nous commencions à facturer vers le deuxième trimestre 2024.",
|
||||
paid_add_on_feature_tip:
|
||||
"Il s'agit d'une fonctionnalité supplémentaire. Vous pouvez l'utiliser gratuitement jusqu'à ce que nous commencions à facturer vers le deuxième trimestre 2024.",
|
||||
|
||||
million: '{{value, number}} million',
|
||||
mau_tip:
|
||||
"MAU (utilisateurs actifs mensuels) signifie le nombre d'utilisateurs uniques qui ont échangé au moins un jeton avec Logto au cours d'un cycle de facturation.",
|
||||
|
|
|
@ -13,10 +13,12 @@ const subscription = {
|
|||
"Ecco il tuo piano attuale. Puoi facilmente visualizzare l'utilizzo del tuo piano, controllare la tua prossima fattura e apportare modifiche al piano, se necessario.",
|
||||
plan_usage: 'Utilizzo del piano',
|
||||
plan_cycle: "Ciclo del piano: {{period}}. L'utilizzo si rinnova il {{renewDate}}.",
|
||||
next_bill: 'La tua prossima fattura',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: 'Per saperne di più sul calcolo, consulta questo <a>articolo</a>.',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
"I prezzi visualizzati qui sono esclusi di tasse. L'importo delle tasse sarà calcolato in base alle informazioni che fornite e ai requisiti normativi locali, e verrà mostrato nelle vostre fatture.",
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: 'Gestisci pagamento',
|
||||
overfill_quota_warning:
|
||||
"Hai raggiunto il limite del tuo contingente. Per evitare eventuali problemi, esegui l'upgrade del piano.",
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: 'Connettore e-mail integrato',
|
||||
mfa: 'Autenticazione a più fattori',
|
||||
sso: 'SSO aziendale',
|
||||
adaptive_mfa: 'MFA adattativa',
|
||||
|
||||
impersonation: 'Impersonificazione',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} giorni',
|
||||
add_on: 'Aggiuntiva',
|
||||
tier: 'Livello{{value, number}}: ',
|
||||
paid_token_limit_tip:
|
||||
'Logto addebiterà tariffe per le funzionalità che superano il limite della tua quota. Puoi usarlo gratuitamente fino a quando inizieremo a addebitare circa nel secondo trimestre del 2024. Se hai bisogno di più token, ti preghiamo di contattarci. Per default, addebitiamo $80 al mese per ogni milione di token.',
|
||||
paid_quota_limit_tip:
|
||||
'Logto addebiterà costi per le funzionalità che superano il limite della tua quota. Puoi usarlo gratuitamente fino a quando inizieremo a addebitare circa nel secondo trimestre del 2024.',
|
||||
paid_add_on_feature_tip:
|
||||
'Questa è una funzionalità aggiuntiva. Puoi usarla gratuitamente fino a quando inizieremo a addebitare circa nel secondo trimestre del 2024.',
|
||||
|
||||
million: '{{value, number}} milioni',
|
||||
mau_tip:
|
||||
'MAU (utenti attivi mensili) significa il numero di utenti unici che hanno scambiato almeno un token con Logto in un ciclo di fatturazione.',
|
||||
|
|
|
@ -13,10 +13,12 @@ const subscription = {
|
|||
'現在のプランはこちらです。プランの使用状況を簡単に確認したり、次回の請求を確認したり、必要に応じてプランを変更したりできます。',
|
||||
plan_usage: '利用状況',
|
||||
plan_cycle: 'プランサイクル: {{period}}。更新日: {{renewDate}}。',
|
||||
next_bill: '次の請求書',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: '計算方法については、次の<a>記事</a>を参照してください。',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
'ここに表示されている価格には税金が含まれていません。税金は、提供された情報と地元の規制要件に基づいて計算され、請求書に表示されます。',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: '支払い方法の管理',
|
||||
overfill_quota_warning:
|
||||
'クォータ制限に到達しました。問題を防ぐために、プランをアップグレードしてください。',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: '組み込みE-mailコネクタ',
|
||||
mfa: '多要素認証',
|
||||
sso: 'エンタープライズ SSO',
|
||||
adaptive_mfa: '適応型MFA',
|
||||
|
||||
impersonation: 'なりすまし',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} 日',
|
||||
add_on: 'アドオン',
|
||||
tier: 'レベル{{value, number}}: ',
|
||||
paid_token_limit_tip:
|
||||
'Logtoは、クォータ制限を超える機能に対して料金を追加します。2024年第2四半期ごろから課金を開始するまで無料でご利用いただけます。トークンがさらに必要な場合は、お問い合わせください。デフォルトでは、100万トークンごとに月額 80 ドルを請求します。',
|
||||
paid_quota_limit_tip:
|
||||
'Logtoはクォータ制限を超える機能に対して料金を追加します。2024年第2四半期ごろまでは無料でご利用いただけます。',
|
||||
paid_add_on_feature_tip:
|
||||
'これはアドオン機能です。2024年第2四半期ごろまでは無料でご利用いただけます。',
|
||||
|
||||
million: '{{value, number}} 万',
|
||||
mau_tip:
|
||||
'MAU(月間アクティブユーザー)は、請求サイクルで Logto と少なくとも 1 つのトークンを交換したユニークユーザーの数を指します。',
|
||||
|
|
|
@ -12,10 +12,12 @@ const subscription = {
|
|||
'현재 사용중인 요금제 정보입니다. 요금제 사용 내역을 쉽게 확인하고, 다가오는 청구서를 확인하며 필요에 따라 요금제를 변경할 수 있습니다.',
|
||||
plan_usage: '요금제 사용량',
|
||||
plan_cycle: 'Plan cycle: {{period}}. 사용량은 {{renewDate}}에 갱신됩니다.',
|
||||
next_bill: '다음 청구서',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: '계산에 대해 자세히 알아보려면 이 <a>게시물</a>을 참조하세요.',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
'여기에 표시된 가격은 세금이 포함되어 있지 않습니다. 세금은 제공하는 정보와 지역 규정 요건을 기반으로 계산되어 청구서에 표시됩니다.',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: '결제 관리',
|
||||
overfill_quota_warning:
|
||||
'할당량 한도에 도달했습니다. 문제를 방지하기 위해 요금제를 업그레이드하세요.',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: '내장 이메일 커넥터',
|
||||
mfa: '다중 인증',
|
||||
sso: '기업 SSO',
|
||||
adaptive_mfa: '적응형 MFA',
|
||||
|
||||
impersonation: '가장하기',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} 일',
|
||||
add_on: '부가 기능',
|
||||
tier: '레벨{{value, number}}: ',
|
||||
paid_token_limit_tip:
|
||||
'Logto 는 할당량 한도를 초과하는 기능에 대해 요금을 부과할 것입니다. 2024년 제 2분기부터 요금이 부과될 때까지 무료로 사용할 수 있습니다. 더 많은 토큰이 필요한 경우 저희에게 문의하십시오. 기본적으로 100만 토큰 당 월 $80 을 청구합니다.',
|
||||
paid_quota_limit_tip:
|
||||
'Logto 는 할당량 제한을 초과하는 기능에 대해 요금을 부과할 것입니다. 2024년 제 2분기까지는 무료로 사용할 수 있습니다.',
|
||||
paid_add_on_feature_tip:
|
||||
'이것은 부가 기능입니다. 2024년 제 2분기까지는 무료로 사용할 수 있습니다.',
|
||||
|
||||
million: '{{value, number}} 백만',
|
||||
mau_tip:
|
||||
'MAU (월간 활성 사용자) 는 청구 주기 동안 Logto 와 적어도 하나의 토큰을 교환한 고유 사용자 수를 의미합니다.',
|
||||
|
|
|
@ -13,10 +13,12 @@ const subscription = {
|
|||
'Oto Twój obecny plan. Łatwo możesz sprawdzić wykorzystanie swojego planu, sprawdzić nadchodzący rachunek i dokonać zmian w planie, jeśli jest to konieczne.',
|
||||
plan_usage: 'Wykorzystanie planu',
|
||||
plan_cycle: 'Cykl planu: {{period}}. Użycie odnawiane w dniu {{renewDate}}.',
|
||||
next_bill: 'Twoje następne rozliczenie',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: 'Aby dowiedzieć się więcej o obliczeniach, zapoznaj się z tym <a>artykułem</a>.',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
'Tutaj wyświetlane ceny nie obejmują podatków. Kwota podatku będzie obliczana na podstawie dostarczonych przez Ciebie informacji oraz lokalnych wymagań regulacyjnych i będzie widoczna na Twoich fakturach.',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: 'Zarządzanie płatnościami',
|
||||
overfill_quota_warning:
|
||||
'Osiągnąłeś limit swojej puli. Aby uniknąć problemów, zaktualizuj swój plan.',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: 'Wbudowane podłączenie e-mail',
|
||||
mfa: 'Wielopoziomowa autentykacja',
|
||||
sso: 'SSO przedsiębiorstwowe',
|
||||
adaptive_mfa: 'MFA adaptacyjne',
|
||||
|
||||
impersonation: 'Podszywanie się',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} dni',
|
||||
add_on: 'Dodatkowy',
|
||||
tier: 'Poziom{{value, number}}: ',
|
||||
paid_token_limit_tip:
|
||||
'Logto doliczy opłaty za funkcje, które przekraczają Twój limit kwoty. Możesz go używać bezpłatnie do momentu rozpoczęcia naliczania opłat około II kwartału 2024 roku. Jeśli potrzebujesz więcej tokenów, skontaktuj się z nami. Domyślnie naliczamy $80 miesięcznie za milion tokenów.',
|
||||
paid_quota_limit_tip:
|
||||
'Logto będzie naliczać opłaty za funkcje przekraczające limit kontyngentu. Możesz go używać bezpłatnie do czasu rozpoczęcia naliczania opłat, około II kwartał 2024 roku.',
|
||||
paid_add_on_feature_tip:
|
||||
'To jest funkcja dodatkowa. Możesz z niej korzystać bezpłatnie do czasu rozpoczęcia naliczania opłat, około II kwartał 2024 roku.',
|
||||
|
||||
million: '{{value, number}} milion',
|
||||
mau_tip:
|
||||
'MAU (aktywni użytkownicy miesięczni) oznacza liczbę unikalnych użytkowników, którzy wymienili co najmniej jeden token z Logto w cyklu rozliczeniowym.',
|
||||
|
|
|
@ -13,10 +13,12 @@ const subscription = {
|
|||
'Aqui está o seu plano atual. Você pode facilmente ver o uso do seu plano, verificar a sua próxima fatura e fazer alterações no plano, conforme necessário.',
|
||||
plan_usage: 'Uso do plano',
|
||||
plan_cycle: 'Ciclo do plano: {{period}}. O uso é renovado em {{renewDate}}.',
|
||||
next_bill: 'Sua próxima fatura',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: 'Para saber mais sobre o cálculo, consulte este <a>artigo</a>.',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
'Os preços exibidos aqui não incluem impostos. O valor do imposto será calculado com base nas informações que você fornecer e nos requisitos regulatórios locais, e será mostrado nas suas faturas.',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: 'Gerenciar pagamento',
|
||||
overfill_quota_warning:
|
||||
'Você atingiu o limite de cota. Para evitar problemas, faça upgrade do plano.',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: 'Conector de e-mail integrado',
|
||||
mfa: 'Autenticação multifator',
|
||||
sso: 'SSO Empresarial',
|
||||
adaptive_mfa: 'MFA adaptativo',
|
||||
|
||||
impersonation: 'Impersonação',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '${ { count, number } } dias',
|
||||
add_on: 'Adicional',
|
||||
tier: 'Nível${ { value, number } }:',
|
||||
paid_token_limit_tip:
|
||||
'O Logto adicionará cobranças para recursos que ultrapassem o limite da sua cota. Você pode usá-lo gratuitamente até começarmos a cobrar por volta do segundo trimestre de 2024. Se precisar de mais tokens, entre em contato conosco. Por padrão, cobramos $80 por mês para cada milhão de tokens.',
|
||||
paid_quota_limit_tip:
|
||||
'O Logto adicionará cobranças por recursos que ultrapassarem seu limite de cota. Você pode usá-lo gratuitamente até começarmos a cobrar, aproximadamente no segundo trimestre de 2024.',
|
||||
paid_add_on_feature_tip:
|
||||
'Esta é uma função adicional. Você pode usá-la gratuitamente até começarmos a cobrar, aproximadamente no segundo trimestre de 2024.',
|
||||
|
||||
million: '{{value, number}} milhão',
|
||||
mau_tip:
|
||||
'MAU (usuários ativos mensais) significa o número de usuários únicos que trocaram pelo menos um token com o Logto em um ciclo de faturamento.',
|
||||
|
|
|
@ -13,10 +13,12 @@ const subscription = {
|
|||
'Aqui está o seu plano atual. Pode facilmente verificar a utilização do seu plano, verificar a sua próxima fatura e efetuar alterações no seu plano, conforme necessário.',
|
||||
plan_usage: 'Uso do plano',
|
||||
plan_cycle: 'Ciclo do plano: {{period}}. O uso é renovado em {{renewDate}}.',
|
||||
next_bill: 'Sua próxima fatura',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: 'Para saber mais sobre o cálculo, consulte este <a>artigo</a>.',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
'Os preços exibidos aqui não incluem impostos. O valor do imposto será calculado com base nas informações que você fornecer e nos requisitos regulatórios locais, e será mostrado nas suas faturas.',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: 'Gerenciar pagamento',
|
||||
overfill_quota_warning:
|
||||
'Você atingiu o limite da sua cota. Para evitar problemas, faça upgrade do plano.',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: 'Conector de e-mail incorporado',
|
||||
mfa: 'Autenticação de vários fatores',
|
||||
sso: 'SSO Empresarial',
|
||||
adaptive_mfa: 'MFA adaptativo',
|
||||
|
||||
impersonation: 'Personificação',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} dias',
|
||||
add_on: 'Suplemento',
|
||||
tier: 'Nível{{value, number}}: ',
|
||||
paid_token_limit_tip:
|
||||
'O Logto adicionará cobranças para funcionalidades que ultrapassem o limite da sua quota. Pode utilizá-lo gratuitamente até começarmos a cobrar por volta do segundo trimestre de 2024. Se precisar de mais tokens, por favor, entre em contacto connosco. Por padrão, cobramos $80 por mês por cada milhão de tokens.',
|
||||
paid_quota_limit_tip:
|
||||
'O Logto adicionará encargos por funcionalidades que ultrapassem o seu limite de quota. Pode utilizá-lo sem custos até começarmos a cobrar, aproximadamente no segundo trimestre de 2024.',
|
||||
paid_add_on_feature_tip:
|
||||
'Esta é uma funcionalidade adicional. Pode utilizá-la sem custos até começarmos a cobrar, aproximadamente no segundo trimestre de 2024.',
|
||||
|
||||
million: '{{value, number}} milhão',
|
||||
mau_tip:
|
||||
'MAU (utilizadores ativos mensais) significa o número de utilizadores únicos que trocaram pelo menos um token com o Logto num ciclo de faturação.',
|
||||
|
|
|
@ -12,10 +12,12 @@ const subscription = {
|
|||
'Вот ваш текущий тарифный план. Вы можете легко просмотреть использование вашего тарифа, проверить предстоящий счет и вносить изменения в тариф по мере необходимости.',
|
||||
plan_usage: 'Использование плана',
|
||||
plan_cycle: 'Цикл плана: {{period}}. Использование обновляется {{renewDate}}.',
|
||||
next_bill: 'Ваш следующий счет',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: 'Чтобы узнать больше о расчете, ознакомьтесь с этой <a>статьей</a>.',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
'Цены, отображаемые здесь, не включают налоги. Сумма налога будет рассчитана на основе предоставленной вами информации и местных требований регулирования, и будет указана в ваших счетах.',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: 'Управление платежами',
|
||||
overfill_quota_warning:
|
||||
'Вы достигли лимита вашего квоты. Чтобы избежать возможных проблем, повысьте план.',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: 'Встроенное подключение электронной почты',
|
||||
mfa: 'Многофакторная аутентификация',
|
||||
sso: 'Единый вход в корпоративные системы',
|
||||
adaptive_mfa: 'Адаптивный MFA',
|
||||
|
||||
impersonation: 'Имперсонация',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} дней',
|
||||
add_on: 'Дополнительно',
|
||||
tier: 'Уровень {{value, number}}: ',
|
||||
paid_token_limit_tip:
|
||||
'Logto будет взимать плату за функции, выходящие за пределы вашего квоты. Вы можете использовать его бесплатно до начала начисления сборов, примерно со второго квартала 2024 года. Если вам нужны дополнительные токены, свяжитесь с нами. По умолчанию мы выставляем счет в $80 в месяц за каждый миллион токенов.',
|
||||
paid_quota_limit_tip:
|
||||
'Logto добавит плату за функции, выходящие за пределы вашего лимита квоты. Вы можете использовать его бесплатно до начала взимания платы, примерно с 2 квартала 2024 года.',
|
||||
paid_add_on_feature_tip:
|
||||
'Это дополнительная функция. Вы можете использовать ее бесплатно до начала взимания платы, примерно с 2 квартала 2024 года.',
|
||||
|
||||
million: '{{value, number}} миллионов',
|
||||
mau_tip:
|
||||
'MAU (месячно активные пользователи) означает количество уникальных пользователей, которые обменивались как минимум одним токеном с Logto в биллинговом цикле.',
|
||||
|
|
|
@ -13,10 +13,12 @@ const subscription = {
|
|||
'İşte mevcut planınız. Plan kullanımınızı kolayca görebilir, önümüzdeki faturanızı kontrol edebilir ve ihtiyaç duydukça planınızda değişiklikler yapabilirsiniz.',
|
||||
plan_usage: 'Plan kullanımı',
|
||||
plan_cycle: 'Plan döngüsü: {{period}}. Kullanım {{renewDate}} tarihinde yenilenir.',
|
||||
next_bill: 'Bir sonraki faturanız',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: 'Hesaplama hakkında daha fazla bilgi için lütfen bu <a>makaleye</a> başvurun.',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
'Burada görünen fiyatlar vergileri içermez. Vergi tutarı, sağladığınız bilgilere ve yerel düzenleyici gereksinimlere dayalı olarak hesaplanacak ve faturalarınızda gösterilecektir.',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: 'Ödemeleri düzenle',
|
||||
overfill_quota_warning:
|
||||
'Kota sınırınıza ulaştınız. Herhangi bir sorunu önlemek için planı yükseltin.',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: 'Dahili e-posta bağlayıcısı',
|
||||
mfa: 'Çoklu faktörlü kimlik doğrulama',
|
||||
sso: 'Kurumsal SSO',
|
||||
adaptive_mfa: 'Uyarlamalı MFA',
|
||||
|
||||
impersonation: 'Taklit etme',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} gün',
|
||||
add_on: 'Ek Hizmet',
|
||||
tier: 'Seviye{{value, number}}: ',
|
||||
paid_token_limit_tip:
|
||||
'Logto, kota sınırlarını aşan özellikler için ücretlendirme ekleyecektir. 2024 ikinci çeyreğinde başlamak üzere ücretlendirmeye kadar ücretsiz kullanabilirsiniz. Daha fazla tokena ihtiyacınız varsa lütfen bizimle iletişime geçin. Varsayılan olarak her milyon token için aylık $80 fatura kesmekteyiz.',
|
||||
paid_quota_limit_tip:
|
||||
"Logto, kota limitinizi aşan özellikler için ücretlendirme ekleyecektir. Şarjımıza başlamadan önce, yaklaşık olarak 2024 Q2'ye kadar ücretsiz olarak kullanabilirsiniz.",
|
||||
paid_add_on_feature_tip:
|
||||
"Bu bir ek özelliktir. Şarjımıza başlamadan önce, yaklaşık olarak 2024 Q2'ye kadar ücretsiz olarak kullanabilirsiniz.",
|
||||
|
||||
million: '{{value, number}} milyon',
|
||||
mau_tip:
|
||||
'MAU (aylık aktif kullanıcı) Logto ile en az bir jeton değiştirmiş olan benzersiz kullanıcı sayısını ifade eder.',
|
||||
|
|
|
@ -12,10 +12,12 @@ const subscription = {
|
|||
'以下是您当前的计划。您可以轻松查看计划使用情况,检查即将到来的账单,并根据需要对计划进行更改。',
|
||||
plan_usage: '计划使用情况',
|
||||
plan_cycle: '计划周期:{{period}},使用情况将于{{renewDate}}续订。',
|
||||
next_bill: '您的下一个账单',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: '要了解有关计算的更多信息,请参阅此<a>文章</a>。',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
'此处显示的价格不包含税款。税款将根据您提供的信息和当地法规要求进行计算,并将显示在您的发票中。',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: '管理付款',
|
||||
overfill_quota_warning: '您已达到配额限制。为防止任何问题,请升级计划。',
|
||||
upgrade_pro: '升级专业计划',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: '内置电子邮件连接器',
|
||||
mfa: '多因素认证',
|
||||
sso: '企业 SSO',
|
||||
adaptive_mfa: '自适应 MFA',
|
||||
|
||||
impersonation: '模拟',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} 天',
|
||||
add_on: '附加功能',
|
||||
tier: '层级{{value, number}}:',
|
||||
paid_token_limit_tip:
|
||||
'Logto 将为超出你配额限制的功能收费。你可以在 2024 年第二季度左右开始收费之前免费使用它。如果你需要更多的令牌,请与我们联系。默认情况下,我们每月为每百万令牌收费 80 美元。',
|
||||
paid_quota_limit_tip:
|
||||
'Logto 将为超出配额限制的功能添加费用。在我们从 2024 年第二季度开始收费之前,你可以免费使用它。',
|
||||
paid_add_on_feature_tip:
|
||||
'这是一个附加功能。在我们从 2024 年第二季度开始收费之前,你可以免费使用它。',
|
||||
|
||||
million: '{{value, number}} 百万',
|
||||
mau_tip: 'MAU(月活跃用户)是指在计费周期内与 Logto 交换过至少一个令牌的独立用户数量。',
|
||||
tokens_tip: 'Logto 发行的所有类型令牌,包括访问令牌、刷新令牌等。',
|
||||
|
|
|
@ -12,10 +12,12 @@ const subscription = {
|
|||
'以下是您目前的計劃。您可以輕鬆查看計劃使用情況,檢查即將到來的帳單,並根據需要進行變更。',
|
||||
plan_usage: '計劃使用情況',
|
||||
plan_cycle: '計劃週期:{{period}}。使用情況將在{{renewDate}}重新啟動。',
|
||||
next_bill: '您的下個帳單',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: '要了解有關計算的更多信息,請參閱這篇<a>文章</a>。',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
'這裡顯示的價格不包括稅款。稅款將根據您提供的信息和當地法規要求進行計算,並顯示在您的發票中。',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: '管理付款',
|
||||
overfill_quota_warning: '您已達到配額限制。請升級計劃以防止任何問題。',
|
||||
upgrade_pro: '升級到專業版',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: '內置電子郵件連接器',
|
||||
mfa: '多因素認證',
|
||||
sso: '企業 SSO',
|
||||
adaptive_mfa: '自適應MFA',
|
||||
|
||||
impersonation: '冒充',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} 天',
|
||||
add_on: '附加功能',
|
||||
tier: '層級{{value, number}}:',
|
||||
paid_token_limit_tip:
|
||||
'Logto將為超出您配額限制的功能收費。您可以在2024年第二季度左右開始收費之前免費使用它。如果您需要更多的令牌,請與我們聯繫。默認情況下,我們每月為每百萬令牌收費80美元。',
|
||||
paid_quota_limit_tip:
|
||||
'Logto將為超出配額限制的功能添加費用。在我們從2024年第二季度開始收費之前,您可以免費使用它。',
|
||||
paid_add_on_feature_tip:
|
||||
'這是一個附加功能。在我們從2024年第二季度開始收費之前,您可以免費使用它。',
|
||||
|
||||
million: '{{value, number}} 百萬',
|
||||
mau_tip: 'MAU(每月活躍用戶)是指在計費週期內與Logto交換過至少一個令牌的獨立用戶數量。',
|
||||
tokens_tip: 'Logto 發行的所有類型令牌,包括訪問令牌、刷新令牌等。',
|
||||
|
|
|
@ -12,10 +12,12 @@ const subscription = {
|
|||
'這是您目前的方案。您可以輕鬆查看您的方案使用情況,檢查即將到來的帳單,並根據需要進行變更。',
|
||||
plan_usage: '計劃使用情況',
|
||||
plan_cycle: '計劃週期:{{period}}。使用情況訂閱日期為{{renewDate}}。',
|
||||
next_bill: '您的下一個帳單',
|
||||
/** UNTRANSLATED */
|
||||
next_bill: 'Your upcoming bill',
|
||||
next_bill_hint: '要了解更多計算方法,請參閱本<a>文章</a>。',
|
||||
/** UNTRANSLATED */
|
||||
next_bill_tip:
|
||||
'這裡顯示的價格不包括稅款。稅款將根據您提供的信息和當地法規要求進行計算,並顯示在您的發票中。',
|
||||
'The prices displayed here are tax-exclusive and may be subject to a slight delay in updates. The tax amount will be calculated based on the information you provide and your local regulatory requirements, and will be shown in your invoices.',
|
||||
manage_payment: '管理付款',
|
||||
overfill_quota_warning: '您已達到配額限制。為防止出現問題,請升級計畫。',
|
||||
upgrade_pro: '升級專業',
|
||||
|
|
|
@ -37,7 +37,7 @@ const quota_table = {
|
|||
built_in_email_connector: '內建電子郵件連接器',
|
||||
mfa: '多因素認證',
|
||||
sso: '企業 SSO',
|
||||
adaptive_mfa: '自適應 MFA',
|
||||
|
||||
impersonation: '冒充',
|
||||
},
|
||||
user_management: {
|
||||
|
@ -81,12 +81,7 @@ const quota_table = {
|
|||
days_other: '{{count, number}} 天',
|
||||
add_on: '附加功能',
|
||||
tier: '層級{{value, number}}:',
|
||||
paid_token_limit_tip:
|
||||
'Logto 將為超出你額度限制的功能收費。你可以在 2024 年第二季度左右開始收費之前免費使用它。如果你需要更多的令牌,請與我們聯繫。默認情況下,我們每月為每百萬令牌收費 80 美元。',
|
||||
paid_quota_limit_tip:
|
||||
'Logto 將為超出配額限制的功能添加費用。在我們從 2024 年第二季度開始收費之前,你可以免費使用它。',
|
||||
paid_add_on_feature_tip:
|
||||
'這是一個附加功能。在我們從 2024 年第二季度開始收費之前,你可以免費使用它。',
|
||||
|
||||
million: '{{value, number}} 百萬',
|
||||
mau_tip: 'MAU(每月活躍用戶)是指在計費週期內與 Logto 交換過至少一個令牌的獨立用戶數量。',
|
||||
tokens_tip: 'Logto 發行的所有類型令牌,包括訪問令牌、刷新令牌等。',
|
||||
|
|
Loading…
Add table
Reference in a new issue