Compare commits

..

10 Commits

Author SHA1 Message Date
Balázs Úr 273ffb257a fix: mark language selector tooltip as translatable 2026-03-18 13:39:54 +01:00
Balázs Úr 9a6cbd05b6 fix: mark various strings as translatable (#7338)
Co-authored-by: Dhruwang <dhruwangjariwala18@gmail.com>
2026-03-18 11:30:38 +00:00
Johannes 94b0248075 fix: only allow URL in exact match URL (#7505)
Co-authored-by: Dhruwang <dhruwangjariwala18@gmail.com>
2026-03-18 07:20:14 +00:00
Johannes 082de1042d feat: add validation for custom survey closed message heading (#7502) 2026-03-18 06:40:57 +00:00
Johannes 8c19587baa fix: ensure at least one filter is required for segments (#7503)
Co-authored-by: Dhruwang <dhruwangjariwala18@gmail.com>
2026-03-18 06:39:58 +00:00
Anshuman Pandey 433750d3fe fix: removes pino pretty from edge runtime (#7510) 2026-03-18 06:32:55 +00:00
Johannes 61befd5ffd feat: add enterprise license features table (#7492)
Co-authored-by: Dhruwang <dhruwangjariwala18@gmail.com>
2026-03-18 06:14:40 +00:00
Dhruwang Jariwala 1e7817fb69 fix: pre-strip style attributes before DOMPurify to prevent CSP violations (#7489)
Co-authored-by: Claude Opus 4.6 <noreply@anthropic.com>
Co-authored-by: pandeymangg <anshuman.pandey9999@gmail.com>
2026-03-17 15:33:44 +00:00
Anshuman Pandey f250bc7e88 fix: fixes race between setUserId and trigger (#7498)
Co-authored-by: Dhruwang <dhruwangjariwala18@gmail.com>
2026-03-17 08:57:07 +00:00
Santosh c7faa29437 fix: derive organizationId from resources in server actions to prevent cross-org IDOR (#7409)
Co-authored-by: Dhruwang <dhruwangjariwala18@gmail.com>
2026-03-17 05:36:58 +00:00
56 changed files with 1430 additions and 311 deletions
@@ -0,0 +1,146 @@
"use client";
import type { TFunction } from "i18next";
import Link from "next/link";
import { useTranslation } from "react-i18next";
import { SettingsCard } from "@/app/(app)/environments/[environmentId]/settings/components/SettingsCard";
import type { TEnterpriseLicenseFeatures } from "@/modules/ee/license-check/types/enterprise-license";
import { Badge } from "@/modules/ui/components/badge";
import { Table, TableBody, TableCell, TableHead, TableHeader, TableRow } from "@/modules/ui/components/table";
type TPublicLicenseFeatureKey = Exclude<keyof TEnterpriseLicenseFeatures, "isMultiOrgEnabled" | "ai">;
type TFeatureDefinition = {
key: TPublicLicenseFeatureKey;
labelKey: string;
docsUrl: string;
};
const getFeatureDefinitions = (t: TFunction): TFeatureDefinition[] => {
return [
{
key: "contacts",
labelKey: t("environments.settings.enterprise.license_feature_contacts"),
docsUrl:
"https://formbricks.com/docs/self-hosting/advanced/enterprise-features/contact-management-segments",
},
{
key: "projects",
labelKey: t("environments.settings.enterprise.license_feature_projects"),
docsUrl: "https://formbricks.com/docs/self-hosting/advanced/license",
},
{
key: "whitelabel",
labelKey: t("environments.settings.enterprise.license_feature_whitelabel"),
docsUrl:
"https://formbricks.com/docs/self-hosting/advanced/enterprise-features/whitelabel-email-follow-ups",
},
{
key: "removeBranding",
labelKey: t("environments.settings.enterprise.license_feature_remove_branding"),
docsUrl:
"https://formbricks.com/docs/self-hosting/advanced/enterprise-features/hide-powered-by-formbricks",
},
{
key: "twoFactorAuth",
labelKey: t("environments.settings.enterprise.license_feature_two_factor_auth"),
docsUrl: "https://formbricks.com/docs/xm-and-surveys/core-features/user-management/two-factor-auth",
},
{
key: "sso",
labelKey: t("environments.settings.enterprise.license_feature_sso"),
docsUrl: "https://formbricks.com/docs/self-hosting/advanced/enterprise-features/oidc-sso",
},
{
key: "saml",
labelKey: t("environments.settings.enterprise.license_feature_saml"),
docsUrl: "https://formbricks.com/docs/self-hosting/advanced/enterprise-features/saml-sso",
},
{
key: "spamProtection",
labelKey: t("environments.settings.enterprise.license_feature_spam_protection"),
docsUrl: "https://formbricks.com/docs/xm-and-surveys/surveys/general-features/spam-protection",
},
{
key: "auditLogs",
labelKey: t("environments.settings.enterprise.license_feature_audit_logs"),
docsUrl: "https://formbricks.com/docs/self-hosting/advanced/enterprise-features/audit-logging",
},
{
key: "accessControl",
labelKey: t("environments.settings.enterprise.license_feature_access_control"),
docsUrl: "https://formbricks.com/docs/self-hosting/advanced/enterprise-features/team-access",
},
{
key: "quotas",
labelKey: t("environments.settings.enterprise.license_feature_quotas"),
docsUrl: "https://formbricks.com/docs/xm-and-surveys/surveys/general-features/quota-management",
},
];
};
interface EnterpriseLicenseFeaturesTableProps {
features: TEnterpriseLicenseFeatures;
}
export const EnterpriseLicenseFeaturesTable = ({ features }: EnterpriseLicenseFeaturesTableProps) => {
const { t } = useTranslation();
return (
<SettingsCard
title={t("environments.settings.enterprise.license_features_table_title")}
description={t("environments.settings.enterprise.license_features_table_description")}
noPadding>
<Table>
<TableHeader>
<TableRow className="hover:bg-white">
<TableHead>{t("environments.settings.enterprise.license_features_table_feature")}</TableHead>
<TableHead>{t("environments.settings.enterprise.license_features_table_access")}</TableHead>
<TableHead>{t("environments.settings.enterprise.license_features_table_value")}</TableHead>
<TableHead>{t("common.documentation")}</TableHead>
</TableRow>
</TableHeader>
<TableBody>
{getFeatureDefinitions(t).map((feature) => {
const value = features[feature.key];
const isEnabled = typeof value === "boolean" ? value : value === null || value > 0;
let displayValue: number | string = "—";
if (typeof value === "number") {
displayValue = value;
} else if (value === null) {
displayValue = t("environments.settings.enterprise.license_features_table_unlimited");
}
return (
<TableRow key={feature.key} className="hover:bg-white">
<TableCell className="font-medium text-slate-900">{t(feature.labelKey)}</TableCell>
<TableCell>
<Badge
type={isEnabled ? "success" : "gray"}
size="normal"
text={
isEnabled
? t("environments.settings.enterprise.license_features_table_enabled")
: t("environments.settings.enterprise.license_features_table_disabled")
}
/>
</TableCell>
<TableCell className="text-slate-600">{displayValue}</TableCell>
<TableCell>
<Link
href={feature.docsUrl}
target="_blank"
rel="noopener noreferrer"
className="text-sm font-medium text-slate-700 underline underline-offset-2 hover:text-slate-900">
{t("common.read_docs")}
</Link>
</TableCell>
</TableRow>
);
})}
</TableBody>
</Table>
</SettingsCard>
);
};
@@ -15,6 +15,7 @@ import { SettingsCard } from "../../../components/SettingsCard";
interface EnterpriseLicenseStatusProps { interface EnterpriseLicenseStatusProps {
status: TLicenseStatus; status: TLicenseStatus;
lastChecked: Date;
gracePeriodEnd?: Date; gracePeriodEnd?: Date;
environmentId: string; environmentId: string;
} }
@@ -44,6 +45,7 @@ const getBadgeConfig = (
export const EnterpriseLicenseStatus = ({ export const EnterpriseLicenseStatus = ({
status, status,
lastChecked,
gracePeriodEnd, gracePeriodEnd,
environmentId, environmentId,
}: EnterpriseLicenseStatusProps) => { }: EnterpriseLicenseStatusProps) => {
@@ -92,7 +94,19 @@ export const EnterpriseLicenseStatus = ({
<div className="flex flex-col gap-4"> <div className="flex flex-col gap-4">
<div className="flex items-center justify-between gap-3"> <div className="flex items-center justify-between gap-3">
<div className="flex flex-col gap-1.5"> <div className="flex flex-col gap-1.5">
<Badge type={badgeConfig.type} text={badgeConfig.label} size="normal" className="w-fit" /> <div className="flex flex-wrap items-center gap-3">
<Badge type={badgeConfig.type} text={badgeConfig.label} size="normal" className="w-fit" />
<span className="text-sm text-slate-500">
{t("common.updated_at")}{" "}
{new Date(lastChecked).toLocaleString(undefined, {
year: "numeric",
month: "short",
day: "numeric",
hour: "numeric",
minute: "2-digit",
})}
</span>
</div>
</div> </div>
<Button <Button
type="button" type="button"
@@ -10,6 +10,7 @@ import { getEnvironmentAuth } from "@/modules/environments/lib/utils";
import { Button } from "@/modules/ui/components/button"; import { Button } from "@/modules/ui/components/button";
import { PageContentWrapper } from "@/modules/ui/components/page-content-wrapper"; import { PageContentWrapper } from "@/modules/ui/components/page-content-wrapper";
import { PageHeader } from "@/modules/ui/components/page-header"; import { PageHeader } from "@/modules/ui/components/page-header";
import { EnterpriseLicenseFeaturesTable } from "./components/EnterpriseLicenseFeaturesTable";
const Page = async (props: { params: Promise<{ environmentId: string }> }) => { const Page = async (props: { params: Promise<{ environmentId: string }> }) => {
const params = await props.params; const params = await props.params;
@@ -93,15 +94,19 @@ const Page = async (props: { params: Promise<{ environmentId: string }> }) => {
/> />
</PageHeader> </PageHeader>
{hasLicense ? ( {hasLicense ? (
<EnterpriseLicenseStatus <>
status={licenseState.status} <EnterpriseLicenseStatus
gracePeriodEnd={ status={licenseState.status}
licenseState.status === "unreachable" lastChecked={licenseState.lastChecked}
? new Date(licenseState.lastChecked.getTime() + GRACE_PERIOD_MS) gracePeriodEnd={
: undefined licenseState.status === "unreachable"
} ? new Date(licenseState.lastChecked.getTime() + GRACE_PERIOD_MS)
environmentId={params.environmentId} : undefined
/> }
environmentId={params.environmentId}
/>
{licenseState.features && <EnterpriseLicenseFeaturesTable features={licenseState.features} />}
</>
) : ( ) : (
<div> <div>
<div className="relative isolate mt-8 overflow-hidden rounded-lg bg-slate-900 px-3 pt-8 shadow-2xl sm:px-8 md:pt-12 lg:flex lg:gap-x-10 lg:px-12 lg:pt-0"> <div className="relative isolate mt-8 overflow-hidden rounded-lg bg-slate-900 px-3 pt-8 shadow-2xl sm:px-8 md:pt-12 lg:flex lg:gap-x-10 lg:px-12 lg:pt-0">
@@ -64,15 +64,17 @@ export const sendEmbedSurveyPreviewEmailAction = authenticatedActionClient
const ZResetSurveyAction = z.object({ const ZResetSurveyAction = z.object({
surveyId: ZId, surveyId: ZId,
organizationId: ZId,
projectId: ZId, projectId: ZId,
}); });
export const resetSurveyAction = authenticatedActionClient.inputSchema(ZResetSurveyAction).action( export const resetSurveyAction = authenticatedActionClient.inputSchema(ZResetSurveyAction).action(
withAuditLogging("updated", "survey", async ({ ctx, parsedInput }) => { withAuditLogging("updated", "survey", async ({ ctx, parsedInput }) => {
const organizationId = await getOrganizationIdFromSurveyId(parsedInput.surveyId);
const projectId = await getProjectIdFromSurveyId(parsedInput.surveyId);
await checkAuthorizationUpdated({ await checkAuthorizationUpdated({
userId: ctx.user.id, userId: ctx.user.id,
organizationId: parsedInput.organizationId, organizationId,
access: [ access: [
{ {
type: "organization", type: "organization",
@@ -81,12 +83,12 @@ export const resetSurveyAction = authenticatedActionClient.inputSchema(ZResetSur
{ {
type: "projectTeam", type: "projectTeam",
minPermission: "readWrite", minPermission: "readWrite",
projectId: parsedInput.projectId, projectId,
}, },
], ],
}); });
ctx.auditLoggingCtx.organizationId = parsedInput.organizationId; ctx.auditLoggingCtx.organizationId = organizationId;
ctx.auditLoggingCtx.surveyId = parsedInput.surveyId; ctx.auditLoggingCtx.surveyId = parsedInput.surveyId;
ctx.auditLoggingCtx.oldObject = null; ctx.auditLoggingCtx.oldObject = null;
@@ -64,7 +64,7 @@ export const SurveyAnalysisCTA = ({
const [isResetModalOpen, setIsResetModalOpen] = useState(false); const [isResetModalOpen, setIsResetModalOpen] = useState(false);
const [isResetting, setIsResetting] = useState(false); const [isResetting, setIsResetting] = useState(false);
const { organizationId, project } = useEnvironment(); const { project } = useEnvironment();
const { refreshSingleUseId } = useSingleUseId(survey, isReadOnly); const { refreshSingleUseId } = useSingleUseId(survey, isReadOnly);
const appSetupCompleted = survey.type === "app" && environment.appSetupCompleted; const appSetupCompleted = survey.type === "app" && environment.appSetupCompleted;
@@ -128,7 +128,6 @@ export const SurveyAnalysisCTA = ({
setIsResetting(true); setIsResetting(true);
const result = await resetSurveyAction({ const result = await resetSurveyAction({
surveyId: survey.id, surveyId: survey.id,
organizationId: organizationId,
projectId: project.id, projectId: project.id,
}); });
if (result?.data) { if (result?.data) {
+28 -2
View File
@@ -267,6 +267,7 @@ checksums:
common/new: 126d036fae5fb6b629728ecb97e6195b common/new: 126d036fae5fb6b629728ecb97e6195b
common/new_version_available: 399ddfc4232712e18ddab2587356b3dc common/new_version_available: 399ddfc4232712e18ddab2587356b3dc
common/next: 89ddbcf710eba274963494f312bdc8a9 common/next: 89ddbcf710eba274963494f312bdc8a9
common/no_actions_found: 4d92b789eb121fc76cd6868136dcbcd4
common/no_background_image_found: 4108a781a9022c65671a826d4e299d5b common/no_background_image_found: 4108a781a9022c65671a826d4e299d5b
common/no_code: f602144ab7d28a5b19a446bf74b4dcc4 common/no_code: f602144ab7d28a5b19a446bf74b4dcc4
common/no_files_uploaded: c97be829e195a41b2f6b6717b87a232b common/no_files_uploaded: c97be829e195a41b2f6b6717b87a232b
@@ -312,6 +313,7 @@ checksums:
common/please_select_at_least_one_survey: fb1cbeb670480115305e23444c347e50 common/please_select_at_least_one_survey: fb1cbeb670480115305e23444c347e50
common/please_select_at_least_one_trigger: e88e64a1010a039745e80ed2e30951fe common/please_select_at_least_one_trigger: e88e64a1010a039745e80ed2e30951fe
common/please_upgrade_your_plan: 03d54a21ecd27723c72a13644837e5ed common/please_upgrade_your_plan: 03d54a21ecd27723c72a13644837e5ed
common/powered_by_formbricks: 1c3e19894583292bfaf686cac84a4960
common/preview: 3173ee1f0f1d4e50665ca4a84c38e15d common/preview: 3173ee1f0f1d4e50665ca4a84c38e15d
common/preview_survey: 7409e9c118e3e5d5f2a86201c2b354f2 common/preview_survey: 7409e9c118e3e5d5f2a86201c2b354f2
common/privacy: 7459744a63ef8af4e517a09024bd7c08 common/privacy: 7459744a63ef8af4e517a09024bd7c08
@@ -353,6 +355,7 @@ checksums:
common/select: 5ac04c47a98deb85906bc02e0de91ab0 common/select: 5ac04c47a98deb85906bc02e0de91ab0
common/select_all: eedc7cdb02de467c15dc418a066a77f2 common/select_all: eedc7cdb02de467c15dc418a066a77f2
common/select_filter: c50082c3981f1161022f9787a19aed71 common/select_filter: c50082c3981f1161022f9787a19aed71
common/select_language: d75cf5fbce8a4c7a9055e2210af74480
common/select_survey: bac52e59c7847417bef6fe7b7096b475 common/select_survey: bac52e59c7847417bef6fe7b7096b475
common/select_teams: ae5d451929846ae6367562bc671a1af9 common/select_teams: ae5d451929846ae6367562bc671a1af9
common/selected: 9f09e059ba20c88ed34e2b4e8e032d56 common/selected: 9f09e059ba20c88ed34e2b4e8e032d56
@@ -1012,6 +1015,25 @@ checksums:
environments/settings/enterprise/enterprise_features: 3271476140733924b2a2477c4fdf3d12 environments/settings/enterprise/enterprise_features: 3271476140733924b2a2477c4fdf3d12
environments/settings/enterprise/get_an_enterprise_license_to_get_access_to_all_features: afd3c00f19097e88ed051800979eea44 environments/settings/enterprise/get_an_enterprise_license_to_get_access_to_all_features: afd3c00f19097e88ed051800979eea44
environments/settings/enterprise/keep_full_control_over_your_data_privacy_and_security: 43aa041cc3e2b2fdd35d2d34659a6b7a environments/settings/enterprise/keep_full_control_over_your_data_privacy_and_security: 43aa041cc3e2b2fdd35d2d34659a6b7a
environments/settings/enterprise/license_feature_access_control: bdc5ce7e88ad724d4abd3e8a07a9de5d
environments/settings/enterprise/license_feature_audit_logs: e93f59c176cfc8460d2bd56551ed78b8
environments/settings/enterprise/license_feature_contacts: fd76522bc82324ac914e124cdf9935b0
environments/settings/enterprise/license_feature_projects: 8ba082a84aa35cf851af1cf874b853e2
environments/settings/enterprise/license_feature_quotas: e6afead11b5b8ae627885ce2b84a548f
environments/settings/enterprise/license_feature_remove_branding: a5c71d43cd3ed25e6e48bca64e8ffc9f
environments/settings/enterprise/license_feature_saml: 86b76024524fc585b2c3950126ef6f62
environments/settings/enterprise/license_feature_spam_protection: e1fb0dd0723044bf040b92d8fc58015d
environments/settings/enterprise/license_feature_sso: 8c029b7dd2cb3aa1393d2814aba6cd7b
environments/settings/enterprise/license_feature_two_factor_auth: bc68ddd9c3c82225ef641f097e0940db
environments/settings/enterprise/license_feature_whitelabel: 81e9ec1d4230419f4230e6f5a318497c
environments/settings/enterprise/license_features_table_access: 550606d4a12bdf108c1b12b925ca1b3a
environments/settings/enterprise/license_features_table_description: d6260830d0703f5a2c9ed59c9da462e3
environments/settings/enterprise/license_features_table_disabled: 0889a3dfd914a7ef638611796b17bf72
environments/settings/enterprise/license_features_table_enabled: 20236664b7e62df0e767921b4450205f
environments/settings/enterprise/license_features_table_feature: 58f5f3f37862b6312a2f20ec1a1fd0e8
environments/settings/enterprise/license_features_table_title: 82d1d7b30d876cf4312f78140a90e394
environments/settings/enterprise/license_features_table_unlimited: e1a92523172cd1bdde5550689840e42d
environments/settings/enterprise/license_features_table_value: 34b0eaa85808b15cbc4be94c64d0146b
environments/settings/enterprise/license_instance_mismatch_description: 00f47e33ff54fca52ce9b125cd77fda5 environments/settings/enterprise/license_instance_mismatch_description: 00f47e33ff54fca52ce9b125cd77fda5
environments/settings/enterprise/license_invalid_description: b500c22ab17893fdf9532d2bd94aa526 environments/settings/enterprise/license_invalid_description: b500c22ab17893fdf9532d2bd94aa526
environments/settings/enterprise/license_status: f6f85c59074ca2455321bd5288d94be8 environments/settings/enterprise/license_status: f6f85c59074ca2455321bd5288d94be8
@@ -1359,6 +1381,7 @@ checksums:
environments/surveys/edit/error_saving_changes: b75aa9e4e42e1d43c8f9c33c2b7dc9a7 environments/surveys/edit/error_saving_changes: b75aa9e4e42e1d43c8f9c33c2b7dc9a7
environments/surveys/edit/even_after_they_submitted_a_response_e_g_feedback_box: 7b99f30397dcde76f65e1ab64bdbd113 environments/surveys/edit/even_after_they_submitted_a_response_e_g_feedback_box: 7b99f30397dcde76f65e1ab64bdbd113
environments/surveys/edit/everyone: 2112aa71b568773e8e8a792c63f4d413 environments/surveys/edit/everyone: 2112aa71b568773e8e8a792c63f4d413
environments/surveys/edit/expand_preview: 6b694829e05432b9b54e7da53bc5be2f
environments/surveys/edit/external_urls_paywall_tooltip: 427f29bbbec18ebf8b3ea8d0253ddd66 environments/surveys/edit/external_urls_paywall_tooltip: 427f29bbbec18ebf8b3ea8d0253ddd66
environments/surveys/edit/fallback_missing: 43dbedbe1a178d455e5f80783a7b6722 environments/surveys/edit/fallback_missing: 43dbedbe1a178d455e5f80783a7b6722
environments/surveys/edit/fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first: ad4afe2980e1dfeffb20aa78eb892350 environments/surveys/edit/fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first: ad4afe2980e1dfeffb20aa78eb892350
@@ -1616,6 +1639,7 @@ checksums:
environments/surveys/edit/spam_protection_note: 94059310d07c30f6704e216297036d05 environments/surveys/edit/spam_protection_note: 94059310d07c30f6704e216297036d05
environments/surveys/edit/spam_protection_threshold_description: ed8b8c9c583077a88bf5dd3ec8b59e60 environments/surveys/edit/spam_protection_threshold_description: ed8b8c9c583077a88bf5dd3ec8b59e60
environments/surveys/edit/spam_protection_threshold_heading: 29f9a8b00c5bcbb43aedc48138a5cf9c environments/surveys/edit/spam_protection_threshold_heading: 29f9a8b00c5bcbb43aedc48138a5cf9c
environments/surveys/edit/shrink_preview: 42567389520b226f211f94f052197ad8
environments/surveys/edit/star: 0586c1c76e8a0367c0a7b93adf598cb7 environments/surveys/edit/star: 0586c1c76e8a0367c0a7b93adf598cb7
environments/surveys/edit/starts_with: f6673c17475708313c6a0f245b561781 environments/surveys/edit/starts_with: f6673c17475708313c6a0f245b561781
environments/surveys/edit/state: 118de561d4525b14f9bb29ac9e86161d environments/surveys/edit/state: 118de561d4525b14f9bb29ac9e86161d
@@ -1625,10 +1649,12 @@ checksums:
environments/surveys/edit/styling_set_to_theme_styles: f2c108bf422372b00cf7c87f1b042f69 environments/surveys/edit/styling_set_to_theme_styles: f2c108bf422372b00cf7c87f1b042f69
environments/surveys/edit/subheading: c0f6f57155692fd8006381518ce4fef0 environments/surveys/edit/subheading: c0f6f57155692fd8006381518ce4fef0
environments/surveys/edit/subtract: 2d83b8b9ef35110f2583ddc155b6c486 environments/surveys/edit/subtract: 2d83b8b9ef35110f2583ddc155b6c486
environments/surveys/edit/survey_closed_message_heading_required: f7c48e324c4a5c335ec68eaa27b2d67e
environments/surveys/edit/survey_completed_heading: dae5ac4a02a886dc9d9fc40927091919 environments/surveys/edit/survey_completed_heading: dae5ac4a02a886dc9d9fc40927091919
environments/surveys/edit/survey_completed_subheading: db537c356c3ab6564d24de0d11a0fee2 environments/surveys/edit/survey_completed_subheading: db537c356c3ab6564d24de0d11a0fee2
environments/surveys/edit/survey_display_settings: 8ed19e6a8e1376f7a1ba037d82c4ae11 environments/surveys/edit/survey_display_settings: 8ed19e6a8e1376f7a1ba037d82c4ae11
environments/surveys/edit/survey_placement: 083c10f257337f9648bf9d435b18ec2c environments/surveys/edit/survey_placement: 083c10f257337f9648bf9d435b18ec2c
environments/surveys/edit/survey_preview: 33644451073149383d3ace08be930739
environments/surveys/edit/survey_styling: 7f96d6563e934e65687b74374a33b1dc environments/surveys/edit/survey_styling: 7f96d6563e934e65687b74374a33b1dc
environments/surveys/edit/survey_trigger: f0c7014a684ca566698b87074fad5579 environments/surveys/edit/survey_trigger: f0c7014a684ca566698b87074fad5579
environments/surveys/edit/switch_multi_language_on_to_get_started: cca0ef91ee49095da30cd1e3f26c406f environments/surveys/edit/switch_multi_language_on_to_get_started: cca0ef91ee49095da30cd1e3f26c406f
@@ -2897,7 +2923,7 @@ checksums:
templates/preview_survey_question_2_choice_2_label: 1af148222f327f28cf0db6513de5989e templates/preview_survey_question_2_choice_2_label: 1af148222f327f28cf0db6513de5989e
templates/preview_survey_question_2_headline: 5cfb173d156555227fbc2c97ad921e72 templates/preview_survey_question_2_headline: 5cfb173d156555227fbc2c97ad921e72
templates/preview_survey_question_2_subheader: 2e652d8acd68d072e5a0ae686c4011c0 templates/preview_survey_question_2_subheader: 2e652d8acd68d072e5a0ae686c4011c0
templates/preview_survey_question_open_text_headline: a9509a47e0456ae98ec3ddac3d6fad2c templates/preview_survey_question_open_text_headline: 573f1b04b79f672ad42ba5e54320a940
templates/preview_survey_question_open_text_placeholder: 37ee9c84f3777b9220d4faec1e1c78ee templates/preview_survey_question_open_text_placeholder: 37ee9c84f3777b9220d4faec1e1c78ee
templates/preview_survey_question_open_text_subheader: 3c7bf09f3f17b02bc2fbbbdb347a5830 templates/preview_survey_question_open_text_subheader: 3c7bf09f3f17b02bc2fbbbdb347a5830
templates/preview_survey_welcome_card_headline: 8778dc41547a2778d0f9482da989fc00 templates/preview_survey_welcome_card_headline: 8778dc41547a2778d0f9482da989fc00
@@ -3150,7 +3176,7 @@ checksums:
templates/usability_score_name: 5cbf1172d24dfcb17d979dff6dfdf7e2 templates/usability_score_name: 5cbf1172d24dfcb17d979dff6dfdf7e2
workflows/coming_soon_description: 1e0621d287924d84fb539afab7372b23 workflows/coming_soon_description: 1e0621d287924d84fb539afab7372b23
workflows/coming_soon_title: d79be80559c70c828cf20811d2ed5039 workflows/coming_soon_title: d79be80559c70c828cf20811d2ed5039
workflows/follow_up_label: 8cafe669370271035aeac8e8cab0f123 workflows/follow_up_label: ead918852c5840636a14baabfe94821e
workflows/follow_up_placeholder: f680918bec28192282e229c3d4b5e80a workflows/follow_up_placeholder: f680918bec28192282e229c3d4b5e80a
workflows/generate_button: b194b6172a49af8374a19dd2cf39cfdc workflows/generate_button: b194b6172a49af8374a19dd2cf39cfdc
workflows/heading: a98a6b14d3e955f38cc16386df9a4111 workflows/heading: a98a6b14d3e955f38cc16386df9a4111
+1 -13
View File
@@ -1,19 +1,7 @@
import * as Sentry from "@sentry/nextjs"; import * as Sentry from "@sentry/nextjs";
import { type Instrumentation } from "next";
import { isExpectedError } from "@formbricks/types/errors";
import { IS_PRODUCTION, PROMETHEUS_ENABLED, SENTRY_DSN } from "@/lib/constants"; import { IS_PRODUCTION, PROMETHEUS_ENABLED, SENTRY_DSN } from "@/lib/constants";
export const onRequestError: Instrumentation.onRequestError = (...args) => { export const onRequestError = Sentry.captureRequestError;
const [error] = args;
// Skip expected business-logic errors (AuthorizationError, ResourceNotFoundError, etc.)
// These are handled gracefully in the UI and don't need server-side Sentry reporting
if (error instanceof Error && isExpectedError(error)) {
return;
}
Sentry.captureRequestError(...args);
};
export const register = async () => { export const register = async () => {
if (process.env.NEXT_RUNTIME === "nodejs") { if (process.env.NEXT_RUNTIME === "nodejs") {
+28 -2
View File
@@ -294,6 +294,7 @@
"new": "Neu", "new": "Neu",
"new_version_available": "Formbricks {version} ist da. Jetzt aktualisieren!", "new_version_available": "Formbricks {version} ist da. Jetzt aktualisieren!",
"next": "Weiter", "next": "Weiter",
"no_actions_found": "Keine Aktionen gefunden",
"no_background_image_found": "Kein Hintergrundbild gefunden.", "no_background_image_found": "Kein Hintergrundbild gefunden.",
"no_code": "No Code", "no_code": "No Code",
"no_files_uploaded": "Keine Dateien hochgeladen", "no_files_uploaded": "Keine Dateien hochgeladen",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "Bitte wähle mindestens eine Umfrage aus", "please_select_at_least_one_survey": "Bitte wähle mindestens eine Umfrage aus",
"please_select_at_least_one_trigger": "Bitte wähle mindestens einen Auslöser aus", "please_select_at_least_one_trigger": "Bitte wähle mindestens einen Auslöser aus",
"please_upgrade_your_plan": "Bitte aktualisieren Sie Ihren Plan", "please_upgrade_your_plan": "Bitte aktualisieren Sie Ihren Plan",
"powered_by_formbricks": "Bereitgestellt von Formbricks",
"preview": "Vorschau", "preview": "Vorschau",
"preview_survey": "Umfragevorschau", "preview_survey": "Umfragevorschau",
"privacy": "Datenschutz", "privacy": "Datenschutz",
@@ -380,6 +382,7 @@
"select": "Auswählen", "select": "Auswählen",
"select_all": "Alles auswählen", "select_all": "Alles auswählen",
"select_filter": "Filter auswählen", "select_filter": "Filter auswählen",
"select_language": "Sprache auswählen",
"select_survey": "Umfrage auswählen", "select_survey": "Umfrage auswählen",
"select_teams": "Teams auswählen", "select_teams": "Teams auswählen",
"selected": "Ausgewählt", "selected": "Ausgewählt",
@@ -1071,6 +1074,25 @@
"enterprise_features": "Unternehmensfunktionen", "enterprise_features": "Unternehmensfunktionen",
"get_an_enterprise_license_to_get_access_to_all_features": "Hol dir eine Enterprise-Lizenz, um Zugriff auf alle Funktionen zu erhalten.", "get_an_enterprise_license_to_get_access_to_all_features": "Hol dir eine Enterprise-Lizenz, um Zugriff auf alle Funktionen zu erhalten.",
"keep_full_control_over_your_data_privacy_and_security": "Behalte die volle Kontrolle über deine Daten, Privatsphäre und Sicherheit.", "keep_full_control_over_your_data_privacy_and_security": "Behalte die volle Kontrolle über deine Daten, Privatsphäre und Sicherheit.",
"license_feature_access_control": "Zugriffskontrolle (RBAC)",
"license_feature_audit_logs": "Audit-Protokolle",
"license_feature_contacts": "Kontakte & Segmente",
"license_feature_projects": "Arbeitsbereiche",
"license_feature_quotas": "Kontingente",
"license_feature_remove_branding": "Branding entfernen",
"license_feature_saml": "SAML SSO",
"license_feature_spam_protection": "Spam-Schutz",
"license_feature_sso": "OIDC SSO",
"license_feature_two_factor_auth": "Zwei-Faktor-Authentifizierung",
"license_feature_whitelabel": "White-Label-E-Mails",
"license_features_table_access": "Zugriff",
"license_features_table_description": "Enterprise-Funktionen und Limits, die für diese Instanz aktuell verfügbar sind.",
"license_features_table_disabled": "Deaktiviert",
"license_features_table_enabled": "Aktiviert",
"license_features_table_feature": "Funktion",
"license_features_table_title": "Lizenzierte Funktionen",
"license_features_table_unlimited": "Unbegrenzt",
"license_features_table_value": "Wert",
"license_instance_mismatch_description": "Diese Lizenz ist derzeit an eine andere Formbricks-Instanz gebunden. Falls diese Installation neu aufgebaut oder verschoben wurde, bitte den Formbricks-Support, die vorherige Instanzbindung zu entfernen.", "license_instance_mismatch_description": "Diese Lizenz ist derzeit an eine andere Formbricks-Instanz gebunden. Falls diese Installation neu aufgebaut oder verschoben wurde, bitte den Formbricks-Support, die vorherige Instanzbindung zu entfernen.",
"license_invalid_description": "Der Lizenzschlüssel in deiner ENTERPRISE_LICENSE_KEY-Umgebungsvariable ist nicht gültig. Bitte überprüfe auf Tippfehler oder fordere einen neuen Schlüssel an.", "license_invalid_description": "Der Lizenzschlüssel in deiner ENTERPRISE_LICENSE_KEY-Umgebungsvariable ist nicht gültig. Bitte überprüfe auf Tippfehler oder fordere einen neuen Schlüssel an.",
"license_status": "Lizenzstatus", "license_status": "Lizenzstatus",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "Fehler beim Speichern der Änderungen", "error_saving_changes": "Fehler beim Speichern der Änderungen",
"even_after_they_submitted_a_response_e_g_feedback_box": "Mehrfachantworten erlauben; weiterhin anzeigen, auch nach einer Antwort (z.B. Feedback-Box).", "even_after_they_submitted_a_response_e_g_feedback_box": "Mehrfachantworten erlauben; weiterhin anzeigen, auch nach einer Antwort (z.B. Feedback-Box).",
"everyone": "Jeder", "everyone": "Jeder",
"expand_preview": "Vorschau erweitern",
"external_urls_paywall_tooltip": "Bitte upgrade auf einen kostenpflichtigen Tarif, um externe URLs anzupassen. So helfen wir, Phishing zu verhindern.", "external_urls_paywall_tooltip": "Bitte upgrade auf einen kostenpflichtigen Tarif, um externe URLs anzupassen. So helfen wir, Phishing zu verhindern.",
"fallback_missing": "Fehlender Fallback", "fallback_missing": "Fehlender Fallback",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} wird in der Logik der Frage {questionIndex} verwendet. Bitte entferne es zuerst aus der Logik.", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} wird in der Logik der Frage {questionIndex} verwendet. Bitte entferne es zuerst aus der Logik.",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "Spamschutz funktioniert nicht für Umfragen, die mit den iOS-, React Native- und Android-SDKs angezeigt werden. Es wird die Umfrage unterbrechen.", "spam_protection_note": "Spamschutz funktioniert nicht für Umfragen, die mit den iOS-, React Native- und Android-SDKs angezeigt werden. Es wird die Umfrage unterbrechen.",
"spam_protection_threshold_description": "Wert zwischen 0 und 1 festlegen, Antworten unter diesem Wert werden abgelehnt.", "spam_protection_threshold_description": "Wert zwischen 0 und 1 festlegen, Antworten unter diesem Wert werden abgelehnt.",
"spam_protection_threshold_heading": "Antwortschwelle", "spam_protection_threshold_heading": "Antwortschwelle",
"shrink_preview": "Vorschau verkleinern",
"star": "Stern", "star": "Stern",
"starts_with": "Fängt an mit", "starts_with": "Fängt an mit",
"state": "Bundesland", "state": "Bundesland",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "Styling auf Themenstile eingestellt", "styling_set_to_theme_styles": "Styling auf Themenstile eingestellt",
"subheading": "Zwischenüberschrift", "subheading": "Zwischenüberschrift",
"subtract": "Subtrahieren -", "subtract": "Subtrahieren -",
"survey_closed_message_heading_required": "Füge der benutzerdefinierten Nachricht für geschlossene Umfragen eine Überschrift hinzu.",
"survey_completed_heading": "Umfrage abgeschlossen", "survey_completed_heading": "Umfrage abgeschlossen",
"survey_completed_subheading": "Diese kostenlose und quelloffene Umfrage wurde geschlossen", "survey_completed_subheading": "Diese kostenlose und quelloffene Umfrage wurde geschlossen",
"survey_display_settings": "Einstellungen zur Anzeige der Umfrage", "survey_display_settings": "Einstellungen zur Anzeige der Umfrage",
"survey_placement": "Platzierung der Umfrage", "survey_placement": "Platzierung der Umfrage",
"survey_preview": "Umfragevorschau 👀",
"survey_styling": "Umfrage Styling", "survey_styling": "Umfrage Styling",
"survey_trigger": "Auslöser der Umfrage", "survey_trigger": "Auslöser der Umfrage",
"switch_multi_language_on_to_get_started": "Aktiviere Mehrsprachigkeit, um loszulegen 👉", "switch_multi_language_on_to_get_started": "Aktiviere Mehrsprachigkeit, um loszulegen 👉",
@@ -3052,7 +3078,7 @@
"preview_survey_question_2_choice_2_label": "Nein, danke!", "preview_survey_question_2_choice_2_label": "Nein, danke!",
"preview_survey_question_2_headline": "Möchtest Du auf dem Laufenden bleiben?", "preview_survey_question_2_headline": "Möchtest Du auf dem Laufenden bleiben?",
"preview_survey_question_2_subheader": "Dies ist eine Beispielbeschreibung.", "preview_survey_question_2_subheader": "Dies ist eine Beispielbeschreibung.",
"preview_survey_question_open_text_headline": "Möchtest Du noch etwas teilen?", "preview_survey_question_open_text_headline": "Möchten Sie noch etwas mitteilen?",
"preview_survey_question_open_text_placeholder": "Tippe deine Antwort hier...", "preview_survey_question_open_text_placeholder": "Tippe deine Antwort hier...",
"preview_survey_question_open_text_subheader": "Dein Feedback hilft uns, besser zu werden.", "preview_survey_question_open_text_subheader": "Dein Feedback hilft uns, besser zu werden.",
"preview_survey_welcome_card_headline": "Willkommen!", "preview_survey_welcome_card_headline": "Willkommen!",
@@ -3307,7 +3333,7 @@
"workflows": { "workflows": {
"coming_soon_description": "Danke, dass du deine Workflow-Idee mit uns geteilt hast! Wir arbeiten gerade an diesem Feature und dein Feedback hilft uns dabei, genau das zu entwickeln, was du brauchst.", "coming_soon_description": "Danke, dass du deine Workflow-Idee mit uns geteilt hast! Wir arbeiten gerade an diesem Feature und dein Feedback hilft uns dabei, genau das zu entwickeln, was du brauchst.",
"coming_soon_title": "Wir sind fast da!", "coming_soon_title": "Wir sind fast da!",
"follow_up_label": "Gibt es noch etwas, das du hinzufügen möchtest?", "follow_up_label": "Möchten Sie noch etwas hinzufügen?",
"follow_up_placeholder": "Welche konkreten Aufgaben möchten Sie automatisieren? Gibt es Tools oder Integrationen, die Sie einbinden möchten?", "follow_up_placeholder": "Welche konkreten Aufgaben möchten Sie automatisieren? Gibt es Tools oder Integrationen, die Sie einbinden möchten?",
"generate_button": "Workflow generieren", "generate_button": "Workflow generieren",
"heading": "Welchen Workflow möchtest du erstellen?", "heading": "Welchen Workflow möchtest du erstellen?",
+28 -2
View File
@@ -294,6 +294,7 @@
"new": "New", "new": "New",
"new_version_available": "Formbricks {version} is here. Upgrade now!", "new_version_available": "Formbricks {version} is here. Upgrade now!",
"next": "Next", "next": "Next",
"no_actions_found": "No actions found",
"no_background_image_found": "No background image found.", "no_background_image_found": "No background image found.",
"no_code": "No code", "no_code": "No code",
"no_files_uploaded": "No files were uploaded", "no_files_uploaded": "No files were uploaded",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "Please select at least one survey", "please_select_at_least_one_survey": "Please select at least one survey",
"please_select_at_least_one_trigger": "Please select at least one trigger", "please_select_at_least_one_trigger": "Please select at least one trigger",
"please_upgrade_your_plan": "Please upgrade your plan", "please_upgrade_your_plan": "Please upgrade your plan",
"powered_by_formbricks": "Powered by Formbricks",
"preview": "Preview", "preview": "Preview",
"preview_survey": "Preview Survey", "preview_survey": "Preview Survey",
"privacy": "Privacy Policy", "privacy": "Privacy Policy",
@@ -380,6 +382,7 @@
"select": "Select", "select": "Select",
"select_all": "Select all", "select_all": "Select all",
"select_filter": "Select filter", "select_filter": "Select filter",
"select_language": "Select Language",
"select_survey": "Select Survey", "select_survey": "Select Survey",
"select_teams": "Select teams", "select_teams": "Select teams",
"selected": "Selected", "selected": "Selected",
@@ -1071,6 +1074,25 @@
"enterprise_features": "Enterprise Features", "enterprise_features": "Enterprise Features",
"get_an_enterprise_license_to_get_access_to_all_features": "Get an Enterprise license to get access to all features.", "get_an_enterprise_license_to_get_access_to_all_features": "Get an Enterprise license to get access to all features.",
"keep_full_control_over_your_data_privacy_and_security": "Keep full control over your data privacy and security.", "keep_full_control_over_your_data_privacy_and_security": "Keep full control over your data privacy and security.",
"license_feature_access_control": "Access control (RBAC)",
"license_feature_audit_logs": "Audit logs",
"license_feature_contacts": "Contacts & Segments",
"license_feature_projects": "Workspaces",
"license_feature_quotas": "Quotas",
"license_feature_remove_branding": "Remove branding",
"license_feature_saml": "SAML SSO",
"license_feature_spam_protection": "Spam protection",
"license_feature_sso": "OIDC SSO",
"license_feature_two_factor_auth": "Two-factor authentication",
"license_feature_whitelabel": "White-label emails",
"license_features_table_access": "Access",
"license_features_table_description": "Enterprise features and limits currently available to this instance.",
"license_features_table_disabled": "Disabled",
"license_features_table_enabled": "Enabled",
"license_features_table_feature": "Feature",
"license_features_table_title": "Licensed Features",
"license_features_table_unlimited": "Unlimited",
"license_features_table_value": "Value",
"license_instance_mismatch_description": "This license is currently bound to a different Formbricks instance. If this installation was rebuilt or moved, ask Formbricks support to disconnect the previous instance binding.", "license_instance_mismatch_description": "This license is currently bound to a different Formbricks instance. If this installation was rebuilt or moved, ask Formbricks support to disconnect the previous instance binding.",
"license_invalid_description": "The license key in your ENTERPRISE_LICENSE_KEY environment variable is not valid. Please check for typos or request a new key.", "license_invalid_description": "The license key in your ENTERPRISE_LICENSE_KEY environment variable is not valid. Please check for typos or request a new key.",
"license_status": "License Status", "license_status": "License Status",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "Error saving changes", "error_saving_changes": "Error saving changes",
"even_after_they_submitted_a_response_e_g_feedback_box": "Allow multiple responses; continue showing even after a response (e.g., Feedback Box).", "even_after_they_submitted_a_response_e_g_feedback_box": "Allow multiple responses; continue showing even after a response (e.g., Feedback Box).",
"everyone": "Everyone", "everyone": "Everyone",
"expand_preview": "Expand Preview",
"external_urls_paywall_tooltip": "Please upgrade to a paid plan to customize external URLs. This helps us prevent phishing.", "external_urls_paywall_tooltip": "Please upgrade to a paid plan to customize external URLs. This helps us prevent phishing.",
"fallback_missing": "Fallback missing", "fallback_missing": "Fallback missing",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} is used in logic of question {questionIndex}. Please remove it from logic first.", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} is used in logic of question {questionIndex}. Please remove it from logic first.",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "Spam protection does not work for surveys displayed with the iOS, React Native, and Android SDKs. It will break the survey.", "spam_protection_note": "Spam protection does not work for surveys displayed with the iOS, React Native, and Android SDKs. It will break the survey.",
"spam_protection_threshold_description": "Set value between 0 and 1, responses below this value will be rejected.", "spam_protection_threshold_description": "Set value between 0 and 1, responses below this value will be rejected.",
"spam_protection_threshold_heading": "Response threshold", "spam_protection_threshold_heading": "Response threshold",
"shrink_preview": "Shrink Preview",
"star": "Star", "star": "Star",
"starts_with": "Starts with", "starts_with": "Starts with",
"state": "State", "state": "State",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "Styling set to theme styles", "styling_set_to_theme_styles": "Styling set to theme styles",
"subheading": "Subheading", "subheading": "Subheading",
"subtract": "Subtract -", "subtract": "Subtract -",
"survey_closed_message_heading_required": "Add a heading to the custom survey closed message.",
"survey_completed_heading": "Survey Completed", "survey_completed_heading": "Survey Completed",
"survey_completed_subheading": "This free & open-source survey has been closed", "survey_completed_subheading": "This free & open-source survey has been closed",
"survey_display_settings": "Survey Display Settings", "survey_display_settings": "Survey Display Settings",
"survey_placement": "Survey Placement", "survey_placement": "Survey Placement",
"survey_preview": "Survey Preview 👀",
"survey_styling": "Survey styling", "survey_styling": "Survey styling",
"survey_trigger": "Survey Trigger", "survey_trigger": "Survey Trigger",
"switch_multi_language_on_to_get_started": "Switch multi-language on to get started 👉", "switch_multi_language_on_to_get_started": "Switch multi-language on to get started 👉",
@@ -3052,7 +3078,7 @@
"preview_survey_question_2_choice_2_label": "No, thank you!", "preview_survey_question_2_choice_2_label": "No, thank you!",
"preview_survey_question_2_headline": "Want to stay in the loop?", "preview_survey_question_2_headline": "Want to stay in the loop?",
"preview_survey_question_2_subheader": "This is an example description.", "preview_survey_question_2_subheader": "This is an example description.",
"preview_survey_question_open_text_headline": "Anything else you'd like to share?", "preview_survey_question_open_text_headline": "Anything else you would like to share?",
"preview_survey_question_open_text_placeholder": "Type your answer here…", "preview_survey_question_open_text_placeholder": "Type your answer here…",
"preview_survey_question_open_text_subheader": "Your feedback helps us improve.", "preview_survey_question_open_text_subheader": "Your feedback helps us improve.",
"preview_survey_welcome_card_headline": "Welcome!", "preview_survey_welcome_card_headline": "Welcome!",
@@ -3307,7 +3333,7 @@
"workflows": { "workflows": {
"coming_soon_description": "Thank you for sharing your workflow idea with us! We are currently designing this feature and your feedback will help us build exactly what you need.", "coming_soon_description": "Thank you for sharing your workflow idea with us! We are currently designing this feature and your feedback will help us build exactly what you need.",
"coming_soon_title": "We are almost there!", "coming_soon_title": "We are almost there!",
"follow_up_label": "Is there anything else you'd like to add?", "follow_up_label": "Is there anything else you would like to add?",
"follow_up_placeholder": "What specific tasks would you like to automate? Any tools or integrations you would want included?", "follow_up_placeholder": "What specific tasks would you like to automate? Any tools or integrations you would want included?",
"generate_button": "Generate workflow", "generate_button": "Generate workflow",
"heading": "What workflow do you want to create?", "heading": "What workflow do you want to create?",
+26
View File
@@ -294,6 +294,7 @@
"new": "Nuevo", "new": "Nuevo",
"new_version_available": "Formbricks {version} está aquí. ¡Actualiza ahora!", "new_version_available": "Formbricks {version} está aquí. ¡Actualiza ahora!",
"next": "Siguiente", "next": "Siguiente",
"no_actions_found": "No se encontraron acciones",
"no_background_image_found": "No se encontró imagen de fondo.", "no_background_image_found": "No se encontró imagen de fondo.",
"no_code": "Sin código", "no_code": "Sin código",
"no_files_uploaded": "No se subieron archivos", "no_files_uploaded": "No se subieron archivos",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "Por favor, selecciona al menos una encuesta", "please_select_at_least_one_survey": "Por favor, selecciona al menos una encuesta",
"please_select_at_least_one_trigger": "Por favor, selecciona al menos un disparador", "please_select_at_least_one_trigger": "Por favor, selecciona al menos un disparador",
"please_upgrade_your_plan": "Por favor, actualiza tu plan", "please_upgrade_your_plan": "Por favor, actualiza tu plan",
"powered_by_formbricks": "Desarrollado por Formbricks",
"preview": "Vista previa", "preview": "Vista previa",
"preview_survey": "Vista previa de la encuesta", "preview_survey": "Vista previa de la encuesta",
"privacy": "Política de privacidad", "privacy": "Política de privacidad",
@@ -380,6 +382,7 @@
"select": "Seleccionar", "select": "Seleccionar",
"select_all": "Seleccionar todo", "select_all": "Seleccionar todo",
"select_filter": "Seleccionar filtro", "select_filter": "Seleccionar filtro",
"select_language": "Seleccionar idioma",
"select_survey": "Seleccionar encuesta", "select_survey": "Seleccionar encuesta",
"select_teams": "Seleccionar equipos", "select_teams": "Seleccionar equipos",
"selected": "Seleccionado", "selected": "Seleccionado",
@@ -1071,6 +1074,25 @@
"enterprise_features": "Características empresariales", "enterprise_features": "Características empresariales",
"get_an_enterprise_license_to_get_access_to_all_features": "Obtén una licencia empresarial para acceder a todas las características.", "get_an_enterprise_license_to_get_access_to_all_features": "Obtén una licencia empresarial para acceder a todas las características.",
"keep_full_control_over_your_data_privacy_and_security": "Mantén el control total sobre la privacidad y seguridad de tus datos.", "keep_full_control_over_your_data_privacy_and_security": "Mantén el control total sobre la privacidad y seguridad de tus datos.",
"license_feature_access_control": "Control de acceso (RBAC)",
"license_feature_audit_logs": "Registros de auditoría",
"license_feature_contacts": "Contactos y segmentos",
"license_feature_projects": "Espacios de trabajo",
"license_feature_quotas": "Cuotas",
"license_feature_remove_branding": "Eliminar marca",
"license_feature_saml": "SAML SSO",
"license_feature_spam_protection": "Protección contra spam",
"license_feature_sso": "OIDC SSO",
"license_feature_two_factor_auth": "Autenticación de dos factores",
"license_feature_whitelabel": "Correos sin marca",
"license_features_table_access": "Acceso",
"license_features_table_description": "Funciones y límites empresariales disponibles actualmente para esta instancia.",
"license_features_table_disabled": "Desactivado",
"license_features_table_enabled": "Activado",
"license_features_table_feature": "Función",
"license_features_table_title": "Funciones con licencia",
"license_features_table_unlimited": "Ilimitado",
"license_features_table_value": "Valor",
"license_instance_mismatch_description": "Esta licencia está actualmente vinculada a una instancia diferente de Formbricks. Si esta instalación fue reconstruida o migrada, solicita al soporte de Formbricks que desconecte la vinculación de la instancia anterior.", "license_instance_mismatch_description": "Esta licencia está actualmente vinculada a una instancia diferente de Formbricks. Si esta instalación fue reconstruida o migrada, solicita al soporte de Formbricks que desconecte la vinculación de la instancia anterior.",
"license_invalid_description": "La clave de licencia en tu variable de entorno ENTERPRISE_LICENSE_KEY no es válida. Por favor, comprueba si hay errores tipográficos o solicita una clave nueva.", "license_invalid_description": "La clave de licencia en tu variable de entorno ENTERPRISE_LICENSE_KEY no es válida. Por favor, comprueba si hay errores tipográficos o solicita una clave nueva.",
"license_status": "Estado de la licencia", "license_status": "Estado de la licencia",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "Error al guardar los cambios", "error_saving_changes": "Error al guardar los cambios",
"even_after_they_submitted_a_response_e_g_feedback_box": "Permitir respuestas múltiples; seguir mostrando incluso después de una respuesta (p. ej., cuadro de comentarios).", "even_after_they_submitted_a_response_e_g_feedback_box": "Permitir respuestas múltiples; seguir mostrando incluso después de una respuesta (p. ej., cuadro de comentarios).",
"everyone": "Todos", "everyone": "Todos",
"expand_preview": "Expandir vista previa",
"external_urls_paywall_tooltip": "Por favor, actualiza a un plan de pago para personalizar URLs externas. Esto nos ayuda a prevenir el phishing.", "external_urls_paywall_tooltip": "Por favor, actualiza a un plan de pago para personalizar URLs externas. Esto nos ayuda a prevenir el phishing.",
"fallback_missing": "Falta respaldo", "fallback_missing": "Falta respaldo",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} se usa en la lógica de la pregunta {questionIndex}. Por favor, elimínalo primero de la lógica.", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} se usa en la lógica de la pregunta {questionIndex}. Por favor, elimínalo primero de la lógica.",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "La protección contra spam no funciona para encuestas mostradas con los SDK de iOS, React Native y Android. Romperá la encuesta.", "spam_protection_note": "La protección contra spam no funciona para encuestas mostradas con los SDK de iOS, React Native y Android. Romperá la encuesta.",
"spam_protection_threshold_description": "Establece un valor entre 0 y 1, las respuestas por debajo de este valor serán rechazadas.", "spam_protection_threshold_description": "Establece un valor entre 0 y 1, las respuestas por debajo de este valor serán rechazadas.",
"spam_protection_threshold_heading": "Umbral de respuesta", "spam_protection_threshold_heading": "Umbral de respuesta",
"shrink_preview": "Contraer vista previa",
"star": "Estrella", "star": "Estrella",
"starts_with": "Comienza con", "starts_with": "Comienza con",
"state": "Estado", "state": "Estado",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "Estilo configurado según los estilos del tema", "styling_set_to_theme_styles": "Estilo configurado según los estilos del tema",
"subheading": "Subtítulo", "subheading": "Subtítulo",
"subtract": "Restar -", "subtract": "Restar -",
"survey_closed_message_heading_required": "Añade un encabezado al mensaje personalizado de encuesta cerrada.",
"survey_completed_heading": "Encuesta completada", "survey_completed_heading": "Encuesta completada",
"survey_completed_subheading": "Esta encuesta gratuita y de código abierto ha sido cerrada", "survey_completed_subheading": "Esta encuesta gratuita y de código abierto ha sido cerrada",
"survey_display_settings": "Ajustes de visualización de la encuesta", "survey_display_settings": "Ajustes de visualización de la encuesta",
"survey_placement": "Ubicación de la encuesta", "survey_placement": "Ubicación de la encuesta",
"survey_preview": "Vista previa de la encuesta 👀",
"survey_styling": "Estilo del formulario", "survey_styling": "Estilo del formulario",
"survey_trigger": "Activador de la encuesta", "survey_trigger": "Activador de la encuesta",
"switch_multi_language_on_to_get_started": "Activa el modo multiidioma para comenzar 👉", "switch_multi_language_on_to_get_started": "Activa el modo multiidioma para comenzar 👉",
+28 -2
View File
@@ -294,6 +294,7 @@
"new": "Nouveau", "new": "Nouveau",
"new_version_available": "Formbricks {version} est là. Mettez à jour maintenant !", "new_version_available": "Formbricks {version} est là. Mettez à jour maintenant !",
"next": "Suivant", "next": "Suivant",
"no_actions_found": "Aucune action trouvée",
"no_background_image_found": "Aucune image de fond trouvée.", "no_background_image_found": "Aucune image de fond trouvée.",
"no_code": "Sans code", "no_code": "Sans code",
"no_files_uploaded": "Aucun fichier n'a été téléchargé.", "no_files_uploaded": "Aucun fichier n'a été téléchargé.",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "Veuillez sélectionner au moins une enquête.", "please_select_at_least_one_survey": "Veuillez sélectionner au moins une enquête.",
"please_select_at_least_one_trigger": "Veuillez sélectionner au moins un déclencheur.", "please_select_at_least_one_trigger": "Veuillez sélectionner au moins un déclencheur.",
"please_upgrade_your_plan": "Veuillez mettre à niveau votre plan", "please_upgrade_your_plan": "Veuillez mettre à niveau votre plan",
"powered_by_formbricks": "Propulsé par Formbricks",
"preview": "Aperçu", "preview": "Aperçu",
"preview_survey": "Aperçu de l'enquête", "preview_survey": "Aperçu de l'enquête",
"privacy": "Politique de confidentialité", "privacy": "Politique de confidentialité",
@@ -380,6 +382,7 @@
"select": "Sélectionner", "select": "Sélectionner",
"select_all": "Sélectionner tout", "select_all": "Sélectionner tout",
"select_filter": "Sélectionner un filtre", "select_filter": "Sélectionner un filtre",
"select_language": "Sélectionner la langue",
"select_survey": "Sélectionner l'enquête", "select_survey": "Sélectionner l'enquête",
"select_teams": "Sélectionner les équipes", "select_teams": "Sélectionner les équipes",
"selected": "Sélectionné", "selected": "Sélectionné",
@@ -1071,6 +1074,25 @@
"enterprise_features": "Fonctionnalités d'entreprise", "enterprise_features": "Fonctionnalités d'entreprise",
"get_an_enterprise_license_to_get_access_to_all_features": "Obtenez une licence Entreprise pour accéder à toutes les fonctionnalités.", "get_an_enterprise_license_to_get_access_to_all_features": "Obtenez une licence Entreprise pour accéder à toutes les fonctionnalités.",
"keep_full_control_over_your_data_privacy_and_security": "Gardez un contrôle total sur la confidentialité et la sécurité de vos données.", "keep_full_control_over_your_data_privacy_and_security": "Gardez un contrôle total sur la confidentialité et la sécurité de vos données.",
"license_feature_access_control": "Contrôle d'accès (RBAC)",
"license_feature_audit_logs": "Journaux d'audit",
"license_feature_contacts": "Contacts et segments",
"license_feature_projects": "Espaces de travail",
"license_feature_quotas": "Quotas",
"license_feature_remove_branding": "Retirer l'image de marque",
"license_feature_saml": "SSO SAML",
"license_feature_spam_protection": "Protection anti-spam",
"license_feature_sso": "SSO OIDC",
"license_feature_two_factor_auth": "Authentification à deux facteurs",
"license_feature_whitelabel": "E-mails en marque blanche",
"license_features_table_access": "Accès",
"license_features_table_description": "Fonctionnalités Enterprise et limites actuellement disponibles pour cette instance.",
"license_features_table_disabled": "Désactivé",
"license_features_table_enabled": "Activé",
"license_features_table_feature": "Fonctionnalité",
"license_features_table_title": "Fonctionnalités sous licence",
"license_features_table_unlimited": "Illimité",
"license_features_table_value": "Valeur",
"license_instance_mismatch_description": "Cette licence est actuellement liée à une autre instance Formbricks. Si cette installation a été reconstruite ou déplacée, demande au support Formbricks de déconnecter la liaison de l'instance précédente.", "license_instance_mismatch_description": "Cette licence est actuellement liée à une autre instance Formbricks. Si cette installation a été reconstruite ou déplacée, demande au support Formbricks de déconnecter la liaison de l'instance précédente.",
"license_invalid_description": "La clé de licence dans votre variable d'environnement ENTERPRISE_LICENSE_KEY n'est pas valide. Veuillez vérifier les fautes de frappe ou demander une nouvelle clé.", "license_invalid_description": "La clé de licence dans votre variable d'environnement ENTERPRISE_LICENSE_KEY n'est pas valide. Veuillez vérifier les fautes de frappe ou demander une nouvelle clé.",
"license_status": "Statut de la licence", "license_status": "Statut de la licence",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "Erreur lors de l'enregistrement des modifications", "error_saving_changes": "Erreur lors de l'enregistrement des modifications",
"even_after_they_submitted_a_response_e_g_feedback_box": "Autoriser plusieurs réponses; continuer à afficher même après une réponse (par exemple, boîte de commentaires).", "even_after_they_submitted_a_response_e_g_feedback_box": "Autoriser plusieurs réponses; continuer à afficher même après une réponse (par exemple, boîte de commentaires).",
"everyone": "Tout le monde", "everyone": "Tout le monde",
"expand_preview": "Agrandir l'aperçu",
"external_urls_paywall_tooltip": "Merci de passer à une offre payante pour personnaliser les URLs externes. Cela nous aide à empêcher lhameçonnage.", "external_urls_paywall_tooltip": "Merci de passer à une offre payante pour personnaliser les URLs externes. Cela nous aide à empêcher lhameçonnage.",
"fallback_missing": "Fallback manquant", "fallback_missing": "Fallback manquant",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} est utilisé dans la logique de la question {questionIndex}. Veuillez d'abord le supprimer de la logique.", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} est utilisé dans la logique de la question {questionIndex}. Veuillez d'abord le supprimer de la logique.",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "La protection contre le spam ne fonctionne pas pour les enquêtes affichées avec les SDK iOS, React Native et Android. Cela cassera l'enquête.", "spam_protection_note": "La protection contre le spam ne fonctionne pas pour les enquêtes affichées avec les SDK iOS, React Native et Android. Cela cassera l'enquête.",
"spam_protection_threshold_description": "Définir une valeur entre 0 et 1, les réponses en dessous de cette valeur seront rejetées.", "spam_protection_threshold_description": "Définir une valeur entre 0 et 1, les réponses en dessous de cette valeur seront rejetées.",
"spam_protection_threshold_heading": "Seuil de réponse", "spam_protection_threshold_heading": "Seuil de réponse",
"shrink_preview": "Réduire l'aperçu",
"star": "Étoile", "star": "Étoile",
"starts_with": "Commence par", "starts_with": "Commence par",
"state": "État", "state": "État",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "Style défini sur les styles du thème", "styling_set_to_theme_styles": "Style défini sur les styles du thème",
"subheading": "Sous-titre", "subheading": "Sous-titre",
"subtract": "Soustraire -", "subtract": "Soustraire -",
"survey_closed_message_heading_required": "Ajoute un titre au message personnalisé de sondage fermé.",
"survey_completed_heading": "Enquête terminée", "survey_completed_heading": "Enquête terminée",
"survey_completed_subheading": "Cette enquête gratuite et open-source a été fermée", "survey_completed_subheading": "Cette enquête gratuite et open-source a été fermée",
"survey_display_settings": "Paramètres d'affichage de l'enquête", "survey_display_settings": "Paramètres d'affichage de l'enquête",
"survey_placement": "Placement de l'enquête", "survey_placement": "Placement de l'enquête",
"survey_preview": "Aperçu du sondage 👀",
"survey_styling": "Style de formulaire", "survey_styling": "Style de formulaire",
"survey_trigger": "Déclencheur d'enquête", "survey_trigger": "Déclencheur d'enquête",
"switch_multi_language_on_to_get_started": "Activez le mode multilingue pour commencer 👉", "switch_multi_language_on_to_get_started": "Activez le mode multilingue pour commencer 👉",
@@ -3052,7 +3078,7 @@
"preview_survey_question_2_choice_2_label": "Non, merci !", "preview_survey_question_2_choice_2_label": "Non, merci !",
"preview_survey_question_2_headline": "Souhaitez-vous être informé ?", "preview_survey_question_2_headline": "Souhaitez-vous être informé ?",
"preview_survey_question_2_subheader": "Ceci est un exemple de description.", "preview_survey_question_2_subheader": "Ceci est un exemple de description.",
"preview_survey_question_open_text_headline": "Autre chose que vous aimeriez partager?", "preview_survey_question_open_text_headline": "Souhaitez-vous partager autre chose ?",
"preview_survey_question_open_text_placeholder": "Entrez votre réponse ici...", "preview_survey_question_open_text_placeholder": "Entrez votre réponse ici...",
"preview_survey_question_open_text_subheader": "Vos commentaires nous aident à nous améliorer.", "preview_survey_question_open_text_subheader": "Vos commentaires nous aident à nous améliorer.",
"preview_survey_welcome_card_headline": "Bienvenue !", "preview_survey_welcome_card_headline": "Bienvenue !",
@@ -3307,7 +3333,7 @@
"workflows": { "workflows": {
"coming_soon_description": "Merci d'avoir partagé votre idée de workflow avec nous! Nous concevons actuellement cette fonctionnalité et vos retours nous aideront à créer exactement ce dont vous avez besoin.", "coming_soon_description": "Merci d'avoir partagé votre idée de workflow avec nous! Nous concevons actuellement cette fonctionnalité et vos retours nous aideront à créer exactement ce dont vous avez besoin.",
"coming_soon_title": "Nous y sommes presque!", "coming_soon_title": "Nous y sommes presque!",
"follow_up_label": "Y a-t-il autre chose que vous aimeriez ajouter?", "follow_up_label": "Souhaitez-vous ajouter quelque chose ?",
"follow_up_placeholder": "Quelles tâches spécifiques souhaitez-vous automatiser ? Y a-t-il des outils ou intégrations que vous aimeriez inclure ?", "follow_up_placeholder": "Quelles tâches spécifiques souhaitez-vous automatiser ? Y a-t-il des outils ou intégrations que vous aimeriez inclure ?",
"generate_button": "Générer le workflow", "generate_button": "Générer le workflow",
"heading": "Quel workflow souhaitez-vous créer?", "heading": "Quel workflow souhaitez-vous créer?",
+108 -82
View File
@@ -175,7 +175,7 @@
"copy_code": "Kód másolása", "copy_code": "Kód másolása",
"copy_link": "Hivatkozás másolása", "copy_link": "Hivatkozás másolása",
"count_attributes": "{count, plural, one {{count} attribútum} other {{count} attribútum}}", "count_attributes": "{count, plural, one {{count} attribútum} other {{count} attribútum}}",
"count_contacts": "{count, plural, one {{count} kontakt}} other {{count} kontakt}}", "count_contacts": "{count, plural, one {{count} partner} other {{count} partner}}",
"count_members": "{count, plural, one {{count} tag} other {{count} tag}}", "count_members": "{count, plural, one {{count} tag} other {{count} tag}}",
"count_questions": "{count, plural, one {{count} kérdés} other {{count} kérdés}}", "count_questions": "{count, plural, one {{count} kérdés} other {{count} kérdés}}",
"count_responses": "{count, plural, one {{count} válasz} other {{count} válasz}}", "count_responses": "{count, plural, one {{count} válasz} other {{count} válasz}}",
@@ -294,6 +294,7 @@
"new": "Új", "new": "Új",
"new_version_available": "A Formbricks {version} megérkezett. Frissítsen most!", "new_version_available": "A Formbricks {version} megérkezett. Frissítsen most!",
"next": "Következő", "next": "Következő",
"no_actions_found": "Nem találhatók műveletek",
"no_background_image_found": "Nem található háttérkép.", "no_background_image_found": "Nem található háttérkép.",
"no_code": "Kód nélkül", "no_code": "Kód nélkül",
"no_files_uploaded": "Nem lettek fájlok feltöltve", "no_files_uploaded": "Nem lettek fájlok feltöltve",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "Válasszon legalább egy kérdőívet", "please_select_at_least_one_survey": "Válasszon legalább egy kérdőívet",
"please_select_at_least_one_trigger": "Válasszon legalább egy aktiválót", "please_select_at_least_one_trigger": "Válasszon legalább egy aktiválót",
"please_upgrade_your_plan": "Váltson magasabb csomagra", "please_upgrade_your_plan": "Váltson magasabb csomagra",
"powered_by_formbricks": "A gépházban: Formbricks",
"preview": "Előnézet", "preview": "Előnézet",
"preview_survey": "Kérdőív előnézete", "preview_survey": "Kérdőív előnézete",
"privacy": "Adatvédelmi irányelvek", "privacy": "Adatvédelmi irányelvek",
@@ -360,7 +362,7 @@
"reorder_and_hide_columns": "Oszlopok átrendezése és elrejtése", "reorder_and_hide_columns": "Oszlopok átrendezése és elrejtése",
"replace": "Csere", "replace": "Csere",
"report_survey": "Kérdőív jelentése", "report_survey": "Kérdőív jelentése",
"request_trial_license": "Próbalicenc kérése", "request_trial_license": "Próbaidőszaki licenc kérése",
"reset_to_default": "Visszaállítás az alapértelmezettre", "reset_to_default": "Visszaállítás az alapértelmezettre",
"response": "Válasz", "response": "Válasz",
"response_id": "Válaszazonosító", "response_id": "Válaszazonosító",
@@ -380,6 +382,7 @@
"select": "Kiválasztás", "select": "Kiválasztás",
"select_all": "Összes kiválasztása", "select_all": "Összes kiválasztása",
"select_filter": "Szűrő kiválasztása", "select_filter": "Szűrő kiválasztása",
"select_language": "Nyelv kiválasztása",
"select_survey": "Kérdőív kiválasztása", "select_survey": "Kérdőív kiválasztása",
"select_teams": "Csapatok kiválasztása", "select_teams": "Csapatok kiválasztása",
"selected": "Kiválasztva", "selected": "Kiválasztva",
@@ -399,7 +402,7 @@
"something_went_wrong": "Valami probléma történt", "something_went_wrong": "Valami probléma történt",
"something_went_wrong_please_try_again": "Valami probléma történt. Próbálja meg újra.", "something_went_wrong_please_try_again": "Valami probléma történt. Próbálja meg újra.",
"sort_by": "Rendezési sorrend", "sort_by": "Rendezési sorrend",
"start_free_trial": "Ingyenes próbaverzió indítása", "start_free_trial": "Ingyenes próbaidőszak indítása",
"status": "Állapot", "status": "Állapot",
"step_by_step_manual": "Lépésenkénti kézikönyv", "step_by_step_manual": "Lépésenkénti kézikönyv",
"storage_not_configured": "A fájltároló nincs beállítva, a feltöltések valószínűleg sikertelenek lesznek", "storage_not_configured": "A fájltároló nincs beállítva, a feltöltések valószínűleg sikertelenek lesznek",
@@ -434,9 +437,9 @@
"title": "Cím", "title": "Cím",
"top_left": "Balra fent", "top_left": "Balra fent",
"top_right": "Jobbra fent", "top_right": "Jobbra fent",
"trial_days_remaining": "{count} nap van hátra a próbaidőszakból", "trial_days_remaining": "{count} nap van hátra a próbaidőszakából",
"trial_expired": "A próbaidőszak lejárt", "trial_expired": "A próbaidőszaka lejárt",
"trial_one_day_remaining": "1 nap van hátra a próbaidőszakból", "trial_one_day_remaining": "1 nap van hátra a próbaidőszakából",
"try_again": "Próbálja újra", "try_again": "Próbálja újra",
"type": "Típus", "type": "Típus",
"unknown_survey": "Ismeretlen kérdőív", "unknown_survey": "Ismeretlen kérdőív",
@@ -444,7 +447,7 @@
"update": "Frissítés", "update": "Frissítés",
"updated": "Frissítve", "updated": "Frissítve",
"updated_at": "Frissítve", "updated_at": "Frissítve",
"upgrade_plan": "Csomag frissítése", "upgrade_plan": "Magasabb csomagra váltás",
"upload": "Feltöltés", "upload": "Feltöltés",
"upload_failed": "A feltöltés nem sikerült. Próbálja meg újra.", "upload_failed": "A feltöltés nem sikerült. Próbálja meg újra.",
"upload_input_description": "Kattintson vagy húzza ide a fájlok feltöltéséhez.", "upload_input_description": "Kattintson vagy húzza ide a fájlok feltöltéséhez.",
@@ -537,7 +540,7 @@
"survey_response_finished_email_view_survey_summary": "Kérdőív összegzésének megtekintése", "survey_response_finished_email_view_survey_summary": "Kérdőív összegzésének megtekintése",
"text_variable": "Szöveg változó", "text_variable": "Szöveg változó",
"verification_email_click_on_this_link": "Erre a hivatkozásra is kattinthat:", "verification_email_click_on_this_link": "Erre a hivatkozásra is kattinthat:",
"verification_email_heading": "Már majdnem megvagyunk!", "verification_email_heading": "Már majdnem kész vagyunk!",
"verification_email_hey": "Helló 👋", "verification_email_hey": "Helló 👋",
"verification_email_if_expired_request_new_token": "Ha lejárt, kérjen új tokent itt:", "verification_email_if_expired_request_new_token": "Ha lejárt, kérjen új tokent itt:",
"verification_email_link_valid_for_24_hours": "A hivatkozás 24 órán keresztül érvényes.", "verification_email_link_valid_for_24_hours": "A hivatkozás 24 órán keresztül érvényes.",
@@ -605,15 +608,15 @@
"test_match": "Illeszkedés tesztelése", "test_match": "Illeszkedés tesztelése",
"test_your_url": "URL tesztelése", "test_your_url": "URL tesztelése",
"this_action_was_created_automatically_you_cannot_make_changes_to_it": "Ez a művelet automatikusan lett létrehozva. Nem végezhet változtatásokat rajta.", "this_action_was_created_automatically_you_cannot_make_changes_to_it": "Ez a művelet automatikusan lett létrehozva. Nem végezhet változtatásokat rajta.",
"this_action_will_be_triggered_after_user_stays_on_page": "Ez a művelet akkor fog aktiválódni, miután a felhasználó a megadott ideig az oldalon tartózkodik.", "this_action_will_be_triggered_after_user_stays_on_page": "Ez a művelet azután lesz aktiválva, hogy a felhasználó az oldalon marad a megadott időtartamig.",
"this_action_will_be_triggered_when_the_page_is_loaded": "Ez a művelet akkor lesz aktiválva, ha az oldal betöltődik.", "this_action_will_be_triggered_when_the_page_is_loaded": "Ez a művelet akkor lesz aktiválva, ha az oldal betöltődik.",
"this_action_will_be_triggered_when_the_user_scrolls_50_percent_of_the_page": "Ez a művelet akkor lesz aktiválva, ha a felhasználó az oldal 50%-áig görget.", "this_action_will_be_triggered_when_the_user_scrolls_50_percent_of_the_page": "Ez a művelet akkor lesz aktiválva, ha a felhasználó az oldal 50%-áig görget.",
"this_action_will_be_triggered_when_the_user_tries_to_leave_the_page": "Ez a művelet akkor lesz aktiválva, ha a felhasználó megpróbálja elhagyni az oldalt.", "this_action_will_be_triggered_when_the_user_tries_to_leave_the_page": "Ez a művelet akkor lesz aktiválva, ha a felhasználó megpróbálja elhagyni az oldalt.",
"this_is_a_code_action_please_make_changes_in_your_code_base": "Ez egy kódművelet. A változtatásokat a kódbázisban hajtsa végre.", "this_is_a_code_action_please_make_changes_in_your_code_base": "Ez egy kódművelet. A változtatásokat a kódbázisban hajtsa végre.",
"time_in_seconds": "Idő másodpercben", "time_in_seconds": "Idő másodpercben",
"time_in_seconds_placeholder": "pl. 10", "time_in_seconds_placeholder": "például 10",
"time_in_seconds_with_unit": "{seconds} mp", "time_in_seconds_with_unit": "{seconds} mp",
"time_on_page": "Oldalon töltött idő", "time_on_page": "Idő az oldalon",
"track_new_user_action": "Új felhasználói művelet követése", "track_new_user_action": "Új felhasználói művelet követése",
"track_user_action_to_display_surveys_or_create_user_segment": "Felhasználói művelet követése a kérdőívek megjelenítéséhez vagy felhasználói szakasz létrehozásához.", "track_user_action_to_display_surveys_or_create_user_segment": "Felhasználói művelet követése a kérdőívek megjelenítéséhez vagy felhasználói szakasz létrehozásához.",
"url": "URL", "url": "URL",
@@ -973,79 +976,79 @@
}, },
"billing": { "billing": {
"add_payment_method": "Fizetési mód hozzáadása", "add_payment_method": "Fizetési mód hozzáadása",
"add_payment_method_to_upgrade_tooltip": "Kérjük, adjon hozzá egy fizetési módot fent a fizetős csomagra való frissítéshez", "add_payment_method_to_upgrade_tooltip": "Adjon hozzá fizetési módot fent, hogy fizetős csomagra váltson",
"billing_interval_toggle": "Számlázási időszak", "billing_interval_toggle": "Számlázási időköz",
"current_plan_badge": "Jelenlegi", "current_plan_badge": "Jelenlegi",
"current_plan_cta": "Jelenlegi csomag", "current_plan_cta": "Jelenlegi csomag",
"custom_plan_description": "A szervezete egyedi számlázási beállítással rendelkezik. Továbbra is válthat az alábbi standard csomagok egyikére.", "custom_plan_description": "A szervezete egyéni számlázási beállítással rendelkezik. Ugyanakkor áttérhet az alábbi szabványos csomagok egyikére.",
"custom_plan_title": "Egyedi csomag", "custom_plan_title": "Egyéni csomag",
"failed_to_start_trial": "A próbaidőszak indítása sikertelen. Kérjük, próbálja meg újra.", "failed_to_start_trial": "Nem sikerült a próbaidőszak indítása. Próbálja meg újra.",
"keep_current_plan": "Jelenlegi csomag megtartása", "keep_current_plan": "Jelenlegi csomag megtartása",
"manage_billing_details": "Kártyaadatok és számlák kezelése", "manage_billing_details": "Kártyarészletek és számlák kezelése",
"monthly": "Havi", "monthly": "Havi",
"most_popular": "Legnépszerűbb", "most_popular": "Legnépszerűbb",
"pending_change_removed": "Az ütemezett csomagváltás eltávolítva.", "pending_change_removed": "Az ütemezett csomagváltoztatás eltávolítva.",
"pending_plan_badge": "Ütemezett", "pending_plan_badge": "Ütemezett",
"pending_plan_change_description": "A csomagja {{date}}-án átvált erre: {{plan}}.", "pending_plan_change_description": "A csomagja {{plan}} csomagra fog váltani ekkor: {{date}}.",
"pending_plan_change_title": "Ütemezett csomagváltás", "pending_plan_change_title": "Ütemezett csomagváltoztatás",
"pending_plan_cta": "Ütemezett", "pending_plan_cta": "Ütemezett",
"per_month": "havonta", "per_month": "havonta",
"per_year": "évente", "per_year": "évente",
"plan_change_applied": "A csomag sikeresen frissítve.", "plan_change_applied": "A csomag sikeresen frissítve.",
"plan_change_scheduled": "A csomagváltás sikeresen ütemezve.", "plan_change_scheduled": "A csomagváltoztatás sikeresen ütemezve.",
"plan_custom": "Custom", "plan_custom": "Egyéni",
"plan_feature_everything_in_hobby": "Minden, ami a Hobby csomagban", "plan_feature_everything_in_hobby": "Minden a Hobbi csomagban",
"plan_feature_everything_in_pro": "Minden, ami a Pro csomagban", "plan_feature_everything_in_pro": "Minden a Pro csomagban",
"plan_hobby": "Hobby", "plan_hobby": "Hobbi",
"plan_hobby_description": "Magánszemélyek és kisebb csapatok számára, akik most kezdik a Formbricks Cloud használatát.", "plan_hobby_description": "Magánszemélyeknek és kis csapatoknak, akik most teszik meg a kezdeti lépéseket a Formbricks Cloud szolgáltatással.",
"plan_hobby_feature_responses": "250 válasz / hó", "plan_hobby_feature_responses": "250 válasz/hónap",
"plan_hobby_feature_workspaces": "1 munkaterület", "plan_hobby_feature_workspaces": "1 munkaterület",
"plan_pro": "Pro", "plan_pro": "Pro",
"plan_pro_description": "Növekvő csapatok számára, amelyeknek magasabb korlátokra, automatizálásokra és dinamikus túlhasználatra van szükségük.", "plan_pro_description": "Növekvő csapatoknak, akiknek magasabb korlátokra, automatizálásra és dinamikus túllépési lehetőségekre van szükségük.",
"plan_pro_feature_responses": "2 000 válasz / hó (dinamikus túlhasználat)", "plan_pro_feature_responses": "2000 válasz/hónap (dinamikus túllépés)",
"plan_pro_feature_workspaces": "3 munkaterület", "plan_pro_feature_workspaces": "3 munkaterület",
"plan_scale": "Scale", "plan_scale": "Méretezés",
"plan_scale_description": "Nagyobb csapatok számára, amelyeknek nagyobb kapacitásra, erősebb irányításra és magasabb válaszmennyiségre van szükségük.", "plan_scale_description": "Nagyobb csapatoknak, amelyeknek bb kapacitásra, erősebb irányításra és nagyobb válaszmennyiségre van szükségük.",
"plan_scale_feature_responses": "5000 válasz / hónap (dinamikus túllépés)", "plan_scale_feature_responses": "5000 válasz/hónap (dinamikus túllépés)",
"plan_scale_feature_workspaces": "5 munkaterület", "plan_scale_feature_workspaces": "5 munkaterület",
"plan_selection_description": "Hasonlítsa össze a Hobby, Pro és Scale csomagokat, majd váltson csomagot közvetlenül a Formbricks alkalmazásból.", "plan_selection_description": "Hobbi, Pro és Méretezés csomagok összehasonlítása, majd csomagok közötti váltás közvetlenül a Formbricksben.",
"plan_selection_title": "Válassza ki az Ön csomagját", "plan_selection_title": "Csomag kiválasztása",
"plan_unknown": "Ismeretlen", "plan_unknown": "Ismeretlen",
"remove_branding": "Márkajel eltávolítása", "remove_branding": "Márkajel eltávolítása",
"retry_setup": "Újrapróbálkozás a beállítással", "retry_setup": "Beállítás újrapróbálása",
"select_plan_header_subtitle": "Nincs szükség bankkártyára, nincsenek rejtett feltételek.", "select_plan_header_subtitle": "Nincs szükség hitelkártyára, nincs kötöttség.",
"select_plan_header_title": "Zökkenőmentesen integrált felmérések, 100%-ban az Ön márkája.", "select_plan_header_title": "Zökkenőmentesen integrált kérdőívek, 100%-ban az Ön márkájához igazítva.",
"status_trialing": "Próbaverzió", "status_trialing": "Próbaidőszak",
"stay_on_hobby_plan": "A Hobby csomagnál szeretnék maradni", "stay_on_hobby_plan": "A Hobbi csomagnál szeretnék maradni",
"stripe_setup_incomplete": "Számlázás beállítása nem teljes", "stripe_setup_incomplete": "A számlázási beállítás befejezetlen",
"stripe_setup_incomplete_description": "A számlázás beállítása nem sikerült teljesen. Aktiválja előfizetését az újrapróbálkozással.", "stripe_setup_incomplete_description": "A számlázási beállítás nem fejeződött be sikeresen. Próbálja meg újra aktiválni az előfizetését.",
"subscription": "Előfizetés", "subscription": "Előfizetés",
"subscription_description": "Kezelje előfizetését és kövesse nyomon a használatot", "subscription_description": "Az előfizetési csomag kezelése és a használat felügyelete",
"switch_at_period_end": "Váltás az időszak végén", "switch_at_period_end": "Váltás az időszak végén",
"switch_plan_now": "Csomag váltása most", "switch_plan_now": "Csomag váltása most",
"this_includes": "Ez tartalmazza", "this_includes": "Ezeket tartalmazza",
"trial_alert_description": "Adjon hozzá fizetési módot, hogy megtarthassa a hozzáférést az összes funkcióhoz.", "trial_alert_description": "Fizetési mód hozzáadása az összes funkcióhoz való hozzáférés megtartásához.",
"trial_already_used": "Ehhez az e-mail címhez már igénybe vettek ingyenes próbaidőszakot. Kérjük, válasszon helyette fizetős csomagot.", "trial_already_used": "Ehhez az e-mail-címhez már használatban van egy ingyenes próbaidőszak. Váltson inkább fizetős csomagra.",
"trial_feature_api_access": "API-hozzáférés", "trial_feature_api_access": "API-hozzáférés",
"trial_feature_attribute_segmentation": "Attribútumalapú szegmentálás", "trial_feature_attribute_segmentation": "Attribútumalapú szakaszolás",
"trial_feature_contact_segment_management": "Kapcsolat- és szegmenskezelés", "trial_feature_contact_segment_management": "Partner- és szakaszkezelés",
"trial_feature_email_followups": "E-mail követések", "trial_feature_email_followups": "E-mailes utókövetések",
"trial_feature_hide_branding": "Formbricks márkajelzés elrejtése", "trial_feature_hide_branding": "Formbricks márkajel elrejtése",
"trial_feature_mobile_sdks": "iOS és Android SDK-k", "trial_feature_mobile_sdks": "iOS és Android SDK-k",
"trial_feature_respondent_identification": "Válaszadó-azonosítás", "trial_feature_respondent_identification": "Válaszadó-azonosítás",
"trial_feature_unlimited_seats": "Korlátlan számú felhasználói hely", "trial_feature_unlimited_seats": "Korlátlan számú hely",
"trial_feature_webhooks": "Egyéni webhookok", "trial_feature_webhooks": "Egyéni webhorgok",
"trial_no_credit_card": "14 napos próbaidőszak, bankkártya nélkül", "trial_no_credit_card": "14 napos próbaidőszak, nincs szükség hitelkártyára",
"trial_payment_method_added_description": "Minden rendben! A Pro csomag automatikusan folytatódik a próbaidőszak lejárta után.", "trial_payment_method_added_description": "Mindent beállított! A Pro csomagja a próbaidőszak vége után automatikusan folytatódik.",
"trial_title": "Szerezze meg a Formbricks Pro-t ingyen!", "trial_title": "Szerezze meg a Formbricks Pro csomagot ingyen!",
"unlimited_responses": "Korlátlan válaszok", "unlimited_responses": "Korlátlan válaszok",
"unlimited_workspaces": "Korlátlan munkaterület", "unlimited_workspaces": "Korlátlan munkaterület",
"upgrade": "Frissítés", "upgrade": "Frissítés",
"upgrade_now": "Frissítés most", "upgrade_now": "Frissítés most",
"usage_cycle": "Usage cycle", "usage_cycle": "Használati ciklus",
"used": "felhasználva", "used": "használva",
"yearly": "Éves", "yearly": "Évente",
"yearly_checkout_unavailable": "Az éves fizetés még nem érhető el. Kérjük, adjon hozzá fizetési módot egy havi előfizetéshez, vagy vegye fel a kapcsolatot az ügyfélszolgálattal.", "yearly_checkout_unavailable": "Az éves fizetési lehetőség még nem érhető el. Először adjon hozzá fizetési módot egy havi csomaghoz, vagy vegye fel a kapcsolatot az ügyfélszolgálattal.",
"your_plan": "Az Ön csomagja" "your_plan": "Az Ön csomagja"
}, },
"domain": { "domain": {
@@ -1071,29 +1074,48 @@
"enterprise_features": "Vállalati funkciók", "enterprise_features": "Vállalati funkciók",
"get_an_enterprise_license_to_get_access_to_all_features": "Vállalati licenc megszerzése az összes funkcióhoz való hozzáféréshez.", "get_an_enterprise_license_to_get_access_to_all_features": "Vállalati licenc megszerzése az összes funkcióhoz való hozzáféréshez.",
"keep_full_control_over_your_data_privacy_and_security": "Az adatvédelem és biztonság fölötti rendelkezés teljes kézben tartása.", "keep_full_control_over_your_data_privacy_and_security": "Az adatvédelem és biztonság fölötti rendelkezés teljes kézben tartása.",
"license_instance_mismatch_description": "Ez a licenc jelenleg egy másik Formbricks példányhoz van kötve. Amennyiben ez a telepítés újra lett építve vagy áthelyezésre került, kérje a Formbricks ügyfélszolgálatát, hogy bontsa fel az előző példány kötését.", "license_feature_access_control": "Hozzáférés-vezérlés (RBAC)",
"license_feature_audit_logs": "Auditálási naplók",
"license_feature_contacts": "Partnerek és szakaszok",
"license_feature_projects": "Munkaterületek",
"license_feature_quotas": "Kvóták",
"license_feature_remove_branding": "Márkajel eltávolítása",
"license_feature_saml": "SAML SSO",
"license_feature_spam_protection": "Szemét elleni védekezés",
"license_feature_sso": "OIDC SSO",
"license_feature_two_factor_auth": "Kétfaktoros hitelesítés",
"license_feature_whitelabel": "Fehér címkés e-mailek",
"license_features_table_access": "Hozzáférés",
"license_features_table_description": "Az példányhoz jelenleg elérhető vállalati funkciók és korlátok.",
"license_features_table_disabled": "Letiltva",
"license_features_table_enabled": "Engedélyezve",
"license_features_table_feature": "Funkció",
"license_features_table_title": "Licencelt funkciók",
"license_features_table_unlimited": "Korlátlan",
"license_features_table_value": "Érték",
"license_instance_mismatch_description": "Ez a licenc jelenleg egy másik Formbricks-példányhoz van kötve. Ha ezt a telepítést újraépítették vagy áthelyezték, akkor kérje meg a Formbricks ügyfélszolgálatát, hogy szüntessék meg a korábbi példányhoz való kötést.",
"license_invalid_description": "Az ENTERPRISE_LICENSE_KEY környezeti változóban lévő licenckulcs nem érvényes. Ellenőrizze, hogy nem gépelte-e el, vagy kérjen új kulcsot.", "license_invalid_description": "Az ENTERPRISE_LICENSE_KEY környezeti változóban lévő licenckulcs nem érvényes. Ellenőrizze, hogy nem gépelte-e el, vagy kérjen új kulcsot.",
"license_status": "Licencállapot", "license_status": "Licencállapot",
"license_status_active": "Aktív", "license_status_active": "Aktív",
"license_status_description": "A vállalati licenc állapota.", "license_status_description": "A vállalati licenc állapota.",
"license_status_expired": "Lejárt", "license_status_expired": "Lejárt",
"license_status_instance_mismatch": "Másik Példányhoz Kötve", "license_status_instance_mismatch": "Másik példányhoz kötve",
"license_status_invalid": "Érvénytelen licenc", "license_status_invalid": "Érvénytelen licenc",
"license_status_unreachable": "Nem érhető el", "license_status_unreachable": "Nem érhető el",
"license_unreachable_grace_period": "A licenckiszolgálót nem lehet elérni. A vállalati funkciók egy 3 napos türelmi időszak alatt aktívak maradnak, egészen eddig: {gracePeriodEnd}.", "license_unreachable_grace_period": "A licenckiszolgálót nem lehet elérni. A vállalati funkciók egy 3 napos türelmi időszak alatt aktívak maradnak, egészen eddig: {gracePeriodEnd}.",
"no_call_needed_no_strings_attached_request_a_free_30_day_trial_license_to_test_all_features_by_filling_out_this_form": "Nincs szükség telefonálásra, nincs feltételekhez kötöttség: kérjen 30 napos ingyenes próbalicencet az összes funkció kipróbálásához az alábbi űrlap kitöltésével:", "no_call_needed_no_strings_attached_request_a_free_30_day_trial_license_to_test_all_features_by_filling_out_this_form": "Nincs szükség telefonálásra, nincs feltételekhez kötöttség: kérjen 30 napos próbaidőszaki licencet az összes funkció kipróbálásához az alábbi űrlap kitöltésével:",
"no_credit_card_no_sales_call_just_test_it": "Nem kell hitelkártya. Nincsenek értékesítési hívások. Egyszerűen csak próbálja ki :)", "no_credit_card_no_sales_call_just_test_it": "Nem kell hitelkártya. Nincsenek értékesítési hívások. Egyszerűen csak próbálja ki :)",
"on_request": "Kérésre", "on_request": "Kérésre",
"organization_roles": "Szervezeti szerepek (adminisztrátor, szerkesztő, fejlesztő stb.)", "organization_roles": "Szervezeti szerepek (adminisztrátor, szerkesztő, fejlesztő stb.)",
"questions_please_reach_out_to": "Kérdése van? Írjon nekünk erre az e-mail-címre:", "questions_please_reach_out_to": "Kérdése van? Írjon nekünk erre az e-mail-címre:",
"recheck_license": "Licenc újraellenőrzése", "recheck_license": "Licenc újraellenőrzése",
"recheck_license_failed": "A licencellenőrzés nem sikerült. Lehet, hogy a licenckiszolgáló nem érhető el.", "recheck_license_failed": "A licencellenőrzés nem sikerült. Lehet, hogy a licenckiszolgáló nem érhető el.",
"recheck_license_instance_mismatch": "Ez a licenc egy másik Formbricks példányhoz van kötve. Kérje a Formbricks ügyfélszolgálatát, hogy bontsa fel az előző kötést.", "recheck_license_instance_mismatch": "Ez a licenc egy másik Formbricks-példányhoz van kötve. Kérje meg a Formbricks ügyfélszolgálatát, hogy szüntessék meg a korábbi kötést.",
"recheck_license_invalid": "A licenckulcs érvénytelen. Ellenőrizze az ENTERPRISE_LICENSE_KEY értékét.", "recheck_license_invalid": "A licenckulcs érvénytelen. Ellenőrizze az ENTERPRISE_LICENSE_KEY értékét.",
"recheck_license_success": "A licencellenőrzés sikeres", "recheck_license_success": "A licencellenőrzés sikeres",
"recheck_license_unreachable": "A licenckiszolgáló nem érhető el. Próbálja meg később újra.", "recheck_license_unreachable": "A licenckiszolgáló nem érhető el. Próbálja meg később újra.",
"rechecking": "Újraellenőrzés…", "rechecking": "Újraellenőrzés…",
"request_30_day_trial_license": "30 napos ingyenes licenc kérése", "request_30_day_trial_license": "30 napos próbaidőszaki licenc kérése",
"saml_sso": "SAML SSO", "saml_sso": "SAML SSO",
"service_level_agreement": "Szolgáltatási megállapodás", "service_level_agreement": "Szolgáltatási megállapodás",
"soc2_hipaa_iso_27001_compliance_check": "SOC2, HIPAA, ISO 27001 megfelelőségi ellenőrzés", "soc2_hipaa_iso_27001_compliance_check": "SOC2, HIPAA, ISO 27001 megfelelőségi ellenőrzés",
@@ -1430,21 +1452,22 @@
"error_saving_changes": "Hiba a változtatások mentésekor", "error_saving_changes": "Hiba a változtatások mentésekor",
"even_after_they_submitted_a_response_e_g_feedback_box": "Több válasz lehetővé tétele. Még válasz után is látható marad (például visszajelző doboz).", "even_after_they_submitted_a_response_e_g_feedback_box": "Több válasz lehetővé tétele. Még válasz után is látható marad (például visszajelző doboz).",
"everyone": "Mindenki", "everyone": "Mindenki",
"external_urls_paywall_tooltip": "Kérjük, váltson fizetős csomagra, hogy testre szabhassa a külső URL-eket. Ez segít megelőzni az adathalászatot.", "expand_preview": "Előnézet kinyitása",
"external_urls_paywall_tooltip": "Váltson a magasabb fizetős csomagra a külső URL-ek személyre szabásához. Ez segít nekünk megelőzni az adathalászatot.",
"fallback_missing": "Tartalék hiányzik", "fallback_missing": "Tartalék hiányzik",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "A(z) {fieldId} használatban van a(z) {questionIndex}. kérdés logikájában. Először távolítsa el a logikából.", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "A(z) {fieldId} használatban van a(z) {questionIndex}. kérdés logikájában. Először távolítsa el a logikából.",
"fieldId_is_used_in_quota_please_remove_it_from_quota_first": "A(z) „{fieldId}” rejtett mező használatban van a(z) „{quotaName}” kvótában", "fieldId_is_used_in_quota_please_remove_it_from_quota_first": "A(z) „{fieldId}” rejtett mező használatban van a(z) „{quotaName}” kvótában",
"field_name_eg_score_price": "Mező neve, például pontszám, ár", "field_name_eg_score_price": "Mező neve, például pontszám, ár",
"first_name": "Keresztnév", "first_name": "Keresztnév",
"five_points_recommended": "5 pont (ajánlott)", "five_points_recommended": "5 pont (ajánlott)",
"follow_ups": "Követések", "follow_ups": "Utókövetések",
"follow_ups_delete_modal_text": "Biztosan törölni szeretné ezt a követést?", "follow_ups_delete_modal_text": "Biztosan törölni szeretné ezt az utókövetést?",
"follow_ups_delete_modal_title": "Törli a követést?", "follow_ups_delete_modal_title": "Törli az utókövetést?",
"follow_ups_empty_description": "Üzenetek küldése a válaszadóknak, önmagának vagy csapattársaknak.", "follow_ups_empty_description": "Üzenetek küldése a válaszadóknak, önmagának vagy csapattársaknak.",
"follow_ups_empty_heading": "Automatikus követések küldése", "follow_ups_empty_heading": "Automatikus utókövetések küldése",
"follow_ups_ending_card_delete_modal_text": "Ez a befejező kártya használatban van a követésekben. A törlése eltávolítja az összes követésből. Biztosan törölni szeretné?", "follow_ups_ending_card_delete_modal_text": "Ez a befejező kártya használatban van az utókövetésekben. A törlése eltávolítja az összes utókövetésből. Biztosan törölni szeretné?",
"follow_ups_ending_card_delete_modal_title": "Törli a befejező kártyát?", "follow_ups_ending_card_delete_modal_title": "Törli a befejező kártyát?",
"follow_ups_hidden_field_error": "A rejtett mező használatban van egy követésben. Először távolítsa el a követésből.", "follow_ups_hidden_field_error": "A rejtett mező használatban van egy utókövetésben. Először távolítsa el az utókövetésből.",
"follow_ups_include_hidden_fields": "Rejtett mezők értékeinek felvétele", "follow_ups_include_hidden_fields": "Rejtett mezők értékeinek felvétele",
"follow_ups_include_variables": "Változó értékeinek felvétele", "follow_ups_include_variables": "Változó értékeinek felvétele",
"follow_ups_item_ending_tag": "Befejezések", "follow_ups_item_ending_tag": "Befejezések",
@@ -1468,21 +1491,21 @@
"follow_ups_modal_action_to_description": "Az az e-mail-cím, ahova az e-mail elküldésre kerül", "follow_ups_modal_action_to_description": "Az az e-mail-cím, ahova az e-mail elküldésre kerül",
"follow_ups_modal_action_to_label": "Címzett", "follow_ups_modal_action_to_label": "Címzett",
"follow_ups_modal_action_to_warning": "Nem találhatók érvényes beállítások az e-mailek küldéséhez, adjon hozzá néhány szabad szöveges vagy kapcsolatfelvételi információkat tartalmazó kérdést vagy rejtett mezőt", "follow_ups_modal_action_to_warning": "Nem találhatók érvényes beállítások az e-mailek küldéséhez, adjon hozzá néhány szabad szöveges vagy kapcsolatfelvételi információkat tartalmazó kérdést vagy rejtett mezőt",
"follow_ups_modal_create_heading": "Új követés létrehozása", "follow_ups_modal_create_heading": "Új utókövetés létrehozása",
"follow_ups_modal_created_successfull_toast": "A követés létrehozva, és akkor lesz elmentve, ha elmenti a kérdőívet.", "follow_ups_modal_created_successfull_toast": "Az utókövetés létrehozva, és akkor lesz elmentve, ha elmenti a kérdőívet.",
"follow_ups_modal_edit_heading": "A követés szerkesztése", "follow_ups_modal_edit_heading": "Az utókövetés szerkesztése",
"follow_ups_modal_edit_no_id": "Nincs kérdőívkövetési azonosító megadva, nem lehet frissíteni a kérdőívkövetést", "follow_ups_modal_edit_no_id": "Nincs kérdőív-utókövetési azonosító megadva, nem lehet frissíteni a kérdőív utókövetését",
"follow_ups_modal_name_label": "Követés neve", "follow_ups_modal_name_label": "Utókövetés neve",
"follow_ups_modal_name_placeholder": "A követés elnevezése", "follow_ups_modal_name_placeholder": "Az utókövetés elnevezése",
"follow_ups_modal_subheading": "Üzenetek küldése a válaszadóknak, önmagának vagy csapattársaknak", "follow_ups_modal_subheading": "Üzenetek küldése a válaszadóknak, önmagának vagy csapattársaknak",
"follow_ups_modal_trigger_description": "Mikor kell ezt a követést aktiválni?", "follow_ups_modal_trigger_description": "Mikor kell ezt az utókövetést aktiválni?",
"follow_ups_modal_trigger_label": "Aktiváló", "follow_ups_modal_trigger_label": "Aktiváló",
"follow_ups_modal_trigger_type_ending": "A válaszadó egy adott befejezést lát", "follow_ups_modal_trigger_type_ending": "A válaszadó egy adott befejezést lát",
"follow_ups_modal_trigger_type_ending_select": "Befejezések kiválasztása: ", "follow_ups_modal_trigger_type_ending_select": "Befejezések kiválasztása: ",
"follow_ups_modal_trigger_type_ending_warning": "Válasszon legalább egy befejezést, vagy változtassa meg az aktiváló típusát", "follow_ups_modal_trigger_type_ending_warning": "Válasszon legalább egy befejezést, vagy változtassa meg az aktiváló típusát",
"follow_ups_modal_trigger_type_response": "A válaszadó kitölti a kérdőívet", "follow_ups_modal_trigger_type_response": "A válaszadó kitölti a kérdőívet",
"follow_ups_modal_updated_successfull_toast": "A követés frissítve, és akkor lesz elmentve, ha elmenti a kérdőívet.", "follow_ups_modal_updated_successfull_toast": "Az utókövetés frissítve, és akkor lesz elmentve, ha elmenti a kérdőívet.",
"follow_ups_new": "Új követés", "follow_ups_new": "Új utókövetés",
"formbricks_sdk_is_not_connected": "A Formbricks SDK nincs csatlakoztatva", "formbricks_sdk_is_not_connected": "A Formbricks SDK nincs csatlakoztatva",
"four_points": "4 pont", "four_points": "4 pont",
"heading": "Címsor", "heading": "Címsor",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "A szemét elleni védekezés nem működik az iOS, React Native és Android SDK-kkal megjelenített kérdőíveknél. El fogja rontani a kérdőívet.", "spam_protection_note": "A szemét elleni védekezés nem működik az iOS, React Native és Android SDK-kkal megjelenített kérdőíveknél. El fogja rontani a kérdőívet.",
"spam_protection_threshold_description": "Állítsa az értéket 0 és 1 közé, az ezen érték alatt lévő válaszok elutasításra kerülnek.", "spam_protection_threshold_description": "Állítsa az értéket 0 és 1 közé, az ezen érték alatt lévő válaszok elutasításra kerülnek.",
"spam_protection_threshold_heading": "Válasz küszöbszintje", "spam_protection_threshold_heading": "Válasz küszöbszintje",
"shrink_preview": "Előnézet összecsukása",
"star": "Csillag", "star": "Csillag",
"starts_with": "Ezzel kezdődik", "starts_with": "Ezzel kezdődik",
"state": "Állapot", "state": "Állapot",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "A stílus a téma stílusaira állítva", "styling_set_to_theme_styles": "A stílus a téma stílusaira állítva",
"subheading": "Alcím", "subheading": "Alcím",
"subtract": "Kivonás -", "subtract": "Kivonás -",
"survey_closed_message_heading_required": "Címsor hozzáadása az egyéni kérdőív záró üzenetéhez.",
"survey_completed_heading": "A kérdőív kitöltve", "survey_completed_heading": "A kérdőív kitöltve",
"survey_completed_subheading": "Ez a szabad és nyílt forráskódú kérdőív le lett zárva", "survey_completed_subheading": "Ez a szabad és nyílt forráskódú kérdőív le lett zárva",
"survey_display_settings": "Kérdőív megjelenítésének beállításai", "survey_display_settings": "Kérdőív megjelenítésének beállításai",
"survey_placement": "Kérdőív elhelyezése", "survey_placement": "Kérdőív elhelyezése",
"survey_preview": "Kérdőív előnézete 👀",
"survey_styling": "Kérdőív stílusának beállítása", "survey_styling": "Kérdőív stílusának beállítása",
"survey_trigger": "Kérdőív aktiválója", "survey_trigger": "Kérdőív aktiválója",
"switch_multi_language_on_to_get_started": "Kapcsolja be a többnyelvűséget a kezdéshez 👉", "switch_multi_language_on_to_get_started": "Kapcsolja be a többnyelvűséget a kezdéshez 👉",
@@ -2764,8 +2790,8 @@
"evaluate_content_quality_question_2_placeholder": "Írja be ide a válaszát…", "evaluate_content_quality_question_2_placeholder": "Írja be ide a válaszát…",
"evaluate_content_quality_question_3_headline": "Csodálatos! Van még valami, amit szeretne, hogy kitárgyaljunk?", "evaluate_content_quality_question_3_headline": "Csodálatos! Van még valami, amit szeretne, hogy kitárgyaljunk?",
"evaluate_content_quality_question_3_placeholder": "Témák, trendek, oktatóanyagok…", "evaluate_content_quality_question_3_placeholder": "Témák, trendek, oktatóanyagok…",
"fake_door_follow_up_description": "Követés olyan felhasználókkal, akik belefutottak az egyik „fake door” kísérletébe.", "fake_door_follow_up_description": "Utókövetés olyan felhasználókkal, akik belefutottak az egyik „fake door” kísérletébe.",
"fake_door_follow_up_name": "„Fake door” követés", "fake_door_follow_up_name": "„Fake door” utókövetés",
"fake_door_follow_up_question_1_headline": "Mennyire fontos ez a funkció az Ön számára?", "fake_door_follow_up_question_1_headline": "Mennyire fontos ez a funkció az Ön számára?",
"fake_door_follow_up_question_1_lower_label": "Nem fontos", "fake_door_follow_up_question_1_lower_label": "Nem fontos",
"fake_door_follow_up_question_1_upper_label": "Nagyon fontos", "fake_door_follow_up_question_1_upper_label": "Nagyon fontos",
@@ -2774,7 +2800,7 @@
"fake_door_follow_up_question_2_choice_3": "3. szempont", "fake_door_follow_up_question_2_choice_3": "3. szempont",
"fake_door_follow_up_question_2_choice_4": "4. szempont", "fake_door_follow_up_question_2_choice_4": "4. szempont",
"fake_door_follow_up_question_2_headline": "Mit kell feltétlenül tartalmaznia ennek összeállításakor?", "fake_door_follow_up_question_2_headline": "Mit kell feltétlenül tartalmaznia ennek összeállításakor?",
"feature_chaser_description": "Követés olyan felhasználókkal, akik épp most használtak egy bizonyos funkciót.", "feature_chaser_description": "Utókövetés olyan felhasználókkal, akik épp most használtak egy bizonyos funkciót.",
"feature_chaser_name": "Funkcióvadász", "feature_chaser_name": "Funkcióvadász",
"feature_chaser_question_1_headline": "Mennyire fontos a [FUNKCIÓ HOZZÁADÁSA] az Ön számára?", "feature_chaser_question_1_headline": "Mennyire fontos a [FUNKCIÓ HOZZÁADÁSA] az Ön számára?",
"feature_chaser_question_1_lower_label": "Nem fontos", "feature_chaser_question_1_lower_label": "Nem fontos",
+26
View File
@@ -294,6 +294,7 @@
"new": "新規", "new": "新規",
"new_version_available": "Formbricks {version} が利用可能です。今すぐアップグレード!", "new_version_available": "Formbricks {version} が利用可能です。今すぐアップグレード!",
"next": "次へ", "next": "次へ",
"no_actions_found": "アクションが見つかりません",
"no_background_image_found": "背景画像が見つかりません。", "no_background_image_found": "背景画像が見つかりません。",
"no_code": "ノーコード", "no_code": "ノーコード",
"no_files_uploaded": "ファイルがアップロードされていません", "no_files_uploaded": "ファイルがアップロードされていません",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "少なくとも1つのフォームを選択してください", "please_select_at_least_one_survey": "少なくとも1つのフォームを選択してください",
"please_select_at_least_one_trigger": "少なくとも1つのトリガーを選択してください", "please_select_at_least_one_trigger": "少なくとも1つのトリガーを選択してください",
"please_upgrade_your_plan": "プランをアップグレードしてください", "please_upgrade_your_plan": "プランをアップグレードしてください",
"powered_by_formbricks": "Powered by Formbricks",
"preview": "プレビュー", "preview": "プレビュー",
"preview_survey": "フォームをプレビュー", "preview_survey": "フォームをプレビュー",
"privacy": "プライバシーポリシー", "privacy": "プライバシーポリシー",
@@ -380,6 +382,7 @@
"select": "選択", "select": "選択",
"select_all": "すべて選択", "select_all": "すべて選択",
"select_filter": "フィルターを選択", "select_filter": "フィルターを選択",
"select_language": "言語を選択",
"select_survey": "フォームを選択", "select_survey": "フォームを選択",
"select_teams": "チームを選択", "select_teams": "チームを選択",
"selected": "選択済み", "selected": "選択済み",
@@ -1071,6 +1074,25 @@
"enterprise_features": "エンタープライズ機能", "enterprise_features": "エンタープライズ機能",
"get_an_enterprise_license_to_get_access_to_all_features": "すべての機能にアクセスするには、エンタープライズライセンスを取得してください。", "get_an_enterprise_license_to_get_access_to_all_features": "すべての機能にアクセスするには、エンタープライズライセンスを取得してください。",
"keep_full_control_over_your_data_privacy_and_security": "データのプライバシーとセキュリティを完全に制御できます。", "keep_full_control_over_your_data_privacy_and_security": "データのプライバシーとセキュリティを完全に制御できます。",
"license_feature_access_control": "アクセス制御(RBAC",
"license_feature_audit_logs": "監査ログ",
"license_feature_contacts": "連絡先とセグメント",
"license_feature_projects": "ワークスペース",
"license_feature_quotas": "クォータ",
"license_feature_remove_branding": "ブランディングの削除",
"license_feature_saml": "SAML SSO",
"license_feature_spam_protection": "スパム保護",
"license_feature_sso": "OIDC SSO",
"license_feature_two_factor_auth": "二要素認証",
"license_feature_whitelabel": "ホワイトラベルメール",
"license_features_table_access": "アクセス",
"license_features_table_description": "このインスタンスで現在利用可能なエンタープライズ機能と制限。",
"license_features_table_disabled": "無効",
"license_features_table_enabled": "有効",
"license_features_table_feature": "機能",
"license_features_table_title": "ライセンス機能",
"license_features_table_unlimited": "無制限",
"license_features_table_value": "値",
"license_instance_mismatch_description": "このライセンスは現在、別のFormbricksインスタンスに紐付けられています。このインストールが再構築または移動された場合は、Formbricksサポートに連絡して、以前のインスタンスの紐付けを解除してもらってください。", "license_instance_mismatch_description": "このライセンスは現在、別のFormbricksインスタンスに紐付けられています。このインストールが再構築または移動された場合は、Formbricksサポートに連絡して、以前のインスタンスの紐付けを解除してもらってください。",
"license_invalid_description": "ENTERPRISE_LICENSE_KEY環境変数のライセンスキーが無効です。入力ミスがないか確認するか、新しいキーをリクエストしてください。", "license_invalid_description": "ENTERPRISE_LICENSE_KEY環境変数のライセンスキーが無効です。入力ミスがないか確認するか、新しいキーをリクエストしてください。",
"license_status": "ライセンスステータス", "license_status": "ライセンスステータス",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "変更の保存中にエラーが発生しました", "error_saving_changes": "変更の保存中にエラーが発生しました",
"even_after_they_submitted_a_response_e_g_feedback_box": "複数の回答を許可;回答後も表示を継続(例:フィードボックス)。", "even_after_they_submitted_a_response_e_g_feedback_box": "複数の回答を許可;回答後も表示を継続(例:フィードボックス)。",
"everyone": "全員", "everyone": "全員",
"expand_preview": "プレビューを展開",
"external_urls_paywall_tooltip": "外部URLをカスタマイズするには有料プランへのアップグレードが必要です。フィッシング防止のためご協力をお願いいたします。", "external_urls_paywall_tooltip": "外部URLをカスタマイズするには有料プランへのアップグレードが必要です。フィッシング防止のためご協力をお願いいたします。",
"fallback_missing": "フォールバックがありません", "fallback_missing": "フォールバックがありません",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} は質問 {questionIndex} のロジックで使用されています。まず、ロジックから削除してください。", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} は質問 {questionIndex} のロジックで使用されています。まず、ロジックから削除してください。",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "スパム対策は、iOS、React Native、およびAndroid SDKで表示されるフォームでは機能しません。フォームが壊れます。", "spam_protection_note": "スパム対策は、iOS、React Native、およびAndroid SDKで表示されるフォームでは機能しません。フォームが壊れます。",
"spam_protection_threshold_description": "値を0から1の間で設定してください。この値より低い回答は拒否されます。", "spam_protection_threshold_description": "値を0から1の間で設定してください。この値より低い回答は拒否されます。",
"spam_protection_threshold_heading": "回答のしきい値", "spam_protection_threshold_heading": "回答のしきい値",
"shrink_preview": "プレビューを縮小",
"star": "星", "star": "星",
"starts_with": "で始まる", "starts_with": "で始まる",
"state": "都道府県", "state": "都道府県",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "スタイルをテーマのスタイルに設定しました", "styling_set_to_theme_styles": "スタイルをテーマのスタイルに設定しました",
"subheading": "サブ見出し", "subheading": "サブ見出し",
"subtract": "減算 -", "subtract": "減算 -",
"survey_closed_message_heading_required": "カスタムアンケート終了メッセージに見出しを追加してください。",
"survey_completed_heading": "フォームが完了しました", "survey_completed_heading": "フォームが完了しました",
"survey_completed_subheading": "この無料のオープンソースフォームは閉鎖されました", "survey_completed_subheading": "この無料のオープンソースフォームは閉鎖されました",
"survey_display_settings": "フォーム表示設定", "survey_display_settings": "フォーム表示設定",
"survey_placement": "フォームの配置", "survey_placement": "フォームの配置",
"survey_preview": "アンケートプレビュー 👀",
"survey_styling": "フォームのスタイル", "survey_styling": "フォームのスタイル",
"survey_trigger": "フォームのトリガー", "survey_trigger": "フォームのトリガー",
"switch_multi_language_on_to_get_started": "多言語機能をオンにして開始 👉", "switch_multi_language_on_to_get_started": "多言語機能をオンにして開始 👉",
+28 -2
View File
@@ -294,6 +294,7 @@
"new": "Nieuw", "new": "Nieuw",
"new_version_available": "Formbricks {version} is hier. Upgrade nu!", "new_version_available": "Formbricks {version} is hier. Upgrade nu!",
"next": "Volgende", "next": "Volgende",
"no_actions_found": "Geen acties gevonden",
"no_background_image_found": "Geen achtergrondafbeelding gevonden.", "no_background_image_found": "Geen achtergrondafbeelding gevonden.",
"no_code": "Geen code", "no_code": "Geen code",
"no_files_uploaded": "Er zijn geen bestanden geüpload", "no_files_uploaded": "Er zijn geen bestanden geüpload",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "Selecteer ten minste één enquête", "please_select_at_least_one_survey": "Selecteer ten minste één enquête",
"please_select_at_least_one_trigger": "Selecteer ten minste één trigger", "please_select_at_least_one_trigger": "Selecteer ten minste één trigger",
"please_upgrade_your_plan": "Upgrade je abonnement", "please_upgrade_your_plan": "Upgrade je abonnement",
"powered_by_formbricks": "Mogelijk gemaakt door Formbricks",
"preview": "Voorbeeld", "preview": "Voorbeeld",
"preview_survey": "Voorbeeld van enquête", "preview_survey": "Voorbeeld van enquête",
"privacy": "Privacybeleid", "privacy": "Privacybeleid",
@@ -380,6 +382,7 @@
"select": "Selecteer", "select": "Selecteer",
"select_all": "Selecteer alles", "select_all": "Selecteer alles",
"select_filter": "Filter selecteren", "select_filter": "Filter selecteren",
"select_language": "Selecteer taal",
"select_survey": "Selecteer Enquête", "select_survey": "Selecteer Enquête",
"select_teams": "Selecteer teams", "select_teams": "Selecteer teams",
"selected": "Gekozen", "selected": "Gekozen",
@@ -1071,6 +1074,25 @@
"enterprise_features": "Enterprise-functies", "enterprise_features": "Enterprise-functies",
"get_an_enterprise_license_to_get_access_to_all_features": "Ontvang een Enterprise-licentie om toegang te krijgen tot alle functies.", "get_an_enterprise_license_to_get_access_to_all_features": "Ontvang een Enterprise-licentie om toegang te krijgen tot alle functies.",
"keep_full_control_over_your_data_privacy_and_security": "Houd de volledige controle over de privacy en beveiliging van uw gegevens.", "keep_full_control_over_your_data_privacy_and_security": "Houd de volledige controle over de privacy en beveiliging van uw gegevens.",
"license_feature_access_control": "Toegangscontrole (RBAC)",
"license_feature_audit_logs": "Auditlogboeken",
"license_feature_contacts": "Contacten & Segmenten",
"license_feature_projects": "Werkruimtes",
"license_feature_quotas": "Quota's",
"license_feature_remove_branding": "Branding verwijderen",
"license_feature_saml": "SAML SSO",
"license_feature_spam_protection": "Spambescherming",
"license_feature_sso": "OIDC SSO",
"license_feature_two_factor_auth": "Tweefactorauthenticatie",
"license_feature_whitelabel": "Whitelabel-e-mails",
"license_features_table_access": "Toegang",
"license_features_table_description": "Enterprise-functies en limieten die momenteel beschikbaar zijn voor deze instantie.",
"license_features_table_disabled": "Uitgeschakeld",
"license_features_table_enabled": "Ingeschakeld",
"license_features_table_feature": "Functie",
"license_features_table_title": "Gelicentieerde Functies",
"license_features_table_unlimited": "Onbeperkt",
"license_features_table_value": "Waarde",
"license_instance_mismatch_description": "Deze licentie is momenteel gekoppeld aan een andere Formbricks-instantie. Als deze installatie is herbouwd of verplaatst, vraag dan Formbricks-support om de vorige instantiekoppeling te verbreken.", "license_instance_mismatch_description": "Deze licentie is momenteel gekoppeld aan een andere Formbricks-instantie. Als deze installatie is herbouwd of verplaatst, vraag dan Formbricks-support om de vorige instantiekoppeling te verbreken.",
"license_invalid_description": "De licentiesleutel in je ENTERPRISE_LICENSE_KEY omgevingsvariabele is niet geldig. Controleer op typefouten of vraag een nieuwe sleutel aan.", "license_invalid_description": "De licentiesleutel in je ENTERPRISE_LICENSE_KEY omgevingsvariabele is niet geldig. Controleer op typefouten of vraag een nieuwe sleutel aan.",
"license_status": "Licentiestatus", "license_status": "Licentiestatus",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "Fout bij het opslaan van wijzigingen", "error_saving_changes": "Fout bij het opslaan van wijzigingen",
"even_after_they_submitted_a_response_e_g_feedback_box": "Meerdere reacties toestaan; blijf tonen, zelfs na een reactie (bijv. feedbackbox).", "even_after_they_submitted_a_response_e_g_feedback_box": "Meerdere reacties toestaan; blijf tonen, zelfs na een reactie (bijv. feedbackbox).",
"everyone": "Iedereen", "everyone": "Iedereen",
"expand_preview": "Voorbeeld uitvouwen",
"external_urls_paywall_tooltip": "Upgrade naar een betaald abonnement om externe URL's aan te passen. Dit helpt om phishing te voorkomen.", "external_urls_paywall_tooltip": "Upgrade naar een betaald abonnement om externe URL's aan te passen. Dit helpt om phishing te voorkomen.",
"fallback_missing": "Terugval ontbreekt", "fallback_missing": "Terugval ontbreekt",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} wordt gebruikt in de logica van vraag {questionIndex}. Verwijder het eerst uit de logica.", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} wordt gebruikt in de logica van vraag {questionIndex}. Verwijder het eerst uit de logica.",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "Spambeveiliging werkt niet voor enquêtes die worden weergegeven met de iOS-, React Native- en Android SDK's. Het zal de enquête breken.", "spam_protection_note": "Spambeveiliging werkt niet voor enquêtes die worden weergegeven met de iOS-, React Native- en Android SDK's. Het zal de enquête breken.",
"spam_protection_threshold_description": "Stel een waarde in tussen 0 en 1, reacties onder deze waarde worden afgewezen.", "spam_protection_threshold_description": "Stel een waarde in tussen 0 en 1, reacties onder deze waarde worden afgewezen.",
"spam_protection_threshold_heading": "Reactiedrempel", "spam_protection_threshold_heading": "Reactiedrempel",
"shrink_preview": "Voorbeeld invouwen",
"star": "Ster", "star": "Ster",
"starts_with": "Begint met", "starts_with": "Begint met",
"state": "Staat", "state": "Staat",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "Styling ingesteld op themastijlen", "styling_set_to_theme_styles": "Styling ingesteld op themastijlen",
"subheading": "Ondertitel", "subheading": "Ondertitel",
"subtract": "Aftrekken -", "subtract": "Aftrekken -",
"survey_closed_message_heading_required": "Voeg een kop toe aan het aangepaste bericht voor gesloten enquêtes.",
"survey_completed_heading": "Enquête voltooid", "survey_completed_heading": "Enquête voltooid",
"survey_completed_subheading": "Deze gratis en open source-enquête is gesloten", "survey_completed_subheading": "Deze gratis en open source-enquête is gesloten",
"survey_display_settings": "Enquêteweergave-instellingen", "survey_display_settings": "Enquêteweergave-instellingen",
"survey_placement": "Enquête plaatsing", "survey_placement": "Enquête plaatsing",
"survey_preview": "Enquêtevoorbeeld 👀",
"survey_styling": "Vorm styling", "survey_styling": "Vorm styling",
"survey_trigger": "Enquêtetrigger", "survey_trigger": "Enquêtetrigger",
"switch_multi_language_on_to_get_started": "Schakel meertaligheid in om te beginnen 👉", "switch_multi_language_on_to_get_started": "Schakel meertaligheid in om te beginnen 👉",
@@ -3052,7 +3078,7 @@
"preview_survey_question_2_choice_2_label": "Nee, dank je!", "preview_survey_question_2_choice_2_label": "Nee, dank je!",
"preview_survey_question_2_headline": "Wil je op de hoogte blijven?", "preview_survey_question_2_headline": "Wil je op de hoogte blijven?",
"preview_survey_question_2_subheader": "Dit is een voorbeeldbeschrijving.", "preview_survey_question_2_subheader": "Dit is een voorbeeldbeschrijving.",
"preview_survey_question_open_text_headline": "Wil je nog iets delen?", "preview_survey_question_open_text_headline": "Wilt u nog iets anders delen?",
"preview_survey_question_open_text_placeholder": "Typ hier je antwoord...", "preview_survey_question_open_text_placeholder": "Typ hier je antwoord...",
"preview_survey_question_open_text_subheader": "Je feedback helpt ons verbeteren.", "preview_survey_question_open_text_subheader": "Je feedback helpt ons verbeteren.",
"preview_survey_welcome_card_headline": "Welkom!", "preview_survey_welcome_card_headline": "Welkom!",
@@ -3307,7 +3333,7 @@
"workflows": { "workflows": {
"coming_soon_description": "Bedankt voor het delen van je workflow-idee met ons! We zijn momenteel bezig met het ontwerpen van deze functie en jouw feedback helpt ons om precies te bouwen wat je nodig hebt.", "coming_soon_description": "Bedankt voor het delen van je workflow-idee met ons! We zijn momenteel bezig met het ontwerpen van deze functie en jouw feedback helpt ons om precies te bouwen wat je nodig hebt.",
"coming_soon_title": "We zijn er bijna!", "coming_soon_title": "We zijn er bijna!",
"follow_up_label": "Is er nog iets dat je wilt toevoegen?", "follow_up_label": "Is er nog iets dat u wilt toevoegen?",
"follow_up_placeholder": "Welke specifieke taken wil je automatiseren? Zijn er tools of integraties die je wilt meenemen?", "follow_up_placeholder": "Welke specifieke taken wil je automatiseren? Zijn er tools of integraties die je wilt meenemen?",
"generate_button": "Genereer workflow", "generate_button": "Genereer workflow",
"heading": "Welke workflow wil je maken?", "heading": "Welke workflow wil je maken?",
+28 -2
View File
@@ -294,6 +294,7 @@
"new": "Novo", "new": "Novo",
"new_version_available": "Formbricks {version} chegou. Atualize agora!", "new_version_available": "Formbricks {version} chegou. Atualize agora!",
"next": "Próximo", "next": "Próximo",
"no_actions_found": "Nenhuma ação encontrada",
"no_background_image_found": "Imagem de fundo não encontrada.", "no_background_image_found": "Imagem de fundo não encontrada.",
"no_code": "Sem código", "no_code": "Sem código",
"no_files_uploaded": "Nenhum arquivo foi enviado", "no_files_uploaded": "Nenhum arquivo foi enviado",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "Por favor, selecione pelo menos uma pesquisa", "please_select_at_least_one_survey": "Por favor, selecione pelo menos uma pesquisa",
"please_select_at_least_one_trigger": "Por favor, selecione pelo menos um gatilho", "please_select_at_least_one_trigger": "Por favor, selecione pelo menos um gatilho",
"please_upgrade_your_plan": "Por favor, atualize seu plano", "please_upgrade_your_plan": "Por favor, atualize seu plano",
"powered_by_formbricks": "Desenvolvido por Formbricks",
"preview": "Prévia", "preview": "Prévia",
"preview_survey": "Prévia da Pesquisa", "preview_survey": "Prévia da Pesquisa",
"privacy": "Política de Privacidade", "privacy": "Política de Privacidade",
@@ -380,6 +382,7 @@
"select": "Selecionar", "select": "Selecionar",
"select_all": "Selecionar tudo", "select_all": "Selecionar tudo",
"select_filter": "Selecionar filtro", "select_filter": "Selecionar filtro",
"select_language": "Selecionar Idioma",
"select_survey": "Selecionar Pesquisa", "select_survey": "Selecionar Pesquisa",
"select_teams": "Selecionar times", "select_teams": "Selecionar times",
"selected": "Selecionado", "selected": "Selecionado",
@@ -1071,6 +1074,25 @@
"enterprise_features": "Recursos Empresariais", "enterprise_features": "Recursos Empresariais",
"get_an_enterprise_license_to_get_access_to_all_features": "Adquira uma licença Enterprise para ter acesso a todos os recursos.", "get_an_enterprise_license_to_get_access_to_all_features": "Adquira uma licença Enterprise para ter acesso a todos os recursos.",
"keep_full_control_over_your_data_privacy_and_security": "Mantenha controle total sobre a privacidade e segurança dos seus dados.", "keep_full_control_over_your_data_privacy_and_security": "Mantenha controle total sobre a privacidade e segurança dos seus dados.",
"license_feature_access_control": "Controle de acesso (RBAC)",
"license_feature_audit_logs": "Logs de auditoria",
"license_feature_contacts": "Contatos e Segmentos",
"license_feature_projects": "Workspaces",
"license_feature_quotas": "Cotas",
"license_feature_remove_branding": "Remover identidade visual",
"license_feature_saml": "SAML SSO",
"license_feature_spam_protection": "Proteção contra spam",
"license_feature_sso": "OIDC SSO",
"license_feature_two_factor_auth": "Autenticação de dois fatores",
"license_feature_whitelabel": "E-mails white-label",
"license_features_table_access": "Acesso",
"license_features_table_description": "Recursos empresariais e limites disponíveis atualmente para esta instância.",
"license_features_table_disabled": "Desabilitado",
"license_features_table_enabled": "Habilitado",
"license_features_table_feature": "Recurso",
"license_features_table_title": "Recursos Licenciados",
"license_features_table_unlimited": "Ilimitado",
"license_features_table_value": "Valor",
"license_instance_mismatch_description": "Esta licença está atualmente vinculada a uma instância diferente do Formbricks. Se esta instalação foi reconstruída ou movida, peça ao suporte do Formbricks para desconectar a vinculação da instância anterior.", "license_instance_mismatch_description": "Esta licença está atualmente vinculada a uma instância diferente do Formbricks. Se esta instalação foi reconstruída ou movida, peça ao suporte do Formbricks para desconectar a vinculação da instância anterior.",
"license_invalid_description": "A chave de licença na sua variável de ambiente ENTERPRISE_LICENSE_KEY não é válida. Verifique se há erros de digitação ou solicite uma nova chave.", "license_invalid_description": "A chave de licença na sua variável de ambiente ENTERPRISE_LICENSE_KEY não é válida. Verifique se há erros de digitação ou solicite uma nova chave.",
"license_status": "Status da licença", "license_status": "Status da licença",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "Erro ao salvar alterações", "error_saving_changes": "Erro ao salvar alterações",
"even_after_they_submitted_a_response_e_g_feedback_box": "Permitir múltiplas respostas; continuar mostrando mesmo após uma resposta (ex.: caixa de feedback).", "even_after_they_submitted_a_response_e_g_feedback_box": "Permitir múltiplas respostas; continuar mostrando mesmo após uma resposta (ex.: caixa de feedback).",
"everyone": "Todo mundo", "everyone": "Todo mundo",
"expand_preview": "Expandir prévia",
"external_urls_paywall_tooltip": "Faça upgrade para um plano pago para personalizar URLs externas. Isso nos ajuda a prevenir phishing.", "external_urls_paywall_tooltip": "Faça upgrade para um plano pago para personalizar URLs externas. Isso nos ajuda a prevenir phishing.",
"fallback_missing": "Faltando alternativa", "fallback_missing": "Faltando alternativa",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} é usado na lógica da pergunta {questionIndex}. Por favor, remova-o da lógica primeiro.", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} é usado na lógica da pergunta {questionIndex}. Por favor, remova-o da lógica primeiro.",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "A proteção contra spam não funciona para pesquisas exibidas com os SDKs iOS, React Native e Android. Isso vai quebrar a pesquisa.", "spam_protection_note": "A proteção contra spam não funciona para pesquisas exibidas com os SDKs iOS, React Native e Android. Isso vai quebrar a pesquisa.",
"spam_protection_threshold_description": "Defina um valor entre 0 e 1, respostas abaixo desse valor serão rejeitadas.", "spam_protection_threshold_description": "Defina um valor entre 0 e 1, respostas abaixo desse valor serão rejeitadas.",
"spam_protection_threshold_heading": "Limite de resposta", "spam_protection_threshold_heading": "Limite de resposta",
"shrink_preview": "Recolher prévia",
"star": "Estrela", "star": "Estrela",
"starts_with": "Começa com", "starts_with": "Começa com",
"state": "Estado", "state": "Estado",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "Estilo definido para os estilos do tema", "styling_set_to_theme_styles": "Estilo definido para os estilos do tema",
"subheading": "Subtítulo", "subheading": "Subtítulo",
"subtract": "Subtrair -", "subtract": "Subtrair -",
"survey_closed_message_heading_required": "Adicione um título à mensagem personalizada de pesquisa encerrada.",
"survey_completed_heading": "Pesquisa Concluída", "survey_completed_heading": "Pesquisa Concluída",
"survey_completed_subheading": "Essa pesquisa gratuita e de código aberto foi encerrada", "survey_completed_subheading": "Essa pesquisa gratuita e de código aberto foi encerrada",
"survey_display_settings": "Configurações de Exibição da Pesquisa", "survey_display_settings": "Configurações de Exibição da Pesquisa",
"survey_placement": "Posicionamento da Pesquisa", "survey_placement": "Posicionamento da Pesquisa",
"survey_preview": "Prévia da pesquisa 👀",
"survey_styling": "Estilização de Formulários", "survey_styling": "Estilização de Formulários",
"survey_trigger": "Gatilho de Pesquisa", "survey_trigger": "Gatilho de Pesquisa",
"switch_multi_language_on_to_get_started": "Ative o modo multilíngue para começar 👉", "switch_multi_language_on_to_get_started": "Ative o modo multilíngue para começar 👉",
@@ -3052,7 +3078,7 @@
"preview_survey_question_2_choice_2_label": "Não, obrigado!", "preview_survey_question_2_choice_2_label": "Não, obrigado!",
"preview_survey_question_2_headline": "Quer ficar por dentro?", "preview_survey_question_2_headline": "Quer ficar por dentro?",
"preview_survey_question_2_subheader": "Este é um exemplo de descrição.", "preview_survey_question_2_subheader": "Este é um exemplo de descrição.",
"preview_survey_question_open_text_headline": "Tem mais alguma coisa que você gostaria de compartilhar?", "preview_survey_question_open_text_headline": "Há algo mais que você gostaria de compartilhar?",
"preview_survey_question_open_text_placeholder": "Digite sua resposta aqui...", "preview_survey_question_open_text_placeholder": "Digite sua resposta aqui...",
"preview_survey_question_open_text_subheader": "Seu feedback nos ajuda a melhorar.", "preview_survey_question_open_text_subheader": "Seu feedback nos ajuda a melhorar.",
"preview_survey_welcome_card_headline": "Bem-vindo!", "preview_survey_welcome_card_headline": "Bem-vindo!",
@@ -3307,7 +3333,7 @@
"workflows": { "workflows": {
"coming_soon_description": "Obrigado por compartilhar sua ideia de fluxo de trabalho conosco! Estamos atualmente projetando este recurso e seu feedback nos ajudará a construir exatamente o que você precisa.", "coming_soon_description": "Obrigado por compartilhar sua ideia de fluxo de trabalho conosco! Estamos atualmente projetando este recurso e seu feedback nos ajudará a construir exatamente o que você precisa.",
"coming_soon_title": "Estamos quase lá!", "coming_soon_title": "Estamos quase lá!",
"follow_up_label": "Há algo mais que você gostaria de adicionar?", "follow_up_label": "Há algo mais que você gostaria de acrescentar?",
"follow_up_placeholder": "Quais tarefas específicas você gostaria de automatizar? Alguma ferramenta ou integração que gostaria de incluir?", "follow_up_placeholder": "Quais tarefas específicas você gostaria de automatizar? Alguma ferramenta ou integração que gostaria de incluir?",
"generate_button": "Gerar fluxo de trabalho", "generate_button": "Gerar fluxo de trabalho",
"heading": "Qual fluxo de trabalho você quer criar?", "heading": "Qual fluxo de trabalho você quer criar?",
+27 -1
View File
@@ -294,6 +294,7 @@
"new": "Novo", "new": "Novo",
"new_version_available": "Formbricks {version} está aqui. Atualize agora!", "new_version_available": "Formbricks {version} está aqui. Atualize agora!",
"next": "Seguinte", "next": "Seguinte",
"no_actions_found": "Nenhuma ação encontrada",
"no_background_image_found": "Nenhuma imagem de fundo encontrada.", "no_background_image_found": "Nenhuma imagem de fundo encontrada.",
"no_code": "Sem código", "no_code": "Sem código",
"no_files_uploaded": "Nenhum ficheiro foi carregado", "no_files_uploaded": "Nenhum ficheiro foi carregado",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "Por favor, selecione pelo menos um inquérito", "please_select_at_least_one_survey": "Por favor, selecione pelo menos um inquérito",
"please_select_at_least_one_trigger": "Por favor, selecione pelo menos um gatilho", "please_select_at_least_one_trigger": "Por favor, selecione pelo menos um gatilho",
"please_upgrade_your_plan": "Por favor, atualize o seu plano", "please_upgrade_your_plan": "Por favor, atualize o seu plano",
"powered_by_formbricks": "Desenvolvido por Formbricks",
"preview": "Pré-visualização", "preview": "Pré-visualização",
"preview_survey": "Pré-visualização do inquérito", "preview_survey": "Pré-visualização do inquérito",
"privacy": "Política de Privacidade", "privacy": "Política de Privacidade",
@@ -380,6 +382,7 @@
"select": "Selecionar", "select": "Selecionar",
"select_all": "Selecionar tudo", "select_all": "Selecionar tudo",
"select_filter": "Selecionar filtro", "select_filter": "Selecionar filtro",
"select_language": "Selecionar Idioma",
"select_survey": "Selecionar Inquérito", "select_survey": "Selecionar Inquérito",
"select_teams": "Selecionar equipas", "select_teams": "Selecionar equipas",
"selected": "Selecionado", "selected": "Selecionado",
@@ -1071,6 +1074,25 @@
"enterprise_features": "Funcionalidades da Empresa", "enterprise_features": "Funcionalidades da Empresa",
"get_an_enterprise_license_to_get_access_to_all_features": "Obtenha uma licença Enterprise para ter acesso a todas as funcionalidades.", "get_an_enterprise_license_to_get_access_to_all_features": "Obtenha uma licença Enterprise para ter acesso a todas as funcionalidades.",
"keep_full_control_over_your_data_privacy_and_security": "Mantenha controlo total sobre a privacidade e segurança dos seus dados.", "keep_full_control_over_your_data_privacy_and_security": "Mantenha controlo total sobre a privacidade e segurança dos seus dados.",
"license_feature_access_control": "Controlo de acesso (RBAC)",
"license_feature_audit_logs": "Registos de auditoria",
"license_feature_contacts": "Contactos e Segmentos",
"license_feature_projects": "Áreas de trabalho",
"license_feature_quotas": "Quotas",
"license_feature_remove_branding": "Remover marca",
"license_feature_saml": "SAML SSO",
"license_feature_spam_protection": "Proteção contra spam",
"license_feature_sso": "OIDC SSO",
"license_feature_two_factor_auth": "Autenticação de dois fatores",
"license_feature_whitelabel": "E-mails personalizados",
"license_features_table_access": "Acesso",
"license_features_table_description": "Funcionalidades e limites empresariais atualmente disponíveis para esta instância.",
"license_features_table_disabled": "Desativado",
"license_features_table_enabled": "Ativado",
"license_features_table_feature": "Funcionalidade",
"license_features_table_title": "Funcionalidades Licenciadas",
"license_features_table_unlimited": "Ilimitado",
"license_features_table_value": "Valor",
"license_instance_mismatch_description": "Esta licença está atualmente associada a uma instância Formbricks diferente. Se esta instalação foi reconstruída ou movida, pede ao suporte da Formbricks para desconectar a associação da instância anterior.", "license_instance_mismatch_description": "Esta licença está atualmente associada a uma instância Formbricks diferente. Se esta instalação foi reconstruída ou movida, pede ao suporte da Formbricks para desconectar a associação da instância anterior.",
"license_invalid_description": "A chave de licença na sua variável de ambiente ENTERPRISE_LICENSE_KEY não é válida. Por favor, verifique se existem erros de digitação ou solicite uma nova chave.", "license_invalid_description": "A chave de licença na sua variável de ambiente ENTERPRISE_LICENSE_KEY não é válida. Por favor, verifique se existem erros de digitação ou solicite uma nova chave.",
"license_status": "Estado da licença", "license_status": "Estado da licença",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "Erro ao guardar alterações", "error_saving_changes": "Erro ao guardar alterações",
"even_after_they_submitted_a_response_e_g_feedback_box": "Permitir múltiplas respostas; continuar a mostrar mesmo após uma resposta (por exemplo, Caixa de Feedback).", "even_after_they_submitted_a_response_e_g_feedback_box": "Permitir múltiplas respostas; continuar a mostrar mesmo após uma resposta (por exemplo, Caixa de Feedback).",
"everyone": "Todos", "everyone": "Todos",
"expand_preview": "Expandir pré-visualização",
"external_urls_paywall_tooltip": "Por favor, faz o upgrade para um plano pago para personalizar URLs externos. Isto ajuda-nos a prevenir phishing.", "external_urls_paywall_tooltip": "Por favor, faz o upgrade para um plano pago para personalizar URLs externos. Isto ajuda-nos a prevenir phishing.",
"fallback_missing": "Substituição em falta", "fallback_missing": "Substituição em falta",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} é usado na lógica da pergunta {questionIndex}. Por favor, remova-o da lógica primeiro.", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} é usado na lógica da pergunta {questionIndex}. Por favor, remova-o da lógica primeiro.",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "A proteção contra spam não funciona para inquéritos exibidos com os SDKs iOS, React Native e Android. Isso irá quebrar o inquérito.", "spam_protection_note": "A proteção contra spam não funciona para inquéritos exibidos com os SDKs iOS, React Native e Android. Isso irá quebrar o inquérito.",
"spam_protection_threshold_description": "Defina um valor entre 0 e 1, respostas abaixo deste valor serão rejeitadas.", "spam_protection_threshold_description": "Defina um valor entre 0 e 1, respostas abaixo deste valor serão rejeitadas.",
"spam_protection_threshold_heading": "Limite de resposta", "spam_protection_threshold_heading": "Limite de resposta",
"shrink_preview": "Reduzir pré-visualização",
"star": "Estrela", "star": "Estrela",
"starts_with": "Começa com", "starts_with": "Começa com",
"state": "Estado", "state": "Estado",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "Estilo definido para estilos do tema", "styling_set_to_theme_styles": "Estilo definido para estilos do tema",
"subheading": "Subtítulo", "subheading": "Subtítulo",
"subtract": "Subtrair -", "subtract": "Subtrair -",
"survey_closed_message_heading_required": "Adiciona um título à mensagem personalizada de inquérito encerrado.",
"survey_completed_heading": "Inquérito Concluído", "survey_completed_heading": "Inquérito Concluído",
"survey_completed_subheading": "Este inquérito gratuito e de código aberto foi encerrado", "survey_completed_subheading": "Este inquérito gratuito e de código aberto foi encerrado",
"survey_display_settings": "Configurações de Exibição do Inquérito", "survey_display_settings": "Configurações de Exibição do Inquérito",
"survey_placement": "Colocação do Inquérito", "survey_placement": "Colocação do Inquérito",
"survey_preview": "Pré-visualização do questionário 👀",
"survey_styling": "Estilo do formulário", "survey_styling": "Estilo do formulário",
"survey_trigger": "Desencadeador de Inquérito", "survey_trigger": "Desencadeador de Inquérito",
"switch_multi_language_on_to_get_started": "Ative o modo multilingue para começar 👉", "switch_multi_language_on_to_get_started": "Ative o modo multilingue para começar 👉",
@@ -3052,7 +3078,7 @@
"preview_survey_question_2_choice_2_label": "Não, obrigado!", "preview_survey_question_2_choice_2_label": "Não, obrigado!",
"preview_survey_question_2_headline": "Quer manter-se atualizado?", "preview_survey_question_2_headline": "Quer manter-se atualizado?",
"preview_survey_question_2_subheader": "Este é um exemplo de descrição.", "preview_survey_question_2_subheader": "Este é um exemplo de descrição.",
"preview_survey_question_open_text_headline": "Mais alguma coisa que gostaria de partilhar?", "preview_survey_question_open_text_headline": "Há mais alguma coisa que gostaria de partilhar?",
"preview_survey_question_open_text_placeholder": "Escreva a sua resposta aqui...", "preview_survey_question_open_text_placeholder": "Escreva a sua resposta aqui...",
"preview_survey_question_open_text_subheader": "O seu feedback ajuda-nos a melhorar.", "preview_survey_question_open_text_subheader": "O seu feedback ajuda-nos a melhorar.",
"preview_survey_welcome_card_headline": "Bem-vindo!", "preview_survey_welcome_card_headline": "Bem-vindo!",
+28 -2
View File
@@ -294,6 +294,7 @@
"new": "Nou", "new": "Nou",
"new_version_available": "Formbricks {version} este disponibil. Actualizați acum!", "new_version_available": "Formbricks {version} este disponibil. Actualizați acum!",
"next": "Următorul", "next": "Următorul",
"no_actions_found": "Nu au fost găsite acțiuni",
"no_background_image_found": "Nu a fost găsită nicio imagine de fundal.", "no_background_image_found": "Nu a fost găsită nicio imagine de fundal.",
"no_code": "Fără Cod", "no_code": "Fără Cod",
"no_files_uploaded": "Nu au fost încărcate fișiere", "no_files_uploaded": "Nu au fost încărcate fișiere",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "Vă rugăm să selectați cel puțin un sondaj", "please_select_at_least_one_survey": "Vă rugăm să selectați cel puțin un sondaj",
"please_select_at_least_one_trigger": "Vă rugăm să selectați cel puțin un declanșator", "please_select_at_least_one_trigger": "Vă rugăm să selectați cel puțin un declanșator",
"please_upgrade_your_plan": "Vă rugăm să faceți upgrade la planul dumneavoastră", "please_upgrade_your_plan": "Vă rugăm să faceți upgrade la planul dumneavoastră",
"powered_by_formbricks": "Oferit de Formbricks",
"preview": "Previzualizare", "preview": "Previzualizare",
"preview_survey": "Previzualizare Chestionar", "preview_survey": "Previzualizare Chestionar",
"privacy": "Politica de Confidențialitate", "privacy": "Politica de Confidențialitate",
@@ -380,6 +382,7 @@
"select": "Selectați", "select": "Selectați",
"select_all": "Selectați toate", "select_all": "Selectați toate",
"select_filter": "Selectați filtrul", "select_filter": "Selectați filtrul",
"select_language": "Selectează limba",
"select_survey": "Selectați chestionar", "select_survey": "Selectați chestionar",
"select_teams": "Selectați echipele", "select_teams": "Selectați echipele",
"selected": "Selectat", "selected": "Selectat",
@@ -1071,6 +1074,25 @@
"enterprise_features": "Funcții Enterprise", "enterprise_features": "Funcții Enterprise",
"get_an_enterprise_license_to_get_access_to_all_features": "Obțineți o licență Enterprise pentru a avea acces la toate funcționalitățile.", "get_an_enterprise_license_to_get_access_to_all_features": "Obțineți o licență Enterprise pentru a avea acces la toate funcționalitățile.",
"keep_full_control_over_your_data_privacy_and_security": "Mențineți controlul complet asupra confidențialității și securității datelor dumneavoastră.", "keep_full_control_over_your_data_privacy_and_security": "Mențineți controlul complet asupra confidențialității și securității datelor dumneavoastră.",
"license_feature_access_control": "Control acces (RBAC)",
"license_feature_audit_logs": "Jurnale de audit",
"license_feature_contacts": "Contacte și segmente",
"license_feature_projects": "Spații de lucru",
"license_feature_quotas": "Cote",
"license_feature_remove_branding": "Elimină branding-ul",
"license_feature_saml": "SAML SSO",
"license_feature_spam_protection": "Protecție spam",
"license_feature_sso": "OIDC SSO",
"license_feature_two_factor_auth": "Autentificare cu doi factori",
"license_feature_whitelabel": "E-mailuri white-label",
"license_features_table_access": "Acces",
"license_features_table_description": "Funcționalități și limite enterprise disponibile în prezent pentru această instanță.",
"license_features_table_disabled": "Dezactivat",
"license_features_table_enabled": "Activat",
"license_features_table_feature": "Funcționalitate",
"license_features_table_title": "Funcționalități licențiate",
"license_features_table_unlimited": "Nelimitat",
"license_features_table_value": "Valoare",
"license_instance_mismatch_description": "Această licență este în prezent asociată cu o altă instanță Formbricks. Dacă această instalare a fost reconstruită sau mutată, solicită echipei de suport Formbricks să deconecteze asocierea cu instanța anterioară.", "license_instance_mismatch_description": "Această licență este în prezent asociată cu o altă instanță Formbricks. Dacă această instalare a fost reconstruită sau mutată, solicită echipei de suport Formbricks să deconecteze asocierea cu instanța anterioară.",
"license_invalid_description": "Cheia de licență din variabila de mediu ENTERPRISE_LICENSE_KEY nu este validă. Te rugăm să verifici dacă există greșeli de scriere sau să soliciți o cheie nouă.", "license_invalid_description": "Cheia de licență din variabila de mediu ENTERPRISE_LICENSE_KEY nu este validă. Te rugăm să verifici dacă există greșeli de scriere sau să soliciți o cheie nouă.",
"license_status": "Stare licență", "license_status": "Stare licență",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "Eroare la salvarea modificărilor", "error_saving_changes": "Eroare la salvarea modificărilor",
"even_after_they_submitted_a_response_e_g_feedback_box": "Permite răspunsuri multiple; continuă afișarea chiar și după un răspuns (de exemplu, Caseta de Feedback).", "even_after_they_submitted_a_response_e_g_feedback_box": "Permite răspunsuri multiple; continuă afișarea chiar și după un răspuns (de exemplu, Caseta de Feedback).",
"everyone": "Toată lumea", "everyone": "Toată lumea",
"expand_preview": "Extinde previzualizarea",
"external_urls_paywall_tooltip": "Te rugăm să treci la un plan plătit pentru a personaliza URL-urile externe. Asta ne ajută să prevenim phishing-ul.", "external_urls_paywall_tooltip": "Te rugăm să treci la un plan plătit pentru a personaliza URL-urile externe. Asta ne ajută să prevenim phishing-ul.",
"fallback_missing": "Rezerva lipsă", "fallback_missing": "Rezerva lipsă",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} este folosit în logică întrebării {questionIndex}. Vă rugăm să-l eliminați din logică mai întâi.", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} este folosit în logică întrebării {questionIndex}. Vă rugăm să-l eliminați din logică mai întâi.",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "Protecția împotriva spamului nu funcționează pentru sondajele afișate folosind SDK-urile iOS, React Native și Android. Va întrerupe sondajul.", "spam_protection_note": "Protecția împotriva spamului nu funcționează pentru sondajele afișate folosind SDK-urile iOS, React Native și Android. Va întrerupe sondajul.",
"spam_protection_threshold_description": "Setați valoarea între 0 și 1, răspunsurile sub această valoare vor fi respinse.", "spam_protection_threshold_description": "Setați valoarea între 0 și 1, răspunsurile sub această valoare vor fi respinse.",
"spam_protection_threshold_heading": "Pragul răspunsurilor", "spam_protection_threshold_heading": "Pragul răspunsurilor",
"shrink_preview": "Restrânge previzualizarea",
"star": "Stea", "star": "Stea",
"starts_with": "Începe cu", "starts_with": "Începe cu",
"state": "Stare", "state": "Stare",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "Stilizare setată la stilurile temei", "styling_set_to_theme_styles": "Stilizare setată la stilurile temei",
"subheading": "Subtitlu", "subheading": "Subtitlu",
"subtract": "Scade -", "subtract": "Scade -",
"survey_closed_message_heading_required": "Adaugă un titlu la mesajul personalizat pentru sondajul închis.",
"survey_completed_heading": "Sondaj Completat", "survey_completed_heading": "Sondaj Completat",
"survey_completed_subheading": "Acest sondaj gratuit și open-source a fost închis", "survey_completed_subheading": "Acest sondaj gratuit și open-source a fost închis",
"survey_display_settings": "Setări de afișare a sondajului", "survey_display_settings": "Setări de afișare a sondajului",
"survey_placement": "Amplasarea sondajului", "survey_placement": "Amplasarea sondajului",
"survey_preview": "Previzualizare chestionar 👀",
"survey_styling": "Stilizare formular", "survey_styling": "Stilizare formular",
"survey_trigger": "Declanșator sondaj", "survey_trigger": "Declanșator sondaj",
"switch_multi_language_on_to_get_started": "Activați opțiunea multi-limbă pentru a începe 👉", "switch_multi_language_on_to_get_started": "Activați opțiunea multi-limbă pentru a începe 👉",
@@ -3052,7 +3078,7 @@
"preview_survey_question_2_choice_2_label": "Nu, mulţumesc!", "preview_survey_question_2_choice_2_label": "Nu, mulţumesc!",
"preview_survey_question_2_headline": "Vrei să fii în temă?", "preview_survey_question_2_headline": "Vrei să fii în temă?",
"preview_survey_question_2_subheader": "Aceasta este o descriere exemplu.", "preview_survey_question_2_subheader": "Aceasta este o descriere exemplu.",
"preview_survey_question_open_text_headline": "Mai vrei să împărtășești ceva?", "preview_survey_question_open_text_headline": "Mai aveți ceva de adăugat?",
"preview_survey_question_open_text_placeholder": "Tastează răspunsul aici...", "preview_survey_question_open_text_placeholder": "Tastează răspunsul aici...",
"preview_survey_question_open_text_subheader": "Feedbackul tău ne ajută să ne îmbunătățim.", "preview_survey_question_open_text_subheader": "Feedbackul tău ne ajută să ne îmbunătățim.",
"preview_survey_welcome_card_headline": "Bun venit!", "preview_survey_welcome_card_headline": "Bun venit!",
@@ -3307,7 +3333,7 @@
"workflows": { "workflows": {
"coming_soon_description": "Îți mulțumim că ai împărtășit cu noi ideea ta de workflow! În prezent, lucrăm la această funcționalitate, iar feedback-ul tău ne ajută să construim exact ce ai nevoie.", "coming_soon_description": "Îți mulțumim că ai împărtășit cu noi ideea ta de workflow! În prezent, lucrăm la această funcționalitate, iar feedback-ul tău ne ajută să construim exact ce ai nevoie.",
"coming_soon_title": "Suntem aproape gata!", "coming_soon_title": "Suntem aproape gata!",
"follow_up_label": "Mai este ceva ce ai vrea să adaugi?", "follow_up_label": "Mai este ceva ce ați dori să adăugi?",
"follow_up_placeholder": "Ce sarcini specifice ați dori să automatizați? Există instrumente sau integrări pe care ați dori să le includem?", "follow_up_placeholder": "Ce sarcini specifice ați dori să automatizați? Există instrumente sau integrări pe care ați dori să le includem?",
"generate_button": "Generează workflow", "generate_button": "Generează workflow",
"heading": "Ce workflow vrei să creezi?", "heading": "Ce workflow vrei să creezi?",
+28 -2
View File
@@ -294,6 +294,7 @@
"new": "Новый", "new": "Новый",
"new_version_available": "Formbricks {version} уже здесь. Обновитесь сейчас!", "new_version_available": "Formbricks {version} уже здесь. Обновитесь сейчас!",
"next": "Далее", "next": "Далее",
"no_actions_found": "Действия не найдены",
"no_background_image_found": "Фоновое изображение не найдено.", "no_background_image_found": "Фоновое изображение не найдено.",
"no_code": "Нет кода", "no_code": "Нет кода",
"no_files_uploaded": "Файлы не были загружены", "no_files_uploaded": "Файлы не были загружены",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "Пожалуйста, выберите хотя бы один опрос", "please_select_at_least_one_survey": "Пожалуйста, выберите хотя бы один опрос",
"please_select_at_least_one_trigger": "Пожалуйста, выберите хотя бы один триггер", "please_select_at_least_one_trigger": "Пожалуйста, выберите хотя бы один триггер",
"please_upgrade_your_plan": "Пожалуйста, обновите ваш тарифный план", "please_upgrade_your_plan": "Пожалуйста, обновите ваш тарифный план",
"powered_by_formbricks": "Работает на Formbricks",
"preview": "Предпросмотр", "preview": "Предпросмотр",
"preview_survey": "Предпросмотр опроса", "preview_survey": "Предпросмотр опроса",
"privacy": "Политика конфиденциальности", "privacy": "Политика конфиденциальности",
@@ -380,6 +382,7 @@
"select": "Выбрать", "select": "Выбрать",
"select_all": "Выбрать все", "select_all": "Выбрать все",
"select_filter": "Выбрать фильтр", "select_filter": "Выбрать фильтр",
"select_language": "Выберите язык",
"select_survey": "Выбрать опрос", "select_survey": "Выбрать опрос",
"select_teams": "Выбрать команды", "select_teams": "Выбрать команды",
"selected": "Выбрано", "selected": "Выбрано",
@@ -1071,6 +1074,25 @@
"enterprise_features": "Функции для предприятий", "enterprise_features": "Функции для предприятий",
"get_an_enterprise_license_to_get_access_to_all_features": "Получите корпоративную лицензию для доступа ко всем функциям.", "get_an_enterprise_license_to_get_access_to_all_features": "Получите корпоративную лицензию для доступа ко всем функциям.",
"keep_full_control_over_your_data_privacy_and_security": "Полный контроль над конфиденциальностью и безопасностью ваших данных.", "keep_full_control_over_your_data_privacy_and_security": "Полный контроль над конфиденциальностью и безопасностью ваших данных.",
"license_feature_access_control": "Управление доступом (RBAC)",
"license_feature_audit_logs": "Журналы аудита",
"license_feature_contacts": "Контакты и сегменты",
"license_feature_projects": "Рабочие пространства",
"license_feature_quotas": "Квоты",
"license_feature_remove_branding": "Удаление брендирования",
"license_feature_saml": "SAML SSO",
"license_feature_spam_protection": "Защита от спама",
"license_feature_sso": "OIDC SSO",
"license_feature_two_factor_auth": "Двухфакторная аутентификация",
"license_feature_whitelabel": "Электронные письма без брендирования",
"license_features_table_access": "Доступ",
"license_features_table_description": "Корпоративные функции и ограничения, доступные для этого экземпляра.",
"license_features_table_disabled": "Отключено",
"license_features_table_enabled": "Включено",
"license_features_table_feature": "Функция",
"license_features_table_title": "Лицензированные функции",
"license_features_table_unlimited": "Без ограничений",
"license_features_table_value": "Значение",
"license_instance_mismatch_description": "Эта лицензия в данный момент привязана к другому экземпляру Formbricks. Если эта установка была пересобрана или перемещена, обратитесь в службу поддержки Formbricks для отключения предыдущей привязки экземпляра.", "license_instance_mismatch_description": "Эта лицензия в данный момент привязана к другому экземпляру Formbricks. Если эта установка была пересобрана или перемещена, обратитесь в службу поддержки Formbricks для отключения предыдущей привязки экземпляра.",
"license_invalid_description": "Ключ лицензии в переменной окружения ENTERPRISE_LICENSE_KEY недействителен. Проверь, нет ли опечаток, или запроси новый ключ.", "license_invalid_description": "Ключ лицензии в переменной окружения ENTERPRISE_LICENSE_KEY недействителен. Проверь, нет ли опечаток, или запроси новый ключ.",
"license_status": "Статус лицензии", "license_status": "Статус лицензии",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "Ошибка при сохранении изменений", "error_saving_changes": "Ошибка при сохранении изменений",
"even_after_they_submitted_a_response_e_g_feedback_box": "Разрешить несколько ответов; продолжать показывать даже после ответа (например, окно обратной связи).", "even_after_they_submitted_a_response_e_g_feedback_box": "Разрешить несколько ответов; продолжать показывать даже после ответа (например, окно обратной связи).",
"everyone": "Все", "everyone": "Все",
"expand_preview": "Развернуть предпросмотр",
"external_urls_paywall_tooltip": "Пожалуйста, перейдите на платный тариф, чтобы настраивать внешние ссылки. Это помогает нам предотвращать фишинг.", "external_urls_paywall_tooltip": "Пожалуйста, перейдите на платный тариф, чтобы настраивать внешние ссылки. Это помогает нам предотвращать фишинг.",
"fallback_missing": "Запасное значение отсутствует", "fallback_missing": "Запасное значение отсутствует",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} используется в логике вопроса {questionIndex}. Пожалуйста, сначала удалите его из логики.", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} используется в логике вопроса {questionIndex}. Пожалуйста, сначала удалите его из логики.",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "Защита от спама не работает для опросов, отображаемых с помощью SDK iOS, React Native и Android. Это приведёт к сбою опроса.", "spam_protection_note": "Защита от спама не работает для опросов, отображаемых с помощью SDK iOS, React Native и Android. Это приведёт к сбою опроса.",
"spam_protection_threshold_description": "Установите значение от 0 до 1, ответы ниже этого значения будут отклонены.", "spam_protection_threshold_description": "Установите значение от 0 до 1, ответы ниже этого значения будут отклонены.",
"spam_protection_threshold_heading": "Порог ответа", "spam_protection_threshold_heading": "Порог ответа",
"shrink_preview": "Свернуть предпросмотр",
"star": "Звезда", "star": "Звезда",
"starts_with": "Начинается с", "starts_with": "Начинается с",
"state": "Состояние", "state": "Состояние",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "Оформление установлено в соответствии с темой", "styling_set_to_theme_styles": "Оформление установлено в соответствии с темой",
"subheading": "Подзаголовок", "subheading": "Подзаголовок",
"subtract": "Вычесть -", "subtract": "Вычесть -",
"survey_closed_message_heading_required": "Добавьте заголовок к сообщению о закрытом опросе.",
"survey_completed_heading": "Опрос завершён", "survey_completed_heading": "Опрос завершён",
"survey_completed_subheading": "Этот бесплатный и открытый опрос был закрыт", "survey_completed_subheading": "Этот бесплатный и открытый опрос был закрыт",
"survey_display_settings": "Настройки отображения опроса", "survey_display_settings": "Настройки отображения опроса",
"survey_placement": "Размещение опроса", "survey_placement": "Размещение опроса",
"survey_preview": "Предпросмотр опроса 👀",
"survey_styling": "Оформление формы", "survey_styling": "Оформление формы",
"survey_trigger": "Триггер опроса", "survey_trigger": "Триггер опроса",
"switch_multi_language_on_to_get_started": "Включите многоязычный режим, чтобы начать 👉", "switch_multi_language_on_to_get_started": "Включите многоязычный режим, чтобы начать 👉",
@@ -3052,7 +3078,7 @@
"preview_survey_question_2_choice_2_label": "Нет, спасибо!", "preview_survey_question_2_choice_2_label": "Нет, спасибо!",
"preview_survey_question_2_headline": "Хотите быть в курсе событий?", "preview_survey_question_2_headline": "Хотите быть в курсе событий?",
"preview_survey_question_2_subheader": "Это пример описания.", "preview_survey_question_2_subheader": "Это пример описания.",
"preview_survey_question_open_text_headline": "Есть ли ещё что-то, чем хочешь поделиться?", "preview_survey_question_open_text_headline": "Хотите ли вы чем-то ещё поделиться?",
"preview_survey_question_open_text_placeholder": "Введи свой ответ здесь...", "preview_survey_question_open_text_placeholder": "Введи свой ответ здесь...",
"preview_survey_question_open_text_subheader": "Твой отзыв помогает нам становиться лучше.", "preview_survey_question_open_text_subheader": "Твой отзыв помогает нам становиться лучше.",
"preview_survey_welcome_card_headline": "Добро пожаловать!", "preview_survey_welcome_card_headline": "Добро пожаловать!",
@@ -3307,7 +3333,7 @@
"workflows": { "workflows": {
"coming_soon_description": "Спасибо, что поделился своей идеей воркфлоу с нами! Сейчас мы разрабатываем эту функцию, и твой отзыв поможет нам сделать именно то, что тебе нужно.", "coming_soon_description": "Спасибо, что поделился своей идеей воркфлоу с нами! Сейчас мы разрабатываем эту функцию, и твой отзыв поможет нам сделать именно то, что тебе нужно.",
"coming_soon_title": "Мы почти готовы!", "coming_soon_title": "Мы почти готовы!",
"follow_up_label": "Хочешь что-то ещё добавить?", "follow_up_label": "Хотите ли вы что-нибудь добавить?",
"follow_up_placeholder": "Какие конкретные задачи вы хотите автоматизировать? Какие инструменты или интеграции вам хотелось бы добавить?", "follow_up_placeholder": "Какие конкретные задачи вы хотите автоматизировать? Какие инструменты или интеграции вам хотелось бы добавить?",
"generate_button": "Сгенерировать воркфлоу", "generate_button": "Сгенерировать воркфлоу",
"heading": "Какой воркфлоу ты хочешь создать?", "heading": "Какой воркфлоу ты хочешь создать?",
+28 -2
View File
@@ -294,6 +294,7 @@
"new": "Ny", "new": "Ny",
"new_version_available": "Formbricks {version} är här. Uppgradera nu!", "new_version_available": "Formbricks {version} är här. Uppgradera nu!",
"next": "Nästa", "next": "Nästa",
"no_actions_found": "Inga åtgärder hittades",
"no_background_image_found": "Ingen bakgrundsbild hittades.", "no_background_image_found": "Ingen bakgrundsbild hittades.",
"no_code": "Ingen kod", "no_code": "Ingen kod",
"no_files_uploaded": "Inga filer laddades upp", "no_files_uploaded": "Inga filer laddades upp",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "Vänligen välj minst en enkät", "please_select_at_least_one_survey": "Vänligen välj minst en enkät",
"please_select_at_least_one_trigger": "Vänligen välj minst en utlösare", "please_select_at_least_one_trigger": "Vänligen välj minst en utlösare",
"please_upgrade_your_plan": "Vänligen uppgradera din plan", "please_upgrade_your_plan": "Vänligen uppgradera din plan",
"powered_by_formbricks": "Drivs av Formbricks",
"preview": "Förhandsgranska", "preview": "Förhandsgranska",
"preview_survey": "Förhandsgranska enkät", "preview_survey": "Förhandsgranska enkät",
"privacy": "Integritetspolicy", "privacy": "Integritetspolicy",
@@ -380,6 +382,7 @@
"select": "Välj", "select": "Välj",
"select_all": "Välj alla", "select_all": "Välj alla",
"select_filter": "Välj filter", "select_filter": "Välj filter",
"select_language": "Välj språk",
"select_survey": "Välj enkät", "select_survey": "Välj enkät",
"select_teams": "Välj team", "select_teams": "Välj team",
"selected": "Vald", "selected": "Vald",
@@ -1071,6 +1074,25 @@
"enterprise_features": "Enterprise-funktioner", "enterprise_features": "Enterprise-funktioner",
"get_an_enterprise_license_to_get_access_to_all_features": "Skaffa en Enterprise-licens för att få tillgång till alla funktioner.", "get_an_enterprise_license_to_get_access_to_all_features": "Skaffa en Enterprise-licens för att få tillgång till alla funktioner.",
"keep_full_control_over_your_data_privacy_and_security": "Behåll full kontroll över din datasekretess och säkerhet.", "keep_full_control_over_your_data_privacy_and_security": "Behåll full kontroll över din datasekretess och säkerhet.",
"license_feature_access_control": "Åtkomstkontroll (RBAC)",
"license_feature_audit_logs": "Granskningsloggar",
"license_feature_contacts": "Kontakter & Segment",
"license_feature_projects": "Arbetsytor",
"license_feature_quotas": "Kvoter",
"license_feature_remove_branding": "Ta bort varumärkning",
"license_feature_saml": "SAML SSO",
"license_feature_spam_protection": "Skräppostskydd",
"license_feature_sso": "OIDC SSO",
"license_feature_two_factor_auth": "Tvåfaktorsautentisering",
"license_feature_whitelabel": "White-label-mejl",
"license_features_table_access": "Åtkomst",
"license_features_table_description": "Företagsfunktioner och begränsningar som för närvarande är tillgängliga för den här instansen.",
"license_features_table_disabled": "Inaktiverad",
"license_features_table_enabled": "Aktiverad",
"license_features_table_feature": "Funktion",
"license_features_table_title": "Licensierade funktioner",
"license_features_table_unlimited": "Obegränsad",
"license_features_table_value": "Värde",
"license_instance_mismatch_description": "Den här licensen är för närvarande kopplad till en annan Formbricks-instans. Om den här installationen har återuppbyggts eller flyttats, be Formbricks support att koppla bort den tidigare instansbindningen.", "license_instance_mismatch_description": "Den här licensen är för närvarande kopplad till en annan Formbricks-instans. Om den här installationen har återuppbyggts eller flyttats, be Formbricks support att koppla bort den tidigare instansbindningen.",
"license_invalid_description": "Licensnyckeln i din ENTERPRISE_LICENSE_KEY-miljövariabel är ogiltig. Kontrollera om det finns stavfel eller begär en ny nyckel.", "license_invalid_description": "Licensnyckeln i din ENTERPRISE_LICENSE_KEY-miljövariabel är ogiltig. Kontrollera om det finns stavfel eller begär en ny nyckel.",
"license_status": "Licensstatus", "license_status": "Licensstatus",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "Fel vid sparande av ändringar", "error_saving_changes": "Fel vid sparande av ändringar",
"even_after_they_submitted_a_response_e_g_feedback_box": "Tillåt flera svar; fortsätt visa även efter ett svar (t.ex. feedbackruta).", "even_after_they_submitted_a_response_e_g_feedback_box": "Tillåt flera svar; fortsätt visa även efter ett svar (t.ex. feedbackruta).",
"everyone": "Alla", "everyone": "Alla",
"expand_preview": "Expandera förhandsgranskning",
"external_urls_paywall_tooltip": "Uppgradera till ett betalt abonnemang för att anpassa externa URL:er. Detta hjälper oss att förhindra nätfiske.", "external_urls_paywall_tooltip": "Uppgradera till ett betalt abonnemang för att anpassa externa URL:er. Detta hjälper oss att förhindra nätfiske.",
"fallback_missing": "Reservvärde saknas", "fallback_missing": "Reservvärde saknas",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} används i logiken för fråga {questionIndex}. Vänligen ta bort den från logiken först.", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "{fieldId} används i logiken för fråga {questionIndex}. Vänligen ta bort den från logiken först.",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "Spamskydd fungerar inte för enkäter som visas med iOS, React Native och Android SDK:er. Det kommer att bryta enkäten.", "spam_protection_note": "Spamskydd fungerar inte för enkäter som visas med iOS, React Native och Android SDK:er. Det kommer att bryta enkäten.",
"spam_protection_threshold_description": "Ställ in värde mellan 0 och 1, svar under detta värde kommer att avvisas.", "spam_protection_threshold_description": "Ställ in värde mellan 0 och 1, svar under detta värde kommer att avvisas.",
"spam_protection_threshold_heading": "Svarströskel", "spam_protection_threshold_heading": "Svarströskel",
"shrink_preview": "Minimera förhandsgranskning",
"star": "Stjärna", "star": "Stjärna",
"starts_with": "Börjar med", "starts_with": "Börjar med",
"state": "Delstat", "state": "Delstat",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "Styling inställd på temastil", "styling_set_to_theme_styles": "Styling inställd på temastil",
"subheading": "Underrubrik", "subheading": "Underrubrik",
"subtract": "Subtrahera -", "subtract": "Subtrahera -",
"survey_closed_message_heading_required": "Lägg till en rubrik för det anpassade meddelandet när undersökningen är stängd.",
"survey_completed_heading": "Enkät slutförd", "survey_completed_heading": "Enkät slutförd",
"survey_completed_subheading": "Denna gratis och öppenkällkodsenkät har stängts", "survey_completed_subheading": "Denna gratis och öppenkällkodsenkät har stängts",
"survey_display_settings": "Visningsinställningar för enkät", "survey_display_settings": "Visningsinställningar för enkät",
"survey_placement": "Enkätplacering", "survey_placement": "Enkätplacering",
"survey_preview": "Enkätförhandsgranskning 👀",
"survey_styling": "Formulärstil", "survey_styling": "Formulärstil",
"survey_trigger": "Enkätutlösare", "survey_trigger": "Enkätutlösare",
"switch_multi_language_on_to_get_started": "Slå på flerspråkighet för att komma igång 👉", "switch_multi_language_on_to_get_started": "Slå på flerspråkighet för att komma igång 👉",
@@ -3052,7 +3078,7 @@
"preview_survey_question_2_choice_2_label": "Nej, tack!", "preview_survey_question_2_choice_2_label": "Nej, tack!",
"preview_survey_question_2_headline": "Vill du hållas uppdaterad?", "preview_survey_question_2_headline": "Vill du hållas uppdaterad?",
"preview_survey_question_2_subheader": "Det här är ett exempel på en beskrivning.", "preview_survey_question_2_subheader": "Det här är ett exempel på en beskrivning.",
"preview_survey_question_open_text_headline": "Något mer du vill dela med dig av?", "preview_survey_question_open_text_headline": "Finns det något annat du vill dela med dig av?",
"preview_survey_question_open_text_placeholder": "Skriv ditt svar här...", "preview_survey_question_open_text_placeholder": "Skriv ditt svar här...",
"preview_survey_question_open_text_subheader": "Din feedback hjälper oss att bli bättre.", "preview_survey_question_open_text_subheader": "Din feedback hjälper oss att bli bättre.",
"preview_survey_welcome_card_headline": "Välkommen!", "preview_survey_welcome_card_headline": "Välkommen!",
@@ -3307,7 +3333,7 @@
"workflows": { "workflows": {
"coming_soon_description": "Tack för att du delade din arbetsflödesidé med oss! Vi håller just nu på att designa den här funktionen och din feedback hjälper oss att bygga precis det du behöver.", "coming_soon_description": "Tack för att du delade din arbetsflödesidé med oss! Vi håller just nu på att designa den här funktionen och din feedback hjälper oss att bygga precis det du behöver.",
"coming_soon_title": "Vi är nästan där!", "coming_soon_title": "Vi är nästan där!",
"follow_up_label": "Är det något mer du vill lägga till?", "follow_up_label": "Finns det något annat du vill lägga till?",
"follow_up_placeholder": "Vilka specifika uppgifter vill du automatisera? Några verktyg eller integrationer du vill ha med?", "follow_up_placeholder": "Vilka specifika uppgifter vill du automatisera? Några verktyg eller integrationer du vill ha med?",
"generate_button": "Skapa arbetsflöde", "generate_button": "Skapa arbetsflöde",
"heading": "Vilket arbetsflöde vill du skapa?", "heading": "Vilket arbetsflöde vill du skapa?",
+28 -2
View File
@@ -294,6 +294,7 @@
"new": "新建", "new": "新建",
"new_version_available": "Formbricks {version} 在 这里。立即 升级!", "new_version_available": "Formbricks {version} 在 这里。立即 升级!",
"next": "下一步", "next": "下一步",
"no_actions_found": "未找到操作",
"no_background_image_found": "未找到 背景 图片。", "no_background_image_found": "未找到 背景 图片。",
"no_code": "无代码", "no_code": "无代码",
"no_files_uploaded": "没有 文件 被 上传", "no_files_uploaded": "没有 文件 被 上传",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "请选择至少 一个调查", "please_select_at_least_one_survey": "请选择至少 一个调查",
"please_select_at_least_one_trigger": "请选择至少 一个触发条件", "please_select_at_least_one_trigger": "请选择至少 一个触发条件",
"please_upgrade_your_plan": "请升级您的计划", "please_upgrade_your_plan": "请升级您的计划",
"powered_by_formbricks": "由 Formbricks 提供支持",
"preview": "预览", "preview": "预览",
"preview_survey": "预览 Survey", "preview_survey": "预览 Survey",
"privacy": "隐私政策", "privacy": "隐私政策",
@@ -380,6 +382,7 @@
"select": "选择", "select": "选择",
"select_all": "选择 全部", "select_all": "选择 全部",
"select_filter": "选择过滤器", "select_filter": "选择过滤器",
"select_language": "选择语言",
"select_survey": "选择 调查", "select_survey": "选择 调查",
"select_teams": "选择 团队", "select_teams": "选择 团队",
"selected": "已选择", "selected": "已选择",
@@ -1071,6 +1074,25 @@
"enterprise_features": "企业 功能", "enterprise_features": "企业 功能",
"get_an_enterprise_license_to_get_access_to_all_features": "获取 企业 许可证 来 访问 所有 功能。", "get_an_enterprise_license_to_get_access_to_all_features": "获取 企业 许可证 来 访问 所有 功能。",
"keep_full_control_over_your_data_privacy_and_security": "保持 对 您 的 数据 隐私 和 安全 的 完全 控制。", "keep_full_control_over_your_data_privacy_and_security": "保持 对 您 的 数据 隐私 和 安全 的 完全 控制。",
"license_feature_access_control": "访问控制(RBAC",
"license_feature_audit_logs": "审计日志",
"license_feature_contacts": "联系人与细分",
"license_feature_projects": "工作空间",
"license_feature_quotas": "配额",
"license_feature_remove_branding": "移除品牌标识",
"license_feature_saml": "SAML 单点登录",
"license_feature_spam_protection": "垃圾信息防护",
"license_feature_sso": "OIDC 单点登录",
"license_feature_two_factor_auth": "双因素认证",
"license_feature_whitelabel": "白标电子邮件",
"license_features_table_access": "访问权限",
"license_features_table_description": "此实例当前可用的企业功能和限制。",
"license_features_table_disabled": "已禁用",
"license_features_table_enabled": "已启用",
"license_features_table_feature": "功能",
"license_features_table_title": "许可功能",
"license_features_table_unlimited": "无限制",
"license_features_table_value": "值",
"license_instance_mismatch_description": "此许可证目前绑定到另一个 Formbricks 实例。如果此安装已重建或迁移,请联系 Formbricks 支持团队解除先前的实例绑定。", "license_instance_mismatch_description": "此许可证目前绑定到另一个 Formbricks 实例。如果此安装已重建或迁移,请联系 Formbricks 支持团队解除先前的实例绑定。",
"license_invalid_description": "你在 ENTERPRISE_LICENSE_KEY 环境变量中填写的许可证密钥无效。请检查是否有拼写错误,或者申请一个新的密钥。", "license_invalid_description": "你在 ENTERPRISE_LICENSE_KEY 环境变量中填写的许可证密钥无效。请检查是否有拼写错误,或者申请一个新的密钥。",
"license_status": "许可证状态", "license_status": "许可证状态",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "保存 更改 时 出错", "error_saving_changes": "保存 更改 时 出错",
"even_after_they_submitted_a_response_e_g_feedback_box": "允许多次回应;即使已提交回应,仍会继续显示(例如,反馈框)。", "even_after_they_submitted_a_response_e_g_feedback_box": "允许多次回应;即使已提交回应,仍会继续显示(例如,反馈框)。",
"everyone": "所有 人", "everyone": "所有 人",
"expand_preview": "展开预览",
"external_urls_paywall_tooltip": "请升级到付费套餐以自定义外部链接。这样有助于我们防范网络钓鱼。", "external_urls_paywall_tooltip": "请升级到付费套餐以自定义外部链接。这样有助于我们防范网络钓鱼。",
"fallback_missing": "备用 缺失", "fallback_missing": "备用 缺失",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "\"{fieldId} 在 问题 {questionIndex} 的 逻辑 中 使用。请 先 从 逻辑 中 删除 它。\"", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "\"{fieldId} 在 问题 {questionIndex} 的 逻辑 中 使用。请 先 从 逻辑 中 删除 它。\"",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "垃圾 邮件 保护 对于 与 iOS 、 React Native 和 Android SDK 一起 显示 的 调查 无效 。 它 将 破坏 调查。", "spam_protection_note": "垃圾 邮件 保护 对于 与 iOS 、 React Native 和 Android SDK 一起 显示 的 调查 无效 。 它 将 破坏 调查。",
"spam_protection_threshold_description": "设置 值 在 0 和 1 之间,响应 低于 此 值 将 被 拒绝。", "spam_protection_threshold_description": "设置 值 在 0 和 1 之间,响应 低于 此 值 将 被 拒绝。",
"spam_protection_threshold_heading": "响应 阈值", "spam_protection_threshold_heading": "响应 阈值",
"shrink_preview": "收起预览",
"star": "星", "star": "星",
"starts_with": "以...开始", "starts_with": "以...开始",
"state": "状态", "state": "状态",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "样式 设置 为 主题 风格", "styling_set_to_theme_styles": "样式 设置 为 主题 风格",
"subheading": "子标题", "subheading": "子标题",
"subtract": "减 -", "subtract": "减 -",
"survey_closed_message_heading_required": "请为自定义调查关闭消息添加标题。",
"survey_completed_heading": "调查 完成", "survey_completed_heading": "调查 完成",
"survey_completed_subheading": "此 免费 & 开源 调查 已 关闭", "survey_completed_subheading": "此 免费 & 开源 调查 已 关闭",
"survey_display_settings": "调查显示设置", "survey_display_settings": "调查显示设置",
"survey_placement": "调查 放置", "survey_placement": "调查 放置",
"survey_preview": "问卷预览 👀",
"survey_styling": "表单 样式", "survey_styling": "表单 样式",
"survey_trigger": "调查 触发", "survey_trigger": "调查 触发",
"switch_multi_language_on_to_get_started": "开启多语言以开始使用 👉", "switch_multi_language_on_to_get_started": "开启多语言以开始使用 👉",
@@ -3052,7 +3078,7 @@
"preview_survey_question_2_choice_2_label": "不,谢谢!", "preview_survey_question_2_choice_2_label": "不,谢谢!",
"preview_survey_question_2_headline": "想 了解 最新信息吗?", "preview_survey_question_2_headline": "想 了解 最新信息吗?",
"preview_survey_question_2_subheader": "这是一个示例描述。", "preview_survey_question_2_subheader": "这是一个示例描述。",
"preview_survey_question_open_text_headline": "还有什么想和我们分享的吗?", "preview_survey_question_open_text_headline": "还有其他想分享的内容吗?",
"preview_survey_question_open_text_placeholder": "请在这里输入你的答案...", "preview_survey_question_open_text_placeholder": "请在这里输入你的答案...",
"preview_survey_question_open_text_subheader": "你的反馈能帮助我们改进。", "preview_survey_question_open_text_subheader": "你的反馈能帮助我们改进。",
"preview_survey_welcome_card_headline": "欢迎!", "preview_survey_welcome_card_headline": "欢迎!",
@@ -3307,7 +3333,7 @@
"workflows": { "workflows": {
"coming_soon_description": "感谢你与我们分享你的工作流想法!我们目前正在设计这个功能,你的反馈将帮助我们打造真正适合你的工具。", "coming_soon_description": "感谢你与我们分享你的工作流想法!我们目前正在设计这个功能,你的反馈将帮助我们打造真正适合你的工具。",
"coming_soon_title": "我们快完成啦!", "coming_soon_title": "我们快完成啦!",
"follow_up_label": "还有其他想补充的吗?", "follow_up_label": "还有其他想补充的内容吗?",
"follow_up_placeholder": "您希望自动化哪些具体任务?是否需要包含特定工具或集成?", "follow_up_placeholder": "您希望自动化哪些具体任务?是否需要包含特定工具或集成?",
"generate_button": "生成工作流", "generate_button": "生成工作流",
"heading": "你想创建什么样的工作流?", "heading": "你想创建什么样的工作流?",
+28 -2
View File
@@ -294,6 +294,7 @@
"new": "新增", "new": "新增",
"new_version_available": "Formbricks '{'version'}' 已推出。立即升級!", "new_version_available": "Formbricks '{'version'}' 已推出。立即升級!",
"next": "下一步", "next": "下一步",
"no_actions_found": "找不到動作",
"no_background_image_found": "找不到背景圖片。", "no_background_image_found": "找不到背景圖片。",
"no_code": "無程式碼", "no_code": "無程式碼",
"no_files_uploaded": "沒有上傳任何檔案", "no_files_uploaded": "沒有上傳任何檔案",
@@ -339,6 +340,7 @@
"please_select_at_least_one_survey": "請選擇至少一個問卷", "please_select_at_least_one_survey": "請選擇至少一個問卷",
"please_select_at_least_one_trigger": "請選擇至少一個觸發器", "please_select_at_least_one_trigger": "請選擇至少一個觸發器",
"please_upgrade_your_plan": "請升級您的方案", "please_upgrade_your_plan": "請升級您的方案",
"powered_by_formbricks": "由 Formbricks 提供技術支援",
"preview": "預覽", "preview": "預覽",
"preview_survey": "預覽問卷", "preview_survey": "預覽問卷",
"privacy": "隱私權政策", "privacy": "隱私權政策",
@@ -380,6 +382,7 @@
"select": "選擇", "select": "選擇",
"select_all": "全選", "select_all": "全選",
"select_filter": "選擇篩選器", "select_filter": "選擇篩選器",
"select_language": "選擇語言",
"select_survey": "選擇問卷", "select_survey": "選擇問卷",
"select_teams": "選擇 團隊", "select_teams": "選擇 團隊",
"selected": "已選取", "selected": "已選取",
@@ -1071,6 +1074,25 @@
"enterprise_features": "企業版功能", "enterprise_features": "企業版功能",
"get_an_enterprise_license_to_get_access_to_all_features": "取得企業授權以存取所有功能。", "get_an_enterprise_license_to_get_access_to_all_features": "取得企業授權以存取所有功能。",
"keep_full_control_over_your_data_privacy_and_security": "完全掌控您的資料隱私權和安全性。", "keep_full_control_over_your_data_privacy_and_security": "完全掌控您的資料隱私權和安全性。",
"license_feature_access_control": "存取控制 (RBAC)",
"license_feature_audit_logs": "稽核日誌",
"license_feature_contacts": "聯絡人與區隔",
"license_feature_projects": "工作區",
"license_feature_quotas": "配額",
"license_feature_remove_branding": "移除品牌標識",
"license_feature_saml": "SAML SSO",
"license_feature_spam_protection": "垃圾訊息防護",
"license_feature_sso": "OIDC SSO",
"license_feature_two_factor_auth": "雙重驗證",
"license_feature_whitelabel": "白標電子郵件",
"license_features_table_access": "存取權限",
"license_features_table_description": "此執行個體目前可使用的企業功能與限制。",
"license_features_table_disabled": "已停用",
"license_features_table_enabled": "已啟用",
"license_features_table_feature": "功能",
"license_features_table_title": "授權功能",
"license_features_table_unlimited": "無限制",
"license_features_table_value": "值",
"license_instance_mismatch_description": "此授權目前綁定至不同的 Formbricks 執行個體。如果此安裝已重建或移動,請聯繫 Formbricks 支援以解除先前執行個體的綁定。", "license_instance_mismatch_description": "此授權目前綁定至不同的 Formbricks 執行個體。如果此安裝已重建或移動,請聯繫 Formbricks 支援以解除先前執行個體的綁定。",
"license_invalid_description": "你在 ENTERPRISE_LICENSE_KEY 環境變數中填寫的授權金鑰無效。請檢查是否有輸入錯誤,或申請新的金鑰。", "license_invalid_description": "你在 ENTERPRISE_LICENSE_KEY 環境變數中填寫的授權金鑰無效。請檢查是否有輸入錯誤,或申請新的金鑰。",
"license_status": "授權狀態", "license_status": "授權狀態",
@@ -1430,6 +1452,7 @@
"error_saving_changes": "儲存變更時發生錯誤", "error_saving_changes": "儲存變更時發生錯誤",
"even_after_they_submitted_a_response_e_g_feedback_box": "允許多次回應;即使已提交回應仍繼續顯示(例如:意見回饋框)。", "even_after_they_submitted_a_response_e_g_feedback_box": "允許多次回應;即使已提交回應仍繼續顯示(例如:意見回饋框)。",
"everyone": "所有人", "everyone": "所有人",
"expand_preview": "展開預覽",
"external_urls_paywall_tooltip": "請升級至付費方案以自訂外部連結。這有助我們防止網路釣魚。", "external_urls_paywall_tooltip": "請升級至付費方案以自訂外部連結。這有助我們防止網路釣魚。",
"fallback_missing": "遺失的回退", "fallback_missing": "遺失的回退",
"fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "'{'fieldId'}' 用於問題 '{'questionIndex'}' 的邏輯中。請先從邏輯中移除。", "fieldId_is_used_in_logic_of_question_please_remove_it_from_logic_first": "'{'fieldId'}' 用於問題 '{'questionIndex'}' 的邏輯中。請先從邏輯中移除。",
@@ -1689,6 +1712,7 @@
"spam_protection_note": "垃圾郵件保護不適用於使用 iOS、React Native 和 Android SDK 顯示的問卷。它會破壞問卷。", "spam_protection_note": "垃圾郵件保護不適用於使用 iOS、React Native 和 Android SDK 顯示的問卷。它會破壞問卷。",
"spam_protection_threshold_description": "設置值在 0 和 1 之間,低於此值的回應將被拒絕。", "spam_protection_threshold_description": "設置值在 0 和 1 之間,低於此值的回應將被拒絕。",
"spam_protection_threshold_heading": "回應閾值", "spam_protection_threshold_heading": "回應閾值",
"shrink_preview": "收合預覽",
"star": "星形", "star": "星形",
"starts_with": "開頭為", "starts_with": "開頭為",
"state": "州/省", "state": "州/省",
@@ -1698,10 +1722,12 @@
"styling_set_to_theme_styles": "樣式設定為主題樣式", "styling_set_to_theme_styles": "樣式設定為主題樣式",
"subheading": "副標題", "subheading": "副標題",
"subtract": "減 -", "subtract": "減 -",
"survey_closed_message_heading_required": "請為自訂的問卷關閉訊息新增標題。",
"survey_completed_heading": "問卷已完成", "survey_completed_heading": "問卷已完成",
"survey_completed_subheading": "此免費且開源的問卷已關閉", "survey_completed_subheading": "此免費且開源的問卷已關閉",
"survey_display_settings": "問卷顯示設定", "survey_display_settings": "問卷顯示設定",
"survey_placement": "問卷位置", "survey_placement": "問卷位置",
"survey_preview": "問卷預覽 👀",
"survey_styling": "表單樣式設定", "survey_styling": "表單樣式設定",
"survey_trigger": "問卷觸發器", "survey_trigger": "問卷觸發器",
"switch_multi_language_on_to_get_started": "請開啟多語言功能以開始使用 👉", "switch_multi_language_on_to_get_started": "請開啟多語言功能以開始使用 👉",
@@ -3052,7 +3078,7 @@
"preview_survey_question_2_choice_2_label": "不用了,謝謝!", "preview_survey_question_2_choice_2_label": "不用了,謝謝!",
"preview_survey_question_2_headline": "想要緊跟最新動態嗎?", "preview_survey_question_2_headline": "想要緊跟最新動態嗎?",
"preview_survey_question_2_subheader": "這是一個範例說明。", "preview_survey_question_2_subheader": "這是一個範例說明。",
"preview_survey_question_open_text_headline": "還有什麼想和我們分享的嗎", "preview_survey_question_open_text_headline": "還有其他想分享的嗎?",
"preview_survey_question_open_text_placeholder": "在此輸入您的答案...", "preview_survey_question_open_text_placeholder": "在此輸入您的答案...",
"preview_survey_question_open_text_subheader": "您的回饋能幫助我們進步。", "preview_survey_question_open_text_subheader": "您的回饋能幫助我們進步。",
"preview_survey_welcome_card_headline": "歡迎!", "preview_survey_welcome_card_headline": "歡迎!",
@@ -3307,7 +3333,7 @@
"workflows": { "workflows": {
"coming_soon_description": "感謝你和我們分享你的工作流程想法!我們目前正在設計這個功能,你的回饋將幫助我們打造真正符合你需求的工具。", "coming_soon_description": "感謝你和我們分享你的工作流程想法!我們目前正在設計這個功能,你的回饋將幫助我們打造真正符合你需求的工具。",
"coming_soon_title": "快完成囉!", "coming_soon_title": "快完成囉!",
"follow_up_label": "還有什麼想補充的嗎", "follow_up_label": "還有其他想補充的嗎?",
"follow_up_placeholder": "您希望自動化哪些具體任務?有沒有想要整合的工具或功能?", "follow_up_placeholder": "您希望自動化哪些具體任務?有沒有想要整合的工具或功能?",
"generate_button": "產生工作流程", "generate_button": "產生工作流程",
"heading": "你想建立什麼樣的工作流程?", "heading": "你想建立什麼樣的工作流程?",
@@ -1,5 +1,6 @@
import { Languages } from "lucide-react"; import { Languages } from "lucide-react";
import { getLanguageLabel } from "@formbricks/i18n-utils/src/utils"; import { getLanguageLabel } from "@formbricks/i18n-utils/src/utils";
import { useTranslation } from "react-i18next";
import { TSurvey } from "@formbricks/types/surveys/types"; import { TSurvey } from "@formbricks/types/surveys/types";
import { TUserLocale } from "@formbricks/types/user"; import { TUserLocale } from "@formbricks/types/user";
import { getEnabledLanguages } from "@/lib/i18n/utils"; import { getEnabledLanguages } from "@/lib/i18n/utils";
@@ -17,7 +18,12 @@ interface LanguageDropdownProps {
locale: TUserLocale; locale: TUserLocale;
} }
export const LanguageDropdown = ({ survey, setLanguage, locale }: LanguageDropdownProps) => { export const LanguageDropdown = ({
survey,
setLanguage,
locale,
}: LanguageDropdownProps) => {
const { t } = useTranslation();
const enabledLanguages = getEnabledLanguages(survey.languages ?? []); const enabledLanguages = getEnabledLanguages(survey.languages ?? []);
if (enabledLanguages.length <= 1) { if (enabledLanguages.length <= 1) {
@@ -27,7 +33,7 @@ export const LanguageDropdown = ({ survey, setLanguage, locale }: LanguageDropdo
return ( return (
<DropdownMenu> <DropdownMenu>
<DropdownMenuTrigger asChild> <DropdownMenuTrigger asChild>
<Button variant="secondary" title="Select Language" aria-label="Select Language"> <Button variant="secondary" title={t("common.select_language")} aria-label={t("common.select_language")}>
<Languages className="h-5 w-5" /> <Languages className="h-5 w-5" />
</Button> </Button>
</DropdownMenuTrigger> </DropdownMenuTrigger>
@@ -217,7 +217,7 @@ describe("utils", () => {
}); });
describe("logApiError", () => { describe("logApiError", () => {
test("logs API error details", () => { test("logs API error details with method and path", () => {
// Mock the withContext method and its returned error method // Mock the withContext method and its returned error method
const errorMock = vi.fn(); const errorMock = vi.fn();
const withContextMock = vi.fn().mockReturnValue({ const withContextMock = vi.fn().mockReturnValue({
@@ -228,7 +228,7 @@ describe("utils", () => {
const originalWithContext = logger.withContext; const originalWithContext = logger.withContext;
logger.withContext = withContextMock; logger.withContext = withContextMock;
const mockRequest = new Request("http://localhost/api/test"); const mockRequest = new Request("http://localhost/api/v2/management/surveys", { method: "POST" });
mockRequest.headers.set("x-request-id", "123"); mockRequest.headers.set("x-request-id", "123");
const error: ApiErrorResponseV2 = { const error: ApiErrorResponseV2 = {
@@ -238,9 +238,11 @@ describe("utils", () => {
logApiError(mockRequest, error); logApiError(mockRequest, error);
// Verify withContext was called with the expected context // Verify withContext was called with the expected context including method and path
expect(withContextMock).toHaveBeenCalledWith({ expect(withContextMock).toHaveBeenCalledWith({
correlationId: "123", correlationId: "123",
method: "POST",
path: "/api/v2/management/surveys",
error, error,
}); });
@@ -275,6 +277,8 @@ describe("utils", () => {
// Verify withContext was called with the expected context // Verify withContext was called with the expected context
expect(withContextMock).toHaveBeenCalledWith({ expect(withContextMock).toHaveBeenCalledWith({
correlationId: "", correlationId: "",
method: "GET",
path: "/api/test",
error, error,
}); });
@@ -285,7 +289,7 @@ describe("utils", () => {
logger.withContext = originalWithContext; logger.withContext = originalWithContext;
}); });
test("log API error details with SENTRY_DSN set", () => { test("log API error details with SENTRY_DSN set includes method and path tags", () => {
// Mock the withContext method and its returned error method // Mock the withContext method and its returned error method
const errorMock = vi.fn(); const errorMock = vi.fn();
const withContextMock = vi.fn().mockReturnValue({ const withContextMock = vi.fn().mockReturnValue({
@@ -295,11 +299,23 @@ describe("utils", () => {
// Mock Sentry's captureException method // Mock Sentry's captureException method
vi.mocked(Sentry.captureException).mockImplementation((() => {}) as any); vi.mocked(Sentry.captureException).mockImplementation((() => {}) as any);
// Capture the scope mock for tag verification
const scopeSetTagMock = vi.fn();
vi.mocked(Sentry.withScope).mockImplementation((callback: (scope: any) => void) => {
const mockScope = {
setTag: scopeSetTagMock,
setContext: vi.fn(),
setLevel: vi.fn(),
setExtra: vi.fn(),
};
callback(mockScope);
});
// Replace the original withContext with our mock // Replace the original withContext with our mock
const originalWithContext = logger.withContext; const originalWithContext = logger.withContext;
logger.withContext = withContextMock; logger.withContext = withContextMock;
const mockRequest = new Request("http://localhost/api/test"); const mockRequest = new Request("http://localhost/api/v2/management/surveys", { method: "DELETE" });
mockRequest.headers.set("x-request-id", "123"); mockRequest.headers.set("x-request-id", "123");
const error: ApiErrorResponseV2 = { const error: ApiErrorResponseV2 = {
@@ -309,20 +325,60 @@ describe("utils", () => {
logApiError(mockRequest, error); logApiError(mockRequest, error);
// Verify withContext was called with the expected context // Verify withContext was called with the expected context including method and path
expect(withContextMock).toHaveBeenCalledWith({ expect(withContextMock).toHaveBeenCalledWith({
correlationId: "123", correlationId: "123",
method: "DELETE",
path: "/api/v2/management/surveys",
error, error,
}); });
// Verify error was called on the child logger // Verify error was called on the child logger
expect(errorMock).toHaveBeenCalledWith("API V2 Error Details"); expect(errorMock).toHaveBeenCalledWith("API V2 Error Details");
// Verify Sentry scope tags include method and path
expect(scopeSetTagMock).toHaveBeenCalledWith("correlationId", "123");
expect(scopeSetTagMock).toHaveBeenCalledWith("method", "DELETE");
expect(scopeSetTagMock).toHaveBeenCalledWith("path", "/api/v2/management/surveys");
// Verify Sentry.captureException was called // Verify Sentry.captureException was called
expect(Sentry.captureException).toHaveBeenCalled(); expect(Sentry.captureException).toHaveBeenCalled();
// Restore the original method // Restore the original method
logger.withContext = originalWithContext; logger.withContext = originalWithContext;
}); });
test("does not send to Sentry for non-internal_server_error types", () => {
// Mock the withContext method and its returned error method
const errorMock = vi.fn();
const withContextMock = vi.fn().mockReturnValue({
error: errorMock,
});
vi.mocked(Sentry.captureException).mockClear();
// Replace the original withContext with our mock
const originalWithContext = logger.withContext;
logger.withContext = withContextMock;
const mockRequest = new Request("http://localhost/api/v2/management/surveys");
mockRequest.headers.set("x-request-id", "456");
const error: ApiErrorResponseV2 = {
type: "not_found",
details: [{ field: "survey", issue: "not found" }],
};
logApiError(mockRequest, error);
// Verify Sentry.captureException was NOT called for non-500 errors
expect(Sentry.captureException).not.toHaveBeenCalled();
// But structured logging should still happen
expect(errorMock).toHaveBeenCalledWith("API V2 Error Details");
// Restore the original method
logger.withContext = originalWithContext;
});
}); });
}); });
+8 -1
View File
@@ -6,13 +6,18 @@ import { ApiErrorResponseV2 } from "@/modules/api/v2/types/api-error";
export const logApiErrorEdge = (request: Request, error: ApiErrorResponseV2): void => { export const logApiErrorEdge = (request: Request, error: ApiErrorResponseV2): void => {
const correlationId = request.headers.get("x-request-id") ?? ""; const correlationId = request.headers.get("x-request-id") ?? "";
const method = request.method;
const url = new URL(request.url);
const path = url.pathname;
// Send the error to Sentry if the DSN is set and the error type is internal_server_error // Send the error to Sentry if the DSN is set and the error type is internal_server_error
// This is useful for tracking down issues without overloading Sentry with errors // This is useful for tracking down issues without overloading Sentry with errors
if (SENTRY_DSN && IS_PRODUCTION && error.type === "internal_server_error") { if (SENTRY_DSN && IS_PRODUCTION && error.type === "internal_server_error") {
// Use Sentry scope to add correlation ID as a tag for easy filtering // Use Sentry scope to add correlation ID and request context as tags for easy filtering
Sentry.withScope((scope) => { Sentry.withScope((scope) => {
scope.setTag("correlationId", correlationId); scope.setTag("correlationId", correlationId);
scope.setTag("method", method);
scope.setTag("path", path);
scope.setLevel("error"); scope.setLevel("error");
scope.setExtra("originalError", error); scope.setExtra("originalError", error);
@@ -24,6 +29,8 @@ export const logApiErrorEdge = (request: Request, error: ApiErrorResponseV2): vo
logger logger
.withContext({ .withContext({
correlationId, correlationId,
method,
path,
error, error,
}) })
.error("API V2 Error Details"); .error("API V2 Error Details");
@@ -30,16 +30,16 @@ export const ContactsSecondaryNavigation = async ({
label: t("common.contacts"), label: t("common.contacts"),
href: `/environments/${environmentId}/contacts`, href: `/environments/${environmentId}/contacts`,
}, },
{
id: "segments",
label: t("common.segments"),
href: `/environments/${environmentId}/segments`,
},
{ {
id: "attributes", id: "attributes",
label: t("common.attributes"), label: t("common.attributes"),
href: `/environments/${environmentId}/attributes`, href: `/environments/${environmentId}/attributes`,
}, },
{
id: "segments",
label: t("common.segments"),
href: `/environments/${environmentId}/segments`,
},
]; ];
return <SecondaryNavigation navigation={navigation} activeId={activeId} loading={loading} />; return <SecondaryNavigation navigation={navigation} activeId={activeId} loading={loading} />;
@@ -97,14 +97,13 @@ export const createSegmentAction = authenticatedActionClient.inputSchema(ZSegmen
); );
const ZUpdateSegmentAction = z.object({ const ZUpdateSegmentAction = z.object({
environmentId: ZId,
segmentId: ZId, segmentId: ZId,
data: ZSegmentUpdateInput, data: ZSegmentUpdateInput,
}); });
export const updateSegmentAction = authenticatedActionClient.inputSchema(ZUpdateSegmentAction).action( export const updateSegmentAction = authenticatedActionClient.inputSchema(ZUpdateSegmentAction).action(
withAuditLogging("updated", "segment", async ({ ctx, parsedInput }) => { withAuditLogging("updated", "segment", async ({ ctx, parsedInput }) => {
const organizationId = await getOrganizationIdFromEnvironmentId(parsedInput.environmentId); const organizationId = await getOrganizationIdFromSegmentId(parsedInput.segmentId);
await checkAuthorizationUpdated({ await checkAuthorizationUpdated({
userId: ctx.user.id, userId: ctx.user.id,
organizationId, organizationId,
@@ -75,7 +75,6 @@ export function SegmentSettings({
try { try {
setIsUpdatingSegment(true); setIsUpdatingSegment(true);
const data = await updateSegmentAction({ const data = await updateSegmentAction({
environmentId,
segmentId: segment.id, segmentId: segment.id,
data: { data: {
title: segment.title, title: segment.title,
@@ -134,6 +133,10 @@ export function SegmentSettings({
return true; return true;
} }
if (segment.filters.length === 0) {
return true;
}
// parse the filters to check if they are valid // parse the filters to check if they are valid
const parsedFilters = ZSegmentFilters.safeParse(segment.filters); const parsedFilters = ZSegmentFilters.safeParse(segment.filters);
if (!parsedFilters.success) { if (!parsedFilters.success) {
@@ -124,7 +124,7 @@ export function TargetingCard({
}; };
const handleSaveAsNewSegmentUpdate = async (segmentId: string, data: TSegmentUpdateInput) => { const handleSaveAsNewSegmentUpdate = async (segmentId: string, data: TSegmentUpdateInput) => {
const updatedSegment = await updateSegmentAction({ segmentId, environmentId, data }); const updatedSegment = await updateSegmentAction({ segmentId, data });
return updatedSegment?.data as TSegment; return updatedSegment?.data as TSegment;
}; };
@@ -136,7 +136,7 @@ export function TargetingCard({
const handleSaveSegment = async (data: TSegmentUpdateInput) => { const handleSaveSegment = async (data: TSegmentUpdateInput) => {
try { try {
if (!segment) throw new Error(t("environments.segments.invalid_segment")); if (!segment) throw new Error(t("environments.segments.invalid_segment"));
const result = await updateSegmentAction({ segmentId: segment.id, environmentId, data }); const result = await updateSegmentAction({ segmentId: segment.id, data });
if (result?.serverError) { if (result?.serverError) {
toast.error(getFormattedErrorMessage(result)); toast.error(getFormattedErrorMessage(result));
return; return;
@@ -0,0 +1,73 @@
import { createId } from "@paralleldrive/cuid2";
import { describe, expect, test } from "vitest";
import { ZSegmentCreateInput, ZSegmentFilters, ZSegmentUpdateInput } from "@formbricks/types/segment";
const validFilters = [
{
id: createId(),
connector: null,
resource: {
id: createId(),
root: {
type: "attribute" as const,
contactAttributeKey: "email",
},
value: "user@example.com",
qualifier: {
operator: "equals" as const,
},
},
},
];
describe("segment schema validation", () => {
test("keeps base segment filters compatible with empty arrays", () => {
const result = ZSegmentFilters.safeParse([]);
expect(result.success).toBe(true);
});
test("requires at least one filter when creating a segment", () => {
const result = ZSegmentCreateInput.safeParse({
environmentId: "environmentId",
title: "Power users",
description: "Users with a matching email",
isPrivate: false,
filters: [],
surveyId: "surveyId",
});
expect(result.success).toBe(false);
expect(result.error?.issues[0]?.message).toBe("At least one filter is required");
});
test("accepts segment creation with a valid filter", () => {
const result = ZSegmentCreateInput.safeParse({
environmentId: "environmentId",
title: "Power users",
description: "Users with a matching email",
isPrivate: false,
filters: validFilters,
surveyId: "surveyId",
});
expect(result.success).toBe(true);
});
test("requires at least one filter when updating a segment", () => {
const result = ZSegmentUpdateInput.safeParse({
filters: [],
});
expect(result.success).toBe(false);
expect(result.error?.issues[0]?.message).toBe("At least one filter is required");
});
test("accepts segment updates with a valid filter", () => {
const result = ZSegmentUpdateInput.safeParse({
filters: validFilters,
});
expect(result.success).toBe(true);
});
});
+4 -5
View File
@@ -21,7 +21,6 @@ import { getOrganizationBilling } from "@/modules/survey/lib/survey";
const ZDeleteQuotaAction = z.object({ const ZDeleteQuotaAction = z.object({
quotaId: ZId, quotaId: ZId,
surveyId: ZId,
}); });
const checkQuotasEnabled = async (organizationId: string) => { const checkQuotasEnabled = async (organizationId: string) => {
@@ -37,7 +36,7 @@ const checkQuotasEnabled = async (organizationId: string) => {
export const deleteQuotaAction = authenticatedActionClient.inputSchema(ZDeleteQuotaAction).action( export const deleteQuotaAction = authenticatedActionClient.inputSchema(ZDeleteQuotaAction).action(
withAuditLogging("deleted", "quota", async ({ ctx, parsedInput }) => { withAuditLogging("deleted", "quota", async ({ ctx, parsedInput }) => {
const organizationId = await getOrganizationIdFromSurveyId(parsedInput.surveyId); const organizationId = await getOrganizationIdFromQuotaId(parsedInput.quotaId);
await checkQuotasEnabled(organizationId); await checkQuotasEnabled(organizationId);
await checkAuthorizationUpdated({ await checkAuthorizationUpdated({
userId: ctx.user.id, userId: ctx.user.id,
@@ -49,7 +48,7 @@ export const deleteQuotaAction = authenticatedActionClient.inputSchema(ZDeleteQu
}, },
{ {
type: "projectTeam", type: "projectTeam",
projectId: await getProjectIdFromSurveyId(parsedInput.surveyId), projectId: await getProjectIdFromQuotaId(parsedInput.quotaId),
minPermission: "readWrite", minPermission: "readWrite",
}, },
], ],
@@ -72,7 +71,7 @@ const ZUpdateQuotaAction = z.object({
export const updateQuotaAction = authenticatedActionClient.inputSchema(ZUpdateQuotaAction).action( export const updateQuotaAction = authenticatedActionClient.inputSchema(ZUpdateQuotaAction).action(
withAuditLogging("updated", "quota", async ({ ctx, parsedInput }) => { withAuditLogging("updated", "quota", async ({ ctx, parsedInput }) => {
const organizationId = await getOrganizationIdFromSurveyId(parsedInput.quota.surveyId); const organizationId = await getOrganizationIdFromQuotaId(parsedInput.quotaId);
await checkQuotasEnabled(organizationId); await checkQuotasEnabled(organizationId);
await checkAuthorizationUpdated({ await checkAuthorizationUpdated({
userId: ctx.user.id, userId: ctx.user.id,
@@ -84,7 +83,7 @@ export const updateQuotaAction = authenticatedActionClient.inputSchema(ZUpdateQu
}, },
{ {
type: "projectTeam", type: "projectTeam",
projectId: await getProjectIdFromSurveyId(parsedInput.quota.surveyId), projectId: await getProjectIdFromQuotaId(parsedInput.quotaId),
minPermission: "readWrite", minPermission: "readWrite",
}, },
], ],
@@ -85,7 +85,6 @@ export const QuotasCard = ({
setIsDeletingQuota(true); setIsDeletingQuota(true);
const deleteQuotaActionResult = await deleteQuotaAction({ const deleteQuotaActionResult = await deleteQuotaAction({
quotaId: quotaId, quotaId: quotaId,
surveyId: localSurvey.id,
}); });
if (deleteQuotaActionResult?.data) { if (deleteQuotaActionResult?.data) {
toast.success(t("environments.surveys.edit.quotas.quota_deleted_successfull_toast")); toast.success(t("environments.surveys.edit.quotas.quota_deleted_successfull_toast"));
@@ -10,6 +10,7 @@ import { getUserManagementAccess } from "@/lib/membership/utils";
import { getOrganization } from "@/lib/organization/service"; import { getOrganization } from "@/lib/organization/service";
import { authenticatedActionClient } from "@/lib/utils/action-client"; import { authenticatedActionClient } from "@/lib/utils/action-client";
import { checkAuthorizationUpdated } from "@/lib/utils/action-client/action-client-middleware"; import { checkAuthorizationUpdated } from "@/lib/utils/action-client/action-client-middleware";
import { getOrganizationIdFromInviteId } from "@/lib/utils/helper";
import { withAuditLogging } from "@/modules/ee/audit-logs/lib/handler"; import { withAuditLogging } from "@/modules/ee/audit-logs/lib/handler";
import { getAccessControlPermission } from "@/modules/ee/license-check/lib/utils"; import { getAccessControlPermission } from "@/modules/ee/license-check/lib/utils";
import { updateInvite } from "@/modules/ee/role-management/lib/invite"; import { updateInvite } from "@/modules/ee/role-management/lib/invite";
@@ -31,7 +32,6 @@ export const checkRoleManagementPermission = async (organizationId: string) => {
const ZUpdateInviteAction = z.object({ const ZUpdateInviteAction = z.object({
inviteId: ZUuid, inviteId: ZUuid,
organizationId: ZId,
data: ZInviteUpdateInput, data: ZInviteUpdateInput,
}); });
@@ -39,17 +39,16 @@ export type TUpdateInviteAction = z.infer<typeof ZUpdateInviteAction>;
export const updateInviteAction = authenticatedActionClient.inputSchema(ZUpdateInviteAction).action( export const updateInviteAction = authenticatedActionClient.inputSchema(ZUpdateInviteAction).action(
withAuditLogging("updated", "invite", async ({ ctx, parsedInput }) => { withAuditLogging("updated", "invite", async ({ ctx, parsedInput }) => {
const currentUserMembership = await getMembershipByUserIdOrganizationId( const organizationId = await getOrganizationIdFromInviteId(parsedInput.inviteId);
ctx.user.id,
parsedInput.organizationId const currentUserMembership = await getMembershipByUserIdOrganizationId(ctx.user.id, organizationId);
);
if (!currentUserMembership) { if (!currentUserMembership) {
throw new AuthenticationError("User not a member of this organization"); throw new AuthenticationError("User not a member of this organization");
} }
await checkAuthorizationUpdated({ await checkAuthorizationUpdated({
userId: ctx.user.id, userId: ctx.user.id,
organizationId: parsedInput.organizationId, organizationId,
access: [ access: [
{ {
data: parsedInput.data, data: parsedInput.data,
@@ -68,9 +67,9 @@ export const updateInviteAction = authenticatedActionClient.inputSchema(ZUpdateI
throw new OperationNotAllowedError("Managers can only invite members"); throw new OperationNotAllowedError("Managers can only invite members");
} }
await checkRoleManagementPermission(parsedInput.organizationId); await checkRoleManagementPermission(organizationId);
ctx.auditLoggingCtx.organizationId = parsedInput.organizationId; ctx.auditLoggingCtx.organizationId = organizationId;
ctx.auditLoggingCtx.inviteId = parsedInput.inviteId; ctx.auditLoggingCtx.inviteId = parsedInput.inviteId;
ctx.auditLoggingCtx.oldObject = { ...(await getInvite(parsedInput.inviteId)) }; ctx.auditLoggingCtx.oldObject = { ...(await getInvite(parsedInput.inviteId)) };
@@ -65,7 +65,7 @@ export function EditMembershipRole({
} }
if (inviteId) { if (inviteId) {
await updateInviteAction({ inviteId: inviteId, organizationId, data: { role } }); await updateInviteAction({ inviteId: inviteId, data: { role } });
} }
} catch (error) { } catch (error) {
toast.error(t("common.something_went_wrong_please_try_again")); toast.error(t("common.something_went_wrong_please_try_again"));
@@ -95,7 +95,7 @@ export async function PreviewEmailTemplate({
<EmailTemplateWrapper styling={styling} surveyUrl={url}> <EmailTemplateWrapper styling={styling} surveyUrl={url}>
<ElementHeader headline={headline} subheader={subheader} className="mr-8" /> <ElementHeader headline={headline} subheader={subheader} className="mr-8" />
<Section className="border-input-border-color rounded-custom mt-4 block h-20 w-full border border-solid bg-slate-50" /> <Section className="border-input-border-color rounded-custom mt-4 block h-20 w-full border border-solid bg-slate-50" />
<EmailFooter /> <EmailFooter t={t} />
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
case TSurveyElementTypeEnum.Consent: case TSurveyElementTypeEnum.Consent:
@@ -124,7 +124,7 @@ export async function PreviewEmailTemplate({
{t("emails.accept")} {t("emails.accept")}
</EmailButton> </EmailButton>
</Container> </Container>
<EmailFooter /> <EmailFooter t={t} />
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
case TSurveyElementTypeEnum.NPS: case TSurveyElementTypeEnum.NPS:
@@ -172,7 +172,7 @@ export async function PreviewEmailTemplate({
</Row> </Row>
</Section> </Section>
</Container> </Container>
<EmailFooter /> <EmailFooter t={t} />
</Section> </Section>
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
@@ -193,7 +193,7 @@ export async function PreviewEmailTemplate({
</EmailButton> </EmailButton>
</Container> </Container>
)} )}
<EmailFooter /> <EmailFooter t={t} />
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
} }
@@ -246,7 +246,7 @@ export async function PreviewEmailTemplate({
</Row> </Row>
</Section> </Section>
</Container> </Container>
<EmailFooter /> <EmailFooter t={t} />
</Section> </Section>
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
@@ -263,7 +263,7 @@ export async function PreviewEmailTemplate({
</Section> </Section>
))} ))}
</Container> </Container>
<EmailFooter /> <EmailFooter t={t} />
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
case TSurveyElementTypeEnum.Ranking: case TSurveyElementTypeEnum.Ranking:
@@ -279,7 +279,7 @@ export async function PreviewEmailTemplate({
</Section> </Section>
))} ))}
</Container> </Container>
<EmailFooter /> <EmailFooter t={t} />
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
case TSurveyElementTypeEnum.MultipleChoiceSingle: case TSurveyElementTypeEnum.MultipleChoiceSingle:
@@ -296,7 +296,7 @@ export async function PreviewEmailTemplate({
</Link> </Link>
))} ))}
</Container> </Container>
<EmailFooter /> <EmailFooter t={t} />
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
case TSurveyElementTypeEnum.PictureSelection: case TSurveyElementTypeEnum.PictureSelection:
@@ -322,7 +322,7 @@ export async function PreviewEmailTemplate({
) )
)} )}
</Section> </Section>
<EmailFooter /> <EmailFooter t={t} />
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
case TSurveyElementTypeEnum.Cal: case TSurveyElementTypeEnum.Cal:
@@ -338,7 +338,7 @@ export async function PreviewEmailTemplate({
{t("emails.schedule_your_meeting")} {t("emails.schedule_your_meeting")}
</EmailButton> </EmailButton>
</Container> </Container>
<EmailFooter /> <EmailFooter t={t} />
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
case TSurveyElementTypeEnum.Date: case TSurveyElementTypeEnum.Date:
@@ -351,7 +351,7 @@ export async function PreviewEmailTemplate({
{t("emails.select_a_date")} {t("emails.select_a_date")}
</Text> </Text>
</Section> </Section>
<EmailFooter /> <EmailFooter t={t} />
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
case TSurveyElementTypeEnum.Matrix: case TSurveyElementTypeEnum.Matrix:
@@ -392,7 +392,7 @@ export async function PreviewEmailTemplate({
})} })}
</Section> </Section>
</Container> </Container>
<EmailFooter /> <EmailFooter t={t} />
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
case TSurveyElementTypeEnum.Address: case TSurveyElementTypeEnum.Address:
@@ -407,7 +407,7 @@ export async function PreviewEmailTemplate({
{label} {label}
</Section> </Section>
))} ))}
<EmailFooter /> <EmailFooter t={t} />
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
@@ -421,7 +421,7 @@ export async function PreviewEmailTemplate({
<Text className="text-slate-400">{t("emails.click_or_drag_to_upload_files")}</Text> <Text className="text-slate-400">{t("emails.click_or_drag_to_upload_files")}</Text>
</Container> </Container>
</Section> </Section>
<EmailFooter /> <EmailFooter t={t} />
</EmailTemplateWrapper> </EmailTemplateWrapper>
); );
} }
@@ -477,11 +477,11 @@ function EmailTemplateWrapper({
); );
} }
function EmailFooter(): React.JSX.Element { function EmailFooter({ t }: { t: TFunction }): React.JSX.Element {
return ( return (
<Container className="m-auto mt-8 text-center"> <Container className="m-auto mt-8 text-center">
<Link className="text-signature-color text-xs" href="https://formbricks.com/" target="_blank"> <Link className="text-signature-color text-xs" href="https://formbricks.com/" target="_blank">
Powered by Formbricks {t("common.powered_by_formbricks")}
</Link> </Link>
</Container> </Container>
); );
@@ -27,14 +27,15 @@ import { deleteInvite, getInvite, inviteUser, refreshInviteExpiration, resendInv
const ZDeleteInviteAction = z.object({ const ZDeleteInviteAction = z.object({
inviteId: ZUuid, inviteId: ZUuid,
organizationId: ZId,
}); });
export const deleteInviteAction = authenticatedActionClient.inputSchema(ZDeleteInviteAction).action( export const deleteInviteAction = authenticatedActionClient.inputSchema(ZDeleteInviteAction).action(
withAuditLogging("deleted", "invite", async ({ ctx, parsedInput }) => { withAuditLogging("deleted", "invite", async ({ ctx, parsedInput }) => {
const organizationId = await getOrganizationIdFromInviteId(parsedInput.inviteId);
await checkAuthorizationUpdated({ await checkAuthorizationUpdated({
userId: ctx.user.id, userId: ctx.user.id,
organizationId: parsedInput.organizationId, organizationId,
access: [ access: [
{ {
type: "organization", type: "organization",
@@ -42,7 +43,7 @@ export const deleteInviteAction = authenticatedActionClient.inputSchema(ZDeleteI
}, },
], ],
}); });
ctx.auditLoggingCtx.organizationId = parsedInput.organizationId; ctx.auditLoggingCtx.organizationId = organizationId;
ctx.auditLoggingCtx.inviteId = parsedInput.inviteId; ctx.auditLoggingCtx.inviteId = parsedInput.inviteId;
ctx.auditLoggingCtx.oldObject = { ...(await getInvite(parsedInput.inviteId)) }; ctx.auditLoggingCtx.oldObject = { ...(await getInvite(parsedInput.inviteId)) };
return await deleteInvite(parsedInput.inviteId); return await deleteInvite(parsedInput.inviteId);
@@ -41,7 +41,7 @@ export const MemberActions = ({ organization, member, invite, showDeleteButton }
if (!member && invite) { if (!member && invite) {
// This is an invite // This is an invite
const result = await deleteInviteAction({ inviteId: invite?.id, organizationId: organization.id }); const result = await deleteInviteAction({ inviteId: invite?.id });
if (result?.serverError) { if (result?.serverError) {
toast.error(getFormattedErrorMessage(result)); toast.error(getFormattedErrorMessage(result));
setIsDeleting(false); setIsDeleting(false);
@@ -89,7 +89,7 @@ export const InviteMemberModal = ({
<DialogDescription>{t("environments.settings.teams.invite_member_description")}</DialogDescription> <DialogDescription>{t("environments.settings.teams.invite_member_description")}</DialogDescription>
</DialogHeader> </DialogHeader>
<DialogBody className="flex flex-col gap-6" unconstrained> <DialogBody className="flex min-h-0 flex-col gap-6 overflow-y-auto">
{!showTeamAdminRestrictions && ( {!showTeamAdminRestrictions && (
<TabToggle <TabToggle
id="type" id="type"
@@ -1,5 +1,6 @@
"use client"; "use client";
import { useTranslation } from "react-i18next";
import { type JSX, useState } from "react"; import { type JSX, useState } from "react";
import { TActionClass } from "@formbricks/types/action-classes"; import { TActionClass } from "@formbricks/types/action-classes";
import { TEnvironment } from "@formbricks/types/environment"; import { TEnvironment } from "@formbricks/types/environment";
@@ -24,6 +25,7 @@ export const ActionClassesTable = ({
otherEnvActionClasses, otherEnvActionClasses,
otherEnvironment, otherEnvironment,
}: ActionClassesTableProps) => { }: ActionClassesTableProps) => {
const { t } = useTranslation();
const [isActionDetailModalOpen, setIsActionDetailModalOpen] = useState(false); const [isActionDetailModalOpen, setIsActionDetailModalOpen] = useState(false);
const [activeActionClass, setActiveActionClass] = useState<TActionClass>(); const [activeActionClass, setActiveActionClass] = useState<TActionClass>();
@@ -56,7 +58,7 @@ export const ActionClassesTable = ({
)) ))
) : ( ) : (
<div className="py-8 text-center"> <div className="py-8 text-center">
<span className="text-sm text-slate-500">No actions found</span> <span className="text-sm text-slate-500">{t("common.no_actions_found")}</span>
</div> </div>
)} )}
</div> </div>
@@ -38,6 +38,7 @@ export const ActionSettingsTab = ({
setOpen, setOpen,
isReadOnly, isReadOnly,
}: ActionSettingsTabProps) => { }: ActionSettingsTabProps) => {
const actionDocsHref = "https://formbricks.com/docs/xm-and-surveys/surveys/website-app-surveys/actions";
const { createdAt, updatedAt, id, ...restActionClass } = actionClass; const { createdAt, updatedAt, id, ...restActionClass } = actionClass;
const router = useRouter(); const router = useRouter();
const [openDeleteDialog, setOpenDeleteDialog] = useState(false); const [openDeleteDialog, setOpenDeleteDialog] = useState(false);
@@ -146,7 +147,7 @@ export const ActionSettingsTab = ({
<div className="flex justify-between gap-x-2 border-slate-200 pt-4"> <div className="flex justify-between gap-x-2 border-slate-200 pt-4">
<div className="flex items-center gap-x-2"> <div className="flex items-center gap-x-2">
{!isReadOnly ? ( {isReadOnly ? null : (
<Button <Button
type="button" type="button"
variant="destructive" variant="destructive"
@@ -155,22 +156,22 @@ export const ActionSettingsTab = ({
<TrashIcon /> <TrashIcon />
{t("common.delete")} {t("common.delete")}
</Button> </Button>
) : null} )}
<Button variant="secondary" asChild> <Button variant="secondary" asChild>
<Link href="https://formbricks.com/docs/actions/no-code" target="_blank"> <Link href={actionDocsHref} target="_blank">
{t("common.read_docs")} {t("common.read_docs")}
</Link> </Link>
</Button> </Button>
</div> </div>
{!isReadOnly ? ( {isReadOnly ? null : (
<div className="flex space-x-2"> <div className="flex space-x-2">
<Button type="submit" loading={isUpdatingAction}> <Button type="submit" loading={isUpdatingAction}>
{t("common.save_changes")} {t("common.save_changes")}
</Button> </Button>
</div> </div>
) : null} )}
</div> </div>
</form> </form>
</FormProvider> </FormProvider>
@@ -11,7 +11,7 @@ export const TagsLoading = () => {
return ( return (
<PageContentWrapper> <PageContentWrapper>
<PageHeader pageTitle={t("common.workspace_configuration")}> <PageHeader pageTitle={t("common.workspace_configuration")}>
<ProjectConfigNavigation activeId="tags" loading /> <ProjectConfigNavigation activeId="tags" />
</PageHeader> </PageHeader>
<SettingsCard <SettingsCard
title={t("environments.workspace.tags.manage_tags")} title={t("environments.workspace.tags.manage_tags")}
@@ -4,7 +4,7 @@
import "@testing-library/jest-dom/vitest"; import "@testing-library/jest-dom/vitest";
import { renderHook } from "@testing-library/react"; import { renderHook } from "@testing-library/react";
import { beforeEach, describe, expect, test, vi } from "vitest"; import { beforeEach, describe, expect, test, vi } from "vitest";
import { z } from "zod"; import type { z } from "zod";
import { TActionClass, TActionClassInput } from "@formbricks/types/action-classes"; import { TActionClass, TActionClassInput } from "@formbricks/types/action-classes";
import { import {
createActionClassZodResolver, createActionClassZodResolver,
@@ -316,10 +316,6 @@ describe("validation.isEndingCardValid", () => {
const card = { ...baseRedirectUrlCard, label: " " }; const card = { ...baseRedirectUrlCard, label: " " };
expect(validation.isEndingCardValid(card, surveyLanguagesEnabled)).toBe(false); expect(validation.isEndingCardValid(card, surveyLanguagesEnabled)).toBe(false);
}); });
// test("should return false for redirectUrl card if label is undefined", () => {
// const card = { ...baseRedirectUrlCard, label: undefined };
// expect(validation.isEndingCardValid(card, surveyLanguagesEnabled)).toBe(false);
// });
}); });
describe("validation.validateElement", () => { describe("validation.validateElement", () => {
@@ -1029,6 +1025,66 @@ describe("validation.isSurveyValid", () => {
expect(toast.error).not.toHaveBeenCalled(); expect(toast.error).not.toHaveBeenCalled();
}); });
test("should return false and toast error if a link survey has an empty custom survey closed message heading", () => {
const surveyWithEmptyClosedMessageHeading = {
...baseSurvey,
type: "link",
surveyClosedMessage: {
heading: "",
subheading: "Closed for now",
},
} as unknown as TSurvey;
expect(validation.isSurveyValid(surveyWithEmptyClosedMessageHeading, "en", mockT)).toBe(false);
expect(toast.error).toHaveBeenCalledWith(
"environments.surveys.edit.survey_closed_message_heading_required"
);
});
test("should return false and toast error if a link survey has a whitespace-only custom survey closed message heading", () => {
const surveyWithWhitespaceClosedMessageHeading = {
...baseSurvey,
type: "link",
surveyClosedMessage: {
heading: " ",
subheading: "",
},
} as unknown as TSurvey;
expect(validation.isSurveyValid(surveyWithWhitespaceClosedMessageHeading, "en", mockT)).toBe(false);
expect(toast.error).toHaveBeenCalledWith(
"environments.surveys.edit.survey_closed_message_heading_required"
);
});
test("should return true if a link survey has a custom survey closed message heading and no subheading", () => {
const surveyWithHeadingOnlyClosedMessage = {
...baseSurvey,
type: "link",
surveyClosedMessage: {
heading: "Survey closed",
subheading: "",
},
} as unknown as TSurvey;
expect(validation.isSurveyValid(surveyWithHeadingOnlyClosedMessage, "en", mockT)).toBe(true);
expect(toast.error).not.toHaveBeenCalled();
});
test("should return true if a link survey has a custom survey closed message heading and subheading", () => {
const surveyWithClosedMessageContent = {
...baseSurvey,
type: "link",
surveyClosedMessage: {
heading: "Survey closed",
subheading: "Thanks for your interest",
},
} as unknown as TSurvey;
expect(validation.isSurveyValid(surveyWithClosedMessageContent, "en", mockT)).toBe(true);
expect(toast.error).not.toHaveBeenCalled();
});
describe("App Survey Segment Validation", () => { describe("App Survey Segment Validation", () => {
test("should return false and toast error for app survey with invalid segment filters", () => { test("should return false and toast error for app survey with invalid segment filters", () => {
const surveyWithInvalidSegment = { const surveyWithInvalidSegment = {
@@ -151,11 +151,7 @@ export const validationRules = {
for (const field of fieldsToValidate) { for (const field of fieldsToValidate) {
const fieldValue = (element as unknown as Record<string, Record<string, string> | undefined>)[field]; const fieldValue = (element as unknown as Record<string, Record<string, string> | undefined>)[field];
if ( if (fieldValue?.[defaultLanguageCode] !== undefined && fieldValue[defaultLanguageCode].trim() !== "") {
fieldValue &&
typeof fieldValue[defaultLanguageCode] !== "undefined" &&
fieldValue[defaultLanguageCode].trim() !== ""
) {
isValid = isValid && isLabelValidForAllLanguages(fieldValue, languages); isValid = isValid && isLabelValidForAllLanguages(fieldValue, languages);
} }
} }
@@ -203,6 +199,16 @@ const isContentValid = (content: Record<string, string> | undefined, surveyLangu
return !content || isLabelValidForAllLanguages(content, surveyLanguages); return !content || isLabelValidForAllLanguages(content, surveyLanguages);
}; };
const hasValidSurveyClosedMessageHeading = (survey: TSurvey): boolean => {
if (survey.type !== "link" || !survey.surveyClosedMessage) {
return true;
}
const heading = survey.surveyClosedMessage.heading?.trim() ?? "";
return heading.length > 0;
};
export const isWelcomeCardValid = (card: TSurveyWelcomeCard, surveyLanguages: TSurveyLanguage[]): boolean => { export const isWelcomeCardValid = (card: TSurveyWelcomeCard, surveyLanguages: TSurveyLanguage[]): boolean => {
return isContentValid(card.headline, surveyLanguages) && isContentValid(card.subheader, surveyLanguages); return isContentValid(card.headline, surveyLanguages) && isContentValid(card.subheader, surveyLanguages);
}; };
@@ -286,5 +292,10 @@ export const isSurveyValid = (
} }
} }
if (!hasValidSurveyClosedMessageHeading(survey)) {
toast.error(t("environments.surveys.edit.survey_closed_message_heading_required"));
return false;
}
return true; return true;
}; };
@@ -1,5 +1,6 @@
import { Project, SurveyType } from "@prisma/client"; import { Project, SurveyType } from "@prisma/client";
import { type JSX, useState } from "react"; import { type JSX, useState } from "react";
import { useTranslation } from "react-i18next";
import { TProjectStyling } from "@formbricks/types/project"; import { TProjectStyling } from "@formbricks/types/project";
import { TSurveyStyling } from "@formbricks/types/surveys/types"; import { TSurveyStyling } from "@formbricks/types/surveys/types";
import { cn } from "@/lib/cn"; import { cn } from "@/lib/cn";
@@ -44,6 +45,7 @@ export const LinkSurveyWrapper = ({
isBrandingEnabled, isBrandingEnabled,
dir = "auto", dir = "auto",
}: LinkSurveyWrapperProps) => { }: LinkSurveyWrapperProps) => {
const { t } = useTranslation();
//for embedded survey strip away all surrounding css //for embedded survey strip away all surrounding css
const [isBackgroundLoaded, setIsBackgroundLoaded] = useState(false); const [isBackgroundLoaded, setIsBackgroundLoaded] = useState(false);
@@ -88,7 +90,7 @@ export const LinkSurveyWrapper = ({
{isPreview && ( {isPreview && (
<div className="fixed left-0 top-0 flex w-full items-center justify-between bg-slate-600 p-2 px-4 text-center text-sm text-white shadow-sm"> <div className="fixed left-0 top-0 flex w-full items-center justify-between bg-slate-600 p-2 px-4 text-center text-sm text-white shadow-sm">
<div /> <div />
Survey Preview 👀 {t("environments.surveys.edit.survey_preview")}
<ResetProgressButton onClick={handleResetSurvey} /> <ResetProgressButton onClick={handleResetSurvey} />
</div> </div>
)} )}
@@ -146,7 +146,7 @@ export const SurveysList = ({
<div> <div>
<div className="flex-col space-y-3" ref={parent}> <div className="flex-col space-y-3" ref={parent}>
<div className="mt-6 grid w-full grid-cols-8 place-items-center gap-3 px-6 pr-8 text-sm text-slate-800"> <div className="mt-6 grid w-full grid-cols-8 place-items-center gap-3 px-6 pr-8 text-sm text-slate-800">
<div className="col-span-2 place-self-start">Name</div> <div className="col-span-2 place-self-start">{t("common.name")}</div>
<div className="col-span-1">{t("common.status")}</div> <div className="col-span-1">{t("common.status")}</div>
<div className="col-span-1">{t("common.responses")}</div> <div className="col-span-1">{t("common.responses")}</div>
<div className="col-span-1">{t("common.type")}</div> <div className="col-span-1">{t("common.type")}</div>
@@ -50,7 +50,11 @@ export const CodeActionForm = ({ form, isReadOnly }: CodeActionFormProps) => {
formbricks.track(&quot;{watch("key")}&quot;) formbricks.track(&quot;{watch("key")}&quot;)
</span>{" "} </span>{" "}
{t("environments.actions.in_your_code_read_more_in_our")}{" "} {t("environments.actions.in_your_code_read_more_in_our")}{" "}
<a href="https://formbricks.com/docs/actions/code" target="_blank" className="underline"> <a
href="https://formbricks.com/docs/xm-and-surveys/surveys/website-app-surveys/actions"
target="_blank"
rel="noreferrer"
className="underline">
{t("common.docs")} {t("common.docs")}
</a> </a>
{"."} {"."}
@@ -1,3 +1,4 @@
import { useTranslation } from "react-i18next";
import { ArrowUpFromLineIcon } from "lucide-react"; import { ArrowUpFromLineIcon } from "lucide-react";
import React from "react"; import React from "react";
import { TAllowedFileExtension } from "@formbricks/types/storage"; import { TAllowedFileExtension } from "@formbricks/types/storage";
@@ -33,6 +34,7 @@ export const Uploader = ({
disabled = false, disabled = false,
isStorageConfigured = true, isStorageConfigured = true,
}: UploaderProps) => { }: UploaderProps) => {
const { t } = useTranslation();
return ( return (
<label // NOSONAR - This is a label for a file input, we need the onClick to trigger storage not configured toast <label // NOSONAR - This is a label for a file input, we need the onClick to trigger storage not configured toast
htmlFor={`${id}-${name}`} htmlFor={`${id}-${name}`}
@@ -82,7 +84,7 @@ export const Uploader = ({
<div className="flex flex-col items-center justify-center pb-6 pt-5"> <div className="flex flex-col items-center justify-center pb-6 pt-5">
<ArrowUpFromLineIcon className="h-6 text-slate-500" /> <ArrowUpFromLineIcon className="h-6 text-slate-500" />
<p className={cn("mt-2 text-center text-sm text-slate-500", uploadMore && "text-xs")}> <p className={cn("mt-2 text-center text-sm text-slate-500", uploadMore && "text-xs")}>
<span className="font-semibold">Click or drag to upload files.</span> <span className="font-semibold">{t("common.upload_input_description")}</span>
</p> </p>
<input <input
data-testid="upload-file-input" data-testid="upload-file-input"
@@ -226,7 +226,7 @@ export const PreviewSurvey = ({
{previewMode === "mobile" && ( {previewMode === "mobile" && (
<> <>
<p className="absolute left-0 top-0 m-2 rounded bg-slate-100 px-2 py-1 text-xs text-slate-400"> <p className="absolute left-0 top-0 m-2 rounded bg-slate-100 px-2 py-1 text-xs text-slate-400">
Preview {t("common.preview")}
</p> </p>
<div className="absolute right-0 top-0 m-2"> <div className="absolute right-0 top-0 m-2">
<ResetProgressButton onClick={resetProgress} /> <ResetProgressButton onClick={resetProgress} />
@@ -310,7 +310,7 @@ export const PreviewSurvey = ({
setIsFullScreenPreview(true); setIsFullScreenPreview(true);
} }
}} }}
aria-label={isFullScreenPreview ? "Shrink Preview" : "Expand Preview"}></button> aria-label={isFullScreenPreview ? t("environments.surveys.edit.shrink_preview") : t("environments.surveys.edit.expand_preview")}></button>
</div> </div>
<div className="ml-4 flex w-full justify-between font-mono text-sm text-slate-400"> <div className="ml-4 flex w-full justify-between font-mono text-sm text-slate-400">
<p> <p>
@@ -157,7 +157,7 @@ export const ThemeStylingPreviewSurvey = ({
<div className="h-3 w-3 rounded-full bg-emerald-500"></div> <div className="h-3 w-3 rounded-full bg-emerald-500"></div>
</div> </div>
<div className="ml-4 flex w-full justify-between font-mono text-sm text-slate-400"> <div className="ml-4 flex w-full justify-between font-mono text-sm text-slate-400">
<p>{isAppSurvey ? "Your web app" : "Preview"}</p> <p>{isAppSurvey ? t("environments.surveys.edit.your_web_app") : t("common.preview")}</p>
<div className="flex items-center"> <div className="flex items-center">
<ResetProgressButton onClick={resetQuestionProgress} /> <ResetProgressButton onClick={resetQuestionProgress} />
+1 -4
View File
@@ -6,7 +6,7 @@ import { Logger } from "@/lib/common/logger";
import { getIsSetup, setIsSetup } from "@/lib/common/status"; import { getIsSetup, setIsSetup } from "@/lib/common/status";
import { filterSurveys, getIsDebug, isNowExpired, wrapThrows } from "@/lib/common/utils"; import { filterSurveys, getIsDebug, isNowExpired, wrapThrows } from "@/lib/common/utils";
import { fetchEnvironmentState } from "@/lib/environment/state"; import { fetchEnvironmentState } from "@/lib/environment/state";
import { closeSurvey, preloadSurveysScript } from "@/lib/survey/widget"; import { closeSurvey } from "@/lib/survey/widget";
import { DEFAULT_USER_STATE_NO_USER_ID } from "@/lib/user/state"; import { DEFAULT_USER_STATE_NO_USER_ID } from "@/lib/user/state";
import { sendUpdatesToBackend } from "@/lib/user/update"; import { sendUpdatesToBackend } from "@/lib/user/update";
import { import {
@@ -316,9 +316,6 @@ export const setup = async (
addEventListeners(); addEventListeners();
addCleanupEventListeners(); addCleanupEventListeners();
// Preload surveys script so it's ready when a survey triggers
preloadSurveysScript(configInput.appUrl);
setIsSetup(true); setIsSetup(true);
logger.debug("Set up complete"); logger.debug("Set up complete");
@@ -43,6 +43,17 @@ vi.mock("@/lib/common/utils", () => ({
handleHiddenFields: vi.fn(), handleHiddenFields: vi.fn(),
})); }));
const mockUpdateQueue = {
hasPendingWork: vi.fn().mockReturnValue(false),
waitForPendingWork: vi.fn().mockResolvedValue(true),
};
vi.mock("@/lib/user/update-queue", () => ({
UpdateQueue: {
getInstance: vi.fn(() => mockUpdateQueue),
},
}));
describe("widget-file", () => { describe("widget-file", () => {
let getInstanceConfigMock: MockInstance<() => Config>; let getInstanceConfigMock: MockInstance<() => Config>;
let getInstanceLoggerMock: MockInstance<() => Logger>; let getInstanceLoggerMock: MockInstance<() => Logger>;
@@ -249,4 +260,265 @@ describe("widget-file", () => {
widget.removeWidgetContainer(); widget.removeWidgetContainer();
expect(document.getElementById("formbricks-container")).toBeFalsy(); expect(document.getElementById("formbricks-container")).toBeFalsy();
}); });
test("renderWidget waits for pending identification before rendering", async () => {
mockUpdateQueue.hasPendingWork.mockReturnValue(true);
mockUpdateQueue.waitForPendingWork.mockResolvedValue(true);
const mockConfigValue = {
get: vi.fn().mockReturnValue({
appUrl: "https://fake.app",
environmentId: "env_123",
environment: {
data: {
project: {
clickOutsideClose: true,
overlay: "none",
placement: "bottomRight",
inAppSurveyBranding: true,
},
},
},
user: {
data: {
userId: "user_abc",
contactId: "contact_abc",
displays: [],
responses: [],
lastDisplayAt: null,
language: "en",
},
},
}),
update: vi.fn(),
};
getInstanceConfigMock.mockReturnValue(mockConfigValue as unknown as Config);
widget.setIsSurveyRunning(false);
// @ts-expect-error -- mock window.formbricksSurveys
window.formbricksSurveys = {
renderSurvey: vi.fn(),
};
vi.useFakeTimers();
await widget.renderWidget({
...mockSurvey,
delay: 0,
} as unknown as TEnvironmentStateSurvey);
expect(mockUpdateQueue.hasPendingWork).toHaveBeenCalled();
expect(mockUpdateQueue.waitForPendingWork).toHaveBeenCalled();
vi.advanceTimersByTime(0);
expect(window.formbricksSurveys.renderSurvey).toHaveBeenCalledWith(
expect.objectContaining({
contactId: "contact_abc",
})
);
vi.useRealTimers();
});
test("renderWidget does not wait when no identification is pending", async () => {
mockUpdateQueue.hasPendingWork.mockReturnValue(false);
const mockConfigValue = {
get: vi.fn().mockReturnValue({
appUrl: "https://fake.app",
environmentId: "env_123",
environment: {
data: {
project: {
clickOutsideClose: true,
overlay: "none",
placement: "bottomRight",
inAppSurveyBranding: true,
},
},
},
user: {
data: {
userId: "user_abc",
contactId: "contact_abc",
displays: [],
responses: [],
lastDisplayAt: null,
language: "en",
},
},
}),
update: vi.fn(),
};
getInstanceConfigMock.mockReturnValue(mockConfigValue as unknown as Config);
widget.setIsSurveyRunning(false);
// @ts-expect-error -- mock window.formbricksSurveys
window.formbricksSurveys = {
renderSurvey: vi.fn(),
};
vi.useFakeTimers();
await widget.renderWidget({
...mockSurvey,
delay: 0,
} as unknown as TEnvironmentStateSurvey);
expect(mockUpdateQueue.hasPendingWork).toHaveBeenCalled();
expect(mockUpdateQueue.waitForPendingWork).not.toHaveBeenCalled();
vi.advanceTimersByTime(0);
expect(window.formbricksSurveys.renderSurvey).toHaveBeenCalled();
vi.useRealTimers();
});
test("renderWidget reads contactId after identification wait completes", async () => {
let callCount = 0;
const mockConfigValue = {
get: vi.fn().mockImplementation(() => {
callCount++;
return {
appUrl: "https://fake.app",
environmentId: "env_123",
environment: {
data: {
project: {
clickOutsideClose: true,
overlay: "none",
placement: "bottomRight",
inAppSurveyBranding: true,
},
},
},
user: {
data: {
// Simulate contactId becoming available after identification
userId: "user_abc",
contactId: callCount > 2 ? "contact_after_identification" : undefined,
displays: [],
responses: [],
lastDisplayAt: null,
language: "en",
},
},
};
}),
update: vi.fn(),
};
getInstanceConfigMock.mockReturnValue(mockConfigValue as unknown as Config);
mockUpdateQueue.hasPendingWork.mockReturnValue(true);
mockUpdateQueue.waitForPendingWork.mockResolvedValue(true);
widget.setIsSurveyRunning(false);
// @ts-expect-error -- mock window.formbricksSurveys
window.formbricksSurveys = {
renderSurvey: vi.fn(),
};
vi.useFakeTimers();
await widget.renderWidget({
...mockSurvey,
delay: 0,
} as unknown as TEnvironmentStateSurvey);
vi.advanceTimersByTime(0);
// The contactId passed to renderSurvey should be read after the wait
expect(window.formbricksSurveys.renderSurvey).toHaveBeenCalledWith(
expect.objectContaining({
contactId: "contact_after_identification",
})
);
vi.useRealTimers();
});
test("renderWidget skips survey when identification fails and survey has segment filters", async () => {
mockUpdateQueue.hasPendingWork.mockReturnValue(true);
mockUpdateQueue.waitForPendingWork.mockResolvedValue(false);
widget.setIsSurveyRunning(false);
// @ts-expect-error -- mock window.formbricksSurveys
window.formbricksSurveys = {
renderSurvey: vi.fn(),
};
await widget.renderWidget({
...mockSurvey,
delay: 0,
segment: { id: "seg_1", filters: [{ type: "attribute", value: "plan" }] },
} as unknown as TEnvironmentStateSurvey);
expect(mockUpdateQueue.waitForPendingWork).toHaveBeenCalled();
expect(mockLogger.debug).toHaveBeenCalledWith(
"User identification failed. Skipping survey with segment filters."
);
expect(window.formbricksSurveys.renderSurvey).not.toHaveBeenCalled();
});
test("renderWidget proceeds when identification fails but survey has no segment filters", async () => {
mockUpdateQueue.hasPendingWork.mockReturnValue(true);
mockUpdateQueue.waitForPendingWork.mockResolvedValue(false);
const mockConfigValue = {
get: vi.fn().mockReturnValue({
appUrl: "https://fake.app",
environmentId: "env_123",
environment: {
data: {
project: {
clickOutsideClose: true,
overlay: "none",
placement: "bottomRight",
inAppSurveyBranding: true,
},
},
},
user: {
data: {
userId: null,
contactId: null,
displays: [],
responses: [],
lastDisplayAt: null,
language: "en",
},
},
}),
update: vi.fn(),
};
getInstanceConfigMock.mockReturnValue(mockConfigValue as unknown as Config);
widget.setIsSurveyRunning(false);
// @ts-expect-error -- mock window.formbricksSurveys
window.formbricksSurveys = {
renderSurvey: vi.fn(),
};
vi.useFakeTimers();
await widget.renderWidget({
...mockSurvey,
delay: 0,
segment: undefined,
} as unknown as TEnvironmentStateSurvey);
expect(mockLogger.debug).toHaveBeenCalledWith(
"User identification failed but survey has no segment filters. Proceeding."
);
vi.advanceTimersByTime(0);
expect(window.formbricksSurveys.renderSurvey).toHaveBeenCalled();
vi.useRealTimers();
});
}); });
+19 -84
View File
@@ -106,15 +106,7 @@ export const renderWidget = async (
const overlay = projectOverwrites.overlay ?? project.overlay; const overlay = projectOverwrites.overlay ?? project.overlay;
const placement = projectOverwrites.placement ?? project.placement; const placement = projectOverwrites.placement ?? project.placement;
const isBrandingEnabled = project.inAppSurveyBranding; const isBrandingEnabled = project.inAppSurveyBranding;
const formbricksSurveys = await loadFormbricksSurveysExternally();
let formbricksSurveys: TFormbricksSurveys;
try {
formbricksSurveys = await loadFormbricksSurveysExternally();
} catch (error) {
logger.error(`Failed to load surveys library: ${String(error)}`);
setIsSurveyRunning(false);
return;
}
const recaptchaSiteKey = config.get().environment.data.recaptchaSiteKey; const recaptchaSiteKey = config.get().environment.data.recaptchaSiteKey;
const isSpamProtectionEnabled = Boolean(recaptchaSiteKey && survey.recaptcha?.enabled); const isSpamProtectionEnabled = Boolean(recaptchaSiteKey && survey.recaptcha?.enabled);
@@ -227,87 +219,30 @@ export const removeWidgetContainer = (): void => {
document.getElementById(CONTAINER_ID)?.remove(); document.getElementById(CONTAINER_ID)?.remove();
}; };
const SURVEYS_LOAD_TIMEOUT_MS = 10000; const loadFormbricksSurveysExternally = (): Promise<typeof globalThis.window.formbricksSurveys> => {
const SURVEYS_POLL_INTERVAL_MS = 200; const config = Config.getInstance();
type TFormbricksSurveys = typeof globalThis.window.formbricksSurveys;
let surveysLoadPromise: Promise<TFormbricksSurveys> | null = null;
const waitForSurveysGlobal = (): Promise<TFormbricksSurveys> => {
return new Promise((resolve, reject) => { return new Promise((resolve, reject) => {
const startTime = Date.now(); // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition -- We need to check if the formbricksSurveys object exists
if (globalThis.window.formbricksSurveys) {
const check = (): void => { resolve(globalThis.window.formbricksSurveys);
// eslint-disable-next-line @typescript-eslint/no-unnecessary-condition -- Runtime check for surveys package availability } else {
if (globalThis.window.formbricksSurveys) { const script = document.createElement("script");
script.src = `${config.get().appUrl}/js/surveys.umd.cjs`;
script.async = true;
script.onload = () => {
// Apply stored nonce if it was set before surveys package loaded
const storedNonce = globalThis.window.__formbricksNonce; const storedNonce = globalThis.window.__formbricksNonce;
if (storedNonce) { if (storedNonce) {
globalThis.window.formbricksSurveys.setNonce(storedNonce); globalThis.window.formbricksSurveys.setNonce(storedNonce);
} }
resolve(globalThis.window.formbricksSurveys); resolve(globalThis.window.formbricksSurveys);
return; };
} script.onerror = (error) => {
console.error("Failed to load Formbricks Surveys library:", error);
if (Date.now() - startTime >= SURVEYS_LOAD_TIMEOUT_MS) { reject(new Error(`Failed to load Formbricks Surveys library: ${error as string}`));
reject(new Error("Formbricks Surveys library did not become available within timeout")); };
return; document.head.appendChild(script);
} }
setTimeout(check, SURVEYS_POLL_INTERVAL_MS);
};
check();
}); });
}; };
const loadFormbricksSurveysExternally = (): Promise<TFormbricksSurveys> => {
// eslint-disable-next-line @typescript-eslint/no-unnecessary-condition -- Runtime check for surveys package availability
if (globalThis.window.formbricksSurveys) {
return Promise.resolve(globalThis.window.formbricksSurveys);
}
if (surveysLoadPromise) {
return surveysLoadPromise;
}
surveysLoadPromise = new Promise<TFormbricksSurveys>((resolve, reject: (error: unknown) => void) => {
const config = Config.getInstance();
const script = document.createElement("script");
script.src = `${config.get().appUrl}/js/surveys.umd.cjs`;
script.async = true;
script.onload = () => {
waitForSurveysGlobal()
.then(resolve)
.catch((error: unknown) => {
surveysLoadPromise = null;
console.error("Failed to load Formbricks Surveys library:", error);
reject(new Error(`Failed to load Formbricks Surveys library`));
});
};
script.onerror = (error) => {
surveysLoadPromise = null;
console.error("Failed to load Formbricks Surveys library:", error);
reject(new Error(`Failed to load Formbricks Surveys library`));
};
document.head.appendChild(script);
});
return surveysLoadPromise;
};
let isPreloaded = false;
export const preloadSurveysScript = (appUrl: string): void => {
// Don't preload if already loaded or already preloading
// eslint-disable-next-line @typescript-eslint/no-unnecessary-condition -- Runtime check for surveys package availability
if (globalThis.window.formbricksSurveys) return;
if (isPreloaded) return;
isPreloaded = true;
const link = document.createElement("link");
link.rel = "preload";
link.as = "script";
link.href = `${appUrl}/js/surveys.umd.cjs`;
document.head.appendChild(link);
};
@@ -169,4 +169,104 @@ describe("UpdateQueue", () => {
"Formbricks can't set attributes without a userId! Please set a userId first with the setUserId function" "Formbricks can't set attributes without a userId! Please set a userId first with the setUserId function"
); );
}); });
test("hasPendingWork returns false when no updates and no flush in flight", () => {
expect(updateQueue.hasPendingWork()).toBe(false);
});
test("hasPendingWork returns true when updates are queued", () => {
updateQueue.updateUserId(mockUserId1);
expect(updateQueue.hasPendingWork()).toBe(true);
});
test("hasPendingWork returns true while processUpdates flush is in flight", () => {
(sendUpdates as Mock).mockReturnValue({
ok: true,
data: { hasWarnings: false },
});
updateQueue.updateUserId(mockUserId1);
// Start processing but don't await — the debounce means the flush is in-flight
void updateQueue.processUpdates();
expect(updateQueue.hasPendingWork()).toBe(true);
});
test("waitForPendingWork returns true immediately when no pending work", async () => {
const result = await updateQueue.waitForPendingWork();
expect(result).toBe(true);
});
test("waitForPendingWork returns true when processUpdates succeeds", async () => {
(sendUpdates as Mock).mockReturnValue({
ok: true,
data: { hasWarnings: false },
});
updateQueue.updateUserId(mockUserId1);
void updateQueue.processUpdates();
const result = await updateQueue.waitForPendingWork();
expect(result).toBe(true);
expect(updateQueue.hasPendingWork()).toBe(false);
expect(sendUpdates).toHaveBeenCalled();
});
test("waitForPendingWork returns false when processUpdates rejects", async () => {
loggerMock.mockReturnValue(mockLogger as unknown as Logger);
(sendUpdates as Mock).mockRejectedValue(new Error("network error"));
updateQueue.updateUserId(mockUserId1);
// eslint-disable-next-line @typescript-eslint/no-empty-function -- intentionally swallowing rejection to avoid unhandled promise
const processPromise = updateQueue.processUpdates().catch(() => {});
const result = await updateQueue.waitForPendingWork();
expect(result).toBe(false);
await processPromise;
});
test("waitForPendingWork returns false when flush hangs past timeout", async () => {
vi.useFakeTimers();
// sendUpdates returns a promise that never resolves, simulating a network hang
// eslint-disable-next-line @typescript-eslint/no-empty-function -- intentionally never-resolving promise
(sendUpdates as Mock).mockReturnValue(new Promise(() => {}));
updateQueue.updateUserId(mockUserId1);
void updateQueue.processUpdates();
const resultPromise = updateQueue.waitForPendingWork();
// Advance past the debounce delay (500ms) so the handler fires and hangs on sendUpdates
await vi.advanceTimersByTimeAsync(500);
// Advance past the pending work timeout (5000ms)
await vi.advanceTimersByTimeAsync(5000);
const result = await resultPromise;
expect(result).toBe(false);
vi.useRealTimers();
});
test("processUpdates reuses pending flush instead of creating orphaned promises", async () => {
(sendUpdates as Mock).mockReturnValue({
ok: true,
data: { hasWarnings: false },
});
updateQueue.updateUserId(mockUserId1);
// First call creates the flush promise
const firstPromise = updateQueue.processUpdates();
// Second call while first is still pending should not create a new flush
updateQueue.updateAttributes({ name: mockAttributes.name });
const secondPromise = updateQueue.processUpdates();
// Both promises should resolve (second is not orphaned)
await Promise.all([firstPromise, secondPromise]);
expect(updateQueue.hasPendingWork()).toBe(false);
});
}); });
+7
View File
@@ -45,6 +45,8 @@ const baseLoggerConfig: LoggerOptions = {
* - Both: optional pino-opentelemetry-transport for SigNoz log correlation when OTEL is configured * - Both: optional pino-opentelemetry-transport for SigNoz log correlation when OTEL is configured
*/ */
const buildTransport = (): LoggerOptions["transport"] => { const buildTransport = (): LoggerOptions["transport"] => {
const isEdgeRuntime = process.env.NEXT_RUNTIME === "edge";
const hasOtelEndpoint = const hasOtelEndpoint =
process.env.NEXT_RUNTIME === "nodejs" && Boolean(process.env.OTEL_EXPORTER_OTLP_ENDPOINT); process.env.NEXT_RUNTIME === "nodejs" && Boolean(process.env.OTEL_EXPORTER_OTLP_ENDPOINT);
@@ -77,6 +79,11 @@ const buildTransport = (): LoggerOptions["transport"] => {
}; };
if (!IS_PRODUCTION) { if (!IS_PRODUCTION) {
// Edge Runtime does not support worker_threads — skip pino-pretty to avoid crashes
if (isEdgeRuntime) {
return undefined;
}
// Development: pretty print + optional OTEL // Development: pretty print + optional OTEL
if (hasOtelEndpoint) { if (hasOtelEndpoint) {
return { targets: [prettyTarget, otelTarget] }; return { targets: [prettyTarget, otelTarget] };
+48 -8
View File
@@ -26,16 +26,56 @@ export const ZActionClassPageUrlRule = z.enum(ACTION_CLASS_PAGE_URL_RULES);
export type TActionClassPageUrlRule = z.infer<typeof ZActionClassPageUrlRule>; export type TActionClassPageUrlRule = z.infer<typeof ZActionClassPageUrlRule>;
const URL_LIKE_FILTER_RULES = new Set<TActionClassPageUrlRule>(["exactMatch", "startsWith", "notMatch"]);
const DOMAIN_HOSTNAME_REGEX = /^(?:[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?\.)+[a-zA-Z]{2,63}$/;
const isValidAbsoluteUrlFilterValue = (value: string): boolean => {
try {
const parsedUrl = new URL(value);
if (parsedUrl.protocol !== "http:" && parsedUrl.protocol !== "https:") {
return false;
}
const isIPv6 = parsedUrl.hostname.startsWith("[") && parsedUrl.hostname.endsWith("]");
const isIPv4 = /^\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}$/.test(parsedUrl.hostname);
return (
DOMAIN_HOSTNAME_REGEX.test(parsedUrl.hostname) || parsedUrl.hostname === "localhost" || isIPv6 || isIPv4
);
} catch {
return false;
}
};
export const isValidActionClassUrlFilterValue = (value: string, rule: TActionClassPageUrlRule): boolean => {
if (!URL_LIKE_FILTER_RULES.has(rule)) {
return true;
}
return value.startsWith("/") || isValidAbsoluteUrlFilterValue(value);
};
const ZActionClassUrlFilter = z
.object({
value: z.string().trim().min(1, {
error: "Value must contain at least 1 character",
}),
rule: ZActionClassPageUrlRule,
})
.superRefine((data, ctx) => {
if (!isValidActionClassUrlFilterValue(data.value, data.rule)) {
ctx.addIssue({
code: "custom",
path: ["value"],
message: "Please enter a valid URL (e.g., https://example.com)",
});
}
});
const ZActionClassNoCodeConfigBase = z.object({ const ZActionClassNoCodeConfigBase = z.object({
type: z.enum(["click", "pageView", "exitIntent", "fiftyPercentScroll", "pageDwell"]), type: z.enum(["click", "pageView", "exitIntent", "fiftyPercentScroll", "pageDwell"]),
urlFilters: z.array( urlFilters: z.array(ZActionClassUrlFilter),
z.object({
value: z.string().trim().min(1, {
error: "Value must contain atleast 1 character",
}),
rule: ZActionClassPageUrlRule,
})
),
urlFiltersConnector: z.enum(["or", "and"]).optional(), urlFiltersConnector: z.enum(["or", "and"]).optional(),
}); });
+6 -2
View File
@@ -333,6 +333,10 @@ export const ZSegmentFilters: z.ZodType<TBaseFilters> = z
error: "Invalid filters applied", error: "Invalid filters applied",
}); });
const ZRequiredSegmentFilters = ZSegmentFilters.refine((filters) => filters.length > 0, {
error: "At least one filter is required",
});
export const ZSegment = z.object({ export const ZSegment = z.object({
id: z.string(), id: z.string(),
title: z.string(), title: z.string(),
@@ -350,7 +354,7 @@ export const ZSegmentCreateInput = z.object({
title: z.string(), title: z.string(),
description: z.string().optional(), description: z.string().optional(),
isPrivate: z.boolean().prefault(true), isPrivate: z.boolean().prefault(true),
filters: ZSegmentFilters, filters: ZRequiredSegmentFilters,
surveyId: z.string(), surveyId: z.string(),
}); });
@@ -367,7 +371,7 @@ export const ZSegmentUpdateInput = z
title: z.string(), title: z.string(),
description: z.string().nullable(), description: z.string().nullable(),
isPrivate: z.boolean().prefault(true), isPrivate: z.boolean().prefault(true),
filters: ZSegmentFilters, filters: ZRequiredSegmentFilters,
surveys: z.array(z.string()), surveys: z.array(z.string()),
}) })
.partial(); .partial();