Compare commits
21 Commits
@formbrick
...
@formbrick
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
1fa12d473c | ||
|
|
b9def78d2e | ||
|
|
626356be55 | ||
|
|
85f5425d89 | ||
|
|
d2c703ef60 | ||
|
|
4e8e6390b1 | ||
|
|
9271e375af | ||
|
|
35a9685b71 | ||
|
|
723ea558fa | ||
|
|
8a4a635ee3 | ||
|
|
1a30e9fd11 | ||
|
|
dc8e1c764b | ||
|
|
48e9148728 | ||
|
|
25525e0b03 | ||
|
|
9720c0ecba | ||
|
|
33cbe7cf22 | ||
|
|
4b0eef9c2e | ||
|
|
6e08a94da7 | ||
|
|
c8f621cea2 | ||
|
|
6436ec6416 | ||
|
|
e7c3d9abee |
@@ -4,8 +4,8 @@ on:
|
||||
# "Scheduled workflows run on the latest commit on the default or base branch."
|
||||
# — https://docs.github.com/en/actions/learn-github-actions/events-that-trigger-workflows#schedule
|
||||
schedule:
|
||||
# This will run the job at 23:00 UTC every day of every month.
|
||||
- cron: "0 21 * * *"
|
||||
# This will run the job at 22:00 UTC every day of every month.
|
||||
- cron: "0 22 * * *"
|
||||
jobs:
|
||||
cron-reportUsageToStripe:
|
||||
env:
|
||||
@@ -19,4 +19,5 @@ jobs:
|
||||
curl ${{ env.APP_URL }}/api/cron/report-usage \
|
||||
-X POST \
|
||||
-H 'x-api-key: ${{ env.CRON_SECRET }}' \
|
||||
-H 'Cache-Control: no-cache' \
|
||||
--fail
|
||||
|
||||
2
.github/workflows/release-docker-github.yml
vendored
@@ -57,6 +57,8 @@ jobs:
|
||||
# https://github.com/docker/setup-buildx-action
|
||||
- name: Set up Docker Buildx
|
||||
uses: docker/setup-buildx-action@f95db51fddba0c2d1ec667646a06c2ce06100226 # v3.0.0
|
||||
with:
|
||||
platforms: linux/amd64,linux/arm64
|
||||
|
||||
# Login against a Docker registry except on PR
|
||||
# https://github.com/docker/login-action
|
||||
|
||||
@@ -22,11 +22,13 @@ export default function AppPage({}) {
|
||||
if (process.env.NEXT_PUBLIC_FORMBRICKS_ENVIRONMENT_ID && process.env.NEXT_PUBLIC_FORMBRICKS_API_HOST) {
|
||||
const isUserId = window.location.href.includes("userId=true");
|
||||
const userId = isUserId ? "THIS-IS-A-VERY-LONG-USER-ID-FOR-TESTING" : undefined;
|
||||
const attributes = isUserId ? { "Init Attribute 1": "eight", "Init Attribute 2": "two" } : undefined;
|
||||
formbricks.init({
|
||||
environmentId: process.env.NEXT_PUBLIC_FORMBRICKS_ENVIRONMENT_ID,
|
||||
apiHost: process.env.NEXT_PUBLIC_FORMBRICKS_API_HOST,
|
||||
userId,
|
||||
debug: true,
|
||||
attributes,
|
||||
});
|
||||
window.formbricks = formbricks;
|
||||
}
|
||||
|
||||
@@ -16,7 +16,9 @@ Checkout the [API Key Setup](/docs/api/management/api-key-setup) - to generate,
|
||||
|
||||
The Public Client API is designed for the JavaScript SDK and does not require authentication. It's primarily used for creating persons, sessions, and responses within the Formbricks platform. This API is ideal for client-side interactions, as it doesn't expose sensitive information.
|
||||
|
||||
- [Actions API](/docs/api/client/actions) - Create actions for a person
|
||||
- [Displays API](/docs/api/client/displays) - Mark Survey as Displayed or Responded for a Person
|
||||
- [People API](/docs/api/client/people) - Create & update people (e.g. attributes)
|
||||
- [Responses API](/docs/api/client/responses) - Create & update responses for a survey
|
||||
|
||||
## Management API
|
||||
|
||||
@@ -10,9 +10,31 @@ export const metadata = {
|
||||
|
||||
One way to send attributes to Formbricks is in your code. In Formbricks, there are two special attributes for [user identification](/docs/attributes/identify-users)(user ID & email) and custom attributes. An example:
|
||||
|
||||
## Setting Custom User Attributes
|
||||
## Setting during Initialization
|
||||
|
||||
It's recommended to set custom user attributes directly during the initialization of Formbricks for better user identification.
|
||||
|
||||
<Col>
|
||||
<CodeGroup title="Set custom attributes during initialization">
|
||||
|
||||
```javascript
|
||||
formbricks.init({
|
||||
environmentId: "<environment-id>",
|
||||
apiHost: "<api-host>",
|
||||
userId: "<user_id>",
|
||||
attributes: {
|
||||
plan: "free",
|
||||
},
|
||||
});
|
||||
```
|
||||
|
||||
</CodeGroup>
|
||||
</Col>
|
||||
|
||||
## Setting independently
|
||||
|
||||
You can use the setAttribute function to set any custom attribute for the user (e.g. name, plan, etc.) anywhere in the user journey. Formbricks maintains a state of the current user inside the browser and makes sure attributes aren't sent to the backend twice.
|
||||
|
||||
You can use the setAttribute function to set any custom attribute for the user (e.g. name, plan, etc.):
|
||||
<Col>
|
||||
<CodeGroup title="Setting Plan to Pro">
|
||||
|
||||
|
||||
@@ -29,6 +29,29 @@ formbricks.init({
|
||||
|
||||
</CodeGroup>
|
||||
</Col>
|
||||
|
||||
## Enhanced Initialization with User Attributes
|
||||
|
||||
In addition to setting the `userId`, Formbricks allows you to set user attributes right at the initialization. This ensures that your user data is seamlessly integrated from the start. Here's how you can include user attributes in the `init()` function:
|
||||
|
||||
<Col>
|
||||
<CodeGroup title="Enhanced Initialization with User Attributes">
|
||||
|
||||
```javascript
|
||||
formbricks.init({
|
||||
environmentId: "<environment-id>",
|
||||
apiHost: "<api-host>",
|
||||
userId: "<user_id>",
|
||||
attributes: {
|
||||
// your custom attributes
|
||||
Plan: "premium",
|
||||
},
|
||||
});
|
||||
```
|
||||
|
||||
</CodeGroup>
|
||||
</Col>
|
||||
|
||||
## Setting User Email
|
||||
|
||||
The `userId` is the main identifier used in Formbricks and user identification is only enabled when it is set. In addition to the userId you can also set attributes that describes the user better. The email address can be set using the setEmail function:
|
||||
|
||||
@@ -1,5 +1,4 @@
|
||||
import { GettingStarted } from "@/components/docs/GettingStarted";
|
||||
import BestPractices from "@/components/docs/BestPractices";
|
||||
import { HeroPattern } from "@/components/docs/HeroPattern";
|
||||
import { Button } from "@/components/docs/Button";
|
||||
|
||||
@@ -9,10 +8,7 @@ export const metadata = {
|
||||
"Enhance your product with Formbricks – the leading open-source solution for in-product micro-surveys. Dive deep into user research, amplify product-market fit, and uncover the 'why' behind your analytics.",
|
||||
};
|
||||
|
||||
export const sections = [
|
||||
{ title: "Getting Started", id: "getting-started" },
|
||||
{ title: "Best Practices", id: "best-practices" },
|
||||
];
|
||||
export const sections = [];
|
||||
|
||||
<HeroPattern />
|
||||
|
||||
@@ -20,7 +16,7 @@ export const sections = [
|
||||
|
||||
Welcome to Formbricks, your go-to solution for in-product micro-surveys that will supercharge your product experience! 🚀 {{ className: 'lead' }}
|
||||
|
||||
<div className="mb-16 mt-6 flex gap-3">
|
||||
<div className="mb-16 mt-6 flex gap-3" id="why-formbricks">
|
||||
<Button href="/docs/getting-started/quickstart-in-app-survey" arrow="right" children="Quickstart" />
|
||||
</div>
|
||||
|
||||
|
||||
@@ -18,7 +18,6 @@ Formbricks v1.2 ships a lot of features targeting our Link Surveys. We have also
|
||||
| -------------------- | -------- | ------------------------------ | ----------------------------------------------------------- |
|
||||
| ENCRYPTION_KEY | true | `openssl rand -hex 32` | Needed for 2 Factor Authentication |
|
||||
| SHORT_URL_BASE | false | `<your-short-base-url>` | Needed if you want to enable shorter links for Link Surveys |
|
||||
| ASSET_PREFIX_URL | false | `<your-asset-hosted-base-url>` | Needed if you have a separate URL for hosted assets |
|
||||
|
||||
### Deprecated / Removed Environment Variables
|
||||
|
||||
|
||||
@@ -45,6 +45,15 @@ const FAQ_DATA = [
|
||||
</>
|
||||
),
|
||||
},
|
||||
{
|
||||
question: "How can I change Button texts in my survey?",
|
||||
answer: () => (
|
||||
<>
|
||||
For the question that you want to change the button text, click on the <b>Show Advanced Settings</b>{" "}
|
||||
toggle and change the button label in the <b>Button Text</b> field.
|
||||
</>
|
||||
),
|
||||
},
|
||||
];
|
||||
|
||||
export const faqJsonLdData = FAQ_DATA.map((faq) => ({
|
||||
|
||||
@@ -22,9 +22,9 @@ import {
|
||||
VideoTabletAdjustIcon,
|
||||
} from "@formbricks/ui/icons";
|
||||
|
||||
import { createId } from "@paralleldrive/cuid2";
|
||||
import { TTemplate } from "@formbricks/types/templates";
|
||||
import { TSurveyQuestionType } from "@formbricks/types/surveys";
|
||||
import { TTemplate } from "@formbricks/types/templates";
|
||||
import { createId } from "@paralleldrive/cuid2";
|
||||
|
||||
const thankYouCardDefault = {
|
||||
enabled: true,
|
||||
@@ -32,6 +32,12 @@ const thankYouCardDefault = {
|
||||
subheader: "We appreciate your feedback.",
|
||||
};
|
||||
|
||||
const welcomeCardDefault = {
|
||||
enabled: true,
|
||||
timeToFinish: false,
|
||||
showResponseCount: false,
|
||||
};
|
||||
|
||||
export const customSurvey: TTemplate = {
|
||||
name: "Start from scratch",
|
||||
description: "Create a survey without template.",
|
||||
@@ -51,10 +57,7 @@ export const customSurvey: TTemplate = {
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -150,10 +153,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -260,10 +260,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -340,10 +337,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -389,10 +383,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -447,10 +438,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -513,10 +501,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -582,10 +567,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -640,10 +622,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -685,10 +664,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -723,10 +699,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -752,10 +725,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -803,10 +773,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -848,10 +815,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -905,10 +869,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -961,10 +922,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -1013,10 +971,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -1043,10 +998,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -1071,10 +1023,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -1098,10 +1047,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -1142,10 +1088,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -1179,10 +1122,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -1216,10 +1156,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
@@ -1281,10 +1218,7 @@ export const templates: TTemplate[] = [
|
||||
},
|
||||
],
|
||||
thankYouCard: thankYouCardDefault,
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
},
|
||||
welcomeCard: welcomeCardDefault,
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
},
|
||||
|
||||
@@ -1,5 +1,3 @@
|
||||
import PHIcon from "@/images/formtribe/ph-logo.png";
|
||||
import Image from "next/image";
|
||||
import Link from "next/link";
|
||||
|
||||
export const GitHubSponsorship: React.FC = () => {
|
||||
@@ -38,7 +36,7 @@ export const GitHubSponsorship: React.FC = () => {
|
||||
</p>
|
||||
</div>
|
||||
<div className="flex items-center justify-end">
|
||||
<Image src={PHIcon} alt="Product Hunt Logo" width={80} className="" />
|
||||
{/* <Image src={PHIcon} alt="Product Hunt Logo" width={80} className="" /> */}
|
||||
</div>
|
||||
</div>
|
||||
</Link>
|
||||
|
||||
@@ -27,11 +27,11 @@ export const Hero: React.FC = ({}) => {
|
||||
<ChevronRightIcon className="mb-1 ml-1 inline h-4 w-4 text-slate-300" />
|
||||
</a>
|
||||
<h1 className="mt-10 text-3xl font-bold tracking-tight text-slate-800 dark:text-slate-200 sm:text-4xl md:text-5xl">
|
||||
<span className="xl:inline">The Open Source Survey Suite</span>
|
||||
<span className="xl:inline">Privacy-first Experience Management</span>
|
||||
</h1>
|
||||
|
||||
<p className="xs:max-w-none mx-auto mt-3 max-w-xs text-base text-slate-500 dark:text-slate-400 sm:text-lg md:mt-5 md:text-xl">
|
||||
Run link surveys, in-app surveys and email surveys in one app —{" "}
|
||||
Turn customer insights into irresistible experiences —{" "}
|
||||
<span className="decoration-brand-dark underline underline-offset-4">all privacy-first.</span>
|
||||
</p>
|
||||
|
||||
@@ -92,7 +92,7 @@ export const Hero: React.FC = ({}) => {
|
||||
router.push("https://app.formbricks.com/auth/signup");
|
||||
plausible("Hero_CTA_CreateSurvey");
|
||||
}}>
|
||||
Create survey
|
||||
Get started
|
||||
</Button>
|
||||
<Button
|
||||
variant="secondary"
|
||||
|
||||
@@ -1,6 +1,6 @@
|
||||
import Link from "next/link";
|
||||
import { FaDiscord, FaGithub, FaXTwitter } from "react-icons/fa6";
|
||||
import { FooterLogo } from "./Logo";
|
||||
import { FaGithub, FaXTwitter, FaDiscord } from "react-icons/fa6";
|
||||
|
||||
const navigation = {
|
||||
other: [
|
||||
@@ -33,7 +33,7 @@ export default function Footer() {
|
||||
|
||||
return (
|
||||
<footer
|
||||
className="mt-32 bg-gradient-to-b from-slate-50 to-slate-200 dark:from-slate-900 dark:to-slate-800"
|
||||
className="bg-gradient-to-b from-slate-50 to-slate-200 pt-32 dark:from-slate-900 dark:to-slate-800"
|
||||
aria-labelledby="footer-heading">
|
||||
<h2 id="footer-heading" className="sr-only">
|
||||
Footer
|
||||
|
||||
@@ -278,6 +278,11 @@ export default function Header() {
|
||||
className="text-sm font-medium text-slate-400 hover:text-slate-700 dark:hover:text-slate-300 lg:text-base">
|
||||
Pricing
|
||||
</Link>
|
||||
<Link
|
||||
href="/concierge"
|
||||
className="text-sm font-medium text-slate-400 hover:text-slate-700 dark:hover:text-slate-300 lg:text-base">
|
||||
Concierge
|
||||
</Link>
|
||||
<Link
|
||||
href="/docs"
|
||||
className="text-sm font-medium text-slate-400 hover:text-slate-700 dark:hover:text-slate-300 lg:text-base">
|
||||
@@ -293,12 +298,6 @@ export default function Header() {
|
||||
className="text-base font-medium text-slate-400 hover:text-slate-700 dark:hover:text-slate-300">
|
||||
Careers <p className="bg-brand inline rounded-full px-2 text-xs text-white">1</p>
|
||||
</Link> */}
|
||||
|
||||
<Link
|
||||
href="/concierge"
|
||||
className="text-sm font-medium text-slate-400 hover:text-slate-700 dark:hover:text-slate-300 lg:text-base">
|
||||
Concierge
|
||||
</Link>
|
||||
</Popover.Group>
|
||||
<div className="hidden flex-1 items-center justify-end md:flex">
|
||||
<ThemeSelector className="relative z-10 mr-2 lg:mr-5" />
|
||||
|
||||
BIN
apps/formbricks-com/images/formtribe/arrow-gift.png
Normal file
|
After Width: | Height: | Size: 20 KiB |
BIN
apps/formbricks-com/images/formtribe/arrow-hoodie.png
Normal file
|
After Width: | Height: | Size: 31 KiB |
BIN
apps/formbricks-com/images/formtribe/arrow-stickers.png
Normal file
|
After Width: | Height: | Size: 38 KiB |
BIN
apps/formbricks-com/images/formtribe/deputy-batch.png
Normal file
|
After Width: | Height: | Size: 15 KiB |
|
Before Width: | Height: | Size: 43 KiB |
|
Before Width: | Height: | Size: 33 KiB |
|
Before Width: | Height: | Size: 67 KiB |
|
Before Width: | Height: | Size: 18 KiB |
BIN
apps/formbricks-com/images/formtribe/legend-batch.png
Normal file
|
After Width: | Height: | Size: 14 KiB |
|
Before Width: | Height: | Size: 28 KiB |
|
Before Width: | Height: | Size: 34 KiB |
|
Before Width: | Height: | Size: 108 KiB |
|
Before Width: | Height: | Size: 34 KiB |
|
Before Width: | Height: | Size: 7.2 KiB |
BIN
apps/formbricks-com/images/formtribe/prime-batch.png
Normal file
|
After Width: | Height: | Size: 15 KiB |
BIN
apps/formbricks-com/images/formtribe/rookie-batch.png
Normal file
|
After Width: | Height: | Size: 15 KiB |
|
Before Width: | Height: | Size: 31 KiB |
|
Before Width: | Height: | Size: 84 KiB |
@@ -25,6 +25,11 @@ const nextConfig = {
|
||||
hostname: "seo-strapi-aws-s3.s3.eu-central-1.amazonaws.com",
|
||||
port: "",
|
||||
},
|
||||
{
|
||||
protocol: "https",
|
||||
hostname: "avatars.githubusercontent.com",
|
||||
port: "",
|
||||
},
|
||||
],
|
||||
},
|
||||
async redirects() {
|
||||
@@ -160,6 +165,11 @@ const nextConfig = {
|
||||
destination: "/docs/contributing/setup#gitpod",
|
||||
permanent: true,
|
||||
},
|
||||
{
|
||||
source: "/formtribe",
|
||||
destination: "/community",
|
||||
permanent: true,
|
||||
},
|
||||
];
|
||||
},
|
||||
async rewrites() {
|
||||
|
||||
@@ -1,101 +0,0 @@
|
||||
import Layout from "@/components/shared/Layout";
|
||||
import HeroTitle from "@/components/shared/HeroTitle";
|
||||
import { Button } from "@formbricks/ui/Button";
|
||||
import { ArrowTopRightOnSquareIcon } from "@heroicons/react/24/outline";
|
||||
import { useRouter } from "next/router";
|
||||
import { ChatBubbleOvalLeftEllipsisIcon, EnvelopeIcon } from "@heroicons/react/24/solid";
|
||||
|
||||
const topContributors = [
|
||||
{
|
||||
name: "Midka",
|
||||
href: "https://github.com/kymppi",
|
||||
},
|
||||
{
|
||||
name: "Pandeyman",
|
||||
href: "https://github.com/pandeymangg",
|
||||
},
|
||||
{
|
||||
name: "Ashu",
|
||||
href: "https://github.com/Ashutosh-Bhadauriya",
|
||||
},
|
||||
{
|
||||
name: "Timothy",
|
||||
href: "https://github.com/timothyde",
|
||||
},
|
||||
{
|
||||
name: "Shubhdeep",
|
||||
href: "https://github.com/Shubhdeep12",
|
||||
},
|
||||
];
|
||||
|
||||
const CommunityPage = () => {
|
||||
const router = useRouter();
|
||||
return (
|
||||
<Layout
|
||||
title="Community | Formbricks Open Source Forms & Surveys"
|
||||
description="You're building open source forms and surveys? So are we! Get support for anything your building - or just say hi!">
|
||||
<HeroTitle headingPt1="Join the" headingTeal="Formbricks" headingPt2="Community 🤍" />
|
||||
<div className="mb-32 grid grid-cols-1 px-4 md:grid-cols-2 md:gap-8 md:px-16">
|
||||
<div className="mb-6 rounded-lg bg-gradient-to-b from-slate-200 to-slate-300 px-10 py-6 dark:from-slate-800 dark:to-slate-700 md:mb-0">
|
||||
<h2 className="mt-7 text-3xl font-bold text-slate-800 dark:text-slate-200 xl:text-4xl">
|
||||
Top Contributors
|
||||
</h2>
|
||||
<p className="mt-2 text-sm text-slate-500 dark:text-slate-400">
|
||||
Super thankful to have you guys contribute for Formbricks 🙌
|
||||
</p>
|
||||
<ol className="ml-4 mt-10 list-decimal">
|
||||
{topContributors.map((MVP) => (
|
||||
<li
|
||||
key={MVP.name}
|
||||
className="my-3 text-lg font-bold text-slate-700 hover:text-slate-600 dark:text-slate-300 dark:hover:text-slate-400">
|
||||
<a href={MVP.href} className="" target="_blank" rel="noreferrer">
|
||||
{MVP.name}
|
||||
|
||||
<ArrowTopRightOnSquareIcon className="text-brand-dark dark:text-brand-light mb-1 ml-1 inline h-5 w-5" />
|
||||
</a>
|
||||
</li>
|
||||
))}
|
||||
</ol>
|
||||
</div>
|
||||
<div>
|
||||
<div className="rounded-lg bg-gradient-to-b from-slate-200 to-slate-300 px-10 pb-12 pt-6 dark:from-slate-800 dark:to-slate-700">
|
||||
<h3 className="mt-7 text-3xl font-bold text-slate-800 dark:text-slate-200 xl:text-4xl">
|
||||
Community Discord
|
||||
</h3>
|
||||
<p className="mt-2 text-sm text-slate-500 dark:text-slate-400">
|
||||
Get support for anything your building - or just say hi 👋
|
||||
</p>
|
||||
<Button
|
||||
className="mt-7 w-full justify-center"
|
||||
variant="highlight"
|
||||
onClick={() => router.push("/discord")}>
|
||||
Join Discord <ChatBubbleOvalLeftEllipsisIcon className="ml-1 inline h-5 w-5" />
|
||||
</Button>
|
||||
</div>
|
||||
<div className="mt-7 flex">
|
||||
<a
|
||||
href="https://twitter.com/formbricks"
|
||||
target="_blank"
|
||||
rel="noreferrer"
|
||||
className="delay-50 w-1/2 transition ease-in-out hover:scale-105">
|
||||
<div className="mr-3 flex justify-center rounded-lg bg-gradient-to-b from-slate-200 to-slate-300 py-6 dark:from-slate-800 dark:to-slate-700">
|
||||
<svg fill="currentColor" viewBox="0 0 24 24" className="h-20 w-20 text-[#1DA1F2]">
|
||||
<path d="M8.29 20.251c7.547 0 11.675-6.253 11.675-11.675 0-.178 0-.355-.012-.53A8.348 8.348 0 0022 5.92a8.19 8.19 0 01-2.357.646 4.118 4.118 0 001.804-2.27 8.224 8.224 0 01-2.605.996 4.107 4.107 0 00-6.993 3.743 11.65 11.65 0 01-8.457-4.287 4.106 4.106 0 001.27 5.477A4.072 4.072 0 012.8 9.713v.052a4.105 4.105 0 003.292 4.022 4.095 4.095 0 01-1.853.07 4.108 4.108 0 003.834 2.85A8.233 8.233 0 012 18.407a11.616 11.616 0 006.29 1.84" />
|
||||
</svg>
|
||||
</div>
|
||||
</a>
|
||||
<a
|
||||
href="mailto:hola@formbricks.com"
|
||||
className="delay-50 w-1/2 transition ease-in-out hover:scale-105">
|
||||
<div className="ml-3 flex justify-center rounded-lg bg-gradient-to-b from-slate-200 to-slate-300 py-6 dark:from-slate-800 dark:to-slate-700">
|
||||
<EnvelopeIcon className="ml-1 h-20 w-20 text-slate-400 " />
|
||||
</div>
|
||||
</a>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</Layout>
|
||||
);
|
||||
};
|
||||
|
||||
export default CommunityPage;
|
||||
44
apps/formbricks-com/pages/community/ContributorGrid.tsx
Normal file
@@ -0,0 +1,44 @@
|
||||
import Image from "next/image";
|
||||
import Link from "next/link";
|
||||
import { FaGithub } from "react-icons/fa6";
|
||||
|
||||
type Contributor = {
|
||||
githubId: string;
|
||||
imgUrl: string;
|
||||
name: string;
|
||||
};
|
||||
|
||||
type GridComponentProps = {
|
||||
contributors: Contributor[];
|
||||
};
|
||||
|
||||
const ContributorGrid: React.FC<GridComponentProps> = ({ contributors }) => {
|
||||
return (
|
||||
<div className="-mb-64 mt-24 grid scale-105 grid-cols-4 gap-6 md:-mb-32 md:grid-cols-8">
|
||||
{contributors?.map((contributor, index) => (
|
||||
<div key={index} className={`col-span-1 ${index % 2 !== 0 ? "-mt-8" : ""}`}>
|
||||
<Link
|
||||
href={`https://github.com/${contributor.githubId}`}
|
||||
target="_blank"
|
||||
className="group transition-transform">
|
||||
<div className="bg-brand-dark mx-auto -mb-12 flex w-fit max-w-[90%] items-center justify-center rounded-t-xl px-4 pb-3 pt-1 text-sm text-slate-100 transition-all group-hover:-mt-12 group-hover:mb-0">
|
||||
<FaGithub className="mr-2 h-4 w-4" />
|
||||
<p className="max-w-[100px] overflow-hidden text-ellipsis whitespace-nowrap">
|
||||
{contributor.githubId}
|
||||
</p>
|
||||
</div>
|
||||
<Image
|
||||
src={contributor.imgUrl}
|
||||
alt={contributor.name}
|
||||
className="ring-brand-dark rounded-lg ring-offset-4 ring-offset-slate-900 transition-all hover:scale-110 hover:ring-1"
|
||||
width={500}
|
||||
height={500}
|
||||
/>
|
||||
</Link>
|
||||
</div>
|
||||
))}
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default ContributorGrid;
|
||||
93
apps/formbricks-com/pages/community/HallOfFame.tsx
Normal file
@@ -0,0 +1,93 @@
|
||||
import DeputyBadge from "@/images/formtribe/deputy-batch.png";
|
||||
import LegendBadge from "@/images/formtribe/legend-batch.png";
|
||||
import PrimeBadge from "@/images/formtribe/prime-batch.png";
|
||||
import RookieBadge from "@/images/formtribe/rookie-batch.png";
|
||||
import Image from "next/image";
|
||||
import Link from "next/link";
|
||||
|
||||
interface Member {
|
||||
name: string;
|
||||
githubId: string;
|
||||
level: string;
|
||||
imgUrl: string;
|
||||
}
|
||||
|
||||
interface RoadmapProps {
|
||||
members: Member[];
|
||||
}
|
||||
|
||||
interface BadgeSectionProps {
|
||||
badgeImage: any;
|
||||
level: string;
|
||||
members: Member[];
|
||||
className: string; // New property for styling
|
||||
}
|
||||
|
||||
const BadgeSection: React.FC<BadgeSectionProps> = ({ badgeImage, level, members, className }) => {
|
||||
const filteredMembers = members?.filter((member) => member.level === level);
|
||||
|
||||
return (
|
||||
<div className="group flex flex-col items-center space-y-6 pt-12 md:flex-row md:space-x-10 md:px-4">
|
||||
<Image
|
||||
src={badgeImage}
|
||||
alt={`${level} badge`}
|
||||
className="h-32 w-32 transition-all delay-100 duration-300 group-hover:-rotate-6 group-hover:scale-110"
|
||||
/>
|
||||
<div className="grid w-full gap-2 md:grid-cols-3">
|
||||
{filteredMembers?.length > 0 ? (
|
||||
filteredMembers?.map((member) => (
|
||||
<Link
|
||||
key={member.githubId}
|
||||
href={`https://github.com/formbricks/formbricks/pulls?q=is:pr+author:${member.githubId}`}
|
||||
target="_blank"
|
||||
className={`flex w-full items-center space-x-3 rounded-xl border px-4 py-1 transition-all hover:scale-105 md:px-5 md:py-2 ${className}`}>
|
||||
<Image
|
||||
src={member.imgUrl}
|
||||
alt={member.githubId}
|
||||
className="mr-3 h-8 w-8 rounded-full md:h-12 md:w-12"
|
||||
width={100}
|
||||
height={100}
|
||||
/>
|
||||
{member.name}
|
||||
</Link>
|
||||
))
|
||||
) : (
|
||||
<div className="text-center text-slate-700">No Legends around yet 👀</div>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export const HallOfFame: React.FC<RoadmapProps> = ({ members }) => {
|
||||
return (
|
||||
<div className="mx-auto space-y-12 divide-y-2">
|
||||
<BadgeSection
|
||||
badgeImage={LegendBadge}
|
||||
level="legend"
|
||||
members={members}
|
||||
className="border-green-300 bg-green-100 text-green-700"
|
||||
/>
|
||||
<BadgeSection
|
||||
badgeImage={PrimeBadge}
|
||||
level="prime"
|
||||
members={members}
|
||||
className="border-indigo-200 bg-indigo-100 text-indigo-700"
|
||||
/>
|
||||
<BadgeSection
|
||||
badgeImage={DeputyBadge}
|
||||
level="deputy"
|
||||
members={members}
|
||||
className="border-orange-200 bg-orange-100 text-orange-700"
|
||||
/>
|
||||
<BadgeSection
|
||||
badgeImage={RookieBadge}
|
||||
level="rookie"
|
||||
members={members}
|
||||
className="border-amber-200 bg-amber-100 text-amber-700"
|
||||
/>
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default HallOfFame;
|
||||
@@ -1,15 +1,15 @@
|
||||
import Logo from "@/images/formtribe/formtribe-logo.png";
|
||||
import { Popover, PopoverContent, PopoverTrigger } from "@formbricks/ui/Popover";
|
||||
import footerLogoDark from "@/images/logo/footerlogo-dark.svg";
|
||||
import { Button } from "@formbricks/ui/Button";
|
||||
import { Popover, PopoverContent, PopoverTrigger } from "@formbricks/ui/Popover";
|
||||
import { Bars3Icon } from "@heroicons/react/24/solid";
|
||||
import Image from "next/image";
|
||||
import Link from "next/link";
|
||||
import { useState } from "react";
|
||||
|
||||
const navigation = [
|
||||
{ name: "How it works", href: "#how" },
|
||||
{ name: "Prizes", href: "#prizes" },
|
||||
{ name: "Leaderboard", href: "#leaderboard" },
|
||||
{ name: "Roadmap", href: "#roadmap" },
|
||||
{ name: "Levels", href: "#levels" },
|
||||
{ name: "Hall of Fame", href: "#hof" },
|
||||
{ name: "FAQ", href: "#faq" },
|
||||
];
|
||||
|
||||
@@ -17,33 +17,30 @@ export default function HeaderLight() {
|
||||
const [mobileNavMenuOpen, setMobileNavMenuOpen] = useState(false);
|
||||
|
||||
return (
|
||||
<div className="mx-auto flex w-full items-center justify-between py-6 sm:px-2 ">
|
||||
<div className="= mx-auto flex w-full max-w-7xl items-center justify-between py-6 sm:px-2 ">
|
||||
<div className="flex items-center justify-start">
|
||||
<Link href="/">
|
||||
<span className="sr-only">FormTribe</span>
|
||||
<Image alt="Formtribe Logo" src={Logo} className="ml-7 h-8 w-auto sm:h-10" />
|
||||
<Image alt="Formbricks Logo" src={footerLogoDark} className="h-8 w-auto pl-4 sm:h-10" />
|
||||
</Link>
|
||||
|
||||
<Link
|
||||
href="https://formbricks.com/github"
|
||||
target="_blank"
|
||||
className="ml-6 mt-1 text-sm text-slate-500 hover:scale-105">
|
||||
className="ml-6 mt-1 text-sm text-slate-300 hover:scale-105">
|
||||
Star us ⭐
|
||||
</Link>
|
||||
</div>
|
||||
|
||||
{/* Desktop Menu */}
|
||||
<div className="hidden items-center gap-x-8 text-slate-700 md:flex">
|
||||
<div className="hidden items-center gap-x-8 text-slate-300 md:flex">
|
||||
{navigation.map((navItem) => (
|
||||
<Link key={navItem.name} href={navItem.href} className="hover:scale-105">
|
||||
{navItem.name}
|
||||
</Link>
|
||||
))}
|
||||
<Button
|
||||
variant="highlight"
|
||||
className="font-kablammo ml-2 bg-gradient-to-br from-[#032E1E] via-[#032E1E] to-[#013C27] text-xl"
|
||||
href="#join">
|
||||
Join
|
||||
<Button variant="secondary" size="sm" className="ml-2" href="https://formbricks.com/discord">
|
||||
Join us!
|
||||
</Button>
|
||||
</div>
|
||||
|
||||
@@ -52,17 +49,17 @@ export default function HeaderLight() {
|
||||
<Popover open={mobileNavMenuOpen} onOpenChange={setMobileNavMenuOpen}>
|
||||
<PopoverTrigger onClick={() => setMobileNavMenuOpen(!mobileNavMenuOpen)}>
|
||||
<span>
|
||||
<Bars3Icon className="h-8 w-8 rounded-md bg-slate-200 p-1 text-slate-600" />
|
||||
<Bars3Icon className="h-8 w-8 rounded-md bg-slate-700 p-1 text-slate-200" />
|
||||
</span>
|
||||
</PopoverTrigger>
|
||||
<PopoverContent className="mr-4 bg-slate-100 shadow">
|
||||
<PopoverContent className="border-slate-600 bg-slate-700 shadow">
|
||||
<div className="flex flex-col">
|
||||
{navigation.map((navItem) => (
|
||||
<Link key={navItem.name} href={navItem.href}>
|
||||
<div
|
||||
onClick={() => setMobileNavMenuOpen(false)}
|
||||
className="flex items-center space-x-2 rounded-md p-2">
|
||||
<span className="font-medium text-slate-600">{navItem.name}</span>
|
||||
<span className="font-medium text-slate-200">{navItem.name}</span>
|
||||
</div>
|
||||
</Link>
|
||||
))}
|
||||
@@ -10,14 +10,10 @@ interface LayoutProps {
|
||||
|
||||
export default function Layout({ title, description, children }: LayoutProps) {
|
||||
return (
|
||||
<div className="max-w-8xl mx-auto">
|
||||
<div className="mx-auto bg-gradient-to-br from-gray-800 via-gray-900 to-gray-900">
|
||||
<MetaInformation title={title} description={description} />
|
||||
<HeaderTribe />
|
||||
{
|
||||
<main className="relative mx-auto flex w-full max-w-6xl flex-col justify-center px-2 lg:px-8 xl:px-12">
|
||||
{children}
|
||||
</main>
|
||||
}
|
||||
<main className="">{children}</main>
|
||||
<Footer />
|
||||
</div>
|
||||
);
|
||||
41
apps/formbricks-com/pages/community/LevelCard.tsx
Normal file
@@ -0,0 +1,41 @@
|
||||
import Image from "next/image";
|
||||
import React from "react";
|
||||
|
||||
import { StaticImageData } from "next/image";
|
||||
|
||||
type Task = {
|
||||
title: string;
|
||||
description: string;
|
||||
};
|
||||
|
||||
type LevelCardProps = {
|
||||
badgeSrc: StaticImageData; // or string if it's a URL
|
||||
badgeAlt: string;
|
||||
title: string;
|
||||
points: string;
|
||||
tasks: Task[];
|
||||
};
|
||||
|
||||
const LevelCard: React.FC<LevelCardProps> = ({ badgeSrc, badgeAlt, title, points, tasks }) => (
|
||||
<div className="group">
|
||||
<div className="flex w-full flex-col items-center rounded-t-xl bg-slate-700 p-10 transition-colors">
|
||||
<Image
|
||||
src={badgeSrc}
|
||||
alt={badgeAlt}
|
||||
className="h-32 w-32 transition-all delay-100 duration-300 group-hover:-rotate-6 group-hover:scale-110"
|
||||
/>
|
||||
<p className="mt-4 text-lg font-bold text-slate-200">{title}</p>
|
||||
<p className="text-sm leading-5 text-slate-400">{points}</p>
|
||||
</div>
|
||||
<div className="w-full rounded-b-xl bg-slate-600 p-10 text-left">
|
||||
{tasks?.map((task, index) => (
|
||||
<React.Fragment key={index}>
|
||||
<p className="font-bold text-slate-200">{task.title}</p>
|
||||
<p className="mb-6 leading-5 text-slate-400">{task.description}</p>
|
||||
</React.Fragment>
|
||||
))}
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
|
||||
export default LevelCard;
|
||||
45
apps/formbricks-com/pages/community/LevelGrid.tsx
Normal file
@@ -0,0 +1,45 @@
|
||||
import Image from "next/image";
|
||||
import Link from "next/link";
|
||||
import { FaGithub } from "react-icons/fa6";
|
||||
|
||||
type Contributor = {
|
||||
githubId: string;
|
||||
imgUrl: string;
|
||||
name: string;
|
||||
};
|
||||
|
||||
type LevelGridProps = {
|
||||
contributors: Contributor[];
|
||||
};
|
||||
|
||||
const LevelGrid: React.FC<LevelGridProps> = ({ contributors }) => {
|
||||
return (
|
||||
<div className="-mt-64 grid scale-105 grid-cols-4 gap-6 md:-mt-32 md:grid-cols-8">
|
||||
{contributors?.map((contributor, index) => (
|
||||
<div key={index} className={`col-span-1 ${index % 2 !== 0 ? "-mt-8" : ""}`}>
|
||||
<Link
|
||||
href={`https://github.com/${contributor.githubId}`}
|
||||
target="_blank"
|
||||
rel="noopener noreferrer"
|
||||
className="group transition-transform">
|
||||
<div className="bg-brand-dark mx-auto -mb-12 flex w-fit max-w-[90%] items-center justify-center rounded-t-xl px-4 pb-3 pt-1 text-sm text-slate-100 transition-all group-hover:-mt-12 group-hover:mb-0">
|
||||
<FaGithub className="mr-2 h-4 w-4" />
|
||||
<p className="max-w-[100px] overflow-hidden text-ellipsis whitespace-nowrap">
|
||||
{contributor.githubId}
|
||||
</p>
|
||||
</div>
|
||||
<Image
|
||||
src={contributor.imgUrl}
|
||||
alt={contributor.name}
|
||||
className="ring-brand-dark rounded-lg ring-offset-4 ring-offset-slate-900 transition-all hover:scale-110 hover:ring-1"
|
||||
width={500}
|
||||
height={500}
|
||||
/>
|
||||
</Link>
|
||||
</div>
|
||||
))}
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default LevelGrid;
|
||||
67
apps/formbricks-com/pages/community/Roadmap.tsx
Normal file
@@ -0,0 +1,67 @@
|
||||
import { Button } from "@formbricks/ui/Button";
|
||||
import { ChevronDownIcon } from "@heroicons/react/24/outline";
|
||||
import Link from "next/link";
|
||||
import { FaGithub } from "react-icons/fa6";
|
||||
|
||||
interface Event {
|
||||
name: string;
|
||||
link?: string;
|
||||
}
|
||||
|
||||
interface EventBlock {
|
||||
id: string;
|
||||
description: string;
|
||||
period: string;
|
||||
events: Event[];
|
||||
}
|
||||
|
||||
interface RoadmapProps {
|
||||
data: EventBlock[];
|
||||
}
|
||||
|
||||
export const Roadmap: React.FC<RoadmapProps> = ({ data }) => {
|
||||
return (
|
||||
<div className="px-6 text-left">
|
||||
{data?.map((eventblock) => (
|
||||
<div key={eventblock.id} className="relative mb-6 border-l-2 border-slate-400 pb-2 pl-12">
|
||||
<h3 className="my-4 hidden pt-2 font-semibold text-slate-800 md:block">
|
||||
{eventblock.description} • <span className="font-normal">{eventblock.period}</span>
|
||||
</h3>
|
||||
<h3 className="my-4 block pt-2 font-semibold text-slate-800 md:hidden">
|
||||
{eventblock.description} <br></br> <span className="font-normal">{eventblock.period}</span>
|
||||
</h3>
|
||||
{eventblock?.events?.map((event) => (
|
||||
<div key={event.name}>
|
||||
{event.link ? (
|
||||
<Link
|
||||
href={event.link}
|
||||
target="_blank"
|
||||
className="group mb-2 flex max-w-fit justify-between rounded-xl border border-slate-200 bg-slate-100 px-6 py-3 text-slate-700 transition-all hover:scale-105 hover:border-slate-300 hover:bg-slate-200">
|
||||
{event.name}
|
||||
<FaGithub className="ml-0 inline-block h-6 w-0 text-slate-800 opacity-0 transition-all group-hover:ml-6 group-hover:w-6 group-hover:opacity-100" />
|
||||
</Link>
|
||||
) : (
|
||||
<div className="mb-2 block max-w-fit rounded-xl border border-slate-200 bg-slate-100 px-6 py-3 text-slate-700 transition-all">
|
||||
{event.name}
|
||||
</div>
|
||||
)}
|
||||
</div>
|
||||
))}
|
||||
{eventblock.id === "phlaunch" && (
|
||||
<Button
|
||||
href="https://formbricks.com/discord"
|
||||
target="_blank"
|
||||
variant="darkCTA"
|
||||
className="rounded-xl px-5 py-2 text-base transition-all hover:scale-105">
|
||||
What’s next? Request Features
|
||||
</Button>
|
||||
)}
|
||||
<ChevronDownIcon className="absolute -left-[17px] -mt-3 h-8 w-8 text-slate-400" />
|
||||
</div>
|
||||
))}
|
||||
<h3 className="text-xl font-bold">Internet Domination 😇</h3>
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default Roadmap;
|
||||
723
apps/formbricks-com/pages/community/index.tsx
Normal file
@@ -0,0 +1,723 @@
|
||||
import ArrowGift from "@/images/formtribe/arrow-gift.png";
|
||||
import HoodieSticker from "@/images/formtribe/arrow-hoodie.png";
|
||||
import ArrowSticker from "@/images/formtribe/arrow-stickers.png";
|
||||
import DeputyBadge from "@/images/formtribe/deputy-batch.png";
|
||||
import LegendBadge from "@/images/formtribe/legend-batch.png";
|
||||
import PrimeBadge from "@/images/formtribe/prime-batch.png";
|
||||
import RookieBadge from "@/images/formtribe/rookie-batch.png";
|
||||
import HallOfFame from "@/pages/community/HallOfFame";
|
||||
import Roadmap from "@/pages/community/Roadmap";
|
||||
import LoadingSpinner from "@formbricks/ui/LoadingSpinner";
|
||||
import { Tooltip, TooltipContent, TooltipProvider, TooltipTrigger } from "@formbricks/ui/Tooltip";
|
||||
import Image from "next/image";
|
||||
import Link from "next/link";
|
||||
import { useEffect } from "react";
|
||||
import ContributorGrid from "./ContributorGrid";
|
||||
import LayoutTribe from "./LayoutTribe";
|
||||
import LevelCard from "./LevelCard";
|
||||
import LevelsGrid from "./LevelGrid";
|
||||
|
||||
/* const SideQuests = [
|
||||
{
|
||||
points: "Spread the Word Tweet (100 Points)",
|
||||
quest: "Tweet “🧱🚀” on the day of the ProductHunt launch to spread the word.",
|
||||
proof: "Share the link to the tweet in the “side-quest” channel.",
|
||||
},
|
||||
{
|
||||
points: "Meme Magic (50 Points + up to 100 Points)",
|
||||
quest:
|
||||
"Craft a meme where a brick plays a role. For extra points, tweet it, tag us and score +5 for each like.",
|
||||
proof: "Share meme or link to the tweet in the “side-quest” channel.",
|
||||
},
|
||||
{
|
||||
points: "GIF Magic (100 Points)",
|
||||
quest:
|
||||
"Create a branded gif related to Formbricks. Upload it to Giphy. For extra points, tweet it, tag us and score +5 for each like.",
|
||||
proof: "Share link to Giphy in the “side-quest” channel.",
|
||||
},
|
||||
{
|
||||
points: "Design a background (250 Points)",
|
||||
quest: "Illustrate a captivating background for survey enthusiasts (more infos on Notion).",
|
||||
proof: "Share the design in the “side-quest” channel.",
|
||||
},
|
||||
{
|
||||
points: "Starry-eyed Supporter (250 Points)",
|
||||
quest: "Get five friends to star our repository.",
|
||||
proof: "Share 5 screenshots of the chats where you asked them and they confirmed + their GitHub names",
|
||||
},
|
||||
{
|
||||
points: "Bug Hunter (100 Points)",
|
||||
quest:
|
||||
"Find and report any bugs in our core product. We will close all bugs on the landing page bc we don't have time for that before the launch :)",
|
||||
proof: "Open a bug issue in our repository.",
|
||||
},
|
||||
{
|
||||
points: "Brickify someone famous with AI (200 Points + up to 100 Points)",
|
||||
quest:
|
||||
"Find someone whose name would be funny as a play on words with “brick”. Then, with the help of AI, create a brick version of this person like Brick Astley, Brickj Minaj, etc. For extra points, tweet it, tag us and score +5 for each like.",
|
||||
proof: "Share your art or link to the tweet in the “side-quest” channel.",
|
||||
},
|
||||
{
|
||||
points: "Community Connector (50 points each, up to 250 points)",
|
||||
quest:
|
||||
"Introduce and onboard new members to the community. Have them join Discord and reply to their automated welcome message with your discord handle (in “say-hi” channel).",
|
||||
proof: "New member joined and commented with your Discord handle",
|
||||
},
|
||||
{
|
||||
points: "Feedback Fanatic (50 Points)",
|
||||
quest: "Fill out our feedback survey after the hackathon with suggestions for improvement.",
|
||||
proof: "Submit the survey.",
|
||||
},
|
||||
{
|
||||
points: "Side Quest Babo (500 Points)",
|
||||
quest: "Complete all side quests.",
|
||||
proof: "All quests marked as completed.",
|
||||
},
|
||||
]; */
|
||||
|
||||
const LevelsData = [
|
||||
{
|
||||
badgeSrc: RookieBadge,
|
||||
badgeAlt: "Rookie Badge",
|
||||
title: "Repository Rookie",
|
||||
points: "Level 1",
|
||||
tasks: [
|
||||
{ title: "Easy issues", description: "Warm up with the repo, get your first PR merged." },
|
||||
{ title: "DevRel tasks", description: "Write docs and manuals for better understanding." },
|
||||
],
|
||||
},
|
||||
{
|
||||
badgeSrc: DeputyBadge,
|
||||
badgeAlt: "Deputy Badge",
|
||||
title: "Deploy Deputy",
|
||||
points: "Level 2",
|
||||
tasks: [
|
||||
{ title: "Core Contributions", description: "Work on more complex issues. Get guidance." },
|
||||
{ title: "Work with core team", description: "Work closely with the core team, learn faster." },
|
||||
],
|
||||
},
|
||||
{
|
||||
badgeSrc: PrimeBadge,
|
||||
badgeAlt: "Prime Badge",
|
||||
title: "Pushmaster Prime",
|
||||
points: "Level 3",
|
||||
tasks: [
|
||||
{ title: "Cash Bounties", description: "Get access to issues with $$$ bounties." },
|
||||
{ title: "Job Listings", description: "We hire top contributors. Hear about new jobs first!" },
|
||||
],
|
||||
},
|
||||
{
|
||||
badgeSrc: LegendBadge,
|
||||
badgeAlt: "Legend Badge",
|
||||
title: "Formbricks Legend",
|
||||
points: "Special Honor",
|
||||
tasks: [{ title: "Unconditional Love", description: "Finally. From the community and core team 🤍" }],
|
||||
},
|
||||
];
|
||||
|
||||
const TheDeal = [
|
||||
{
|
||||
os: "100% free",
|
||||
free: "Unlimited Surveys",
|
||||
pro: "Custom URL",
|
||||
},
|
||||
{
|
||||
os: "All community features included",
|
||||
free: "Unlimited Link Survey Submissions",
|
||||
pro: "Remove Branding",
|
||||
},
|
||||
{
|
||||
os: "It's your storage, go nuts!",
|
||||
free: "Upload Limit 10 MB",
|
||||
pro: "Unlimited Uploads",
|
||||
},
|
||||
{
|
||||
os: "Hook up your own Stripe",
|
||||
free: "Payments with 2% Mark Up",
|
||||
pro: "Remove Mark Up from Payments",
|
||||
},
|
||||
{
|
||||
os: "Your server, your rules",
|
||||
free: "Invite Team Members",
|
||||
pro: "",
|
||||
},
|
||||
{
|
||||
os: "The 'Do what you want' plan",
|
||||
free: "Verify Email before Submission",
|
||||
pro: "",
|
||||
},
|
||||
{
|
||||
os: "at this point I'm just filling rows",
|
||||
free: "Partial Submissions",
|
||||
pro: "",
|
||||
},
|
||||
{
|
||||
os: "I should stop",
|
||||
free: "Custom Thank You Page",
|
||||
pro: "",
|
||||
},
|
||||
|
||||
{
|
||||
os: "ok one more",
|
||||
free: "Close Survey after Submission Limit",
|
||||
pro: "",
|
||||
},
|
||||
{
|
||||
os: "no flavor like free flavor",
|
||||
free: "Custom Survey Closed Message",
|
||||
pro: "",
|
||||
},
|
||||
{
|
||||
os: "...",
|
||||
free: "Close Survey on Date",
|
||||
pro: "",
|
||||
},
|
||||
{
|
||||
free: "Redirect on Completion",
|
||||
pro: "",
|
||||
},
|
||||
{
|
||||
free: "+ all upcoming community-built features",
|
||||
pro: "",
|
||||
},
|
||||
];
|
||||
|
||||
const FAQ = [
|
||||
{
|
||||
question: "Why do I have to sign a CLA?",
|
||||
answer:
|
||||
"To assure this project to be financially viable, we have to be able to relicense the code for enterprise customers and governments. To be able to do so, we are legally obliged to have you sign a CLA.",
|
||||
},
|
||||
{
|
||||
question: "Where will this be hosted?",
|
||||
answer:
|
||||
"We offer a Formbricks Cloud hosted in Germany with a generous free plan but you can also easily self-host using Docker.",
|
||||
},
|
||||
{
|
||||
question: "Why is there a Commercial plan?",
|
||||
answer:
|
||||
"The commercial plan is for features who break the OSS WIN-WIN Loop or incur additional cost. We charge 29$ if you want a custom domain, remove Formbricks branding, collect large files in surveys or collect payments. We think that’s fair :)",
|
||||
},
|
||||
{
|
||||
question: "Are your in app surveys also free forever?",
|
||||
answer:
|
||||
"The in app surveys you can run with Formbricks are not part of this Deal. We offer a generous free plan but keep full control over the pricing in the long run. In app surveys are really powerful for products with thousands of users and something has to bring in the dollars.",
|
||||
},
|
||||
|
||||
{
|
||||
question: "Can anyone join?",
|
||||
answer:
|
||||
"Yes! Even when you don’t know how to write code you can become part of the community completing side quests. As long as you know how to open a PR you are very welcome to take part irrespective of your age, gender, nationality, food preferences, taste in clothing and favorite Pokemon.",
|
||||
},
|
||||
{
|
||||
question: "How do I level up?",
|
||||
answer:
|
||||
"Every PR gives you points - doesn’t matter if it’s for code related tasks or non-code ones. With every point, you move closer to levelling up!",
|
||||
},
|
||||
];
|
||||
|
||||
const roadmapDates = [
|
||||
{
|
||||
id: "earlywork",
|
||||
description: "Previously at Formbricks",
|
||||
period: "February until September 2023",
|
||||
events: [{ name: "Formbricks team building out surveying infrastructure" }],
|
||||
},
|
||||
{
|
||||
id: "hackathon",
|
||||
description: "Hackathon Kick-Off 🔥",
|
||||
period: "1st October 2023",
|
||||
events: [
|
||||
{ name: "✅ Email Embeds", link: "https://github.com/formbricks/formbricks/pull/873" },
|
||||
{ name: "✅ Hidden Fields", link: "https://github.com/formbricks/formbricks/pull/1144" },
|
||||
{
|
||||
name: "✅ Question Type: Picture Choice",
|
||||
link: "https://github.com/formbricks/formbricks/pull/1388",
|
||||
},
|
||||
{ name: "✅ Question Type: Welcome Card", link: "https://github.com/formbricks/formbricks/pull/1073" },
|
||||
{ name: "✅ Add Image to Question", link: "https://github.com/formbricks/formbricks/pull/1305" },
|
||||
{ name: "✅ Dynamic Link Previews", link: "https://github.com/formbricks/formbricks/pull/1093" },
|
||||
{ name: "✅ Fullscreen Previews", link: "https://github.com/formbricks/formbricks/pull/898" },
|
||||
{ name: "✅ PIN protected surveys", link: "https://github.com/formbricks/formbricks/pull/1142" },
|
||||
{ name: "✅ Source Tracking", link: "https://github.com/formbricks/formbricks/pull/1486" },
|
||||
{ name: "✅ Time To Complete Indicator", link: "https://github.com/formbricks/formbricks/pull/1461" },
|
||||
],
|
||||
},
|
||||
{
|
||||
id: "phlaunch",
|
||||
description: "Product Hunt Launch 🚀",
|
||||
period: "31st October 2023",
|
||||
events: [
|
||||
{ name: "✅ Question Type: File Upload", link: "https://github.com/formbricks/formbricks/pull/1277" },
|
||||
{ name: "✅ Notion Integration", link: "https://github.com/formbricks/formbricks/pull/1197" },
|
||||
{ name: "✅ Media Backgrounds", link: "https://github.com/formbricks/formbricks/pull/1515" },
|
||||
{ name: "🚧 Custom Styling", link: "https://github.com/formbricks/formbricks/pull/916" },
|
||||
{ name: "🚧 Recall Information", link: "https://github.com/formbricks/formbricks/issues/884" },
|
||||
{ name: "⏳ Unsplash Backgrounds" },
|
||||
{ name: "⏳ Question Type: Matrix" },
|
||||
{ name: "⏳ Question Type: Collect payment" },
|
||||
{ name: "⏳Question Type: Schedule a call (Powered by Cal.com)" },
|
||||
{ name: "⏳ Question Type: Signature (Powered by Documenso)" },
|
||||
],
|
||||
},
|
||||
];
|
||||
|
||||
const members = [
|
||||
{
|
||||
name: "Shubham Palriwala",
|
||||
githubId: "ShubhamPalriwala",
|
||||
points: "100",
|
||||
level: "prime",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/55556994?v=4",
|
||||
},
|
||||
{
|
||||
name: "Rotimi Best",
|
||||
githubId: "rotimi-best",
|
||||
points: "100",
|
||||
level: "prime",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/31730715?v=4",
|
||||
},
|
||||
{
|
||||
name: "Dhruwang Jariwala",
|
||||
githubId: "Dhruwang",
|
||||
points: "100",
|
||||
level: "prime",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/67850763?v=4",
|
||||
},
|
||||
{
|
||||
name: "Piyush Gupta",
|
||||
githubId: "gupta-piyush19",
|
||||
points: "100",
|
||||
level: "prime",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/56182734?v=4",
|
||||
},
|
||||
{
|
||||
name: "Naitik Kapadia",
|
||||
githubId: "KapadiaNaitik",
|
||||
points: "100",
|
||||
level: "deputy",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/88614335?v=4",
|
||||
},
|
||||
{
|
||||
name: "Anshuman Pandey",
|
||||
githubId: "pandeymangg",
|
||||
points: "100",
|
||||
level: "prime",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/54475686?v=4",
|
||||
},
|
||||
{
|
||||
name: "Midka",
|
||||
githubId: "kymppi",
|
||||
points: "100",
|
||||
level: "deputy",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/48528700?v=4",
|
||||
},
|
||||
{
|
||||
name: "Meet Patel",
|
||||
githubId: "Meetcpatel",
|
||||
points: "100",
|
||||
level: "rookie",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/26919832?v=4",
|
||||
},
|
||||
{
|
||||
name: "Ankur Datta",
|
||||
githubId: "Ankur-Datta-4",
|
||||
points: "100",
|
||||
level: "rookie",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/75306530?v=4",
|
||||
},
|
||||
{
|
||||
name: "Abhinav Arya",
|
||||
githubId: "itzabhinavarya",
|
||||
points: "100",
|
||||
level: "rookie",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/95561280?v=4",
|
||||
},
|
||||
{
|
||||
name: "Anjy Gupta",
|
||||
githubId: "anjy7",
|
||||
points: "100",
|
||||
level: "deputy",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/92802904?v=4",
|
||||
},
|
||||
{
|
||||
name: "Aditya Deshlahre",
|
||||
githubId: "adityadeshlahre",
|
||||
points: "100",
|
||||
level: "rookie",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/132184385?v=4",
|
||||
},
|
||||
{
|
||||
name: "Ashutosh Bhadauriya",
|
||||
githubId: "Ashutosh-Bhadauriya",
|
||||
points: "100",
|
||||
level: "rookie",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/62984427?v=4",
|
||||
},
|
||||
{
|
||||
name: "Bilal Mirza",
|
||||
githubId: "bilalmirza74",
|
||||
points: "100",
|
||||
level: "rookie",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/84387676?v=4",
|
||||
},
|
||||
{
|
||||
name: "Timothy",
|
||||
githubId: "timothyde",
|
||||
points: "100",
|
||||
level: "rookie",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/13225886?v=4",
|
||||
},
|
||||
{
|
||||
name: "Jonas Höbenreich",
|
||||
githubId: "jonas-hoebenreich",
|
||||
points: "100",
|
||||
level: "rookie",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/64426524?v=4",
|
||||
},
|
||||
{
|
||||
name: "Pratik Awaik",
|
||||
githubId: "PratikAwaik",
|
||||
points: "100",
|
||||
level: "deputy",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/54103265?v=4",
|
||||
},
|
||||
{
|
||||
name: "Rohan Gupta",
|
||||
githubId: "rohan9896",
|
||||
points: "100",
|
||||
level: "rookie",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/56235204?v=4",
|
||||
},
|
||||
{
|
||||
name: "Shubham Khunt",
|
||||
githubId: "shubhamkhunt04",
|
||||
points: "100",
|
||||
level: "rookie",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/55044317?v=4",
|
||||
},
|
||||
{
|
||||
name: "Joe",
|
||||
githubId: "joe-shajan",
|
||||
points: "100",
|
||||
level: "rookie",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/69904519?v=4",
|
||||
},
|
||||
{
|
||||
name: "Ty Kerr",
|
||||
githubId: "ty-kerr",
|
||||
points: "100",
|
||||
level: "deputy",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/17407010?v=4",
|
||||
},
|
||||
{
|
||||
name: "Olasunkanmi Balogun",
|
||||
githubId: "SiR-PENt",
|
||||
points: "100",
|
||||
level: "rookie",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/80556643?v=4",
|
||||
},
|
||||
{
|
||||
name: "Ronit Panda",
|
||||
githubId: "rtpa25",
|
||||
points: "100",
|
||||
level: "deputy",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/72537293?v=4",
|
||||
},
|
||||
{
|
||||
name: "Nafees Nazik",
|
||||
githubId: "G3root",
|
||||
points: "100",
|
||||
level: "deputy",
|
||||
imgUrl: "https://avatars.githubusercontent.com/u/84864519?v=4",
|
||||
},
|
||||
];
|
||||
|
||||
export default function FormTribeHackathon() {
|
||||
// dark mode fix
|
||||
useEffect(() => {
|
||||
document.documentElement.classList.remove("dark");
|
||||
}, []);
|
||||
return (
|
||||
<LayoutTribe
|
||||
title="Join the FormTribe"
|
||||
description="We build an Open Source Typeform alternative together and give it to the world. Join us!">
|
||||
{/* Header */}
|
||||
|
||||
<div className="flex h-full w-full flex-col items-center justify-center overflow-clip text-center">
|
||||
<div className="py-16 md:py-24">
|
||||
<h1 className="mt-10 px-6 text-3xl font-bold text-slate-100 sm:text-4xl md:text-5xl">
|
||||
<span className="xl:inline">
|
||||
Beautiful Open Source Surveys. <br className="hidden md:block"></br>Built as a community, free
|
||||
forever.
|
||||
</span>
|
||||
</h1>
|
||||
|
||||
<p className="xs:max-w-none mx-auto mt-3 max-w-xs text-base text-slate-300 sm:text-lg md:mt-6 md:text-xl">
|
||||
The time is ripe, this is needed. So we ship it as a community - and give it back to the world!
|
||||
<br></br>Join us and build surveying infrastructure for millions - free and open source.
|
||||
</p>
|
||||
</div>
|
||||
<ContributorGrid contributors={members} />
|
||||
</div>
|
||||
|
||||
{/* Roadmap */}
|
||||
<div
|
||||
className="flex flex-col items-center justify-center bg-gradient-to-br from-white to-slate-100 pb-12 text-center md:pb-24"
|
||||
id="roadmap">
|
||||
<div className="py-16 md:py-24">
|
||||
<h2 className="mt-10 text-2xl font-bold text-slate-800 sm:text-3xl md:text-4xl">
|
||||
<span className="xl:inline">
|
||||
First Things First: <br></br>An Open Source Typeform Alternative
|
||||
</span>
|
||||
</h2>
|
||||
<p className="xs:max-w-none mx-auto mt-3 max-w-xs text-base text-slate-600 sm:text-lg md:mt-6 md:text-xl">
|
||||
It's been requested many times over, so Typeform-like surveys is where we start.
|
||||
<br></br>In October, we kicked it off in style with a 30-day hackathon.
|
||||
</p>
|
||||
</div>
|
||||
<Roadmap data={roadmapDates} />
|
||||
</div>
|
||||
|
||||
{/* Levels */}
|
||||
<div
|
||||
className="mb-12 flex flex-col items-center justify-center overflow-clip text-center lg:mb-40"
|
||||
id="levels">
|
||||
<LevelsGrid contributors={members} />
|
||||
<div className="py-16 md:py-24">
|
||||
<h2 className="mt-10 px-8 text-2xl font-bold text-slate-100 sm:text-3xl md:text-4xl">
|
||||
<span className="xl:inline">Write Code, Level Up and Unlock Benefits</span>
|
||||
</h2>
|
||||
<p className="xs:max-w-none mx-auto mt-3 max-w-xs text-base text-slate-300 sm:text-lg md:mt-6 md:text-xl">
|
||||
The more you contribute, the more points you collect.
|
||||
<br className="hidden md:block"></br> Unlock benefits like cash bounties, limited merch and more!
|
||||
</p>
|
||||
</div>
|
||||
<div className="max-w-8xl grid gap-6 px-8 md:grid-cols-4 lg:px-24">
|
||||
{LevelsData.map((badge, index) => (
|
||||
<LevelCard key={index} {...badge} />
|
||||
))}
|
||||
</div>
|
||||
<div className="max-w-8xl mt-8 grid grid-cols-3 gap-4 px-56">
|
||||
<div className="px-8">
|
||||
<p className="h-0 text-lg font-bold text-slate-300">+ Sticker Set</p>
|
||||
<Image src={ArrowSticker} alt="rookie batch" className="" />
|
||||
</div>
|
||||
<div className="px-8">
|
||||
<p className="h-0 text-lg font-bold text-slate-300">+ Hoodie</p>
|
||||
<Image src={HoodieSticker} alt="rookie batch" className="" />
|
||||
</div>
|
||||
<div className="px-8">
|
||||
<p className="h-0 text-lg font-bold text-slate-300">+ Handmade Gift</p>
|
||||
<Image src={ArrowGift} alt="rookie batch" className="" />
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
{/* Become a Legend */}
|
||||
<div
|
||||
className="flex flex-col items-center justify-center bg-gradient-to-br from-white to-slate-100 pb-24 text-center"
|
||||
id="hof">
|
||||
<div className="py-16 md:py-24">
|
||||
<h2 className="mt-10 text-2xl font-bold text-slate-800 sm:text-3xl md:text-4xl">
|
||||
<span className="xl:inline">
|
||||
Become a<br className="md:hidden"></br> Formbricks Legend
|
||||
</span>
|
||||
</h2>
|
||||
<p className="xs:max-w-none mx-auto mt-3 max-w-xs text-base text-slate-600 sm:text-lg md:mt-6 md:text-xl">
|
||||
This is your wall of fame. We’re honoured to be in this together!
|
||||
</p>
|
||||
</div>
|
||||
<HallOfFame members={members} />
|
||||
</div>
|
||||
|
||||
{/* Our values */}
|
||||
<div className="mb-24 flex flex-col items-center justify-center text-center md:mb-40">
|
||||
<div className="py-16 md:py-24">
|
||||
<h2 className="mt-10 text-2xl font-bold text-slate-100 sm:text-3xl md:text-4xl">
|
||||
<span className="xl:inline">Our values</span>
|
||||
</h2>
|
||||
<p className="xs:max-w-none mx-auto mt-3 max-w-xs text-base text-slate-300 sm:text-lg md:mt-6 md:text-xl">
|
||||
Apart from being decent human beings, this is what we value:
|
||||
</p>
|
||||
</div>
|
||||
<div className="max-w-8xl grid gap-x-6 gap-y-6 px-8 md:grid-cols-3 md:px-16">
|
||||
<ValueCard
|
||||
emoji="🧘♂️"
|
||||
title="Less is more."
|
||||
description="Like with friends, we’re about forming deep and meaningful relationships within our community. If you want to merge a PR with improved punctuation to catch a green square, this is likely not the right place for you :)"
|
||||
/>
|
||||
<ValueCard
|
||||
emoji="🤝"
|
||||
title="Show up & Pull through."
|
||||
description="When you pick a task up, please make sure to complete it in timely manner. The longer it floats around, the more merge conflicts arise."
|
||||
/>
|
||||
<ValueCard
|
||||
emoji="🍔"
|
||||
title="Only bite off what you can chew."
|
||||
description="Open source is all about learning and so is our community. We love help you learn but have to manage our resources well. Please don’t take up tasks far outside your area of competence."
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
{/* Side Quests
|
||||
<div className="mt-16" id="side-quests">
|
||||
<h3 className="font-kablammo my-4 text-4xl text-slate-800">🏰 Side Quests: Increase your chances</h3>
|
||||
<p className="w-3/4 text-slate-600">
|
||||
While code contributions are what gives the most points, everyone gets to bump up their chance of
|
||||
winning. Here is a list of side quests you can complete:
|
||||
</p>
|
||||
<div className="mt-8">
|
||||
<TooltipProvider delayDuration={50}>
|
||||
{SideQuests.map((quest) => (
|
||||
<div key={quest.points}>
|
||||
<Tooltip>
|
||||
<TooltipTrigger>
|
||||
<div className="mb-2 flex items-center gap-x-6">
|
||||
<div className="text-2xl">✅</div>
|
||||
<p className="text-left font-bold text-slate-700">
|
||||
{quest.points}: <span className="font-normal">{quest.quest}</span>
|
||||
</p>
|
||||
</div>
|
||||
</TooltipTrigger>
|
||||
<TooltipContent side={"top"}>
|
||||
<p className="py-2 text-center text-slate-500 dark:text-slate-400">
|
||||
<p className="mt-1 text-sm text-slate-600">Proof: {quest.proof}</p>
|
||||
</p>
|
||||
</TooltipContent>
|
||||
</Tooltip>
|
||||
</div>
|
||||
))}
|
||||
</TooltipProvider>
|
||||
</div>
|
||||
<Button
|
||||
variant="darkCTA"
|
||||
href="https://formbricks.notion.site/FormTribe-Side-Quests-4ab3b294cfa04e94b77dfddd66378ea2?pvs=4"
|
||||
target="_blank"
|
||||
className="mt-6 bg-gradient-to-br from-[#032E1E] via-[#032E1E] to-[#013C27] text-white ">
|
||||
Keep track with Notion Template
|
||||
</Button>
|
||||
</div> */}
|
||||
|
||||
{/* The Promise */}
|
||||
<div className="flex flex-col items-center justify-center bg-gradient-to-br from-white to-slate-100 pb-24 text-center">
|
||||
<div className="py-16 md:py-24">
|
||||
<h2 className="mt-10 text-2xl font-bold text-slate-800 sm:text-3xl md:text-4xl">
|
||||
<span className="xl:inline">The Deal</span>
|
||||
</h2>
|
||||
<p className="xs:max-w-none mx-auto mt-3 max-w-xs text-base text-slate-600 sm:text-lg md:mt-6 md:text-xl">
|
||||
We're kinda making a handshake agreement here. This is it:
|
||||
</p>
|
||||
</div>
|
||||
<div className="mx-auto max-w-4xl px-4">
|
||||
<div>
|
||||
<div className="grid grid-cols-2 items-end rounded-t-lg border border-slate-200 bg-slate-100 px-6 py-3 text-sm font-bold text-slate-800 sm:text-base md:grid-cols-3">
|
||||
<div>Self-hosted</div>
|
||||
<div>Formbricks Cloud</div>
|
||||
<TooltipProvider delayDuration={50}>
|
||||
<Tooltip>
|
||||
<TooltipTrigger asChild>
|
||||
<div className="hidden md:block">
|
||||
Formbricks Cloud Pro{" "}
|
||||
<span className="ml-1 hidden rounded-full bg-slate-700 px-2 text-xs font-normal text-white sm:inline">
|
||||
Why tho?
|
||||
</span>
|
||||
</div>
|
||||
</TooltipTrigger>
|
||||
<TooltipContent sideOffset={5} className="max-w-lg font-normal">
|
||||
You can always self-host to get all features free.
|
||||
</TooltipContent>
|
||||
</Tooltip>
|
||||
</TooltipProvider>
|
||||
</div>
|
||||
|
||||
{TheDeal.map((feature) => (
|
||||
<div
|
||||
key={feature.free}
|
||||
className="grid grid-cols-2 gap-x-2 border-x border-b border-slate-200 px-6 py-3 text-sm text-slate-900 last:rounded-b-lg md:grid-cols-3">
|
||||
<div>{feature.os}</div>
|
||||
<div>{feature.free}</div>
|
||||
<div className="hidden md:block">{feature.pro}</div>
|
||||
</div>
|
||||
))}
|
||||
</div>
|
||||
<div className="rounded-lg-12 mt-6 grid-cols-6 rounded-lg bg-slate-100 py-12 sm:grid">
|
||||
<div className="col-span-1 mr-8 flex items-center justify-center sm:justify-end">
|
||||
<div className="flex h-12 w-12 items-center justify-center rounded-full bg-white text-3xl">
|
||||
🤓
|
||||
</div>
|
||||
</div>
|
||||
<div className="col-span-5 px-8 text-left sm:px-0">
|
||||
<h3 className="mt-4 text-lg font-semibold text-slate-700 sm:mt-0">
|
||||
Are Formbricks in-app surveys also free?
|
||||
</h3>
|
||||
<p className="text-slate-500 sm:pr-16">
|
||||
Just a heads-up: this deal doesn't cover Formbricks' in-app surveys. We've got
|
||||
a solid free plan, but we've gotta keep some control over pricing to keep things running
|
||||
long-term.
|
||||
</p>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
{/* Get started */}
|
||||
<div className=" mb-40 flex flex-col items-center justify-center text-center">
|
||||
<div className="py-16 md:py-24">
|
||||
<h2 className="mt-10 text-2xl font-bold text-slate-100 sm:text-3xl md:text-4xl">
|
||||
<span className="xl:inline">Get started</span>
|
||||
</h2>
|
||||
<p className="xs:max-w-none mx-auto mt-3 max-w-xs text-base italic text-slate-300 sm:text-lg md:mt-6 md:text-xl">
|
||||
We're still setting things up,{" "}
|
||||
<Link
|
||||
href="https://formbricks.com/discord"
|
||||
className="decoration-brand-dark underline underline-offset-2">
|
||||
join our Discord
|
||||
</Link>{" "}
|
||||
to stay in the loop :)
|
||||
</p>
|
||||
</div>
|
||||
<LoadingSpinner />
|
||||
</div>
|
||||
|
||||
{/* FAQ */}
|
||||
<div id="faq" className="bg-gradient-to-br from-white to-slate-100 px-8 pb-24 lg:px-32 ">
|
||||
<div className="max-w-6xl">
|
||||
<div className="py-16 md:py-24 ">
|
||||
<h2 className="mt-10 text-2xl font-bold text-slate-800 sm:text-3xl md:text-4xl">
|
||||
<span className="xl:inline">FAQ</span>
|
||||
</h2>
|
||||
<p className="xs:max-w-none mx-auto mt-3 max-w-xs text-base text-slate-600 sm:text-lg md:mt-6 md:text-xl">
|
||||
Anything unclear?
|
||||
</p>
|
||||
</div>
|
||||
|
||||
{FAQ.map((question) => (
|
||||
<div key={question.question} className="">
|
||||
<div>
|
||||
<h3 className="mt-6 text-lg font-bold text-slate-700">{question.question} </h3>
|
||||
<p className="text-slate-600">{question.answer}</p>
|
||||
</div>
|
||||
</div>
|
||||
))}
|
||||
</div>
|
||||
</div>
|
||||
</LayoutTribe>
|
||||
);
|
||||
}
|
||||
|
||||
const ValueCard = ({ title, description, emoji }) => {
|
||||
return (
|
||||
<div className="rounded-xl bg-slate-800 p-3 text-left">
|
||||
<div className="mb-4 flex h-24 items-center justify-center rounded-xl border border-slate-600 bg-slate-700 text-6xl">
|
||||
{emoji}
|
||||
</div>
|
||||
<div className="px-2">
|
||||
<h2 className="text-xl font-bold text-slate-300">
|
||||
<span className="xl:inline">{title}</span>
|
||||
</h2>
|
||||
<p className=" leading-6 text-slate-400">{description}</p>
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
};
|
||||
@@ -97,7 +97,7 @@ const linkSurveys = {
|
||||
{ name: "Custom Styling", free: true, paid: true, comingSoon: true },
|
||||
{ name: "Recall Information", free: true, paid: true, comingSoon: true },
|
||||
{ name: "Collect Payments, Signatures and Appointments", free: true, paid: true, comingSoon: true },
|
||||
{ name: "Custom URL", free: false, paid: true },
|
||||
{ name: "Custom URL", free: false, paid: true, comingSoon: true },
|
||||
{ name: "Remove Formbricks Branding", free: false, paid: true },
|
||||
],
|
||||
|
||||
|
||||
@@ -15,23 +15,23 @@
|
||||
"@formbricks/ui": "workspace:*",
|
||||
"react": "^18.2.0",
|
||||
"react-dom": "^18.2.0",
|
||||
"storybook": "^7.4.6"
|
||||
"storybook": "^7.6.3"
|
||||
},
|
||||
"devDependencies": {
|
||||
"@formbricks/tsconfig": "workspace:*",
|
||||
"@storybook/addon-essentials": "^7.5.0-alpha.5",
|
||||
"@storybook/addon-interactions": "^7.5.0-alpha.5",
|
||||
"@storybook/addon-links": "^7.5.0-alpha.5",
|
||||
"@storybook/addon-onboarding": "^1.0.8",
|
||||
"@storybook/blocks": "^7.5.0-alpha.5",
|
||||
"@storybook/react": "^7.5.0-alpha.5",
|
||||
"@storybook/react-vite": "^7.5.0-alpha.5",
|
||||
"@storybook/addon-essentials": "^7.6.3",
|
||||
"@storybook/addon-interactions": "^7.6.3",
|
||||
"@storybook/addon-links": "^7.6.3",
|
||||
"@storybook/addon-onboarding": "^1.0.9",
|
||||
"@storybook/blocks": "^7.6.3",
|
||||
"@storybook/react": "^7.6.3",
|
||||
"@storybook/react-vite": "^7.6.3",
|
||||
"@storybook/testing-library": "^0.2.2",
|
||||
"@typescript-eslint/eslint-plugin": "^6.8.0",
|
||||
"@typescript-eslint/parser": "^6.8.0",
|
||||
"@vitejs/plugin-react": "^4.1.0",
|
||||
"esbuild": "^0.19.5",
|
||||
"tsup": "^7.2.0",
|
||||
"vite": "^4.4.11"
|
||||
"@typescript-eslint/eslint-plugin": "^6.13.2",
|
||||
"@typescript-eslint/parser": "^6.13.2",
|
||||
"@vitejs/plugin-react": "^4.2.1",
|
||||
"esbuild": "^0.19.8",
|
||||
"tsup": "^8.0.1",
|
||||
"vite": "^5.0.6"
|
||||
}
|
||||
}
|
||||
|
||||
@@ -1,5 +1,5 @@
|
||||
# Installer stage: Building the application
|
||||
FROM node:18-alpine AS installer
|
||||
FROM node:20-alpine AS installer
|
||||
RUN corepack enable && corepack prepare pnpm@latest --activate
|
||||
|
||||
# Install Supercronic (cron for containers without super user privileges)
|
||||
@@ -29,7 +29,7 @@ RUN pnpm post-install --filter=web...
|
||||
RUN pnpm turbo run build --filter=web...
|
||||
|
||||
# Runner stage: Setting up the runtime environment
|
||||
FROM node:18-alpine AS runner
|
||||
FROM node:20-alpine AS runner
|
||||
RUN corepack enable && corepack prepare pnpm@latest --activate
|
||||
|
||||
RUN apk add --no-cache curl \
|
||||
|
||||
@@ -204,6 +204,7 @@ export async function copyToOtherEnvironmentAction(
|
||||
singleUse: existingSurvey.singleUse ?? prismaClient.JsonNull,
|
||||
productOverwrites: existingSurvey.productOverwrites ?? prismaClient.JsonNull,
|
||||
verifyEmail: existingSurvey.verifyEmail ?? prismaClient.JsonNull,
|
||||
styling: existingSurvey.styling ?? prismaClient.JsonNull,
|
||||
},
|
||||
});
|
||||
|
||||
|
||||
@@ -63,7 +63,7 @@ export default function SummaryMetadata({
|
||||
const ttc = useMemo(() => {
|
||||
let validTtcResponsesCountAcc = 0; //stores the count of responses that contains a _total value
|
||||
const ttc = responses.reduce((acc, response) => {
|
||||
if (response.ttc._total) {
|
||||
if (response.ttc?._total) {
|
||||
validTtcResponsesCountAcc++;
|
||||
return acc + response.ttc._total;
|
||||
}
|
||||
@@ -73,8 +73,6 @@ export default function SummaryMetadata({
|
||||
return ttc;
|
||||
}, [responses]);
|
||||
|
||||
console.log(ttc);
|
||||
|
||||
const totalResponses = responses.length;
|
||||
|
||||
return (
|
||||
|
||||
@@ -0,0 +1,107 @@
|
||||
import { TSurvey } from "@formbricks/types/surveys";
|
||||
import { useState } from "react";
|
||||
|
||||
interface AnimatedSurveyBgProps {
|
||||
localSurvey?: TSurvey;
|
||||
handleBgChange: (bg: string, bgType: string) => void;
|
||||
}
|
||||
|
||||
export default function AnimatedSurveyBg({ localSurvey, handleBgChange }: AnimatedSurveyBgProps) {
|
||||
const [color, setColor] = useState(localSurvey?.styling?.background?.bg || "#ffff");
|
||||
const [hoveredVideo, setHoveredVideo] = useState<number | null>(null);
|
||||
|
||||
const animationFiles = {
|
||||
"/animated-bgs/Thumbnails/1_Thumb.mp4": "/animated-bgs/4K/1_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/2_Thumb.mp4": "/animated-bgs/4K/2_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/3_Thumb.mp4": "/animated-bgs/4K/3_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/4_Thumb.mp4": "/animated-bgs/4K/4_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/5_Thumb.mp4": "/animated-bgs/4K/5_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/6_Thumb.mp4": "/animated-bgs/4K/6_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/7_Thumb.mp4": "/animated-bgs/4K/7_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/8_Thumb.mp4": "/animated-bgs/4K/8_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/9_Thumb.mp4": "/animated-bgs/4K/9_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/10_Thumb.mp4": "/animated-bgs/4K/10_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/11_Thumb.mp4": "/animated-bgs/4K/11_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/12_Thumb.mp4": "/animated-bgs/4K/12_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/13_Thumb.mp4": "/animated-bgs/4K/13_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/14_Thumb.mp4": "/animated-bgs/4K/14_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/15_Thumb.mp4": "/animated-bgs/4K/15_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/16_Thumb.mp4": "/animated-bgs/4K/16_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/17_Thumb.mp4": "/animated-bgs/4K/17_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/18_Thumb.mp4": "/animated-bgs/4K/18_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/19_Thumb.mp4": "/animated-bgs/4K/19_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/20_Thumb.mp4": "/animated-bgs/4K/20_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/21_Thumb.mp4": "/animated-bgs/4K/21_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/22_Thumb.mp4": "/animated-bgs/4K/22_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/23_Thumb.mp4": "/animated-bgs/4K/23_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/24_Thumb.mp4": "/animated-bgs/4K/24_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/25_Thumb.mp4": "/animated-bgs/4K/25_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/26_Thumb.mp4": "/animated-bgs/4K/26_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/27_Thumb.mp4": "/animated-bgs/4K/27_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/28_Thumb.mp4": "/animated-bgs/4K/28_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/29_Thumb.mp4": "/animated-bgs/4K/29_4k.mp4",
|
||||
"/animated-bgs/Thumbnails/30_Thumb.mp4": "/animated-bgs/4K/30_4k.mp4",
|
||||
};
|
||||
|
||||
const handleMouseEnter = (index: number) => {
|
||||
setHoveredVideo(index);
|
||||
playVideo(index);
|
||||
};
|
||||
|
||||
const handleMouseLeave = (index: number) => {
|
||||
setHoveredVideo(null);
|
||||
pauseVideo(index);
|
||||
};
|
||||
|
||||
// Function to play the video
|
||||
const playVideo = (index: number) => {
|
||||
const video = document.getElementById(`video-${index}`) as HTMLVideoElement;
|
||||
if (video) {
|
||||
video.play();
|
||||
}
|
||||
};
|
||||
|
||||
// Function to pause the video
|
||||
const pauseVideo = (index: number) => {
|
||||
const video = document.getElementById(`video-${index}`) as HTMLVideoElement;
|
||||
if (video) {
|
||||
video.pause();
|
||||
}
|
||||
};
|
||||
|
||||
const handleBg = (x: string) => {
|
||||
setColor(x);
|
||||
handleBgChange(x, "animation");
|
||||
};
|
||||
return (
|
||||
<div>
|
||||
<div className="mt-4 grid grid-cols-6 gap-4">
|
||||
{Object.keys(animationFiles).map((key, index) => {
|
||||
const value = animationFiles[key];
|
||||
return (
|
||||
<div
|
||||
key={index}
|
||||
onMouseEnter={() => handleMouseEnter(index)}
|
||||
onMouseLeave={() => handleMouseLeave(index)}
|
||||
onClick={() => handleBg(value)}
|
||||
className="relative cursor-pointer overflow-hidden rounded-lg">
|
||||
<video
|
||||
disablePictureInPicture
|
||||
id={`video-${index}`}
|
||||
autoPlay={hoveredVideo === index}
|
||||
className="h-46 w-96 origin-center scale-105 transform">
|
||||
<source src={`${key}`} type="video/mp4" />
|
||||
</video>
|
||||
<input
|
||||
className="absolute right-2 top-2 h-4 w-4 rounded-sm bg-white "
|
||||
type="checkbox"
|
||||
checked={color === value}
|
||||
onChange={() => handleBg(value)}
|
||||
/>
|
||||
</div>
|
||||
);
|
||||
})}
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
@@ -0,0 +1,38 @@
|
||||
import { TSurvey } from "@formbricks/types/surveys";
|
||||
import { ColorPicker } from "@formbricks/ui/ColorPicker";
|
||||
import { useState } from "react";
|
||||
|
||||
interface ColorSurveyBgBgProps {
|
||||
localSurvey?: TSurvey;
|
||||
handleBgChange: (bg: string, bgType: string) => void;
|
||||
colours: string[];
|
||||
}
|
||||
|
||||
export default function ColorSurveyBg({ localSurvey, handleBgChange, colours }: ColorSurveyBgBgProps) {
|
||||
const [color, setColor] = useState(localSurvey?.styling?.background?.bg || "#ffff");
|
||||
|
||||
const handleBg = (x: string) => {
|
||||
setColor(x);
|
||||
handleBgChange(x, "color");
|
||||
};
|
||||
return (
|
||||
<div>
|
||||
<div className="w-full max-w-xs py-2">
|
||||
<ColorPicker color={color} onChange={handleBg} />
|
||||
</div>
|
||||
<div className="grid grid-cols-4 gap-4 md:grid-cols-5 xl:grid-cols-8 2xl:grid-cols-10">
|
||||
{colours.map((x) => {
|
||||
return (
|
||||
<div
|
||||
className={`h-16 w-16 cursor-pointer rounded-lg ${
|
||||
color === x ? "border-4 border-slate-500" : ""
|
||||
}`}
|
||||
key={x}
|
||||
style={{ backgroundColor: `${x}` }}
|
||||
onClick={() => handleBg(x)}></div>
|
||||
);
|
||||
})}
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
@@ -177,6 +177,28 @@ export default function EditWelcomeCard({
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
{localSurvey?.type === "link" && (
|
||||
<div className="mt-6 flex items-center">
|
||||
<div className="mr-2">
|
||||
<Switch
|
||||
id="showResponseCount"
|
||||
name="showResponseCount"
|
||||
checked={localSurvey?.welcomeCard?.showResponseCount}
|
||||
onCheckedChange={() =>
|
||||
updateSurvey({ showResponseCount: !localSurvey.welcomeCard.showResponseCount })
|
||||
}
|
||||
/>
|
||||
</div>
|
||||
<div className="flex-column">
|
||||
<Label htmlFor="showResponseCount" className="">
|
||||
Show Response Count
|
||||
</Label>
|
||||
<div className="text-sm text-gray-500 dark:text-gray-400">
|
||||
Display number of responses for survey
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
)}
|
||||
</form>
|
||||
</Collapsible.CollapsibleContent>
|
||||
</Collapsible.Root>
|
||||
|
||||
@@ -0,0 +1,42 @@
|
||||
import FileInput from "@formbricks/ui/FileInput";
|
||||
import { TSurvey } from "@formbricks/types/surveys";
|
||||
|
||||
interface ImageSurveyBgBgProps {
|
||||
localSurvey?: TSurvey;
|
||||
handleBgChange: (url: string, bgType: string) => void;
|
||||
}
|
||||
|
||||
export default function ImageSurveyBg({ localSurvey, handleBgChange }: ImageSurveyBgBgProps) {
|
||||
const isUrl = (str: string) => {
|
||||
try {
|
||||
new URL(str);
|
||||
return true;
|
||||
} catch (error) {
|
||||
return false;
|
||||
}
|
||||
};
|
||||
|
||||
const fileUrl = isUrl(localSurvey?.styling?.background?.bg ?? "")
|
||||
? localSurvey?.styling?.background?.bg ?? ""
|
||||
: "";
|
||||
|
||||
return (
|
||||
<div className="mb-2 mt-4 w-full rounded-lg border bg-slate-50 p-4">
|
||||
<div className="flex w-full items-center justify-center">
|
||||
<FileInput
|
||||
id="survey-bg-file-input"
|
||||
allowedFileExtensions={["png", "jpeg", "jpg"]}
|
||||
environmentId={localSurvey?.environmentId}
|
||||
onFileUpload={(url: string[]) => {
|
||||
if (url.length > 0) {
|
||||
handleBgChange(url[0], "image");
|
||||
} else {
|
||||
handleBgChange("#ffff", "color");
|
||||
}
|
||||
}}
|
||||
fileUrl={fileUrl}
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
@@ -256,7 +256,7 @@ export default function QuestionCard({
|
||||
) : null}
|
||||
<div className="mt-4">
|
||||
<Collapsible.Root open={openAdvanced} onOpenChange={setOpenAdvanced} className="mt-5">
|
||||
<Collapsible.CollapsibleTrigger className="flex items-center text-xs text-slate-700">
|
||||
<Collapsible.CollapsibleTrigger className="flex items-center text-sm text-slate-700">
|
||||
{openAdvanced ? (
|
||||
<ChevronDownIcon className="mr-1 h-4 w-3" />
|
||||
) : (
|
||||
|
||||
@@ -18,6 +18,7 @@ interface SettingsViewProps {
|
||||
attributeClasses: TAttributeClass[];
|
||||
responseCount: number;
|
||||
membershipRole?: TMembershipRole;
|
||||
colours: string[];
|
||||
}
|
||||
|
||||
export default function SettingsView({
|
||||
@@ -28,6 +29,7 @@ export default function SettingsView({
|
||||
attributeClasses,
|
||||
responseCount,
|
||||
membershipRole,
|
||||
colours,
|
||||
}: SettingsViewProps) {
|
||||
return (
|
||||
<div className="mt-12 space-y-3 p-5">
|
||||
@@ -60,7 +62,7 @@ export default function SettingsView({
|
||||
environmentId={environment.id}
|
||||
/>
|
||||
|
||||
<StylingCard localSurvey={localSurvey} setLocalSurvey={setLocalSurvey} />
|
||||
<StylingCard localSurvey={localSurvey} setLocalSurvey={setLocalSurvey} colours={colours} />
|
||||
</div>
|
||||
);
|
||||
}
|
||||
|
||||
@@ -1,7 +1,7 @@
|
||||
"use client";
|
||||
|
||||
import { TPlacement } from "@formbricks/types/common";
|
||||
import { TSurvey } from "@formbricks/types/surveys";
|
||||
import { TSurvey, TSurveyBackgroundBgType } from "@formbricks/types/surveys";
|
||||
import { ColorPicker } from "@formbricks/ui/ColorPicker";
|
||||
import { Label } from "@formbricks/ui/Label";
|
||||
import { Switch } from "@formbricks/ui/Switch";
|
||||
@@ -9,18 +9,28 @@ import { CheckCircleIcon } from "@heroicons/react/24/solid";
|
||||
import * as Collapsible from "@radix-ui/react-collapsible";
|
||||
import { useState } from "react";
|
||||
import Placement from "./Placement";
|
||||
import SurveyBgSelectorTab from "./SurveyBgSelectorTab";
|
||||
|
||||
interface StylingCardProps {
|
||||
localSurvey: TSurvey;
|
||||
setLocalSurvey: React.Dispatch<React.SetStateAction<TSurvey>>;
|
||||
colours: string[];
|
||||
}
|
||||
|
||||
export default function StylingCard({ localSurvey, setLocalSurvey }: StylingCardProps) {
|
||||
export default function StylingCard({ localSurvey, setLocalSurvey, colours }: StylingCardProps) {
|
||||
const [open, setOpen] = useState(false);
|
||||
|
||||
const { type, productOverwrites } = localSurvey;
|
||||
const { type, productOverwrites, styling } = localSurvey;
|
||||
const { brandColor, clickOutsideClose, darkOverlay, placement, highlightBorderColor } =
|
||||
productOverwrites ?? {};
|
||||
const { bg, bgType, brightness } = styling?.background ?? {};
|
||||
|
||||
const [inputValue, setInputValue] = useState(100);
|
||||
|
||||
const handleInputChange = (e) => {
|
||||
setInputValue(e.target.value);
|
||||
handleBrightnessChange(parseInt(e.target.value));
|
||||
};
|
||||
|
||||
const togglePlacement = () => {
|
||||
setLocalSurvey({
|
||||
@@ -28,6 +38,8 @@ export default function StylingCard({ localSurvey, setLocalSurvey }: StylingCard
|
||||
productOverwrites: {
|
||||
...localSurvey.productOverwrites,
|
||||
placement: !!placement ? null : "bottomRight",
|
||||
clickOutsideClose: false,
|
||||
darkOverlay: false,
|
||||
},
|
||||
});
|
||||
};
|
||||
@@ -42,6 +54,34 @@ export default function StylingCard({ localSurvey, setLocalSurvey }: StylingCard
|
||||
});
|
||||
};
|
||||
|
||||
const toggleBackgroundColor = () => {
|
||||
setLocalSurvey({
|
||||
...localSurvey,
|
||||
styling: {
|
||||
...localSurvey.styling,
|
||||
background: {
|
||||
...localSurvey.styling?.background,
|
||||
bg: !!bg ? undefined : "#ffff",
|
||||
bgType: !!bg ? undefined : "color",
|
||||
},
|
||||
},
|
||||
});
|
||||
};
|
||||
|
||||
const toggleBrightness = () => {
|
||||
setLocalSurvey({
|
||||
...localSurvey,
|
||||
styling: {
|
||||
...localSurvey.styling,
|
||||
background: {
|
||||
...localSurvey.styling?.background,
|
||||
brightness: !!brightness ? undefined : 100,
|
||||
},
|
||||
},
|
||||
});
|
||||
setInputValue(100);
|
||||
};
|
||||
|
||||
const toggleHighlightBorderColor = () => {
|
||||
setLocalSurvey({
|
||||
...localSurvey,
|
||||
@@ -62,6 +102,35 @@ export default function StylingCard({ localSurvey, setLocalSurvey }: StylingCard
|
||||
});
|
||||
};
|
||||
|
||||
const handleBgChange = (color: string, type: TSurveyBackgroundBgType) => {
|
||||
setInputValue(100);
|
||||
setLocalSurvey({
|
||||
...localSurvey,
|
||||
styling: {
|
||||
...localSurvey.styling,
|
||||
background: {
|
||||
...localSurvey.styling?.background,
|
||||
bg: color,
|
||||
bgType: type,
|
||||
brightness: undefined,
|
||||
},
|
||||
},
|
||||
});
|
||||
};
|
||||
|
||||
const handleBrightnessChange = (percent: number) => {
|
||||
setLocalSurvey({
|
||||
...localSurvey,
|
||||
styling: {
|
||||
...(localSurvey.styling || {}),
|
||||
background: {
|
||||
...localSurvey.styling?.background,
|
||||
brightness: percent,
|
||||
},
|
||||
},
|
||||
});
|
||||
};
|
||||
|
||||
const handleBorderColorChange = (color: string) => {
|
||||
setLocalSurvey({
|
||||
...localSurvey,
|
||||
@@ -143,6 +212,66 @@ export default function StylingCard({ localSurvey, setLocalSurvey }: StylingCard
|
||||
</div>
|
||||
)}
|
||||
</div>
|
||||
{type == "link" && (
|
||||
<>
|
||||
{/* Background */}
|
||||
<div className="p-3">
|
||||
<div className="ml-2 flex items-center space-x-1">
|
||||
<Switch id="autoCompleteBg" checked={!!bg} onCheckedChange={toggleBackgroundColor} />
|
||||
<Label htmlFor="autoCompleteBg" className="cursor-pointer">
|
||||
<div className="ml-2">
|
||||
<h3 className="text-sm font-semibold text-slate-700">Change Background</h3>
|
||||
<p className="text-xs font-normal text-slate-500">
|
||||
Pick a background from our library or upload your own.
|
||||
</p>
|
||||
</div>
|
||||
</Label>
|
||||
</div>
|
||||
{bg && (
|
||||
<SurveyBgSelectorTab
|
||||
localSurvey={localSurvey}
|
||||
handleBgChange={handleBgChange}
|
||||
colours={colours}
|
||||
bgType={bgType}
|
||||
/>
|
||||
)}
|
||||
</div>
|
||||
{/* Overlay */}
|
||||
<div className="p-3">
|
||||
<div className="ml-2 flex items-center space-x-1">
|
||||
<Switch
|
||||
id="autoCompleteOverlay"
|
||||
checked={!!brightness}
|
||||
onCheckedChange={toggleBrightness}
|
||||
/>
|
||||
<Label htmlFor="autoCompleteOverlay" className="cursor-pointer">
|
||||
<div className="ml-2">
|
||||
<h3 className="text-sm font-semibold text-slate-700">Background Overlay</h3>
|
||||
<p className="text-xs font-normal text-slate-500">
|
||||
Darken or lighten background of your choice.
|
||||
</p>
|
||||
</div>
|
||||
</Label>
|
||||
</div>
|
||||
{brightness && (
|
||||
<div>
|
||||
<div className="mt-4 flex flex-col justify-center rounded-lg border bg-slate-50 p-4 px-8">
|
||||
<h3 className="mb-4 text-sm font-semibold text-slate-700">Transparency</h3>
|
||||
<input
|
||||
id="small-range"
|
||||
type="range"
|
||||
min="1"
|
||||
max="200"
|
||||
value={inputValue}
|
||||
onChange={handleInputChange}
|
||||
className="range-sm mb-6 h-1 w-full cursor-pointer appearance-none rounded-lg bg-gray-200 dark:bg-gray-700"
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
)}
|
||||
</div>
|
||||
</>
|
||||
)}
|
||||
{/* positioning */}
|
||||
{type !== "link" && (
|
||||
<div className="p-3 ">
|
||||
|
||||
@@ -0,0 +1,61 @@
|
||||
import { TSurvey } from "@formbricks/types/surveys";
|
||||
import { useState } from "react";
|
||||
import AnimatedSurveyBg from "./AnimatedSurveyBg";
|
||||
import ColorSurveyBg from "./ColorSurveyBg";
|
||||
import ImageSurveyBg from "./ImageSurveyBg";
|
||||
|
||||
interface SurveyBgSelectorTabProps {
|
||||
localSurvey: TSurvey;
|
||||
handleBgChange: (bg: string, bgType: string) => void;
|
||||
colours: string[];
|
||||
bgType: string | null | undefined;
|
||||
}
|
||||
|
||||
const TabButton = ({ isActive, onClick, children }) => (
|
||||
<button
|
||||
className={`w-1/4 rounded-md p-2 text-sm font-medium leading-none text-slate-800 ${
|
||||
isActive ? "bg-white shadow-sm" : ""
|
||||
}`}
|
||||
onClick={onClick}>
|
||||
{children}
|
||||
</button>
|
||||
);
|
||||
|
||||
export default function SurveyBgSelectorTab({
|
||||
localSurvey,
|
||||
handleBgChange,
|
||||
colours,
|
||||
bgType,
|
||||
}: SurveyBgSelectorTabProps) {
|
||||
const [tab, setTab] = useState(bgType || "image");
|
||||
|
||||
const renderContent = () => {
|
||||
switch (tab) {
|
||||
case "image":
|
||||
return <ImageSurveyBg localSurvey={localSurvey} handleBgChange={handleBgChange} />;
|
||||
case "animation":
|
||||
return <AnimatedSurveyBg localSurvey={localSurvey} handleBgChange={handleBgChange} />;
|
||||
case "color":
|
||||
return <ColorSurveyBg localSurvey={localSurvey} handleBgChange={handleBgChange} colours={colours} />;
|
||||
default:
|
||||
return null;
|
||||
}
|
||||
};
|
||||
|
||||
return (
|
||||
<div className="mt-4 flex flex-col items-center justify-center rounded-lg border bg-slate-50 p-4 px-8">
|
||||
<div className="flex w-full items-center justify-between rounded-lg border border-slate-300 bg-slate-50 px-6 py-1.5">
|
||||
<TabButton isActive={tab === "image"} onClick={() => setTab("image")}>
|
||||
Image
|
||||
</TabButton>
|
||||
<TabButton isActive={tab === "animation"} onClick={() => setTab("animation")}>
|
||||
Animation
|
||||
</TabButton>
|
||||
<TabButton isActive={tab === "color"} onClick={() => setTab("color")}>
|
||||
Color
|
||||
</TabButton>
|
||||
</div>
|
||||
{renderContent()}
|
||||
</div>
|
||||
);
|
||||
}
|
||||
@@ -23,6 +23,7 @@ interface SurveyEditorProps {
|
||||
attributeClasses: TAttributeClass[];
|
||||
responseCount: number;
|
||||
membershipRole?: TMembershipRole;
|
||||
colours: string[];
|
||||
}
|
||||
|
||||
export default function SurveyEditor({
|
||||
@@ -33,6 +34,7 @@ export default function SurveyEditor({
|
||||
attributeClasses,
|
||||
responseCount,
|
||||
membershipRole,
|
||||
colours,
|
||||
}: SurveyEditorProps): JSX.Element {
|
||||
const [activeView, setActiveView] = useState<"questions" | "settings">("questions");
|
||||
const [activeQuestionId, setActiveQuestionId] = useState<string | null>(null);
|
||||
@@ -99,6 +101,7 @@ export default function SurveyEditor({
|
||||
attributeClasses={attributeClasses}
|
||||
responseCount={responseCount}
|
||||
membershipRole={membershipRole}
|
||||
colours={colours}
|
||||
/>
|
||||
)}
|
||||
</main>
|
||||
|
||||
@@ -222,6 +222,11 @@ export default function SurveyMenuBar({
|
||||
const { isDraft, ...rest } = question;
|
||||
return rest;
|
||||
}),
|
||||
attributeFilters: localSurvey.attributeFilters.filter((attributeFilter) => {
|
||||
if (attributeFilter.attributeClassId && attributeFilter.value) {
|
||||
return true;
|
||||
}
|
||||
}),
|
||||
};
|
||||
|
||||
if (!validateSurvey(localSurvey)) {
|
||||
@@ -252,6 +257,14 @@ export default function SurveyMenuBar({
|
||||
}
|
||||
};
|
||||
|
||||
function containsEmptyTriggers() {
|
||||
return (
|
||||
localSurvey.type === "web" &&
|
||||
localSurvey.triggers &&
|
||||
(localSurvey.triggers[0] === "" || localSurvey.triggers.length === 0)
|
||||
);
|
||||
}
|
||||
|
||||
return (
|
||||
<>
|
||||
{environment?.type === "development" && (
|
||||
@@ -298,7 +311,7 @@ export default function SurveyMenuBar({
|
||||
/>
|
||||
</div>
|
||||
<Button
|
||||
disabled={isSurveyPublishing}
|
||||
disabled={isSurveyPublishing || containsEmptyTriggers()}
|
||||
variant={localSurvey.status === "draft" ? "secondary" : "darkCTA"}
|
||||
className="mr-3"
|
||||
loading={isSurveySaving}
|
||||
@@ -318,11 +331,7 @@ export default function SurveyMenuBar({
|
||||
)}
|
||||
{localSurvey.status === "draft" && !audiencePrompt && (
|
||||
<Button
|
||||
disabled={
|
||||
localSurvey.type === "web" &&
|
||||
localSurvey.triggers &&
|
||||
(localSurvey.triggers[0] === "" || localSurvey.triggers.length === 0 || isSurveySaving)
|
||||
}
|
||||
disabled={isSurveySaving || containsEmptyTriggers()}
|
||||
variant="darkCTA"
|
||||
loading={isSurveyPublishing}
|
||||
onClick={async () => {
|
||||
|
||||
@@ -12,6 +12,7 @@ import { getSurvey } from "@formbricks/lib/survey/service";
|
||||
import { getTeamByEnvironmentId } from "@formbricks/lib/team/service";
|
||||
import { ErrorComponent } from "@formbricks/ui/ErrorComponent";
|
||||
import { getServerSession } from "next-auth";
|
||||
import { colours } from "@formbricks/lib/constants";
|
||||
import SurveyEditor from "./components/SurveyEditor";
|
||||
|
||||
export const generateMetadata = async ({ params }) => {
|
||||
@@ -67,6 +68,7 @@ export default async function SurveysEditPage({ params }) {
|
||||
attributeClasses={attributeClasses}
|
||||
responseCount={responseCount}
|
||||
membershipRole={currentUserMembership?.role}
|
||||
colours={colours}
|
||||
/>
|
||||
</>
|
||||
);
|
||||
|
||||
@@ -56,7 +56,7 @@ export default function Modal({
|
||||
ref={modalRef}
|
||||
style={highlightBorderColorStyle}
|
||||
className={cn(
|
||||
"pointer-events-auto absolute h-fit max-h-[90%] w-full max-w-sm overflow-y-auto rounded-lg bg-white shadow-lg ring-1 ring-black ring-opacity-5 transition-all duration-500 ease-in-out",
|
||||
"pointer-events-auto absolute h-fit max-h-[90%] w-full max-w-sm overflow-y-auto rounded-lg bg-white shadow-lg ring-1 ring-black ring-opacity-5 transition-all duration-500 ease-in-out ",
|
||||
previewMode === "desktop" ? getPlacementStyle(placement) : "max-w-full ",
|
||||
slidingAnimationClass
|
||||
)}>
|
||||
|
||||
@@ -2,12 +2,13 @@
|
||||
|
||||
import Modal from "@/app/(app)/environments/[environmentId]/surveys/components/Modal";
|
||||
import TabOption from "@/app/(app)/environments/[environmentId]/surveys/components/TabOption";
|
||||
|
||||
import { SurveyInline } from "@formbricks/ui/Survey";
|
||||
import { MediaBackground } from "@/app/s/[surveyId]/components/MediaBackground";
|
||||
import type { TEnvironment } from "@formbricks/types/environment";
|
||||
import type { TProduct } from "@formbricks/types/product";
|
||||
import { TUploadFileConfig } from "@formbricks/types/storage";
|
||||
import { TSurvey } from "@formbricks/types/surveys";
|
||||
import { Button } from "@formbricks/ui/Button";
|
||||
import { SurveyInline } from "@formbricks/ui/Survey";
|
||||
import { ArrowPathRoundedSquareIcon } from "@heroicons/react/24/outline";
|
||||
import {
|
||||
ArrowsPointingInIcon,
|
||||
@@ -17,7 +18,6 @@ import {
|
||||
} from "@heroicons/react/24/solid";
|
||||
import { Variants, motion } from "framer-motion";
|
||||
import { useEffect, useRef, useState } from "react";
|
||||
import { TUploadFileConfig } from "@formbricks/types/storage";
|
||||
|
||||
type TPreviewType = "modal" | "fullwidth" | "email";
|
||||
|
||||
@@ -155,6 +155,20 @@ export default function PreviewSurvey({
|
||||
setActiveQuestionId(survey.welcomeCard.enabled ? "start" : survey?.questions[0]?.id);
|
||||
}
|
||||
|
||||
function animationTrigger() {
|
||||
let storePreviewMode = previewMode;
|
||||
setPreviewMode("null");
|
||||
setTimeout(() => {
|
||||
setPreviewMode(storePreviewMode);
|
||||
}, 10);
|
||||
}
|
||||
|
||||
useEffect(() => {
|
||||
if (survey.styling?.background?.bgType === "animation") {
|
||||
animationTrigger();
|
||||
}
|
||||
}, [survey.styling?.background?.bg]);
|
||||
|
||||
useEffect(() => {
|
||||
if (environment && environment.widgetSetupCompleted) {
|
||||
setWidgetSetupCompleted(true);
|
||||
@@ -194,7 +208,7 @@ export default function PreviewSurvey({
|
||||
<div className="absolute right-0 top-0 m-2">
|
||||
<ResetProgressButton resetQuestionProgress={resetQuestionProgress} />
|
||||
</div>
|
||||
<div className="relative h-[90%] max-h-[40rem] w-80 overflow-hidden rounded-[3rem] border-8 border-slate-500 bg-slate-400">
|
||||
<MediaBackground survey={survey} ContentRef={ContentRef} isMobilePreview>
|
||||
{/* below element is use to create notch for the mobile device mockup */}
|
||||
<div className="absolute left-1/2 right-1/2 top-0 z-20 h-4 w-1/2 -translate-x-1/2 transform rounded-b-md bg-slate-500"></div>
|
||||
{previewType === "modal" ? (
|
||||
@@ -214,24 +228,19 @@ export default function PreviewSurvey({
|
||||
/>
|
||||
</Modal>
|
||||
) : (
|
||||
<div
|
||||
className="absolute top-0 z-10 flex h-full w-full flex-grow flex-col overflow-y-auto"
|
||||
ref={ContentRef}>
|
||||
<div className="flex w-full flex-grow flex-col items-center justify-center bg-white py-6">
|
||||
<div className="w-full max-w-md px-4">
|
||||
<SurveyInline
|
||||
survey={survey}
|
||||
brandColor={brandColor}
|
||||
activeQuestionId={activeQuestionId || undefined}
|
||||
isBrandingEnabled={product.linkSurveyBranding}
|
||||
onActiveQuestionChange={setActiveQuestionId}
|
||||
onFileUpload={onFileUpload}
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
<div className="relative z-10 w-full max-w-md px-4">
|
||||
<SurveyInline
|
||||
survey={survey}
|
||||
brandColor={brandColor}
|
||||
activeQuestionId={activeQuestionId || undefined}
|
||||
isBrandingEnabled={product.linkSurveyBranding}
|
||||
onActiveQuestionChange={setActiveQuestionId}
|
||||
onFileUpload={onFileUpload}
|
||||
responseCount={42}
|
||||
/>
|
||||
</div>
|
||||
)}
|
||||
</div>
|
||||
</MediaBackground>
|
||||
</>
|
||||
)}
|
||||
{previewMode === "desktop" && (
|
||||
@@ -286,21 +295,20 @@ export default function PreviewSurvey({
|
||||
/>
|
||||
</Modal>
|
||||
) : (
|
||||
<div className="flex flex-grow flex-col overflow-y-auto rounded-b-lg" ref={ContentRef}>
|
||||
<div className="flex w-full flex-grow flex-col items-center justify-center bg-white p-4 py-6">
|
||||
<div className="w-full max-w-md">
|
||||
<SurveyInline
|
||||
survey={survey}
|
||||
brandColor={brandColor}
|
||||
activeQuestionId={activeQuestionId || undefined}
|
||||
isBrandingEnabled={product.linkSurveyBranding}
|
||||
onActiveQuestionChange={setActiveQuestionId}
|
||||
isRedirectDisabled={true}
|
||||
onFileUpload={onFileUpload}
|
||||
/>
|
||||
</div>
|
||||
<MediaBackground survey={survey} ContentRef={ContentRef} isEditorView>
|
||||
<div className="z-0 w-full max-w-md rounded-lg p-4">
|
||||
<SurveyInline
|
||||
survey={survey}
|
||||
brandColor={brandColor}
|
||||
activeQuestionId={activeQuestionId || undefined}
|
||||
isBrandingEnabled={product.linkSurveyBranding}
|
||||
onActiveQuestionChange={setActiveQuestionId}
|
||||
isRedirectDisabled={true}
|
||||
onFileUpload={onFileUpload}
|
||||
responseCount={42}
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
</MediaBackground>
|
||||
)}
|
||||
</div>
|
||||
)}
|
||||
|
||||
@@ -23,6 +23,7 @@ const welcomeCardDefault: TSurveyWelcomeCard = {
|
||||
headline: "Welcome!",
|
||||
html: "Thanks for providing your feedback - let's go!",
|
||||
timeToFinish: true,
|
||||
showResponseCount: false,
|
||||
};
|
||||
|
||||
export const testTemplate: TTemplate = {
|
||||
@@ -320,6 +321,7 @@ export const testTemplate: TTemplate = {
|
||||
welcomeCard: {
|
||||
enabled: false,
|
||||
timeToFinish: false,
|
||||
showResponseCount: false,
|
||||
},
|
||||
hiddenFields: {
|
||||
enabled: false,
|
||||
@@ -2524,4 +2526,5 @@ export const minimalSurvey: TSurvey = {
|
||||
},
|
||||
productOverwrites: null,
|
||||
singleUse: null,
|
||||
styling: null,
|
||||
};
|
||||
|
||||
@@ -46,7 +46,6 @@ export async function GET(
|
||||
getActionClasses(environmentId),
|
||||
getProductByEnvironmentId(environmentId),
|
||||
]);
|
||||
|
||||
if (!product) {
|
||||
throw new Error("Product not found");
|
||||
}
|
||||
|
||||
@@ -1,19 +1,28 @@
|
||||
import { IMPRINT_URL, PRIVACY_URL } from "@formbricks/lib/constants";
|
||||
import Link from "next/link";
|
||||
|
||||
export default function LegalFooter() {
|
||||
interface LegalFooterProps {
|
||||
bgColor?: string | null;
|
||||
}
|
||||
|
||||
export default function LegalFooter({ bgColor }: LegalFooterProps) {
|
||||
if (!IMPRINT_URL && !PRIVACY_URL) return null;
|
||||
|
||||
return (
|
||||
<div className="h-10 w-full border-t border-slate-200">
|
||||
<div className="mx-auto max-w-lg p-3 text-center text-sm text-slate-400">
|
||||
<div
|
||||
className={`fixed bottom-0 h-12 w-full`}
|
||||
style={{
|
||||
backgroundColor: `${bgColor}`,
|
||||
}}>
|
||||
<div className="mx-auto max-w-lg p-3 text-center text-xs text-slate-400">
|
||||
{IMPRINT_URL && (
|
||||
<Link href={IMPRINT_URL} target="_blank">
|
||||
<Link href={IMPRINT_URL} target="_blank" className="hover:underline">
|
||||
Imprint
|
||||
</Link>
|
||||
)}
|
||||
{IMPRINT_URL && PRIVACY_URL && <span> | </span>}
|
||||
{IMPRINT_URL && PRIVACY_URL && <span className="px-2">|</span>}
|
||||
{PRIVACY_URL && (
|
||||
<Link href={PRIVACY_URL} target="_blank">
|
||||
<Link href={PRIVACY_URL} target="_blank" className="hover:underline">
|
||||
Privacy Policy
|
||||
</Link>
|
||||
)}
|
||||
|
||||
@@ -1,20 +1,20 @@
|
||||
"use client";
|
||||
|
||||
import ContentWrapper from "@formbricks/ui/ContentWrapper";
|
||||
import { SurveyInline } from "@formbricks/ui/Survey";
|
||||
import SurveyLinkUsed from "@/app/s/[surveyId]/components/SurveyLinkUsed";
|
||||
import VerifyEmail from "@/app/s/[surveyId]/components/VerifyEmail";
|
||||
import { getPrefillResponseData } from "@/app/s/[surveyId]/lib/prefilling";
|
||||
import { FormbricksAPI } from "@formbricks/api";
|
||||
import { ResponseQueue } from "@formbricks/lib/responseQueue";
|
||||
import { SurveyState } from "@formbricks/lib/surveyState";
|
||||
import { TProduct } from "@formbricks/types/product";
|
||||
import { TResponse, TResponseData, TResponseUpdate } from "@formbricks/types/responses";
|
||||
import { TUploadFileConfig } from "@formbricks/types/storage";
|
||||
import { TSurvey } from "@formbricks/types/surveys";
|
||||
import ContentWrapper from "@formbricks/ui/ContentWrapper";
|
||||
import { SurveyInline } from "@formbricks/ui/Survey";
|
||||
import { ArrowPathIcon } from "@heroicons/react/24/solid";
|
||||
import { useSearchParams } from "next/navigation";
|
||||
import { useEffect, useMemo, useState } from "react";
|
||||
import { FormbricksAPI } from "@formbricks/api";
|
||||
import { TUploadFileConfig } from "@formbricks/types/storage";
|
||||
|
||||
interface LinkSurveyProps {
|
||||
survey: TSurvey;
|
||||
@@ -25,6 +25,7 @@ interface LinkSurveyProps {
|
||||
singleUseId?: string;
|
||||
singleUseResponse?: TResponse;
|
||||
webAppUrl: string;
|
||||
responseCount?: number;
|
||||
}
|
||||
|
||||
export default function LinkSurvey({
|
||||
@@ -36,6 +37,7 @@ export default function LinkSurvey({
|
||||
singleUseId,
|
||||
singleUseResponse,
|
||||
webAppUrl,
|
||||
responseCount,
|
||||
}: LinkSurveyProps) {
|
||||
const responseId = singleUseResponse?.id;
|
||||
const searchParams = useSearchParams();
|
||||
@@ -117,7 +119,7 @@ export default function LinkSurvey({
|
||||
|
||||
return (
|
||||
<>
|
||||
<ContentWrapper className="h-full w-full p-0 md:max-w-lg">
|
||||
<ContentWrapper className="h-full w-full p-0 md:max-w-md">
|
||||
{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 />
|
||||
@@ -187,6 +189,7 @@ export default function LinkSurvey({
|
||||
activeQuestionId={activeQuestionId}
|
||||
autoFocus={autoFocus}
|
||||
prefillResponseData={prefillResponseData}
|
||||
responseCount={responseCount}
|
||||
/>
|
||||
</ContentWrapper>
|
||||
</>
|
||||
|
||||
87
apps/web/app/s/[surveyId]/components/MediaBackground.tsx
Normal file
@@ -0,0 +1,87 @@
|
||||
"use client";
|
||||
|
||||
import { TSurvey } from "@formbricks/types/surveys";
|
||||
import React from "react";
|
||||
|
||||
interface MediaBackgroundProps {
|
||||
children: React.ReactNode;
|
||||
survey: TSurvey;
|
||||
isEditorView?: boolean;
|
||||
isMobilePreview?: boolean;
|
||||
ContentRef?: React.RefObject<HTMLDivElement>;
|
||||
}
|
||||
|
||||
export const MediaBackground: React.FC<MediaBackgroundProps> = ({
|
||||
children,
|
||||
survey,
|
||||
isEditorView = false,
|
||||
isMobilePreview = false,
|
||||
ContentRef,
|
||||
}) => {
|
||||
const getFilterStyle = () => {
|
||||
return survey.styling?.background?.brightness
|
||||
? `brightness-${survey.styling?.background?.brightness}`
|
||||
: "";
|
||||
};
|
||||
|
||||
const renderBackground = () => {
|
||||
const filterStyle = getFilterStyle();
|
||||
const baseClasses = "absolute inset-0 h-full w-full";
|
||||
|
||||
switch (survey.styling?.background?.bgType) {
|
||||
case "color":
|
||||
return (
|
||||
<div
|
||||
className={`${baseClasses} ${filterStyle}`}
|
||||
style={{ backgroundColor: survey.styling?.background?.bg || "#ffff" }}
|
||||
/>
|
||||
);
|
||||
case "animation":
|
||||
return (
|
||||
<video muted loop autoPlay className={`${baseClasses} object-cover ${filterStyle}`}>
|
||||
<source src={survey.styling?.background?.bg || ""} type="video/mp4" />
|
||||
</video>
|
||||
);
|
||||
case "image":
|
||||
return (
|
||||
<div
|
||||
className={`${baseClasses} bg-cover bg-center ${filterStyle}`}
|
||||
style={{ backgroundImage: `url(${survey.styling?.background?.bg})` }}
|
||||
/>
|
||||
);
|
||||
default:
|
||||
return <div className={`${baseClasses} bg-white`} />;
|
||||
}
|
||||
};
|
||||
|
||||
const renderContent = () => (
|
||||
<div className="absolute flex h-full w-full items-center justify-center overflow-y-auto">{children}</div>
|
||||
);
|
||||
|
||||
if (isMobilePreview) {
|
||||
return (
|
||||
<div
|
||||
ref={ContentRef}
|
||||
className={`relative h-[90%] max-h-[40rem] w-80 overflow-hidden rounded-3xl border-8 border-slate-500 ${getFilterStyle()}`}>
|
||||
{renderBackground()}
|
||||
{renderContent()}
|
||||
</div>
|
||||
);
|
||||
} else if (isEditorView) {
|
||||
return (
|
||||
<div ref={ContentRef} className="flex flex-grow flex-col overflow-y-auto rounded-b-lg">
|
||||
<div className="relative flex w-full flex-grow flex-col items-center justify-center p-4 py-6">
|
||||
{renderBackground()}
|
||||
<div className="flex h-full w-full items-center justify-center">{children}</div>
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
} else {
|
||||
return (
|
||||
<div className="flex min-h-screen flex-col items-center justify-center px-2">
|
||||
{renderBackground()}
|
||||
<div className="relative w-full">{children}</div>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
};
|
||||
@@ -1,15 +1,15 @@
|
||||
"use client";
|
||||
|
||||
import type { NextPage } from "next";
|
||||
import { validateSurveyPinAction } from "@/app/s/[surveyId]/actions";
|
||||
import LinkSurvey from "@/app/s/[surveyId]/components/LinkSurvey";
|
||||
import { TSurveyPinValidationResponseError } from "@/app/s/[surveyId]/types";
|
||||
import { cn } from "@formbricks/lib/cn";
|
||||
import { TProduct } from "@formbricks/types/product";
|
||||
import { TResponse } from "@formbricks/types/responses";
|
||||
import { OTPInput } from "@formbricks/ui/OTPInput";
|
||||
import { useCallback, useEffect, useState } from "react";
|
||||
import { validateSurveyPinAction } from "@/app/s/[surveyId]/actions";
|
||||
import { TSurvey } from "@formbricks/types/surveys";
|
||||
import { TSurveyPinValidationResponseError } from "@/app/s/[surveyId]/types";
|
||||
import LinkSurvey from "@/app/s/[surveyId]/components/LinkSurvey";
|
||||
import { cn } from "@formbricks/lib/cn";
|
||||
import { OTPInput } from "@formbricks/ui/OTPInput";
|
||||
import type { NextPage } from "next";
|
||||
import { useCallback, useEffect, useState } from "react";
|
||||
|
||||
interface LinkSurveyPinScreenProps {
|
||||
surveyId: string;
|
||||
|
||||
@@ -1,10 +1,3 @@
|
||||
import LegalFooter from "@/app/s/[surveyId]/components/LegalFooter";
|
||||
|
||||
export default async function SurveyLayout({ children }) {
|
||||
return (
|
||||
<div className="flex h-full flex-col justify-between bg-white">
|
||||
<div className="h-full overflow-y-auto">{children}</div>
|
||||
<LegalFooter />
|
||||
</div>
|
||||
);
|
||||
return <div>{children}</div>;
|
||||
}
|
||||
|
||||
@@ -1,7 +1,9 @@
|
||||
export const revalidate = REVALIDATION_INTERVAL;
|
||||
|
||||
import { validateSurveySingleUseId } from "@/app/lib/singleUseSurveys";
|
||||
import LegalFooter from "@/app/s/[surveyId]/components/LegalFooter";
|
||||
import LinkSurvey from "@/app/s/[surveyId]/components/LinkSurvey";
|
||||
import { MediaBackground } from "@/app/s/[surveyId]/components/MediaBackground";
|
||||
import PinScreen from "@/app/s/[surveyId]/components/PinScreen";
|
||||
import SurveyInactive from "@/app/s/[surveyId]/components/SurveyInactive";
|
||||
import { checkValidity } from "@/app/s/[surveyId]/lib/prefilling";
|
||||
@@ -12,9 +14,11 @@ import { getResponseBySingleUseId } from "@formbricks/lib/response/service";
|
||||
import { getSurvey } from "@formbricks/lib/survey/service";
|
||||
import { TResponse } from "@formbricks/types/responses";
|
||||
import type { Metadata } from "next";
|
||||
|
||||
import { notFound } from "next/navigation";
|
||||
import { getEmailVerificationStatus } from "./lib/helpers";
|
||||
import { ZId } from "@formbricks/types/environment";
|
||||
import { getResponseCountBySurveyId } from "@formbricks/lib/response/service";
|
||||
|
||||
interface LinkSurveyPageProps {
|
||||
params: {
|
||||
@@ -166,7 +170,7 @@ export default async function LinkSurveyPage({ params, searchParams }: LinkSurve
|
||||
}
|
||||
|
||||
const isSurveyPinProtected = Boolean(!!survey && survey.pin);
|
||||
|
||||
const responseCount = await getResponseCountBySurveyId(survey.id);
|
||||
if (isSurveyPinProtected) {
|
||||
return (
|
||||
<PinScreen
|
||||
@@ -182,16 +186,22 @@ export default async function LinkSurveyPage({ params, searchParams }: LinkSurve
|
||||
);
|
||||
}
|
||||
|
||||
return (
|
||||
<LinkSurvey
|
||||
survey={survey}
|
||||
product={product}
|
||||
userId={userId}
|
||||
emailVerificationStatus={emailVerificationStatus}
|
||||
prefillAnswer={isPrefilledAnswerValid ? prefillAnswer : null}
|
||||
singleUseId={isSingleUseSurvey ? singleUseId : undefined}
|
||||
singleUseResponse={singleUseResponse ? singleUseResponse : undefined}
|
||||
webAppUrl={WEBAPP_URL}
|
||||
/>
|
||||
);
|
||||
return survey ? (
|
||||
<div>
|
||||
<MediaBackground survey={survey}>
|
||||
<LinkSurvey
|
||||
survey={survey}
|
||||
product={product}
|
||||
userId={userId}
|
||||
emailVerificationStatus={emailVerificationStatus}
|
||||
prefillAnswer={isPrefilledAnswerValid ? prefillAnswer : null}
|
||||
singleUseId={isSingleUseSurvey ? singleUseId : undefined}
|
||||
singleUseResponse={singleUseResponse ? singleUseResponse : undefined}
|
||||
webAppUrl={WEBAPP_URL}
|
||||
responseCount={survey.welcomeCard.showResponseCount ? responseCount : undefined}
|
||||
/>
|
||||
</MediaBackground>
|
||||
<LegalFooter bgColor={survey.styling?.background?.bg || "#ffff"} />
|
||||
</div>
|
||||
) : null;
|
||||
}
|
||||
|
||||
@@ -1,6 +1,6 @@
|
||||
{
|
||||
"name": "@formbricks/web",
|
||||
"version": "1.3.4",
|
||||
"version": "1.3.5",
|
||||
"private": true,
|
||||
"scripts": {
|
||||
"clean": "rimraf .turbo node_modules .next",
|
||||
@@ -25,13 +25,13 @@
|
||||
"@paralleldrive/cuid2": "^2.2.2",
|
||||
"@radix-ui/react-collapsible": "^1.0.3",
|
||||
"@radix-ui/react-dropdown-menu": "^2.0.6",
|
||||
"@react-email/components": "^0.0.11",
|
||||
"@sentry/nextjs": "^7.84.0",
|
||||
"@react-email/components": "^0.0.12",
|
||||
"@sentry/nextjs": "^7.85.0",
|
||||
"@vercel/og": "^0.5.20",
|
||||
"bcryptjs": "^2.4.3",
|
||||
"dotenv": "^16.3.1",
|
||||
"encoding": "^0.1.13",
|
||||
"framer-motion": "10.16.9",
|
||||
"framer-motion": "10.16.14",
|
||||
"googleapis": "^129.0.0",
|
||||
"jsonwebtoken": "^9.0.2",
|
||||
"lodash": "^4.17.21",
|
||||
@@ -41,13 +41,13 @@
|
||||
"next": "13.5.6",
|
||||
"nodemailer": "^6.9.7",
|
||||
"otplib": "^12.0.1",
|
||||
"posthog-js": "^1.93.3",
|
||||
"posthog-js": "^1.93.6",
|
||||
"prismjs": "^1.29.0",
|
||||
"qrcode": "^1.5.3",
|
||||
"react": "18.2.0",
|
||||
"react-beautiful-dnd": "^13.1.1",
|
||||
"react-dom": "18.2.0",
|
||||
"react-email": "^1.9.5",
|
||||
"react-email": "^1.10.0",
|
||||
"react-hook-form": "^7.48.2",
|
||||
"react-hot-toast": "^2.4.1",
|
||||
"react-icons": "^4.12.0",
|
||||
|
||||
@@ -59,24 +59,17 @@ x-github-auth-enabled: &github_auth_enabled 0
|
||||
x-github-id: &github_id
|
||||
x-github-secret: &github_secret # Configure Google Login
|
||||
|
||||
|
||||
x-google-auth-enabled: &google_auth_enabled 0
|
||||
x-google-client-id: &google_client_id
|
||||
x-google-client-secret: &google_client_secret # Disable Sentry warning
|
||||
|
||||
|
||||
x-sentry-ignore-api-resolution-error: &sentry_ignore_api_resolution_error # Enable Sentry Error Tracking
|
||||
|
||||
|
||||
x-next-public-sentry-dsn: &next_public_sentry_dsn # Cron Secret
|
||||
|
||||
# Set this to a random string to secure your cron endpoints
|
||||
x-cron-secret: &cron_secret YOUR_CRON_SECRET
|
||||
|
||||
|
||||
# Configure ASSET_PREFIX_URL when you want to ship JS & CSS files from a complete URL instead of the current domain
|
||||
x-asset-prefix-url: &asset_prefix_url
|
||||
|
||||
services:
|
||||
postgres:
|
||||
restart: always
|
||||
@@ -130,7 +123,6 @@ services:
|
||||
GOOGLE_CLIENT_ID: *google_client_id
|
||||
GOOGLE_CLIENT_SECRET: *google_client_secret
|
||||
CRON_SECRET: *cron_secret
|
||||
ASSET_PREFIX_URL: *asset_prefix_url
|
||||
|
||||
volumes:
|
||||
postgres:
|
||||
|
||||
@@ -65,9 +65,6 @@ x-environment: &environment
|
||||
# GOOGLE_CLIENT_ID:
|
||||
# GOOGLE_CLIENT_SECRET:
|
||||
|
||||
# Configure ASSET_PREFIX_URL when you want to ship JS & CSS files from a complete URL instead of the current domain
|
||||
# ASSET_PREFIX_URL: *asset_prefix_url
|
||||
|
||||
services:
|
||||
postgres:
|
||||
restart: always
|
||||
|
||||
@@ -52,7 +52,7 @@
|
||||
"engines": {
|
||||
"node": ">=16.0.0"
|
||||
},
|
||||
"packageManager": "pnpm@8.1.1",
|
||||
"packageManager": "pnpm@8.11.0",
|
||||
"nextBundleAnalysis": {
|
||||
"budget": 358400,
|
||||
"budgetPercentIncreaseRed": 20,
|
||||
|
||||
@@ -33,10 +33,10 @@
|
||||
"devDependencies": {
|
||||
"@formbricks/types": "workspace:*",
|
||||
"@formbricks/tsconfig": "workspace:*",
|
||||
"eslint-config-prettier": "^9.0.0",
|
||||
"eslint-config-prettier": "^9.1.0",
|
||||
"eslint-config-turbo": "latest",
|
||||
"terser": "^5.24.0",
|
||||
"vite": "^5.0.4",
|
||||
"terser": "^5.25.0",
|
||||
"vite": "^5.0.6",
|
||||
"vite-plugin-dts": "^3.6.4"
|
||||
}
|
||||
}
|
||||
|
||||
@@ -6,6 +6,7 @@ import {
|
||||
TSurveyClosedMessage,
|
||||
TSurveyHiddenFields,
|
||||
TSurveyProductOverwrites,
|
||||
TSurveyStyling,
|
||||
TSurveyQuestions,
|
||||
TSurveySingleUse,
|
||||
TSurveyThankYouCard,
|
||||
@@ -27,6 +28,7 @@ declare global {
|
||||
export type SurveyThankYouCard = TSurveyThankYouCard;
|
||||
export type SurveyHiddenFields = TSurveyHiddenFields;
|
||||
export type SurveyProductOverwrites = TSurveyProductOverwrites;
|
||||
export type SurveyStyling = TSurveyStyling;
|
||||
export type SurveyClosedMessage = TSurveyClosedMessage;
|
||||
export type SurveySingleUse = TSurveySingleUse;
|
||||
export type SurveyVerifyEmail = TSurveyVerifyEmail;
|
||||
|
||||
@@ -0,0 +1,2 @@
|
||||
-- AlterTable
|
||||
ALTER TABLE "Survey" ADD COLUMN "styling" JSONB;
|
||||
@@ -289,6 +289,9 @@ model Survey {
|
||||
/// @zod.custom(imports.ZSurveyProductOverwrites)
|
||||
/// [SurveyProductOverwrites]
|
||||
productOverwrites Json?
|
||||
/// @zod.custom(imports.ZSurveyStyling)
|
||||
/// [SurveyStyling]
|
||||
styling Json?
|
||||
/// @zod.custom(imports.ZSurveySingleUse)
|
||||
/// [SurveySingleUse]
|
||||
singleUse Json? @default("{\"enabled\": false, \"isEncrypted\": true}")
|
||||
|
||||
@@ -18,6 +18,7 @@ export {
|
||||
ZSurveyHiddenFields,
|
||||
ZSurveyClosedMessage,
|
||||
ZSurveyProductOverwrites,
|
||||
ZSurveyStyling,
|
||||
ZSurveyVerifyEmail,
|
||||
ZSurveySingleUse,
|
||||
} from "@formbricks/types/surveys";
|
||||
|
||||
@@ -18,6 +18,6 @@
|
||||
},
|
||||
"dependencies": {
|
||||
"@formbricks/lib": "workspace:*",
|
||||
"stripe": "^14.6.0"
|
||||
"stripe": "^14.7.0"
|
||||
}
|
||||
}
|
||||
|
||||
@@ -8,13 +8,13 @@
|
||||
"clean": "rimraf node_modules .turbo"
|
||||
},
|
||||
"devDependencies": {
|
||||
"eslint": "^8.54.0",
|
||||
"eslint": "^8.55.0",
|
||||
"eslint-config-next": "^14.0.3",
|
||||
"eslint-config-prettier": "^9.0.0",
|
||||
"eslint-config-prettier": "^9.1.0",
|
||||
"eslint-config-turbo": "latest",
|
||||
"eslint-plugin-react": "7.33.2",
|
||||
"eslint-plugin-react-hooks": "^4.6.0",
|
||||
"eslint-plugin-react-refresh": "^0.4.4",
|
||||
"eslint-plugin-react-refresh": "^0.4.5",
|
||||
"eslint-plugin-storybook": "^0.6.15"
|
||||
}
|
||||
}
|
||||
|
||||
@@ -1,7 +1,7 @@
|
||||
{
|
||||
"name": "@formbricks/js",
|
||||
"license": "MIT",
|
||||
"version": "1.2.6",
|
||||
"version": "1.2.7",
|
||||
"description": "Formbricks-js allows you to connect your app to Formbricks, display surveys and trigger events.",
|
||||
"keywords": [
|
||||
"Formbricks",
|
||||
@@ -42,19 +42,19 @@
|
||||
"@formbricks/surveys": "workspace:*",
|
||||
"@formbricks/tsconfig": "workspace:*",
|
||||
"@formbricks/types": "workspace:*",
|
||||
"@types/jest": "^29.5.10",
|
||||
"@typescript-eslint/eslint-plugin": "^6.13.1",
|
||||
"@typescript-eslint/parser": "^6.13.1",
|
||||
"@types/jest": "^29.5.11",
|
||||
"@typescript-eslint/eslint-plugin": "^6.13.2",
|
||||
"@typescript-eslint/parser": "^6.13.2",
|
||||
"babel-jest": "^29.7.0",
|
||||
"cross-env": "^7.0.3",
|
||||
"isomorphic-fetch": "^3.0.0",
|
||||
"jest": "^29.7.0",
|
||||
"jest-environment-jsdom": "^29.7.0",
|
||||
"jest-fetch-mock": "^3.0.3",
|
||||
"terser": "^5.24.0",
|
||||
"vite": "^5.0.4",
|
||||
"terser": "^5.25.0",
|
||||
"vite": "^5.0.6",
|
||||
"vite-plugin-dts": "^3.6.4",
|
||||
"eslint-config-prettier": "^9.0.0",
|
||||
"eslint-config-prettier": "^9.1.0",
|
||||
"eslint-config-turbo": "latest"
|
||||
},
|
||||
"jest": {
|
||||
|
||||
@@ -7,6 +7,13 @@ export class Config {
|
||||
private static instance: Config | undefined;
|
||||
private config: TJsConfig | null = null;
|
||||
|
||||
private constructor() {
|
||||
const localConfig = this.loadFromLocalStorage();
|
||||
if (localConfig.ok) {
|
||||
this.config = localConfig.value;
|
||||
}
|
||||
}
|
||||
|
||||
static getInstance(): Config {
|
||||
if (!Config.instance) {
|
||||
Config.instance = new Config();
|
||||
|
||||
@@ -1,4 +1,4 @@
|
||||
import type { TJsConfigInput } from "@formbricks/types/js";
|
||||
import type { TJsConfig, TJsConfigInput } from "@formbricks/types/js";
|
||||
import { Config } from "./config";
|
||||
import {
|
||||
ErrorHandler,
|
||||
@@ -16,6 +16,8 @@ import { checkPageUrl } from "./noCodeActions";
|
||||
import { sync } from "./sync";
|
||||
import { addWidgetContainer, closeSurvey } from "./widget";
|
||||
import { trackAction } from "./actions";
|
||||
import { updatePersonAttributes } from "./person";
|
||||
import { TPersonAttributes } from "@formbricks/types/people";
|
||||
|
||||
const config = Config.getInstance();
|
||||
const logger = Logger.getInstance();
|
||||
@@ -63,19 +65,44 @@ export const initialize = async (
|
||||
logger.debug("Adding widget container to DOM");
|
||||
addWidgetContainer();
|
||||
|
||||
const localConfigResult = config.loadFromLocalStorage();
|
||||
if (!c.userId && c.attributes) {
|
||||
logger.error("No userId provided but attributes. Cannot update attributes without userId.");
|
||||
return err({
|
||||
code: "missing_field",
|
||||
field: "userId",
|
||||
});
|
||||
}
|
||||
|
||||
// if userId and attributes are available, set them in backend
|
||||
let updatedAttributes: TPersonAttributes | null = null;
|
||||
if (c.userId && c.attributes) {
|
||||
const res = await updatePersonAttributes(c.apiHost, c.environmentId, c.userId, c.attributes);
|
||||
|
||||
if (res.ok !== true) {
|
||||
return err(res.error);
|
||||
}
|
||||
updatedAttributes = res.value;
|
||||
}
|
||||
|
||||
let existingConfig: TJsConfig | undefined;
|
||||
try {
|
||||
existingConfig = config.get();
|
||||
} catch (e) {
|
||||
logger.debug("No existing configuration found.");
|
||||
}
|
||||
|
||||
if (
|
||||
localConfigResult.ok &&
|
||||
localConfigResult.value.state &&
|
||||
localConfigResult.value.environmentId === c.environmentId &&
|
||||
localConfigResult.value.apiHost === c.apiHost &&
|
||||
localConfigResult.value.userId === c.userId &&
|
||||
localConfigResult.value.expiresAt // only accept config when they follow new config version with expiresAt
|
||||
existingConfig &&
|
||||
existingConfig.state &&
|
||||
existingConfig.environmentId === c.environmentId &&
|
||||
existingConfig.apiHost === c.apiHost &&
|
||||
existingConfig.userId === c.userId &&
|
||||
existingConfig.expiresAt // only accept config when they follow new config version with expiresAt
|
||||
) {
|
||||
logger.debug("Found existing configuration.");
|
||||
if (localConfigResult.value.expiresAt < new Date()) {
|
||||
if (existingConfig.expiresAt < new Date()) {
|
||||
logger.debug("Configuration expired.");
|
||||
|
||||
await sync({
|
||||
apiHost: c.apiHost,
|
||||
environmentId: c.environmentId,
|
||||
@@ -83,14 +110,12 @@ export const initialize = async (
|
||||
});
|
||||
} else {
|
||||
logger.debug("Configuration not expired. Extending expiration.");
|
||||
config.update(localConfigResult.value);
|
||||
config.update(existingConfig);
|
||||
}
|
||||
} else {
|
||||
logger.debug("No valid configuration found or it has been expired. Creating new config.");
|
||||
logger.debug("Syncing.");
|
||||
|
||||
// when the local storage is expired / empty, we sync to get the latest config
|
||||
|
||||
await sync({
|
||||
apiHost: c.apiHost,
|
||||
environmentId: c.environmentId,
|
||||
@@ -98,7 +123,20 @@ export const initialize = async (
|
||||
});
|
||||
|
||||
// and track the new session event
|
||||
trackAction("New Session");
|
||||
await trackAction("New Session");
|
||||
}
|
||||
|
||||
// update attributes in config
|
||||
if (updatedAttributes && Object.keys(updatedAttributes).length > 0) {
|
||||
config.update({
|
||||
environmentId: config.get().environmentId,
|
||||
apiHost: config.get().apiHost,
|
||||
userId: config.get().userId,
|
||||
state: {
|
||||
...config.get().state,
|
||||
attributes: { ...config.get().state.attributes, ...c.attributes },
|
||||
},
|
||||
});
|
||||
}
|
||||
|
||||
logger.debug("Adding event listeners");
|
||||
|
||||
@@ -1,7 +1,15 @@
|
||||
import { FormbricksAPI } from "@formbricks/api";
|
||||
import { TPersonUpdateInput } from "@formbricks/types/people";
|
||||
import { TPersonAttributes, TPersonUpdateInput } from "@formbricks/types/people";
|
||||
import { Config } from "./config";
|
||||
import { AttributeAlreadyExistsError, MissingPersonError, NetworkError, Result, err, okVoid } from "./errors";
|
||||
import {
|
||||
AttributeAlreadyExistsError,
|
||||
MissingPersonError,
|
||||
NetworkError,
|
||||
Result,
|
||||
err,
|
||||
ok,
|
||||
okVoid,
|
||||
} from "./errors";
|
||||
import { deinitalize, initialize } from "./initialize";
|
||||
import { Logger } from "./logger";
|
||||
import { sync } from "./sync";
|
||||
@@ -55,6 +63,66 @@ export const updatePersonAttribute = async (
|
||||
return okVoid();
|
||||
};
|
||||
|
||||
export const updatePersonAttributes = async (
|
||||
apiHost: string,
|
||||
environmentId: string,
|
||||
userId: string,
|
||||
attributes: TPersonAttributes
|
||||
): Promise<Result<TPersonAttributes, NetworkError | MissingPersonError>> => {
|
||||
if (!userId) {
|
||||
return err({
|
||||
code: "missing_person",
|
||||
message: "Unable to update attribute. User identification deactivated. No userId set.",
|
||||
});
|
||||
}
|
||||
|
||||
// clean attributes and remove existing attributes if config already exists
|
||||
const updatedAttributes = { ...attributes };
|
||||
try {
|
||||
const existingAttributes = config.get()?.state?.attributes;
|
||||
if (existingAttributes) {
|
||||
for (const [key, value] of Object.entries(existingAttributes)) {
|
||||
if (updatedAttributes[key] === value) {
|
||||
delete updatedAttributes[key];
|
||||
}
|
||||
}
|
||||
}
|
||||
} catch (e) {
|
||||
logger.debug("config not set; sending all attributes to backend");
|
||||
}
|
||||
|
||||
// send to backend if updatedAttributes is not empty
|
||||
if (Object.keys(updatedAttributes).length === 0) {
|
||||
logger.debug("No attributes to update. Skipping update.");
|
||||
return ok(updatedAttributes);
|
||||
}
|
||||
|
||||
logger.debug("Updating attributes: " + JSON.stringify(updatedAttributes));
|
||||
|
||||
const input: TPersonUpdateInput = {
|
||||
attributes: updatedAttributes,
|
||||
};
|
||||
|
||||
const api = new FormbricksAPI({
|
||||
apiHost,
|
||||
environmentId,
|
||||
});
|
||||
|
||||
const res = await api.client.people.update(userId, input);
|
||||
|
||||
if (res.ok) {
|
||||
return ok(updatedAttributes);
|
||||
}
|
||||
|
||||
return err({
|
||||
code: "network_error",
|
||||
status: 500,
|
||||
message: `Error updating person with userId ${userId}`,
|
||||
url: `${apiHost}/api/v1/client/${environmentId}/people/${userId}`,
|
||||
responseMessage: res.error.message,
|
||||
});
|
||||
};
|
||||
|
||||
export const isExistingAttribute = (key: string, value: string): boolean => {
|
||||
if (config.get().state.attributes[key] === value) {
|
||||
return true;
|
||||
|
||||
@@ -154,7 +154,7 @@ export const authOptions: NextAuthOptions = {
|
||||
async signIn({ user, account }: any) {
|
||||
if (account.provider === "credentials" || account.provider === "token") {
|
||||
if (!user.emailVerified && !EMAIL_VERIFICATION_DISABLED) {
|
||||
return `/auth/verification-requested?email=${encodeURIComponent(user.email)}`;
|
||||
throw new Error("Email Verification is Pending");
|
||||
}
|
||||
return true;
|
||||
}
|
||||
@@ -197,7 +197,9 @@ export const authOptions: NextAuthOptions = {
|
||||
await updateProfile(existingUserWithAccount.id, { email: user.email });
|
||||
return true;
|
||||
}
|
||||
return "/auth/login?error=Looks%20like%20you%20updated%20your%20email%20somewhere%20else.%0AA%20user%20with%20this%20new%20email%20exists%20already.";
|
||||
throw new Error(
|
||||
"Looks like you updated your email somewhere else. A user with this new email exists already."
|
||||
);
|
||||
}
|
||||
|
||||
// There is no existing account for this identity provider / account id
|
||||
@@ -206,7 +208,7 @@ export const authOptions: NextAuthOptions = {
|
||||
const existingUserWithEmail = await getProfileByEmail(user.email);
|
||||
|
||||
if (existingUserWithEmail) {
|
||||
return "/auth/login?error=A%20user%20with%20this%20email%20exists%20already.";
|
||||
throw new Error("A user with this email exists already.");
|
||||
}
|
||||
|
||||
const userProfile = await createProfile({
|
||||
|
||||
@@ -71,6 +71,34 @@ export const IS_S3_CONFIGURED: boolean =
|
||||
export const PRICING_USERTARGETING_FREE_MTU = 2500;
|
||||
export const PRICING_APPSURVEYS_FREE_RESPONSES = 250;
|
||||
|
||||
// Colors for Survey Bg
|
||||
export const colours = [
|
||||
"#FFF2D8",
|
||||
"#EAD7BB",
|
||||
"#BCA37F",
|
||||
"#113946",
|
||||
"#04364A",
|
||||
"#176B87",
|
||||
"#64CCC5",
|
||||
"#DAFFFB",
|
||||
"#132043",
|
||||
"#1F4172",
|
||||
"#F1B4BB",
|
||||
"#FDF0F0",
|
||||
"#001524",
|
||||
"#445D48",
|
||||
"#D6CC99",
|
||||
"#FDE5D4",
|
||||
"#BEADFA",
|
||||
"#D0BFFF",
|
||||
"#DFCCFB",
|
||||
"#FFF8C9",
|
||||
"#FF8080",
|
||||
"#FFCF96",
|
||||
"#F6FDC3",
|
||||
"#CDFAD5",
|
||||
];
|
||||
|
||||
// Rate Limiting
|
||||
export const SIGNUP_RATE_LIMIT = {
|
||||
interval: 60 * 60 * 1000, // 60 minutes
|
||||
@@ -81,8 +109,8 @@ export const LOGIN_RATE_LIMIT = {
|
||||
allowedPerInterval: 30,
|
||||
};
|
||||
export const CLIENT_SIDE_API_RATE_LIMIT = {
|
||||
interval: 10 * 60 * 1000, // 60 minutes
|
||||
allowedPerInterval: 50,
|
||||
interval: 10 * 15 * 1000, // 15 minutes
|
||||
allowedPerInterval: 60,
|
||||
};
|
||||
|
||||
// Enterprise License constant
|
||||
|
||||
@@ -12,9 +12,9 @@
|
||||
"lint:report": "eslint . --format json --output-file ../../lint-results/app-store.json"
|
||||
},
|
||||
"dependencies": {
|
||||
"@aws-sdk/s3-presigned-post": "3.458.0",
|
||||
"@aws-sdk/client-s3": "3.458.0",
|
||||
"@aws-sdk/s3-request-presigner": "3.458.0",
|
||||
"@aws-sdk/s3-presigned-post": "3.465.0",
|
||||
"@aws-sdk/client-s3": "3.465.0",
|
||||
"@aws-sdk/s3-request-presigner": "3.465.0",
|
||||
"@t3-oss/env-nextjs": "^0.7.1",
|
||||
"mime": "4.0.0",
|
||||
"@formbricks/api": "*",
|
||||
@@ -25,12 +25,12 @@
|
||||
"date-fns": "^2.30.0",
|
||||
"jsonwebtoken": "^9.0.2",
|
||||
"markdown-it": "^13.0.2",
|
||||
"nanoid": "^5.0.3",
|
||||
"nanoid": "^5.0.4",
|
||||
"next-auth": "^4.24.5",
|
||||
"nodemailer": "^6.9.7",
|
||||
"posthog-node": "^3.1.3",
|
||||
"posthog-node": "^3.2.0",
|
||||
"server-only": "^0.0.1",
|
||||
"tailwind-merge": "^2.0.0"
|
||||
"tailwind-merge": "^2.1.0"
|
||||
},
|
||||
"devDependencies": {
|
||||
"@formbricks/tsconfig": "*",
|
||||
|
||||
@@ -14,10 +14,11 @@ import { Prisma } from "@prisma/client";
|
||||
import { unstable_cache } from "next/cache";
|
||||
import { z } from "zod";
|
||||
import { SERVICES_REVALIDATION_INTERVAL } from "../constants";
|
||||
import { updateMembership } from "../membership/service";
|
||||
import { deleteTeam } from "../team/service";
|
||||
import { validateInputs } from "../utils/validate";
|
||||
import { profileCache } from "./cache";
|
||||
import { updateMembership } from "../membership/service";
|
||||
import { formatProfileDateFields } from "./util";
|
||||
|
||||
const responseSelection = {
|
||||
id: true,
|
||||
@@ -34,8 +35,8 @@ const responseSelection = {
|
||||
};
|
||||
|
||||
// function to retrive basic information about a user's profile
|
||||
export const getProfile = async (id: string): Promise<TProfile | null> =>
|
||||
unstable_cache(
|
||||
export const getProfile = async (id: string): Promise<TProfile | null> => {
|
||||
const profile = await unstable_cache(
|
||||
async () => {
|
||||
validateInputs([id, ZId]);
|
||||
|
||||
@@ -67,8 +68,18 @@ export const getProfile = async (id: string): Promise<TProfile | null> =>
|
||||
}
|
||||
)();
|
||||
|
||||
export const getProfileByEmail = async (email: string): Promise<TProfile | null> =>
|
||||
unstable_cache(
|
||||
if (!profile) {
|
||||
return null;
|
||||
}
|
||||
|
||||
return {
|
||||
...profile,
|
||||
...formatProfileDateFields(profile),
|
||||
} as TProfile;
|
||||
};
|
||||
|
||||
export const getProfileByEmail = async (email: string): Promise<TProfile | null> => {
|
||||
const profile = await unstable_cache(
|
||||
async () => {
|
||||
validateInputs([email, z.string().email()]);
|
||||
|
||||
@@ -100,6 +111,16 @@ export const getProfileByEmail = async (email: string): Promise<TProfile | null>
|
||||
}
|
||||
)();
|
||||
|
||||
if (!profile) {
|
||||
return null;
|
||||
}
|
||||
|
||||
return {
|
||||
...profile,
|
||||
...formatProfileDateFields(profile),
|
||||
} as TProfile;
|
||||
};
|
||||
|
||||
const getAdminMemberships = (memberships: TMembership[]): TMembership[] =>
|
||||
memberships.filter((membership) => membership.role === "admin");
|
||||
|
||||
|
||||
15
packages/lib/profile/util.ts
Normal file
@@ -0,0 +1,15 @@
|
||||
import { TProfile } from "@formbricks/types/profile";
|
||||
|
||||
export const formatProfileDateFields = (profile: TProfile): TProfile => {
|
||||
if (typeof profile.createdAt === "string") {
|
||||
profile.createdAt = new Date(profile.createdAt);
|
||||
}
|
||||
if (typeof profile.updatedAt === "string") {
|
||||
profile.updatedAt = new Date(profile.updatedAt);
|
||||
}
|
||||
if (typeof profile.emailVerified === "string") {
|
||||
profile.emailVerified = new Date(profile.emailVerified);
|
||||
}
|
||||
|
||||
return profile;
|
||||
};
|
||||
@@ -270,14 +270,15 @@ export const createResponseLegacy = async (responseInput: TResponseLegacyInput):
|
||||
if (responseInput.personId) {
|
||||
person = await getPerson(responseInput.personId);
|
||||
}
|
||||
const ttcTemp = responseInput.ttc;
|
||||
const ttcTemp = responseInput.ttc ?? {};
|
||||
const questionId = Object.keys(ttcTemp)[0];
|
||||
const ttc = responseInput.finished
|
||||
? {
|
||||
...ttcTemp,
|
||||
_total: ttcTemp[questionId], // Add _total property with the same value
|
||||
}
|
||||
: ttcTemp;
|
||||
const ttc =
|
||||
responseInput.finished && responseInput.ttc
|
||||
? {
|
||||
...ttcTemp,
|
||||
_total: ttcTemp[questionId], // Add _total property with the same value
|
||||
}
|
||||
: ttcTemp;
|
||||
const responsePrisma = await prisma.response.create({
|
||||
data: {
|
||||
survey: {
|
||||
@@ -512,7 +513,11 @@ export const updateResponse = async (
|
||||
...currentResponse.data,
|
||||
...responseInput.data,
|
||||
};
|
||||
const ttc = responseInput.finished ? calculateTtcTotal(responseInput.ttc) : responseInput.ttc;
|
||||
const ttc = responseInput.ttc
|
||||
? responseInput.finished
|
||||
? calculateTtcTotal(responseInput.ttc)
|
||||
: responseInput.ttc
|
||||
: {};
|
||||
|
||||
const responsePrisma = await prisma.response.update({
|
||||
where: {
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
import "server-only";
|
||||
|
||||
import { TResponseDates, TResponseTtc } from "@formbricks/types/responses";
|
||||
import { TResponse, TResponseTtc } from "@formbricks/types/responses";
|
||||
|
||||
export const formatResponseDateFields = (response: TResponseDates): TResponseDates => {
|
||||
export const formatResponseDateFields = (response: TResponse): TResponse => {
|
||||
if (typeof response.createdAt === "string") {
|
||||
response.createdAt = new Date(response.createdAt);
|
||||
}
|
||||
|
||||
@@ -14,6 +14,7 @@ import { getAttributeClasses } from "../attributeClass/service";
|
||||
import { ITEMS_PER_PAGE, SERVICES_REVALIDATION_INTERVAL } from "../constants";
|
||||
import { displayCache } from "../display/cache";
|
||||
import { getDisplaysByPersonId } from "../display/service";
|
||||
import { personCache } from "../person/cache";
|
||||
import { productCache } from "../product/cache";
|
||||
import { getProductByEnvironmentId } from "../product/service";
|
||||
import { responseCache } from "../response/cache";
|
||||
@@ -44,6 +45,7 @@ export const selectSurvey = {
|
||||
verifyEmail: true,
|
||||
redirectUrl: true,
|
||||
productOverwrites: true,
|
||||
styling: true,
|
||||
surveyClosedMessage: true,
|
||||
singleUse: true,
|
||||
pin: true,
|
||||
@@ -540,6 +542,7 @@ export const createSurvey = async (environmentId: string, surveyBody: TSurveyInp
|
||||
};
|
||||
|
||||
export const duplicateSurvey = async (environmentId: string, surveyId: string) => {
|
||||
validateInputs([environmentId, ZId], [surveyId, ZId]);
|
||||
const existingSurvey = await getSurvey(surveyId);
|
||||
|
||||
if (!existingSurvey) {
|
||||
@@ -585,6 +588,7 @@ export const duplicateSurvey = async (environmentId: string, surveyId: string) =
|
||||
productOverwrites: existingSurvey.productOverwrites
|
||||
? JSON.parse(JSON.stringify(existingSurvey.productOverwrites))
|
||||
: Prisma.JsonNull,
|
||||
styling: existingSurvey.styling ? JSON.parse(JSON.stringify(existingSurvey.styling)) : Prisma.JsonNull,
|
||||
verifyEmail: existingSurvey.verifyEmail
|
||||
? JSON.parse(JSON.stringify(existingSurvey.verifyEmail))
|
||||
: Prisma.JsonNull,
|
||||
@@ -605,8 +609,10 @@ export const duplicateSurvey = async (environmentId: string, surveyId: string) =
|
||||
return newSurvey;
|
||||
};
|
||||
|
||||
export const getSyncSurveys = (environmentId: string, person: TPerson): Promise<TSurvey[]> =>
|
||||
unstable_cache(
|
||||
export const getSyncSurveys = (environmentId: string, person: TPerson): Promise<TSurvey[]> => {
|
||||
validateInputs([environmentId, ZId]);
|
||||
|
||||
return unstable_cache(
|
||||
async () => {
|
||||
const product = await getProductByEnvironmentId(environmentId);
|
||||
|
||||
@@ -685,9 +691,10 @@ export const getSyncSurveys = (environmentId: string, person: TPerson): Promise<
|
||||
|
||||
return surveys;
|
||||
},
|
||||
[`getSyncSurveys-${environmentId}`],
|
||||
[`getSyncSurveys-${environmentId}-${person.userId}`],
|
||||
{
|
||||
tags: [
|
||||
personCache.tag.byEnvironmentIdAndUserId(environmentId, person.userId),
|
||||
displayCache.tag.byPersonId(person.id),
|
||||
surveyCache.tag.byEnvironmentId(environmentId),
|
||||
productCache.tag.byEnvironmentId(environmentId),
|
||||
@@ -695,3 +702,4 @@ export const getSyncSurveys = (environmentId: string, person: TPerson): Promise<
|
||||
revalidate: SERVICES_REVALIDATION_INTERVAL,
|
||||
}
|
||||
)();
|
||||
};
|
||||
|
||||
@@ -28,14 +28,14 @@
|
||||
"@formbricks/types": "workspace:*",
|
||||
"@preact/preset-vite": "^2.7.0",
|
||||
"autoprefixer": "^10.4.16",
|
||||
"postcss": "^8.4.31",
|
||||
"postcss": "^8.4.32",
|
||||
"preact": "^10.19.2",
|
||||
"tailwindcss": "^3.3.5",
|
||||
"terser": "^5.24.0",
|
||||
"vite": "^5.0.4",
|
||||
"tailwindcss": "^3.3.6",
|
||||
"terser": "^5.25.0",
|
||||
"vite": "^5.0.6",
|
||||
"vite-plugin-dts": "^3.6.4",
|
||||
"vite-tsconfig-paths": "^4.2.1",
|
||||
"eslint-config-prettier": "^9.0.0",
|
||||
"eslint-config-prettier": "^9.1.0",
|
||||
"eslint-config-turbo": "latest"
|
||||
}
|
||||
}
|
||||
|
||||
@@ -13,11 +13,10 @@ export default function Headline({
|
||||
}: HeadlineProps) {
|
||||
return (
|
||||
<label htmlFor={questionId} className="text-heading mb-1.5 block text-base font-semibold leading-6">
|
||||
<div
|
||||
className={`flex items-center ${alignTextCenter ? "justify-center" : "mr-[3ch] justify-between"}`}>
|
||||
<div className={`flex items-center ${alignTextCenter ? "justify-center" : "justify-between"}`}>
|
||||
{headline}
|
||||
{!required && (
|
||||
<span className="text-info-text self-start text-sm font-normal leading-7" tabIndex={-1}>
|
||||
<span className="text-info-text ml-2 self-start text-sm font-normal leading-7" tabIndex={-1}>
|
||||
Optional
|
||||
</span>
|
||||
)}
|
||||
|
||||
@@ -1,4 +1,5 @@
|
||||
import FormbricksBranding from "@/components/general/FormbricksBranding";
|
||||
import ProgressBar from "@/components/general/ProgressBar";
|
||||
import { AutoCloseWrapper } from "@/components/wrappers/AutoCloseWrapper";
|
||||
import { evaluateCondition } from "@/lib/logicEvaluator";
|
||||
import { cn } from "@/lib/utils";
|
||||
@@ -8,7 +9,6 @@ import { useEffect, useRef, useState } from "preact/hooks";
|
||||
import QuestionConditional from "./QuestionConditional";
|
||||
import ThankYouCard from "./ThankYouCard";
|
||||
import WelcomeCard from "./WelcomeCard";
|
||||
import ProgressBar from "@/components/general/ProgressBar";
|
||||
|
||||
export function Survey({
|
||||
survey,
|
||||
@@ -22,6 +22,7 @@ export function Survey({
|
||||
isRedirectDisabled = false,
|
||||
prefillResponseData,
|
||||
onFileUpload,
|
||||
responseCount,
|
||||
}: SurveyBaseProps) {
|
||||
const [questionId, setQuestionId] = useState(
|
||||
activeQuestionId || (survey.welcomeCard.enabled ? "start" : survey?.questions[0]?.id)
|
||||
@@ -33,7 +34,6 @@ export function Survey({
|
||||
const currentQuestion = survey.questions[currentQuestionIndex];
|
||||
const contentRef = useRef<HTMLDivElement | null>(null);
|
||||
const [ttc, setTtc] = useState<TResponseTtc>({});
|
||||
|
||||
useEffect(() => {
|
||||
if (activeQuestionId === "hidden") return;
|
||||
if (activeQuestionId === "start" && !survey.welcomeCard.enabled) {
|
||||
@@ -131,9 +131,9 @@ export function Survey({
|
||||
html={survey.welcomeCard.html}
|
||||
fileUrl={survey.welcomeCard.fileUrl}
|
||||
buttonLabel={survey.welcomeCard.buttonLabel}
|
||||
timeToFinish={survey.welcomeCard.timeToFinish}
|
||||
onSubmit={onSubmit}
|
||||
survey={survey}
|
||||
responseCount={responseCount}
|
||||
/>
|
||||
);
|
||||
} else if (questionId === "end" && survey.thankYouCard.enabled) {
|
||||
@@ -174,7 +174,7 @@ export function Survey({
|
||||
return (
|
||||
<>
|
||||
<AutoCloseWrapper survey={survey} onClose={onClose}>
|
||||
<div className="flex h-full w-full flex-col justify-between bg-[--fb-survey-background-color] px-6 pb-3 pt-6">
|
||||
<div className="flex h-full w-full flex-col justify-between rounded-lg bg-[--fb-survey-background-color] px-6 pb-3 pt-6">
|
||||
<div ref={contentRef} className={cn(loadingElement ? "animate-pulse opacity-60" : "", "my-auto")}>
|
||||
{survey.questions.length === 0 && !survey.welcomeCard.enabled && !survey.thankYouCard.enabled ? (
|
||||
// Handle the case when there are no questions and both welcome and thank you cards are disabled
|
||||
|
||||
@@ -12,6 +12,7 @@ export function SurveyInline({
|
||||
prefillResponseData,
|
||||
isRedirectDisabled = false,
|
||||
onFileUpload,
|
||||
responseCount,
|
||||
}: SurveyBaseProps) {
|
||||
return (
|
||||
<div id="fbjs" className="formbricks-form h-full w-full">
|
||||
@@ -26,6 +27,7 @@ export function SurveyInline({
|
||||
prefillResponseData={prefillResponseData}
|
||||
isRedirectDisabled={isRedirectDisabled}
|
||||
onFileUpload={onFileUpload}
|
||||
responseCount={responseCount}
|
||||
/>
|
||||
</div>
|
||||
);
|
||||
|
||||
@@ -18,6 +18,7 @@ export function SurveyModal({
|
||||
onFinished = () => {},
|
||||
onFileUpload,
|
||||
isRedirectDisabled = false,
|
||||
responseCount,
|
||||
}: SurveyModalProps) {
|
||||
const [isOpen, setIsOpen] = useState(true);
|
||||
|
||||
@@ -55,6 +56,7 @@ export function SurveyModal({
|
||||
}}
|
||||
onFileUpload={onFileUpload}
|
||||
isRedirectDisabled={isRedirectDisabled}
|
||||
responseCount={responseCount}
|
||||
/>
|
||||
</Modal>
|
||||
</div>
|
||||
|
||||
@@ -10,9 +10,9 @@ interface WelcomeCardProps {
|
||||
html?: string;
|
||||
fileUrl?: string;
|
||||
buttonLabel?: string;
|
||||
timeToFinish?: boolean;
|
||||
onSubmit: (data: TResponseData, ttc: TResponseTtc) => void;
|
||||
survey: TSurvey;
|
||||
responseCount?: number;
|
||||
}
|
||||
|
||||
const TimerIcon = () => {
|
||||
@@ -32,14 +32,34 @@ const TimerIcon = () => {
|
||||
);
|
||||
};
|
||||
|
||||
const UsersIcon = () => {
|
||||
return (
|
||||
<div className="mr-1">
|
||||
<svg
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
fill="none"
|
||||
viewBox="0 0 24 24"
|
||||
stroke-width="1.5"
|
||||
stroke="currentColor"
|
||||
class="h-4 w-4">
|
||||
<path
|
||||
stroke-linecap="round"
|
||||
stroke-linejoin="round"
|
||||
d="M15 19.128a9.38 9.38 0 002.625.372 9.337 9.337 0 004.121-.952 4.125 4.125 0 00-7.533-2.493M15 19.128v-.003c0-1.113-.285-2.16-.786-3.07M15 19.128v.106A12.318 12.318 0 018.624 21c-2.331 0-4.512-.645-6.374-1.766l-.001-.109a6.375 6.375 0 0111.964-3.07M12 6.375a3.375 3.375 0 11-6.75 0 3.375 3.375 0 016.75 0zm8.25 2.25a2.625 2.625 0 11-5.25 0 2.625 2.625 0 015.25 0z"
|
||||
/>
|
||||
</svg>
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default function WelcomeCard({
|
||||
headline,
|
||||
html,
|
||||
fileUrl,
|
||||
buttonLabel,
|
||||
timeToFinish,
|
||||
onSubmit,
|
||||
survey,
|
||||
responseCount,
|
||||
}: WelcomeCardProps) {
|
||||
const calculateTimeToComplete = () => {
|
||||
let idx = calculateElementIdx(survey, 0);
|
||||
@@ -69,6 +89,9 @@ export default function WelcomeCard({
|
||||
return `${minutes} minutes`;
|
||||
};
|
||||
|
||||
const timeToFinish = survey.welcomeCard.timeToFinish;
|
||||
const showResponseCount = survey.welcomeCard.showResponseCount;
|
||||
|
||||
return (
|
||||
<div>
|
||||
{fileUrl && (
|
||||
@@ -93,12 +116,30 @@ export default function WelcomeCard({
|
||||
<div className="text-subheading flex items-center text-xs">Press Enter ↵</div>
|
||||
</div>
|
||||
</div>
|
||||
{timeToFinish && (
|
||||
|
||||
{timeToFinish && !showResponseCount ? (
|
||||
<div className="item-center mt-4 flex text-slate-500">
|
||||
<TimerIcon />
|
||||
<p className="text-xs">Takes {calculateTimeToComplete()}</p>
|
||||
<p className="pt-1 text-xs">
|
||||
<span> Takes {calculateTimeToComplete()} </span>
|
||||
</p>
|
||||
</div>
|
||||
)}
|
||||
) : showResponseCount && !timeToFinish && responseCount && responseCount > 3 ? (
|
||||
<div className="item-center mt-4 flex text-slate-500">
|
||||
<UsersIcon />
|
||||
<p className="pt-1 text-xs">
|
||||
<span>{`${responseCount} people responded`}</span>
|
||||
</p>
|
||||
</div>
|
||||
) : timeToFinish && showResponseCount ? (
|
||||
<div className="item-center mt-4 flex text-slate-500">
|
||||
<TimerIcon />
|
||||
<p className="pt-1 text-xs">
|
||||
<span> Takes {calculateTimeToComplete()} </span>
|
||||
<span>{responseCount && responseCount > 3 ? `⋅ ${responseCount} people responded` : ""}</span>
|
||||
</p>
|
||||
</div>
|
||||
) : null}
|
||||
</div>
|
||||
);
|
||||
}
|
||||
|
||||
@@ -15,6 +15,7 @@ export interface SurveyBaseProps {
|
||||
isRedirectDisabled?: boolean;
|
||||
prefillResponseData?: TResponseData;
|
||||
onFileUpload: (file: File, config?: TUploadFileConfig) => Promise<string>;
|
||||
responseCount?: number;
|
||||
}
|
||||
|
||||
export interface SurveyInlineProps extends SurveyBaseProps {
|
||||
|
||||
@@ -10,7 +10,7 @@
|
||||
"@tailwindcss/forms": "^0.5.7",
|
||||
"@tailwindcss/typography": "^0.5.10",
|
||||
"autoprefixer": "^10.4.16",
|
||||
"postcss": "^8.4.31",
|
||||
"tailwindcss": "^3.3.5"
|
||||
"postcss": "^8.4.32",
|
||||
"tailwindcss": "^3.3.6"
|
||||
}
|
||||
}
|
||||
|
||||