diff --git a/.env.example b/.env.example index 644c8b24621635..08c44c5c3b46b1 100644 --- a/.env.example +++ b/.env.example @@ -180,6 +180,7 @@ API_KEY_PREFIX=cal_ # allow access to the nodemailer transports from the .env file. E-mail templates are accessible within lib/emails/ # Configures the global From: header whilst sending emails. EMAIL_FROM='notifications@yourselfhostedcal.com' +EMAIL_FROM_NAME='Cal.com' # Configure SMTP settings (@see https://nodemailer.com/smtp/). # Configuration to receive emails locally (mailhog) @@ -299,6 +300,7 @@ E2E_TEST_CALCOM_GCAL_KEYS= CALCOM_CREDENTIAL_SYNC_SECRET="" # This is the header name that will be used to verify the webhook secret. Should be in lowercase CALCOM_CREDENTIAL_SYNC_HEADER_NAME="calcom-credential-sync-secret" +# This the endpoint from which the token is fetched CALCOM_CREDENTIAL_SYNC_ENDPOINT="" # Key should match on Cal.com and your application # must be 24 bytes for AES256 encryption algorithm @@ -358,3 +360,6 @@ UNKEY_ROOT_KEY= # Used for Cal.ai Enterprise Voice AI Agents # https://retellai.com RETELL_AI_KEY= + +# Used to disallow emails as being added as guests on bookings +BLACKLISTED_GUEST_EMAILS= diff --git a/.eslintignore b/.eslintignore index 219d7c2615901c..069222c27c0cb1 100644 --- a/.eslintignore +++ b/.eslintignore @@ -1,4 +1,6 @@ node_modules +apps/api/v2/dist +packages/platform/**/dist/* **/**/node_modules **/**/.next **/**/public diff --git a/.github/PULL_REQUEST_TEMPLATE.md b/.github/PULL_REQUEST_TEMPLATE.md index c51c8c7c52f93a..0788fabc58dbd7 100644 --- a/.github/PULL_REQUEST_TEMPLATE.md +++ b/.github/PULL_REQUEST_TEMPLATE.md @@ -2,29 +2,18 @@ -Fixes # (issue) +- Fixes #XXXX (GitHub issue number) +- Fixes CAL-XXXX (Linear issue number - should be visible at the bottom of the GitHub issue description) -## Requirement/Documentation +## Mandatory Tasks (DO NOT REMOVE) - - -- If there is a requirement document, please, share it here. -- If there is a UI/UX design document, please, share it here. - -## Type of change - - - -- Bug fix (non-breaking change which fixes an issue) -- Chore (refactoring code, technical debt, workflow improvements) -- New feature (non-breaking change which adds functionality) -- Breaking change (fix or feature that would cause existing functionality to not work as expected) -- Tests (Unit/Integration/E2E or any other test) -- This change requires a documentation update +- [ ] I have self-reviewed the code (A decent size PR without self-review might be rejected). +- [ ] I have added a Docs issue [here](https://github.com/calcom/docs/issues/new) if this PR makes changes that would require a [documentation change](https://docs.cal.com). If N/A, write N/A here and check the checkbox. +- [ ] I confirm automated tests are in place that prove my fix is effective or that my feature works. ## How should this be tested? @@ -35,10 +24,6 @@ Fixes # (issue) - What is expected (happy path) to have (input and output)? - Any other important info that could help to test that PR -## Mandatory Tasks - -- [ ] Make sure you have self-reviewed the code. A decent size PR without self-review might be rejected. - ## Checklist @@ -46,7 +31,4 @@ Fixes # (issue) - I haven't read the [contributing guide](https://github.com/calcom/cal.com/blob/main/CONTRIBUTING.md) - My code doesn't follow the style guidelines of this project - I haven't commented my code, particularly in hard-to-understand areas -- I haven't checked if my PR needs changes to the documentation - I haven't checked if my changes generate no new warnings -- I haven't added tests that prove my fix is effective or that my feature works -- I haven't checked if new and existing unit tests pass locally with my changes diff --git a/.github/actions/cache-build/action.yml b/.github/actions/cache-build/action.yml index 62bf25dd5914f0..72baa43cfc56cd 100644 --- a/.github/actions/cache-build/action.yml +++ b/.github/actions/cache-build/action.yml @@ -8,22 +8,26 @@ runs: using: "composite" steps: - name: Cache production build - uses: buildjet/cache@v3 + uses: buildjet/cache@v4 id: cache-build env: + # WARN: Don't touch this cache key. Currently github.sha refers to the latest commit in main + # and not the branch that's attempting to merge to main, which causes CI errors when merged + # to main. + # TODO: Fix this problem if intending to modify this cache key. cache-name: prod-build key-1: ${{ inputs.node_version }}-${{ hashFiles('yarn.lock') }} key-2: ${{ hashFiles('apps/**/**.[jt]s', 'apps/**/**.[jt]sx', 'packages/**/**.[jt]s', 'packages/**/**.[jt]sx', '!**/node_modules') }} key-3: ${{ github.event.pull_request.number || github.ref }} - # Ensures production-build.yml will always be fresh key-4: ${{ github.sha }} + key-5: ${{ github.event.pull_request.head.sha }} with: path: | ${{ github.workspace }}/apps/web/.next ${{ github.workspace }}/apps/web/public/embed **/.turbo/** **/dist/** - key: ${{ runner.os }}-${{ env.cache-name }}-${{ env.key-1 }}-${{ env.key-2 }}-${{ env.key-3 }}-${{ env.key-4 }} + key: ${{ runner.os }}-${{ env.cache-name }}-${{ env.key-1 }}-${{ env.key-2 }}-${{ env.key-3 }}-${{ env.key-4 }}-${{ env.key-5 }} - run: | export NODE_OPTIONS="--max_old_space_size=8192" yarn build diff --git a/.github/actions/cache-db/action.yml b/.github/actions/cache-db/action.yml index 6931d193e2ae31..f1b519f23f1104 100644 --- a/.github/actions/cache-db/action.yml +++ b/.github/actions/cache-db/action.yml @@ -12,11 +12,12 @@ runs: steps: - name: Cache database id: cache-db - uses: buildjet/cache@v3 + uses: buildjet/cache@v4 env: cache-name: cache-db key-1: ${{ hashFiles('packages/prisma/schema.prisma', 'packages/prisma/migrations/**/**.sql', 'packages/prisma/*.ts') }} key-2: ${{ github.event.pull_request.number || github.ref }} + key-3: ${{ github.event.pull_request.head.sha }} DATABASE_URL: ${{ inputs.DATABASE_URL }} DATABASE_DIRECT_URL: ${{ inputs.DATABASE_URL }} E2E_TEST_CALCOM_QA_EMAIL: ${{ inputs.E2E_TEST_CALCOM_QA_EMAIL }} @@ -24,7 +25,7 @@ runs: E2E_TEST_CALCOM_QA_GCAL_CREDENTIALS: ${{ inputs.E2E_TEST_CALCOM_QA_GCAL_CREDENTIALS }} with: path: ${{ inputs.path }} - key: ${{ runner.os }}-${{ env.cache-name }}-${{ inputs.path }}-${{ env.key-1 }}-${{ env.key-2 }} + key: ${{ runner.os }}-${{ env.cache-name }}-${{ inputs.path }}-${{ env.key-1 }}-${{ env.key-2 }}-${{ env.key-3 }} - run: echo ${{ env.E2E_TEST_CALCOM_QA_GCAL_CREDENTIALS }} && yarn db-seed if: steps.cache-db.outputs.cache-hit != 'true' shell: bash diff --git a/.github/actions/dangerous-git-checkout/action.yml b/.github/actions/dangerous-git-checkout/action.yml index 48dca84cbebb92..c2dccc4e290e27 100644 --- a/.github/actions/dangerous-git-checkout/action.yml +++ b/.github/actions/dangerous-git-checkout/action.yml @@ -4,7 +4,7 @@ runs: using: "composite" steps: - name: Checkout repo - uses: actions/checkout@v3 + uses: actions/checkout@v4 with: ref: ${{ github.event.pull_request.head.sha }} fetch-depth: 2 diff --git a/.github/actions/yarn-install/action.yml b/.github/actions/yarn-install/action.yml index 0ce62d38717f30..80cd97339500c9 100644 --- a/.github/actions/yarn-install/action.yml +++ b/.github/actions/yarn-install/action.yml @@ -20,7 +20,7 @@ runs: using: "composite" steps: - name: Use Node ${{ inputs.node_version }} - uses: buildjet/setup-node@v3 + uses: buildjet/setup-node@v4 with: node-version: ${{ inputs.node_version }} - name: Expose yarn config as "$GITHUB_OUTPUT" @@ -32,7 +32,7 @@ runs: # Yarn rotates the downloaded cache archives, @see https://github.com/actions/setup-node/issues/325 # Yarn cache is also reusable between arch and os. - name: Restore yarn cache - uses: buildjet/cache@v3 + uses: buildjet/cache@v4 id: yarn-download-cache with: path: ${{ steps.yarn-config.outputs.CACHE_FOLDER }} @@ -43,7 +43,7 @@ runs: # Invalidated on yarn.lock changes - name: Restore node_modules id: yarn-nm-cache - uses: buildjet/cache@v3 + uses: buildjet/cache@v4 with: path: "**/node_modules/" key: ${{ runner.os }}-yarn-nm-cache-${{ hashFiles('yarn.lock', '.yarnrc.yml') }} @@ -51,7 +51,7 @@ runs: # Invalidated on yarn.lock changes - name: Restore yarn install state id: yarn-install-state-cache - uses: buildjet/cache@v3 + uses: buildjet/cache@v4 with: path: .yarn/ci-cache/ key: ${{ runner.os }}-yarn-install-state-cache-${{ hashFiles('yarn.lock', '.yarnrc.yml') }} diff --git a/.github/actions/yarn-playwright-install/action.yml b/.github/actions/yarn-playwright-install/action.yml index 601513ee765735..b5d9681be5ba09 100644 --- a/.github/actions/yarn-playwright-install/action.yml +++ b/.github/actions/yarn-playwright-install/action.yml @@ -5,7 +5,7 @@ runs: steps: - name: Cache playwright binaries id: playwright-cache - uses: buildjet/cache@v3 + uses: buildjet/cache@v4 with: path: | ~/Library/Caches/ms-playwright diff --git a/.github/labeler.yml b/.github/labeler.yml index 208260cad2b1df..6e1a2b605cecf5 100644 --- a/.github/labeler.yml +++ b/.github/labeler.yml @@ -1,6 +1,10 @@ "❗️ migrations": - - packages/prisma/migrations/**/migration.sql +- changed-files: + - any-glob-to-any-file: + - packages/prisma/migrations/**/migration.sql "❗️ .env changes": - - .env.example - - .env.appStore.example +- changed-files: + - any-glob-to-any-file: + - .env.example + - .env.appStore.example diff --git a/.github/workflows/all-checks.yml b/.github/workflows/all-checks.yml new file mode 100644 index 00000000000000..8c290f5ec55840 --- /dev/null +++ b/.github/workflows/all-checks.yml @@ -0,0 +1,85 @@ +name: All checks + +on: + merge_group: + workflow_dispatch: + +concurrency: + group: ${{ github.workflow }}-${{ github.event.pull_request.number || github.ref }} + cancel-in-progress: true + +jobs: + type-check: + name: Type check + uses: ./.github/workflows/check-types.yml + secrets: inherit + + lint: + name: Linters + uses: ./.github/workflows/lint.yml + secrets: inherit + + unit-test: + name: Tests + uses: ./.github/workflows/unit-tests.yml + secrets: inherit + + build-api-v1: + name: Production builds + uses: ./.github/workflows/api-v1-production-build.yml + secrets: inherit + + build-api-v2: + name: Production builds + uses: ./.github/workflows/api-v2-production-build.yml + secrets: inherit + + build: + name: Production builds + uses: ./.github/workflows/production-build-without-database.yml + secrets: inherit + + integration-test: + name: Tests + needs: [lint, build, build-api-v1, build-api-v2] + uses: ./.github/workflows/integration-tests.yml + secrets: inherit + + e2e: + name: Tests + needs: [lint, build, build-api-v1, build-api-v2] + uses: ./.github/workflows/e2e.yml + secrets: inherit + + e2e-app-store: + name: Tests + needs: [lint, build, build-api-v1, build-api-v2] + uses: ./.github/workflows/e2e-app-store.yml + secrets: inherit + + e2e-embed: + name: Tests + needs: [lint, build, build-api-v1, build-api-v2] + uses: ./.github/workflows/e2e-embed.yml + secrets: inherit + + e2e-embed-react: + name: Tests + needs: [lint, build, build-api-v1, build-api-v2] + uses: ./.github/workflows/e2e-embed-react.yml + secrets: inherit + + analyze: + name: Analyze Build + needs: [build] + uses: ./.github/workflows/nextjs-bundle-analysis.yml + secrets: inherit + + required: + needs: [lint, type-check, unit-test, integration-test, build, build-api-v1, build-api-v2, e2e, e2e-embed, e2e-embed-react, e2e-app-store] + if: always() + runs-on: buildjet-2vcpu-ubuntu-2204 + steps: + - name: fail if conditional jobs failed + if: contains(needs.*.result, 'failure') || contains(needs.*.result, 'skipped') || contains(needs.*.result, 'cancelled') + run: exit 1 diff --git a/.github/workflows/api-v1-production-build.yml b/.github/workflows/api-v1-production-build.yml index fc4a1405784e19..80a24ef801b83b 100644 --- a/.github/workflows/api-v1-production-build.yml +++ b/.github/workflows/api-v1-production-build.yml @@ -1,4 +1,4 @@ -name: Production Build +name: Production Builds on: workflow_call: @@ -18,7 +18,10 @@ env: GOOGLE_LOGIN_ENABLED: ${{ vars.CI_GOOGLE_LOGIN_ENABLED }} NEXTAUTH_SECRET: ${{ secrets.CI_NEXTAUTH_SECRET }} NEXTAUTH_URL: ${{ secrets.CI_NEXTAUTH_URL }} + NEXT_PUBLIC_API_V2_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_URL }} + NEXT_PUBLIC_API_V2_ROOT_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_ROOT_URL }} NEXT_PUBLIC_IS_E2E: ${{ vars.CI_NEXT_PUBLIC_IS_E2E }} + NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} NEXT_PUBLIC_STRIPE_PUBLIC_KEY: ${{ secrets.CI_NEXT_PUBLIC_STRIPE_PUBLIC_KEY }} NEXT_PUBLIC_WEBAPP_URL: ${{ vars.CI_NEXT_PUBLIC_WEBAPP_URL }} NEXT_PUBLIC_WEBSITE_URL: ${{ vars.CI_NEXT_PUBLIC_WEBSITE_URL }} @@ -33,13 +36,10 @@ env: SENDGRID_EMAIL: ${{ secrets.CI_SENDGRID_EMAIL }} TURBO_TOKEN: ${{ secrets.TURBO_TOKEN }} TURBO_TEAM: ${{ secrets.TURBO_TEAM }} - NEXT_PUBLIC_API_V2_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_URL }} - NEXT_PUBLIC_API_V2_ROOT_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_ROOT_URL }} - NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} jobs: build: - name: Build API V1 + name: Build API v1 runs-on: buildjet-4vcpu-ubuntu-2204 timeout-minutes: 30 services: @@ -60,11 +60,31 @@ jobs: ports: - 5432:5432 steps: - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - uses: ./.github/actions/yarn-install - uses: ./.github/actions/cache-db + - name: Cache API v1 production build + uses: buildjet/cache@v4 + id: cache-api-v1-build + env: + cache-name: api-v1-build + key-1: ${{ hashFiles('yarn.lock') }} + key-2: ${{ hashFiles('apps/api/v1/**.[jt]s', 'apps/api/v1/**.[jt]sx', '!**/node_modules') }} + key-3: ${{ github.event.pull_request.number || github.ref }} + # Ensures production-build.yml will always be fresh + key-4: ${{ github.sha }} + with: + path: | + ${{ github.workspace }}/apps/api/v1/.next + **/.turbo/** + **/dist/** + key: ${{ runner.os }}-${{ env.cache-name }}-${{ env.key-1 }}-${{ env.key-2 }}-${{ env.key-3 }}-${{ env.key-4 }} - run: | export NODE_OPTIONS="--max_old_space_size=8192" - yarn turbo run build --filter=@calcom/api... + if [ ${{ steps.cache-api-v1-build.outputs.cache-hit }} == 'true' ]; then + echo "Cache hit for API v1 build. Skipping build." + else + yarn turbo run build --filter=@calcom/api... + fi shell: bash diff --git a/.github/workflows/api-v2-production-build.yml b/.github/workflows/api-v2-production-build.yml new file mode 100644 index 00000000000000..28fe054a93ed48 --- /dev/null +++ b/.github/workflows/api-v2-production-build.yml @@ -0,0 +1,60 @@ +name: Production Build + +on: + workflow_call: + +env: + DATABASE_URL: ${{ secrets.CI_DATABASE_URL }} + DATABASE_DIRECT_URL: ${{ secrets.CI_DATABASE_URL }} + +jobs: + build: + name: Build API v2 + runs-on: buildjet-4vcpu-ubuntu-2204 + timeout-minutes: 30 + services: + postgres: + image: postgres:13 + credentials: + username: ${{ secrets.DOCKERHUB_USERNAME }} + password: ${{ secrets.DOCKERHUB_TOKEN }} + env: + POSTGRES_USER: postgres + POSTGRES_PASSWORD: postgres + POSTGRES_DB: calendso + options: >- + --health-cmd pg_isready + --health-interval 10s + --health-timeout 5s + --health-retries 5 + ports: + - 5432:5432 + steps: + - uses: actions/checkout@v4 + - uses: ./.github/actions/dangerous-git-checkout + - uses: ./.github/actions/yarn-install + - name: Cache API v2 production build + uses: buildjet/cache@v4 + id: cache-api-v2-build + env: + cache-name: api-v2-build + key-1: ${{ hashFiles('yarn.lock') }} + key-2: ${{ hashFiles('apps/api/v2/**.[jt]s', 'apps/api/v2/**.[jt]sx', '!**/node_modules') }} + key-3: ${{ github.event.pull_request.number || github.ref }} + # Ensures production-build.yml will always be fresh + key-4: ${{ github.sha }} + with: + path: | + **/dist/** + key: ${{ runner.os }}-${{ env.cache-name }}-${{ env.key-1 }}-${{ env.key-2 }}-${{ env.key-3 }}-${{ env.key-4 }} + - run: | + export NODE_OPTIONS="--max_old_space_size=8192" + if [ ${{ steps.cache-api-v2-build.outputs.cache-hit }} == 'true' ]; then + echo "Cache hit for API v2 build. Skipping build." + else + yarn workspace @calcom/api-v2 run generate-schemas + rm -rf apps/api/v2/node_modules + yarn install + yarn workspace @calcom/api-v2 run build + fi + shell: bash diff --git a/.github/workflows/cache-clean.yml b/.github/workflows/cache-clean.yml index dd0be43ec50b41..3b0f51ed1fbfa8 100644 --- a/.github/workflows/cache-clean.yml +++ b/.github/workflows/cache-clean.yml @@ -6,10 +6,10 @@ on: jobs: cleanup: - runs-on: buildjet-4vcpu-ubuntu-2204 + runs-on: buildjet-2vcpu-ubuntu-2204 steps: - name: Check out code - uses: actions/checkout@v3 + uses: actions/checkout@v4 - name: Cleanup run: | @@ -21,7 +21,7 @@ jobs: echo "Fetching list of cache key" cacheKeysForPR=$(gh actions-cache list -R $REPO -B $BRANCH | cut -f 1 ) - ## Setting this to not fail the workflow while deleting cache keys. + ## Setting this to not fail the workflow while deleting cache keys. set +e echo "Deleting caches..." for cacheKey in $cacheKeysForPR diff --git a/.github/workflows/check-if-ui-has-changed.yml b/.github/workflows/check-if-ui-has-changed.yml index 0aa91d974d7733..1a0bd8b9b8fde3 100644 --- a/.github/workflows/check-if-ui-has-changed.yml +++ b/.github/workflows/check-if-ui-has-changed.yml @@ -22,7 +22,7 @@ jobs: runs-on: ubuntu-latest steps: - name: Checkout repository - uses: actions/checkout@v3 + uses: actions/checkout@v4 with: ref: ${{ github.event.pull_request.head.sha }} # So we can test on forks fetch-depth: 0 diff --git a/.github/workflows/check-types.yml b/.github/workflows/check-types.yml index 85f730a3aed883..3ed84d98b77715 100644 --- a/.github/workflows/check-types.yml +++ b/.github/workflows/check-types.yml @@ -7,7 +7,7 @@ jobs: check-types: runs-on: buildjet-4vcpu-ubuntu-2204 steps: - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - uses: ./.github/actions/yarn-install - name: Show info diff --git a/.github/workflows/cron-monthlyDigestEmail.yml b/.github/workflows/cron-monthlyDigestEmail.yml index ed2ec648255334..d8ff0716069aca 100644 --- a/.github/workflows/cron-monthlyDigestEmail.yml +++ b/.github/workflows/cron-monthlyDigestEmail.yml @@ -18,9 +18,9 @@ jobs: run: | LAST_DAY=$(date -d tomorrow +%d) if [ "$LAST_DAY" == "01" ]; then - echo "::set-output name=is_last_day::true" + echo "is_last_day=true" >> "$GITHUB_OUTPUT" else - echo "::set-output name=is_last_day::false" + echo "is_last_day=false" >> "$GITHUB_OUTPUT" fi - name: cURL request diff --git a/.github/workflows/crowdin.yml b/.github/workflows/crowdin.yml index 50df67ba143fb1..b37240eb12766e 100644 --- a/.github/workflows/crowdin.yml +++ b/.github/workflows/crowdin.yml @@ -14,7 +14,7 @@ jobs: steps: - name: Checkout - uses: actions/checkout@v3 + uses: actions/checkout@v4 with: token: ${{ secrets.GH_ACCESS_TOKEN }} diff --git a/.github/workflows/delete-buildjet-cache.yml b/.github/workflows/delete-buildjet-cache.yml index 8f34eb4d23ff3b..d63487afcbb697 100644 --- a/.github/workflows/delete-buildjet-cache.yml +++ b/.github/workflows/delete-buildjet-cache.yml @@ -11,7 +11,7 @@ jobs: runs-on: buildjet-2vcpu-ubuntu-2204 steps: - name: Checkout - uses: actions/checkout@v3 + uses: actions/checkout@v4 - uses: buildjet/cache-delete@v1 with: cache_key: ${{ inputs.cache_key }} diff --git a/.github/workflows/e2e-app-store.yml b/.github/workflows/e2e-app-store.yml index a7d8006d369361..2838a454f97f50 100644 --- a/.github/workflows/e2e-app-store.yml +++ b/.github/workflows/e2e-app-store.yml @@ -1,12 +1,47 @@ -name: E2E App-Store Apps Tests +name: E2E App Store Tests on: workflow_call: env: NODE_OPTIONS: --max-old-space-size=4096 + ALLOWED_HOSTNAMES: ${{ vars.CI_ALLOWED_HOSTNAMES }} + CALENDSO_ENCRYPTION_KEY: ${{ secrets.CI_CALENDSO_ENCRYPTION_KEY }} + DAILY_API_KEY: ${{ secrets.CI_DAILY_API_KEY }} + DATABASE_URL: ${{ secrets.CI_DATABASE_URL }} + DATABASE_DIRECT_URL: ${{ secrets.CI_DATABASE_URL }} + DEPLOYSENTINEL_API_KEY: ${{ secrets.DEPLOYSENTINEL_API_KEY }} + E2E_TEST_APPLE_CALENDAR_EMAIL: ${{ secrets.E2E_TEST_APPLE_CALENDAR_EMAIL }} + E2E_TEST_APPLE_CALENDAR_PASSWORD: ${{ secrets.E2E_TEST_APPLE_CALENDAR_PASSWORD }} + E2E_TEST_MAILHOG_ENABLED: ${{ vars.E2E_TEST_MAILHOG_ENABLED }} + GOOGLE_API_CREDENTIALS: ${{ secrets.CI_GOOGLE_API_CREDENTIALS }} + EMAIL_SERVER_HOST: ${{ secrets.CI_EMAIL_SERVER_HOST }} + EMAIL_SERVER_PORT: ${{ secrets.CI_EMAIL_SERVER_PORT }} + EMAIL_SERVER_USER: ${{ secrets.CI_EMAIL_SERVER_USER }} + EMAIL_SERVER_PASSWORD: ${{ secrets.CI_EMAIL_SERVER_PASSWORD}} + GOOGLE_LOGIN_ENABLED: ${{ vars.CI_GOOGLE_LOGIN_ENABLED }} + NEXTAUTH_SECRET: ${{ secrets.CI_NEXTAUTH_SECRET }} + NEXTAUTH_URL: ${{ secrets.CI_NEXTAUTH_URL }} + NEXT_PUBLIC_API_V2_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_URL }} + NEXT_PUBLIC_API_V2_ROOT_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_ROOT_URL }} + NEXT_PUBLIC_IS_E2E: ${{ vars.CI_NEXT_PUBLIC_IS_E2E }} + NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} + NEXT_PUBLIC_STRIPE_PUBLIC_KEY: ${{ secrets.CI_NEXT_PUBLIC_STRIPE_PUBLIC_KEY }} + NEXT_PUBLIC_WEBAPP_URL: ${{ vars.CI_NEXT_PUBLIC_WEBAPP_URL }} + NEXT_PUBLIC_WEBSITE_URL: ${{ vars.CI_NEXT_PUBLIC_WEBSITE_URL }} + PAYMENT_FEE_FIXED: ${{ vars.CI_PAYMENT_FEE_FIXED }} + PAYMENT_FEE_PERCENTAGE: ${{ vars.CI_PAYMENT_FEE_PERCENTAGE }} + SAML_ADMINS: ${{ secrets.CI_SAML_ADMINS }} + SAML_DATABASE_URL: ${{ secrets.CI_SAML_DATABASE_URL }} + STRIPE_PRIVATE_KEY: ${{ secrets.CI_STRIPE_PRIVATE_KEY }} + STRIPE_CLIENT_ID: ${{ secrets.CI_STRIPE_CLIENT_ID }} + STRIPE_WEBHOOK_SECRET: ${{ secrets.CI_STRIPE_WEBHOOK_SECRET }} + SENDGRID_API_KEY: ${{ secrets.CI_SENDGRID_API_KEY }} + SENDGRID_EMAIL: ${{ secrets.CI_SENDGRID_EMAIL }} + TURBO_TOKEN: ${{ secrets.TURBO_TOKEN }} + TURBO_TEAM: ${{ secrets.TURBO_TEAM }} jobs: e2e-app-store: timeout-minutes: 20 - name: E2E App Store (${{ matrix.shard }}/${{ strategy.job-total }}) + name: E2E App Store runs-on: buildjet-4vcpu-ubuntu-2204 services: postgres: @@ -35,16 +70,13 @@ jobs: - 1025:1025 strategy: fail-fast: false - matrix: - ## There aren't many tests for AppStore. So, just start with 2 shards. Increase if needed. - shard: [1, 2] steps: - uses: docker/login-action@v3 with: username: ${{ secrets.DOCKERHUB_USERNAME }} password: ${{ secrets.DOCKERHUB_TOKEN }} - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - uses: ./.github/actions/yarn-install - uses: ./.github/actions/yarn-playwright-install @@ -58,44 +90,10 @@ jobs: E2E_TEST_CALCOM_GCAL_KEYS: ${{ secrets.E2E_TEST_CALCOM_GCAL_KEYS }} - uses: ./.github/actions/cache-build - name: Run Tests - run: yarn e2e:app-store --shard=${{ matrix.shard }}/${{ strategy.job-total }} - env: - ALLOWED_HOSTNAMES: ${{ vars.CI_ALLOWED_HOSTNAMES }} - CALENDSO_ENCRYPTION_KEY: ${{ secrets.CI_CALENDSO_ENCRYPTION_KEY }} - DAILY_API_KEY: ${{ secrets.CI_DAILY_API_KEY }} - DATABASE_URL: ${{ secrets.CI_DATABASE_URL }} - DATABASE_DIRECT_URL: ${{ secrets.CI_DATABASE_URL }} - DEPLOYSENTINEL_API_KEY: ${{ secrets.DEPLOYSENTINEL_API_KEY }} - E2E_TEST_APPLE_CALENDAR_EMAIL: ${{ secrets.E2E_TEST_APPLE_CALENDAR_EMAIL }} - E2E_TEST_APPLE_CALENDAR_PASSWORD: ${{ secrets.E2E_TEST_APPLE_CALENDAR_PASSWORD }} - E2E_TEST_CALCOM_QA_EMAIL: ${{ secrets.E2E_TEST_CALCOM_QA_EMAIL }} - E2E_TEST_CALCOM_QA_PASSWORD: ${{ secrets.E2E_TEST_CALCOM_QA_PASSWORD }} - E2E_TEST_CALCOM_QA_GCAL_CREDENTIALS: ${{ secrets.E2E_TEST_CALCOM_QA_GCAL_CREDENTIALS }} - E2E_TEST_CALCOM_GCAL_KEYS: ${{ secrets.E2E_TEST_CALCOM_GCAL_KEYS }} - E2E_TEST_MAILHOG_ENABLED: ${{ vars.E2E_TEST_MAILHOG_ENABLED }} - GOOGLE_API_CREDENTIALS: ${{ secrets.CI_GOOGLE_API_CREDENTIALS }} - GOOGLE_LOGIN_ENABLED: ${{ vars.CI_GOOGLE_LOGIN_ENABLED }} - NEXTAUTH_SECRET: ${{ secrets.CI_NEXTAUTH_SECRET }} - NEXTAUTH_URL: ${{ secrets.CI_NEXTAUTH_URL }} - NEXT_PUBLIC_IS_E2E: ${{ vars.CI_NEXT_PUBLIC_IS_E2E }} - NEXT_PUBLIC_STRIPE_PUBLIC_KEY: ${{ secrets.CI_NEXT_PUBLIC_STRIPE_PUBLIC_KEY }} - NEXT_PUBLIC_WEBAPP_URL: ${{ vars.CI_NEXT_PUBLIC_WEBAPP_URL }} - NEXT_PUBLIC_WEBSITE_URL: ${{ vars.CI_NEXT_PUBLIC_WEBSITE_URL }} - PAYMENT_FEE_FIXED: ${{ vars.CI_PAYMENT_FEE_FIXED }} - PAYMENT_FEE_PERCENTAGE: ${{ vars.CI_PAYMENT_FEE_PERCENTAGE }} - SAML_ADMINS: ${{ secrets.CI_SAML_ADMINS }} - SAML_DATABASE_URL: ${{ secrets.CI_SAML_DATABASE_URL }} - STRIPE_PRIVATE_KEY: ${{ secrets.CI_STRIPE_PRIVATE_KEY }} - STRIPE_CLIENT_ID: ${{ secrets.CI_STRIPE_CLIENT_ID }} - STRIPE_WEBHOOK_SECRET: ${{ secrets.CI_STRIPE_WEBHOOK_SECRET }} - SENDGRID_API_KEY: ${{ secrets.CI_SENDGRID_API_KEY }} - SENDGRID_EMAIL: ${{ secrets.CI_SENDGRID_EMAIL }} - TURBO_TOKEN: ${{ secrets.TURBO_TOKEN }} - TURBO_TEAM: ${{ secrets.TURBO_TEAM }} - NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} + run: yarn e2e:app-store - name: Upload Test Results if: ${{ always() }} uses: actions/upload-artifact@v4 with: - name: app-store-results-${{ matrix.shard }}_${{ strategy.job-total }} + name: app-store-results path: test-results diff --git a/.github/workflows/e2e-embed-react.yml b/.github/workflows/e2e-embed-react.yml index cdc060a4600e4b..efd58e9f96a4b1 100644 --- a/.github/workflows/e2e-embed-react.yml +++ b/.github/workflows/e2e-embed-react.yml @@ -3,10 +3,45 @@ on: workflow_call: env: NODE_OPTIONS: --max-old-space-size=4096 + ALLOWED_HOSTNAMES: ${{ vars.CI_ALLOWED_HOSTNAMES }} + CALENDSO_ENCRYPTION_KEY: ${{ secrets.CI_CALENDSO_ENCRYPTION_KEY }} + DAILY_API_KEY: ${{ secrets.CI_DAILY_API_KEY }} + DATABASE_URL: ${{ secrets.CI_DATABASE_URL }} + DATABASE_DIRECT_URL: ${{ secrets.CI_DATABASE_URL }} + DEPLOYSENTINEL_API_KEY: ${{ secrets.DEPLOYSENTINEL_API_KEY }} + E2E_TEST_APPLE_CALENDAR_EMAIL: ${{ secrets.E2E_TEST_APPLE_CALENDAR_EMAIL }} + E2E_TEST_APPLE_CALENDAR_PASSWORD: ${{ secrets.E2E_TEST_APPLE_CALENDAR_PASSWORD }} + E2E_TEST_MAILHOG_ENABLED: ${{ vars.E2E_TEST_MAILHOG_ENABLED }} + GOOGLE_API_CREDENTIALS: ${{ secrets.CI_GOOGLE_API_CREDENTIALS }} + EMAIL_SERVER_HOST: ${{ secrets.CI_EMAIL_SERVER_HOST }} + EMAIL_SERVER_PORT: ${{ secrets.CI_EMAIL_SERVER_PORT }} + EMAIL_SERVER_USER: ${{ secrets.CI_EMAIL_SERVER_USER }} + EMAIL_SERVER_PASSWORD: ${{ secrets.CI_EMAIL_SERVER_PASSWORD}} + GOOGLE_LOGIN_ENABLED: ${{ vars.CI_GOOGLE_LOGIN_ENABLED }} + NEXTAUTH_SECRET: ${{ secrets.CI_NEXTAUTH_SECRET }} + NEXTAUTH_URL: ${{ secrets.CI_NEXTAUTH_URL }} + NEXT_PUBLIC_API_V2_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_URL }} + NEXT_PUBLIC_API_V2_ROOT_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_ROOT_URL }} + NEXT_PUBLIC_IS_E2E: ${{ vars.CI_NEXT_PUBLIC_IS_E2E }} + NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} + NEXT_PUBLIC_STRIPE_PUBLIC_KEY: ${{ secrets.CI_NEXT_PUBLIC_STRIPE_PUBLIC_KEY }} + NEXT_PUBLIC_WEBAPP_URL: ${{ vars.CI_NEXT_PUBLIC_WEBAPP_URL }} + NEXT_PUBLIC_WEBSITE_URL: ${{ vars.CI_NEXT_PUBLIC_WEBSITE_URL }} + PAYMENT_FEE_FIXED: ${{ vars.CI_PAYMENT_FEE_FIXED }} + PAYMENT_FEE_PERCENTAGE: ${{ vars.CI_PAYMENT_FEE_PERCENTAGE }} + SAML_ADMINS: ${{ secrets.CI_SAML_ADMINS }} + SAML_DATABASE_URL: ${{ secrets.CI_SAML_DATABASE_URL }} + STRIPE_PRIVATE_KEY: ${{ secrets.CI_STRIPE_PRIVATE_KEY }} + STRIPE_CLIENT_ID: ${{ secrets.CI_STRIPE_CLIENT_ID }} + STRIPE_WEBHOOK_SECRET: ${{ secrets.CI_STRIPE_WEBHOOK_SECRET }} + SENDGRID_API_KEY: ${{ secrets.CI_SENDGRID_API_KEY }} + SENDGRID_EMAIL: ${{ secrets.CI_SENDGRID_EMAIL }} + TURBO_TOKEN: ${{ secrets.TURBO_TOKEN }} + TURBO_TEAM: ${{ secrets.TURBO_TEAM }} jobs: e2e-embed: timeout-minutes: 20 - name: E2E Embed React (${{ matrix.shard }}/${{ strategy.job-total }}) + name: E2E Embed React runs-on: buildjet-4vcpu-ubuntu-2204 services: postgres: @@ -27,16 +62,13 @@ jobs: - 5432:5432 strategy: fail-fast: false - matrix: - ## There aren't many tests for embed-react. So, just start with 2 shards. Increase if needed. - shard: [1, 2] steps: - uses: docker/login-action@v3 with: username: ${{ secrets.DOCKERHUB_USERNAME }} password: ${{ secrets.DOCKERHUB_TOKEN }} - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - uses: ./.github/actions/yarn-install - uses: ./.github/actions/yarn-playwright-install @@ -44,40 +76,11 @@ jobs: - uses: ./.github/actions/cache-build - name: Run Tests run: | - yarn e2e:embed-react --shard=${{ matrix.shard }}/${{ strategy.job-total }} + yarn e2e:embed-react yarn workspace @calcom/embed-react packaged:tests - env: - ALLOWED_HOSTNAMES: ${{ vars.CI_ALLOWED_HOSTNAMES }} - CALENDSO_ENCRYPTION_KEY: ${{ secrets.CI_CALENDSO_ENCRYPTION_KEY }} - DAILY_API_KEY: ${{ secrets.CI_DAILY_API_KEY }} - DATABASE_URL: ${{ secrets.CI_DATABASE_URL }} - DATABASE_DIRECT_URL: ${{ secrets.CI_DATABASE_URL }} - DEPLOYSENTINEL_API_KEY: ${{ secrets.DEPLOYSENTINEL_API_KEY }} - E2E_TEST_APPLE_CALENDAR_EMAIL: ${{ secrets.E2E_TEST_APPLE_CALENDAR_EMAIL }} - E2E_TEST_APPLE_CALENDAR_PASSWORD: ${{ secrets.E2E_TEST_APPLE_CALENDAR_PASSWORD }} - GOOGLE_API_CREDENTIALS: ${{ secrets.CI_GOOGLE_API_CREDENTIALS }} - GOOGLE_LOGIN_ENABLED: ${{ vars.CI_GOOGLE_LOGIN_ENABLED }} - NEXTAUTH_SECRET: ${{ secrets.CI_NEXTAUTH_SECRET }} - NEXTAUTH_URL: ${{ secrets.CI_NEXTAUTH_URL }} - NEXT_PUBLIC_IS_E2E: ${{ vars.CI_NEXT_PUBLIC_IS_E2E }} - NEXT_PUBLIC_STRIPE_PUBLIC_KEY: ${{ secrets.CI_NEXT_PUBLIC_STRIPE_PUBLIC_KEY }} - NEXT_PUBLIC_WEBAPP_URL: ${{ vars.CI_NEXT_PUBLIC_WEBAPP_URL }} - NEXT_PUBLIC_WEBSITE_URL: ${{ vars.CI_NEXT_PUBLIC_WEBSITE_URL }} - PAYMENT_FEE_FIXED: ${{ vars.CI_PAYMENT_FEE_FIXED }} - PAYMENT_FEE_PERCENTAGE: ${{ vars.CI_PAYMENT_FEE_PERCENTAGE }} - SAML_ADMINS: ${{ secrets.CI_SAML_ADMINS }} - SAML_DATABASE_URL: ${{ secrets.CI_SAML_DATABASE_URL }} - STRIPE_PRIVATE_KEY: ${{ secrets.CI_STRIPE_PRIVATE_KEY }} - STRIPE_CLIENT_ID: ${{ secrets.CI_STRIPE_CLIENT_ID }} - STRIPE_WEBHOOK_SECRET: ${{ secrets.CI_STRIPE_WEBHOOK_SECRET }} - SENDGRID_API_KEY: ${{ secrets.CI_SENDGRID_API_KEY }} - SENDGRID_EMAIL: ${{ secrets.CI_SENDGRID_EMAIL }} - TURBO_TOKEN: ${{ secrets.TURBO_TOKEN }} - TURBO_TEAM: ${{ secrets.TURBO_TEAM }} - NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} - name: Upload Test Results if: ${{ always() }} uses: actions/upload-artifact@v4 with: - name: embed-react-results-${{ matrix.shard }}_${{ strategy.job-total }} + name: embed-react-results path: test-results diff --git a/.github/workflows/e2e-embed.yml b/.github/workflows/e2e-embed.yml index 6bc3eeb8c9351b..149f774968fe65 100644 --- a/.github/workflows/e2e-embed.yml +++ b/.github/workflows/e2e-embed.yml @@ -3,10 +3,45 @@ on: workflow_call: env: NODE_OPTIONS: --max-old-space-size=4096 + ALLOWED_HOSTNAMES: ${{ vars.CI_ALLOWED_HOSTNAMES }} + CALENDSO_ENCRYPTION_KEY: ${{ secrets.CI_CALENDSO_ENCRYPTION_KEY }} + DAILY_API_KEY: ${{ secrets.CI_DAILY_API_KEY }} + DATABASE_URL: ${{ secrets.CI_DATABASE_URL }} + DATABASE_DIRECT_URL: ${{ secrets.CI_DATABASE_URL }} + DEPLOYSENTINEL_API_KEY: ${{ secrets.DEPLOYSENTINEL_API_KEY }} + E2E_TEST_APPLE_CALENDAR_EMAIL: ${{ secrets.E2E_TEST_APPLE_CALENDAR_EMAIL }} + E2E_TEST_APPLE_CALENDAR_PASSWORD: ${{ secrets.E2E_TEST_APPLE_CALENDAR_PASSWORD }} + E2E_TEST_MAILHOG_ENABLED: ${{ vars.E2E_TEST_MAILHOG_ENABLED }} + GOOGLE_API_CREDENTIALS: ${{ secrets.CI_GOOGLE_API_CREDENTIALS }} + EMAIL_SERVER_HOST: ${{ secrets.CI_EMAIL_SERVER_HOST }} + EMAIL_SERVER_PORT: ${{ secrets.CI_EMAIL_SERVER_PORT }} + EMAIL_SERVER_USER: ${{ secrets.CI_EMAIL_SERVER_USER }} + EMAIL_SERVER_PASSWORD: ${{ secrets.CI_EMAIL_SERVER_PASSWORD}} + GOOGLE_LOGIN_ENABLED: ${{ vars.CI_GOOGLE_LOGIN_ENABLED }} + NEXTAUTH_SECRET: ${{ secrets.CI_NEXTAUTH_SECRET }} + NEXTAUTH_URL: ${{ secrets.CI_NEXTAUTH_URL }} + NEXT_PUBLIC_API_V2_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_URL }} + NEXT_PUBLIC_API_V2_ROOT_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_ROOT_URL }} + NEXT_PUBLIC_IS_E2E: ${{ vars.CI_NEXT_PUBLIC_IS_E2E }} + NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} + NEXT_PUBLIC_STRIPE_PUBLIC_KEY: ${{ secrets.CI_NEXT_PUBLIC_STRIPE_PUBLIC_KEY }} + NEXT_PUBLIC_WEBAPP_URL: ${{ vars.CI_NEXT_PUBLIC_WEBAPP_URL }} + NEXT_PUBLIC_WEBSITE_URL: ${{ vars.CI_NEXT_PUBLIC_WEBSITE_URL }} + PAYMENT_FEE_FIXED: ${{ vars.CI_PAYMENT_FEE_FIXED }} + PAYMENT_FEE_PERCENTAGE: ${{ vars.CI_PAYMENT_FEE_PERCENTAGE }} + SAML_ADMINS: ${{ secrets.CI_SAML_ADMINS }} + SAML_DATABASE_URL: ${{ secrets.CI_SAML_DATABASE_URL }} + STRIPE_PRIVATE_KEY: ${{ secrets.CI_STRIPE_PRIVATE_KEY }} + STRIPE_CLIENT_ID: ${{ secrets.CI_STRIPE_CLIENT_ID }} + STRIPE_WEBHOOK_SECRET: ${{ secrets.CI_STRIPE_WEBHOOK_SECRET }} + SENDGRID_API_KEY: ${{ secrets.CI_SENDGRID_API_KEY }} + SENDGRID_EMAIL: ${{ secrets.CI_SENDGRID_EMAIL }} + TURBO_TOKEN: ${{ secrets.TURBO_TOKEN }} + TURBO_TEAM: ${{ secrets.TURBO_TEAM }} jobs: e2e-embed: timeout-minutes: 20 - name: E2E Embed Core (${{ matrix.shard }}/${{ strategy.job-total }}) + name: E2E Embed Core runs-on: buildjet-4vcpu-ubuntu-2204 services: postgres: @@ -35,56 +70,23 @@ jobs: - 1025:1025 strategy: fail-fast: false - matrix: - ## There aren't many tests for embed-core. So, just start with 2 shards. Increase if needed. - shard: [1, 2] steps: - uses: docker/login-action@v3 with: username: ${{ secrets.DOCKERHUB_USERNAME }} password: ${{ secrets.DOCKERHUB_TOKEN }} - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - uses: ./.github/actions/yarn-install - uses: ./.github/actions/yarn-playwright-install - uses: ./.github/actions/cache-db - uses: ./.github/actions/cache-build - name: Run Tests - run: yarn e2e:embed --shard=${{ matrix.shard }}/${{ strategy.job-total }} - env: - ALLOWED_HOSTNAMES: ${{ vars.CI_ALLOWED_HOSTNAMES }} - CALENDSO_ENCRYPTION_KEY: ${{ secrets.CI_CALENDSO_ENCRYPTION_KEY }} - DAILY_API_KEY: ${{ secrets.CI_DAILY_API_KEY }} - DATABASE_URL: ${{ secrets.CI_DATABASE_URL }} - DATABASE_DIRECT_URL: ${{ secrets.CI_DATABASE_URL }} - DEPLOYSENTINEL_API_KEY: ${{ secrets.DEPLOYSENTINEL_API_KEY }} - E2E_TEST_APPLE_CALENDAR_EMAIL: ${{ secrets.E2E_TEST_APPLE_CALENDAR_EMAIL }} - E2E_TEST_APPLE_CALENDAR_PASSWORD: ${{ secrets.E2E_TEST_APPLE_CALENDAR_PASSWORD }} - E2E_TEST_MAILHOG_ENABLED: ${{ vars.E2E_TEST_MAILHOG_ENABLED }} - GOOGLE_API_CREDENTIALS: ${{ secrets.CI_GOOGLE_API_CREDENTIALS }} - GOOGLE_LOGIN_ENABLED: ${{ vars.CI_GOOGLE_LOGIN_ENABLED }} - NEXTAUTH_SECRET: ${{ secrets.CI_NEXTAUTH_SECRET }} - NEXTAUTH_URL: ${{ secrets.CI_NEXTAUTH_URL }} - NEXT_PUBLIC_IS_E2E: ${{ vars.CI_NEXT_PUBLIC_IS_E2E }} - NEXT_PUBLIC_STRIPE_PUBLIC_KEY: ${{ secrets.CI_NEXT_PUBLIC_STRIPE_PUBLIC_KEY }} - NEXT_PUBLIC_WEBAPP_URL: ${{ vars.CI_NEXT_PUBLIC_WEBAPP_URL }} - NEXT_PUBLIC_WEBSITE_URL: ${{ vars.CI_NEXT_PUBLIC_WEBSITE_URL }} - PAYMENT_FEE_FIXED: ${{ vars.CI_PAYMENT_FEE_FIXED }} - PAYMENT_FEE_PERCENTAGE: ${{ vars.CI_PAYMENT_FEE_PERCENTAGE }} - SAML_ADMINS: ${{ secrets.CI_SAML_ADMINS }} - SAML_DATABASE_URL: ${{ secrets.CI_SAML_DATABASE_URL }} - STRIPE_PRIVATE_KEY: ${{ secrets.CI_STRIPE_PRIVATE_KEY }} - STRIPE_CLIENT_ID: ${{ secrets.CI_STRIPE_CLIENT_ID }} - STRIPE_WEBHOOK_SECRET: ${{ secrets.CI_STRIPE_WEBHOOK_SECRET }} - SENDGRID_API_KEY: ${{ secrets.CI_SENDGRID_API_KEY }} - SENDGRID_EMAIL: ${{ secrets.CI_SENDGRID_EMAIL }} - TURBO_TOKEN: ${{ secrets.TURBO_TOKEN }} - TURBO_TEAM: ${{ secrets.TURBO_TEAM }} - NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} + run: yarn e2e:embed - name: Upload Test Results if: ${{ always() }} uses: actions/upload-artifact@v4 with: - name: embed-core-results-${{ matrix.shard }}_${{ strategy.job-total }} + name: embed-core-results path: test-results diff --git a/.github/workflows/e2e.yml b/.github/workflows/e2e.yml index d62bb29b0b3ff5..b0084e82fdd7a6 100644 --- a/.github/workflows/e2e.yml +++ b/.github/workflows/e2e.yml @@ -1,13 +1,48 @@ -name: E2E tests +name: E2E on: workflow_call: env: NODE_OPTIONS: --max-old-space-size=4096 + ALLOWED_HOSTNAMES: ${{ vars.CI_ALLOWED_HOSTNAMES }} + CALENDSO_ENCRYPTION_KEY: ${{ secrets.CI_CALENDSO_ENCRYPTION_KEY }} + DAILY_API_KEY: ${{ secrets.CI_DAILY_API_KEY }} + DATABASE_URL: ${{ secrets.CI_DATABASE_URL }} + DATABASE_DIRECT_URL: ${{ secrets.CI_DATABASE_URL }} + DEPLOYSENTINEL_API_KEY: ${{ secrets.DEPLOYSENTINEL_API_KEY }} + E2E_TEST_APPLE_CALENDAR_EMAIL: ${{ secrets.E2E_TEST_APPLE_CALENDAR_EMAIL }} + E2E_TEST_APPLE_CALENDAR_PASSWORD: ${{ secrets.E2E_TEST_APPLE_CALENDAR_PASSWORD }} + E2E_TEST_MAILHOG_ENABLED: ${{ vars.E2E_TEST_MAILHOG_ENABLED }} + GOOGLE_API_CREDENTIALS: ${{ secrets.CI_GOOGLE_API_CREDENTIALS }} + EMAIL_SERVER_HOST: ${{ secrets.CI_EMAIL_SERVER_HOST }} + EMAIL_SERVER_PORT: ${{ secrets.CI_EMAIL_SERVER_PORT }} + EMAIL_SERVER_USER: ${{ secrets.CI_EMAIL_SERVER_USER }} + EMAIL_SERVER_PASSWORD: ${{ secrets.CI_EMAIL_SERVER_PASSWORD}} + GOOGLE_LOGIN_ENABLED: ${{ vars.CI_GOOGLE_LOGIN_ENABLED }} + NEXTAUTH_SECRET: ${{ secrets.CI_NEXTAUTH_SECRET }} + NEXTAUTH_URL: ${{ secrets.CI_NEXTAUTH_URL }} + NEXT_PUBLIC_API_V2_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_URL }} + NEXT_PUBLIC_API_V2_ROOT_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_ROOT_URL }} + NEXT_PUBLIC_IS_E2E: ${{ vars.CI_NEXT_PUBLIC_IS_E2E }} + NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} + NEXT_PUBLIC_STRIPE_PUBLIC_KEY: ${{ secrets.CI_NEXT_PUBLIC_STRIPE_PUBLIC_KEY }} + NEXT_PUBLIC_WEBAPP_URL: ${{ vars.CI_NEXT_PUBLIC_WEBAPP_URL }} + NEXT_PUBLIC_WEBSITE_URL: ${{ vars.CI_NEXT_PUBLIC_WEBSITE_URL }} + PAYMENT_FEE_FIXED: ${{ vars.CI_PAYMENT_FEE_FIXED }} + PAYMENT_FEE_PERCENTAGE: ${{ vars.CI_PAYMENT_FEE_PERCENTAGE }} + SAML_ADMINS: ${{ secrets.CI_SAML_ADMINS }} + SAML_DATABASE_URL: ${{ secrets.CI_SAML_DATABASE_URL }} + STRIPE_PRIVATE_KEY: ${{ secrets.CI_STRIPE_PRIVATE_KEY }} + STRIPE_CLIENT_ID: ${{ secrets.CI_STRIPE_CLIENT_ID }} + STRIPE_WEBHOOK_SECRET: ${{ secrets.CI_STRIPE_WEBHOOK_SECRET }} + SENDGRID_API_KEY: ${{ secrets.CI_SENDGRID_API_KEY }} + SENDGRID_EMAIL: ${{ secrets.CI_SENDGRID_EMAIL }} + TURBO_TOKEN: ${{ secrets.TURBO_TOKEN }} + TURBO_TEAM: ${{ secrets.TURBO_TEAM }} jobs: e2e: timeout-minutes: 20 - name: E2E tests (${{ matrix.shard }}/${{ strategy.job-total }}) - runs-on: buildjet-4vcpu-ubuntu-2204 + name: E2E (${{ matrix.shard }}/${{ strategy.job-total }}) + runs-on: buildjet-8vcpu-ubuntu-2204 services: postgres: image: postgres:13 @@ -36,13 +71,13 @@ jobs: strategy: fail-fast: false matrix: - shard: [1, 2, 3, 4, 5] + shard: [1, 2, 3, 4] steps: - uses: docker/login-action@v3 with: username: ${{ secrets.DOCKERHUB_USERNAME }} password: ${{ secrets.DOCKERHUB_TOKEN }} - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - uses: ./.github/actions/yarn-install - uses: ./.github/actions/yarn-playwright-install @@ -50,40 +85,6 @@ jobs: - uses: ./.github/actions/cache-build - name: Run Tests run: yarn e2e --shard=${{ matrix.shard }}/${{ strategy.job-total }} - env: - ALLOWED_HOSTNAMES: ${{ vars.CI_ALLOWED_HOSTNAMES }} - CALENDSO_ENCRYPTION_KEY: ${{ secrets.CI_CALENDSO_ENCRYPTION_KEY }} - DAILY_API_KEY: ${{ secrets.CI_DAILY_API_KEY }} - DATABASE_URL: ${{ secrets.CI_DATABASE_URL }} - DATABASE_DIRECT_URL: ${{ secrets.CI_DATABASE_URL }} - DEPLOYSENTINEL_API_KEY: ${{ secrets.DEPLOYSENTINEL_API_KEY }} - E2E_TEST_APPLE_CALENDAR_EMAIL: ${{ secrets.E2E_TEST_APPLE_CALENDAR_EMAIL }} - E2E_TEST_APPLE_CALENDAR_PASSWORD: ${{ secrets.E2E_TEST_APPLE_CALENDAR_PASSWORD }} - E2E_TEST_MAILHOG_ENABLED: ${{ vars.E2E_TEST_MAILHOG_ENABLED }} - GOOGLE_API_CREDENTIALS: ${{ secrets.CI_GOOGLE_API_CREDENTIALS }} - EMAIL_SERVER_HOST: ${{ secrets.CI_EMAIL_SERVER_HOST }} - EMAIL_SERVER_PORT: ${{ secrets.CI_EMAIL_SERVER_PORT }} - EMAIL_SERVER_USER: ${{ secrets.CI_EMAIL_SERVER_USER }} - EMAIL_SERVER_PASSWORD: ${{ secrets.CI_EMAIL_SERVER_PASSWORD}} - GOOGLE_LOGIN_ENABLED: ${{ vars.CI_GOOGLE_LOGIN_ENABLED }} - NEXTAUTH_SECRET: ${{ secrets.CI_NEXTAUTH_SECRET }} - NEXTAUTH_URL: ${{ secrets.CI_NEXTAUTH_URL }} - NEXT_PUBLIC_IS_E2E: ${{ vars.CI_NEXT_PUBLIC_IS_E2E }} - NEXT_PUBLIC_STRIPE_PUBLIC_KEY: ${{ secrets.CI_NEXT_PUBLIC_STRIPE_PUBLIC_KEY }} - NEXT_PUBLIC_WEBAPP_URL: ${{ vars.CI_NEXT_PUBLIC_WEBAPP_URL }} - NEXT_PUBLIC_WEBSITE_URL: ${{ vars.CI_NEXT_PUBLIC_WEBSITE_URL }} - PAYMENT_FEE_FIXED: ${{ vars.CI_PAYMENT_FEE_FIXED }} - PAYMENT_FEE_PERCENTAGE: ${{ vars.CI_PAYMENT_FEE_PERCENTAGE }} - SAML_ADMINS: ${{ secrets.CI_SAML_ADMINS }} - SAML_DATABASE_URL: ${{ secrets.CI_SAML_DATABASE_URL }} - STRIPE_PRIVATE_KEY: ${{ secrets.CI_STRIPE_PRIVATE_KEY }} - STRIPE_CLIENT_ID: ${{ secrets.CI_STRIPE_CLIENT_ID }} - STRIPE_WEBHOOK_SECRET: ${{ secrets.CI_STRIPE_WEBHOOK_SECRET }} - SENDGRID_API_KEY: ${{ secrets.CI_SENDGRID_API_KEY }} - SENDGRID_EMAIL: ${{ secrets.CI_SENDGRID_EMAIL }} - TURBO_TOKEN: ${{ secrets.TURBO_TOKEN }} - TURBO_TEAM: ${{ secrets.TURBO_TEAM }} - NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} - name: Upload Test Results if: ${{ always() }} uses: actions/upload-artifact@v4 diff --git a/.github/workflows/production-build.yml b/.github/workflows/integration-tests.yml similarity index 64% rename from .github/workflows/production-build.yml rename to .github/workflows/integration-tests.yml index ddd85c81a8a274..d2a7aefdb86f9c 100644 --- a/.github/workflows/production-build.yml +++ b/.github/workflows/integration-tests.yml @@ -1,25 +1,29 @@ -name: Production Build - +name: Integration on: workflow_call: - env: + NODE_OPTIONS: --max-old-space-size=4096 ALLOWED_HOSTNAMES: ${{ vars.CI_ALLOWED_HOSTNAMES }} CALENDSO_ENCRYPTION_KEY: ${{ secrets.CI_CALENDSO_ENCRYPTION_KEY }} DAILY_API_KEY: ${{ secrets.CI_DAILY_API_KEY }} DATABASE_URL: ${{ secrets.CI_DATABASE_URL }} DATABASE_DIRECT_URL: ${{ secrets.CI_DATABASE_URL }} + DEPLOYSENTINEL_API_KEY: ${{ secrets.DEPLOYSENTINEL_API_KEY }} E2E_TEST_APPLE_CALENDAR_EMAIL: ${{ secrets.E2E_TEST_APPLE_CALENDAR_EMAIL }} E2E_TEST_APPLE_CALENDAR_PASSWORD: ${{ secrets.E2E_TEST_APPLE_CALENDAR_PASSWORD }} - E2E_TEST_CALCOM_QA_EMAIL: ${{ secrets.E2E_TEST_CALCOM_QA_EMAIL }} - E2E_TEST_CALCOM_QA_PASSWORD: ${{ secrets.E2E_TEST_CALCOM_QA_PASSWORD }} - E2E_TEST_CALCOM_QA_GCAL_CREDENTIALS: ${{ secrets.E2E_TEST_CALCOM_QA_GCAL_CREDENTIALS }} - E2E_TEST_CALCOM_GCAL_KEYS: ${{ secrets.E2E_TEST_CALCOM_GCAL_KEYS }} + E2E_TEST_MAILHOG_ENABLED: ${{ vars.E2E_TEST_MAILHOG_ENABLED }} GOOGLE_API_CREDENTIALS: ${{ secrets.CI_GOOGLE_API_CREDENTIALS }} + EMAIL_SERVER_HOST: ${{ secrets.CI_EMAIL_SERVER_HOST }} + EMAIL_SERVER_PORT: ${{ secrets.CI_EMAIL_SERVER_PORT }} + EMAIL_SERVER_USER: ${{ secrets.CI_EMAIL_SERVER_USER }} + EMAIL_SERVER_PASSWORD: ${{ secrets.CI_EMAIL_SERVER_PASSWORD}} GOOGLE_LOGIN_ENABLED: ${{ vars.CI_GOOGLE_LOGIN_ENABLED }} NEXTAUTH_SECRET: ${{ secrets.CI_NEXTAUTH_SECRET }} NEXTAUTH_URL: ${{ secrets.CI_NEXTAUTH_URL }} + NEXT_PUBLIC_API_V2_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_URL }} + NEXT_PUBLIC_API_V2_ROOT_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_ROOT_URL }} NEXT_PUBLIC_IS_E2E: ${{ vars.CI_NEXT_PUBLIC_IS_E2E }} + NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} NEXT_PUBLIC_STRIPE_PUBLIC_KEY: ${{ secrets.CI_NEXT_PUBLIC_STRIPE_PUBLIC_KEY }} NEXT_PUBLIC_WEBAPP_URL: ${{ vars.CI_NEXT_PUBLIC_WEBAPP_URL }} NEXT_PUBLIC_WEBSITE_URL: ${{ vars.CI_NEXT_PUBLIC_WEBSITE_URL }} @@ -34,16 +38,11 @@ env: SENDGRID_EMAIL: ${{ secrets.CI_SENDGRID_EMAIL }} TURBO_TOKEN: ${{ secrets.TURBO_TOKEN }} TURBO_TEAM: ${{ secrets.TURBO_TEAM }} - NEXT_PUBLIC_API_V2_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_URL }} - NEXT_PUBLIC_API_V2_ROOT_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_ROOT_URL }} - NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} - - jobs: - build: - name: Build - runs-on: buildjet-4vcpu-ubuntu-2204 - timeout-minutes: 30 + integration: + timeout-minutes: 20 + name: Integration + runs-on: buildjet-8vcpu-ubuntu-2204 services: postgres: image: postgres:13 @@ -61,9 +60,31 @@ jobs: --health-retries 5 ports: - 5432:5432 + mailhog: + image: mailhog/mailhog:v1.0.1 + credentials: + username: ${{ secrets.DOCKERHUB_USERNAME }} + password: ${{ secrets.DOCKERHUB_TOKEN }} + ports: + - 8025:8025 + - 1025:1025 + strategy: + fail-fast: false steps: - - uses: actions/checkout@v3 + - uses: docker/login-action@v3 + with: + username: ${{ secrets.DOCKERHUB_USERNAME }} + password: ${{ secrets.DOCKERHUB_TOKEN }} + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - uses: ./.github/actions/yarn-install - uses: ./.github/actions/cache-db - - uses: ./.github/actions/cache-build + - name: Run Tests + run: yarn test -- --integrationTestsOnly + # TODO: Generate test results so we can upload them + # - name: Upload Test Results + # if: ${{ always() }} + # uses: actions/upload-artifact@v4 + # with: + # name: test-results + # path: test-results diff --git a/.github/workflows/labeler.yml b/.github/workflows/labeler.yml index 202898fcfccf4c..9b39ab67ef71dd 100644 --- a/.github/workflows/labeler.yml +++ b/.github/workflows/labeler.yml @@ -12,18 +12,16 @@ jobs: pull-requests: write runs-on: ubuntu-latest steps: - - uses: actions/labeler@v4 + - uses: actions/labeler@v5 with: repo-token: "${{ secrets.GITHUB_TOKEN }}" - # https://github.com/actions/labeler/issues/442#issuecomment-1297359481 - sync-labels: "" team-labels: permissions: contents: read pull-requests: write runs-on: ubuntu-latest steps: - - uses: actions/checkout@v2 + - uses: actions/checkout@v4 - uses: equitybee/team-label-action@main with: repo-token: ${{ secrets.EQUITY_BEE_TEAM_LABELER_ACTION_TOKEN }} @@ -39,7 +37,7 @@ jobs: steps: - name: Apply labels from linked issue to PR - uses: actions/github-script@v5 + uses: actions/github-script@v7 with: github-token: ${{ secrets.GITHUB_TOKEN }} script: | diff --git a/.github/workflows/lint.yml b/.github/workflows/lint.yml index 9bb6f3bdf740cd..1244202e8f430c 100644 --- a/.github/workflows/lint.yml +++ b/.github/workflows/lint.yml @@ -6,7 +6,7 @@ jobs: runs-on: buildjet-4vcpu-ubuntu-2204 steps: - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - uses: ./.github/actions/yarn-install - name: Run Linting with Reports diff --git a/.github/workflows/nextjs-bundle-analysis.yml b/.github/workflows/nextjs-bundle-analysis.yml index bab3e68bc984cd..dc293e4501f42b 100644 --- a/.github/workflows/nextjs-bundle-analysis.yml +++ b/.github/workflows/nextjs-bundle-analysis.yml @@ -7,18 +7,49 @@ on: branches: - main +env: + ALLOWED_HOSTNAMES: ${{ vars.CI_ALLOWED_HOSTNAMES }} + CALENDSO_ENCRYPTION_KEY: ${{ secrets.CI_CALENDSO_ENCRYPTION_KEY }} + DAILY_API_KEY: ${{ secrets.CI_DAILY_API_KEY }} + DATABASE_URL: ${{ secrets.CI_DATABASE_URL }} + DATABASE_DIRECT_URL: ${{ secrets.CI_DATABASE_URL }} + DEPLOYSENTINEL_API_KEY: ${{ secrets.DEPLOYSENTINEL_API_KEY }} + E2E_TEST_APPLE_CALENDAR_EMAIL: ${{ secrets.E2E_TEST_APPLE_CALENDAR_EMAIL }} + E2E_TEST_APPLE_CALENDAR_PASSWORD: ${{ secrets.E2E_TEST_APPLE_CALENDAR_PASSWORD }} + E2E_TEST_MAILHOG_ENABLED: ${{ vars.E2E_TEST_MAILHOG_ENABLED }} + GOOGLE_API_CREDENTIALS: ${{ secrets.CI_GOOGLE_API_CREDENTIALS }} + EMAIL_SERVER_HOST: ${{ secrets.CI_EMAIL_SERVER_HOST }} + EMAIL_SERVER_PORT: ${{ secrets.CI_EMAIL_SERVER_PORT }} + EMAIL_SERVER_USER: ${{ secrets.CI_EMAIL_SERVER_USER }} + EMAIL_SERVER_PASSWORD: ${{ secrets.CI_EMAIL_SERVER_PASSWORD}} + GOOGLE_LOGIN_ENABLED: ${{ vars.CI_GOOGLE_LOGIN_ENABLED }} + NEXTAUTH_SECRET: ${{ secrets.CI_NEXTAUTH_SECRET }} + NEXTAUTH_URL: ${{ secrets.CI_NEXTAUTH_URL }} + NEXT_PUBLIC_API_V2_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_URL }} + NEXT_PUBLIC_API_V2_ROOT_URL: ${{ secrets.CI_NEXT_PUBLIC_API_V2_ROOT_URL }} + NEXT_PUBLIC_IS_E2E: ${{ vars.CI_NEXT_PUBLIC_IS_E2E }} + NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED: ${{ vars.CI_NEXT_PUBLIC_ORG_SELF_SERVE_ENABLED }} + NEXT_PUBLIC_STRIPE_PUBLIC_KEY: ${{ secrets.CI_NEXT_PUBLIC_STRIPE_PUBLIC_KEY }} + NEXT_PUBLIC_WEBAPP_URL: ${{ vars.CI_NEXT_PUBLIC_WEBAPP_URL }} + NEXT_PUBLIC_WEBSITE_URL: ${{ vars.CI_NEXT_PUBLIC_WEBSITE_URL }} + PAYMENT_FEE_FIXED: ${{ vars.CI_PAYMENT_FEE_FIXED }} + PAYMENT_FEE_PERCENTAGE: ${{ vars.CI_PAYMENT_FEE_PERCENTAGE }} + SAML_ADMINS: ${{ secrets.CI_SAML_ADMINS }} + SAML_DATABASE_URL: ${{ secrets.CI_SAML_DATABASE_URL }} + STRIPE_PRIVATE_KEY: ${{ secrets.CI_STRIPE_PRIVATE_KEY }} + STRIPE_CLIENT_ID: ${{ secrets.CI_STRIPE_CLIENT_ID }} + STRIPE_WEBHOOK_SECRET: ${{ secrets.CI_STRIPE_WEBHOOK_SECRET }} + SENDGRID_API_KEY: ${{ secrets.CI_SENDGRID_API_KEY }} + SENDGRID_EMAIL: ${{ secrets.CI_SENDGRID_EMAIL }} + TURBO_TOKEN: ${{ secrets.TURBO_TOKEN }} + TURBO_TEAM: ${{ secrets.TURBO_TEAM }} + jobs: - build: - name: Production build - if: ${{ github.event_name == 'push' }} - uses: ./.github/workflows/production-build.yml - secrets: inherit analyze: - needs: build if: always() - runs-on: buildjet-4vcpu-ubuntu-2204 + runs-on: buildjet-2vcpu-ubuntu-2204 steps: - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - uses: ./.github/actions/yarn-install - uses: ./.github/actions/cache-build diff --git a/.github/workflows/pr-review.yml b/.github/workflows/pr-review.yml new file mode 100644 index 00000000000000..d18a871ef8d417 --- /dev/null +++ b/.github/workflows/pr-review.yml @@ -0,0 +1,17 @@ +name: PR Reviewed + +on: + pull_request_review: + types: [submitted] + +jobs: + label-pr: + runs-on: ubuntu-latest + + steps: + - name: Label PR as ready for E2E + if: github.event.review.state == 'approved' + uses: actions-ecosystem/action-add-labels@v1 + with: + github_token: ${{ secrets.GITHUB_TOKEN }} + labels: 'ready-for-e2e' diff --git a/.github/workflows/pr.yml b/.github/workflows/pr.yml index f4de65e6fe1eb3..e55727cc3801ad 100644 --- a/.github/workflows/pr.yml +++ b/.github/workflows/pr.yml @@ -2,9 +2,10 @@ name: PR Update on: pull_request_target: + types: [opened, synchronize, reopened, labeled] branches: - main - merge_group: + - gh-actions-test-branch workflow_dispatch: concurrency: @@ -14,101 +15,163 @@ concurrency: jobs: changes: name: Detect changes - runs-on: buildjet-4vcpu-ubuntu-2204 + runs-on: buildjet-2vcpu-ubuntu-2204 permissions: pull-requests: read outputs: has-files-requiring-all-checks: ${{ steps.filter.outputs.has-files-requiring-all-checks }} + commit-sha: ${{ steps.get_sha.outputs.commit-sha }} steps: - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - - uses: dorny/paths-filter@v2 + - uses: dorny/paths-filter@v3 id: filter with: filters: | has-files-requiring-all-checks: - "!(**.md|.github/CODEOWNERS)" + - name: Get Latest Commit SHA + id: get_sha + run: | + echo "commit-sha=$(git rev-parse HEAD)" >> $GITHUB_OUTPUT + + check-label: + needs: [changes] + runs-on: buildjet-2vcpu-ubuntu-2204 + name: Check for E2E label + outputs: + run-e2e: ${{ steps.check-if-pr-has-label.outputs.run-e2e == 'true' && (github.event.action != 'labeled' || (github.event.action == 'labeled' && github.event.label.name == 'ready-for-e2e')) }} + steps: + - name: Check if PR exists with ready-for-e2e label for this SHA + id: check-if-pr-has-label + uses: actions/github-script@v7 + with: + script: | + let labels = []; + + if (context.payload.pull_request) { + labels = context.payload.pull_request.labels; + } else { + try { + const sha = '${{ needs.changes.outputs.commit-sha }}'; + console.log('sha', sha); + const { data: prs } = await github.rest.repos.listPullRequestsAssociatedWithCommit({ + owner: context.repo.owner, + repo: context.repo.repo, + commit_sha: sha + }); + + if (prs.length === 0) { + core.setOutput('run-e2e', false); + console.log(`No pull requests found for commit SHA ${sha}`); + return; + } + + const pr = prs[0]; + console.log(`PR number: ${pr.number}`); + console.log(`PR title: ${pr.title}`); + console.log(`PR state: ${pr.state}`); + console.log(`PR URL: ${pr.html_url}`); + + labels = pr.labels; + } + catch (e) { + core.setOutput('run-e2e', false); + console.log(e); + } + } + + const labelFound = labels.map(l => l.name).includes('ready-for-e2e'); + console.log('Found the label?', labelFound); + core.setOutput('run-e2e', labelFound); + type-check: name: Type check - needs: [changes] + needs: [changes, check-label] if: ${{ needs.changes.outputs.has-files-requiring-all-checks == 'true' }} uses: ./.github/workflows/check-types.yml secrets: inherit - test: - name: Unit tests - needs: [changes] - if: ${{ needs.changes.outputs.has-files-requiring-all-checks == 'true' }} - uses: ./.github/workflows/unit-tests.yml - secrets: inherit - lint: name: Linters - needs: [changes] + needs: [changes, check-label] if: ${{ needs.changes.outputs.has-files-requiring-all-checks == 'true' }} uses: ./.github/workflows/lint.yml secrets: inherit - build: - name: Production build - needs: [changes] + unit-test: + name: Tests + needs: [changes, check-label] if: ${{ needs.changes.outputs.has-files-requiring-all-checks == 'true' }} - uses: ./.github/workflows/production-build.yml + uses: ./.github/workflows/unit-tests.yml secrets: inherit build-api-v1: - name: Production build - needs: [changes] - if: ${{ needs.changes.outputs.has-files-requiring-all-checks == 'true' }} + name: Production builds + needs: [changes, check-label] + if: ${{ needs.check-label.outputs.run-e2e == 'true' && needs.changes.outputs.has-files-requiring-all-checks == 'true' }} uses: ./.github/workflows/api-v1-production-build.yml secrets: inherit - build-without-database: - name: Production build (without database) - needs: [changes] - if: ${{ needs.changes.outputs.has-files-requiring-all-checks == 'true' }} + build-api-v2: + name: Production builds + needs: [changes, check-label] + if: ${{ needs.check-label.outputs.run-e2e == 'true' && needs.changes.outputs.has-files-requiring-all-checks == 'true' }} + uses: ./.github/workflows/api-v2-production-build.yml + secrets: inherit + + build: + name: Production builds + needs: [changes, check-label] + if: ${{ needs.check-label.outputs.run-e2e == 'true' && needs.changes.outputs.has-files-requiring-all-checks == 'true' }} uses: ./.github/workflows/production-build-without-database.yml secrets: inherit - e2e: - name: E2E tests - needs: [changes, lint, build] + integration-test: + name: Tests + needs: [changes, check-label, build, build-api-v1, build-api-v2] if: ${{ needs.changes.outputs.has-files-requiring-all-checks == 'true' }} + uses: ./.github/workflows/integration-tests.yml + secrets: inherit + + e2e: + name: Tests + needs: [changes, check-label, build, build-api-v1, build-api-v2] + if: ${{ needs.check-label.outputs.run-e2e == 'true' && needs.changes.outputs.has-files-requiring-all-checks == 'true' }} uses: ./.github/workflows/e2e.yml secrets: inherit e2e-app-store: - name: E2E App Store tests - needs: [changes, lint, build] - if: ${{ needs.changes.outputs.has-files-requiring-all-checks == 'true' }} + name: Tests + needs: [changes, check-label, build, build-api-v1, build-api-v2] + if: ${{ needs.check-label.outputs.run-e2e == 'true' && needs.changes.outputs.has-files-requiring-all-checks == 'true' }} uses: ./.github/workflows/e2e-app-store.yml secrets: inherit e2e-embed: - name: E2E embeds tests - needs: [changes, lint, build] - if: ${{ needs.changes.outputs.has-files-requiring-all-checks == 'true' }} + name: Tests + needs: [changes, check-label, build, build-api-v1, build-api-v2] + if: ${{ needs.check-label.outputs.run-e2e == 'true' && needs.changes.outputs.has-files-requiring-all-checks == 'true' }} uses: ./.github/workflows/e2e-embed.yml secrets: inherit e2e-embed-react: - name: E2E React embeds tests - needs: [changes, lint, build] - if: ${{ needs.changes.outputs.has-files-requiring-all-checks == 'true' }} + name: Tests + needs: [changes, check-label, build, build-api-v1, build-api-v2] + if: ${{ needs.check-label.outputs.run-e2e == 'true' && needs.changes.outputs.has-files-requiring-all-checks == 'true' }} uses: ./.github/workflows/e2e-embed-react.yml secrets: inherit analyze: name: Analyze Build - needs: [changes, build] - if: ${{ needs.changes.outputs.has-files-requiring-all-checks == 'true' }} + needs: [build] uses: ./.github/workflows/nextjs-bundle-analysis.yml secrets: inherit required: - needs: [changes, lint, type-check, test, build, build-api-v1, e2e, e2e-embed, e2e-embed-react, e2e-app-store] + needs: [changes, lint, type-check, unit-test, integration-test, check-label, build, build-api-v1, build-api-v2, e2e, e2e-embed, e2e-embed-react, e2e-app-store] if: always() - runs-on: buildjet-4vcpu-ubuntu-2204 + runs-on: buildjet-2vcpu-ubuntu-2204 steps: - name: fail if conditional jobs failed if: needs.changes.outputs.has-files-requiring-all-checks == 'true' && (contains(needs.*.result, 'failure') || contains(needs.*.result, 'skipped') || contains(needs.*.result, 'cancelled')) diff --git a/.github/workflows/pre-release.yml b/.github/workflows/pre-release.yml index 1dc28a549a84b9..586bb47d2a8aa5 100644 --- a/.github/workflows/pre-release.yml +++ b/.github/workflows/pre-release.yml @@ -14,9 +14,9 @@ jobs: embed: ${{ steps.filter.outputs.embed }} embed-react: ${{ steps.filter.outputs.embed-react }} steps: - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - - uses: dorny/paths-filter@v2 + - uses: dorny/paths-filter@v3 id: filter with: filters: | @@ -39,8 +39,8 @@ jobs: secrets: inherit build: - name: Production build - uses: ./.github/workflows/production-build.yml + name: Production builds + uses: ./.github/workflows/production-build-without-database.yml secrets: inherit e2e: @@ -67,15 +67,10 @@ jobs: uses: ./.github/workflows/e2e-embed-react.yml secrets: inherit - build-without-database: - name: Production build (without database) - uses: ./.github/workflows/production-build-without-database.yml - secrets: inherit - required: - needs: [e2e, e2e-app-store, e2e-embed, e2e-embed-react, build-without-database] + needs: [changes, lint, build, e2e, e2e-app-store, e2e-embed, e2e-embed-react] if: always() - runs-on: buildjet-4vcpu-ubuntu-2204 + runs-on: buildjet-2vcpu-ubuntu-2204 steps: - name: fail if conditional jobs failed if: contains(needs.*.result, 'failure') || contains(needs.*.result, 'skipped') || contains(needs.*.result, 'cancelled') diff --git a/.github/workflows/production-build-without-database.yml b/.github/workflows/production-build-without-database.yml index 8d88b2f4939cff..51949d8fd3a23b 100644 --- a/.github/workflows/production-build-without-database.yml +++ b/.github/workflows/production-build-without-database.yml @@ -1,5 +1,4 @@ -name: Production Build (without database) - +name: Production Builds on: workflow_call: @@ -37,11 +36,11 @@ env: jobs: build: - name: Build - runs-on: ubuntu-latest + name: Web App + runs-on: buildjet-4vcpu-ubuntu-2204 timeout-minutes: 30 steps: - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - uses: ./.github/actions/yarn-install - uses: ./.github/actions/cache-build diff --git a/.github/workflows/release-docker.yaml b/.github/workflows/release-docker.yaml index d0689419a0354e..b9aa6c9961e13f 100644 --- a/.github/workflows/release-docker.yaml +++ b/.github/workflows/release-docker.yaml @@ -18,7 +18,7 @@ jobs: steps: - name: checkout - uses: actions/checkout@v3 + uses: actions/checkout@v4 - name: "Determine tag" run: 'echo "RELEASE_TAG=${GITHUB_REF#refs/tags/}" >> $GITHUB_ENV' diff --git a/.github/workflows/release.yml b/.github/workflows/release.yml index 547a5e99216403..600404b92c8cc9 100644 --- a/.github/workflows/release.yml +++ b/.github/workflows/release.yml @@ -9,7 +9,7 @@ jobs: release: runs-on: ubuntu-latest steps: - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 with: ref: main # Always checkout main even for tagged releases fetch-depth: 0 diff --git a/.github/workflows/semantic-pull-requests.yml b/.github/workflows/semantic-pull-requests.yml index 6a06056cbc6a28..b9a80a0ec97804 100644 --- a/.github/workflows/semantic-pull-requests.yml +++ b/.github/workflows/semantic-pull-requests.yml @@ -37,12 +37,3 @@ jobs: ``` ${{ steps.lint_pr_title.outputs.error_message }} ``` - - # Delete a previous comment when the issue has been resolved - - if: ${{ steps.lint_pr_title.outputs.error_message == null }} - uses: marocchino/sticky-pull-request-comment@v2 - with: - header: pr-title-lint-error - message: | - Thank you for following the naming conventions! 🙏 Feel free to join our [discord](https://go.cal.com/discord) and post your PR link. - diff --git a/.github/workflows/submodule-sync.yml b/.github/workflows/submodule-sync.yml index 71e5a32ff2c869..9a92204974e3e9 100644 --- a/.github/workflows/submodule-sync.yml +++ b/.github/workflows/submodule-sync.yml @@ -10,7 +10,7 @@ jobs: runs-on: ubuntu-latest steps: - name: Checkout Code - uses: actions/checkout@v3 + uses: actions/checkout@v4 with: submodules: recursive token: ${{ secrets.GH_ACCESS_TOKEN }} diff --git a/.github/workflows/unit-tests.yml b/.github/workflows/unit-tests.yml index 14027bf444b868..d4abd9433c5226 100644 --- a/.github/workflows/unit-tests.yml +++ b/.github/workflows/unit-tests.yml @@ -1,4 +1,4 @@ -name: Unit tests +name: Unit on: workflow_call: workflow_run: @@ -6,10 +6,11 @@ on: types: [completed] jobs: test: + name: Unit timeout-minutes: 20 - runs-on: buildjet-4vcpu-ubuntu-2204 + runs-on: buildjet-2vcpu-ubuntu-2204 steps: - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - uses: ./.github/actions/yarn-install # Should be an 8GB machine as per https://docs.github.com/en/actions/using-github-hosted-runners/about-github-hosted-runners diff --git a/.github/workflows/yarn-install.yml b/.github/workflows/yarn-install.yml index 5fbb5c0f1b3411..d5a8a00c3db81a 100644 --- a/.github/workflows/yarn-install.yml +++ b/.github/workflows/yarn-install.yml @@ -9,6 +9,6 @@ jobs: runs-on: buildjet-4vcpu-ubuntu-2204 timeout-minutes: 10 steps: - - uses: actions/checkout@v3 + - uses: actions/checkout@v4 - uses: ./.github/actions/dangerous-git-checkout - uses: ./.github/actions/yarn-install diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md index 7eac25c49301ed..71978c09301c61 100644 --- a/CONTRIBUTING.md +++ b/CONTRIBUTING.md @@ -74,7 +74,7 @@ branch are tagged into a release monthly. To develop locally: -1. [Fork](https://help.github.com/articles/fork-a-repo/) this repository to your +1. [Fork](https://github.com/calcom/cal.com/fork/) this repository to your own GitHub account and then [clone](https://help.github.com/articles/cloning-a-repository/) it to your local device. 2. Create a new branch: @@ -99,7 +99,7 @@ To develop locally: - Duplicate `.env.example` to `.env`. - Use `openssl rand -base64 32` to generate a key and add it under `NEXTAUTH_SECRET` in the `.env` file. - - Use `openssl rand -base64 24` to generate a key and add it under `CALENDSO_ENCRYPTION_KEY` in the `.env` file. + - Use `openssl rand -base64 32` to generate a key and add it under `CALENDSO_ENCRYPTION_KEY` in the `.env` file. 6. Setup Node If your Node version does not meet the project's requirements as instructed by the docs, "nvm" (Node Version Manager) allows using Node at the version required by the project: diff --git a/README.md b/README.md index d4e85ca9e7df2f..84b14bbd51508d 100644 --- a/README.md +++ b/README.md @@ -24,7 +24,7 @@

Join Cal.com Discord - Product Hunt + Product Hunt Uptime Github Stars Hacker News @@ -33,7 +33,7 @@ Pricing Jitsu Tracked Checkly Availability - + @@ -392,7 +392,37 @@ Currently Vercel Pro Plan is required to be able to Deploy this application with See the [roadmap project](https://cal.com/roadmap) for a list of proposed features (and known issues). You can change the view to see planned tagged releases. - + + +## License + +Cal.com, Inc. is a commercial open source company, which means some parts of this open source repository require a commercial license. The concept is called "Open Core" where the core technology (99%) is fully open source, licensed under [AGPLv3](https://opensource.org/license/agpl-v3) and the last 1% is covered under a commercial license (["/ee" Enterprise Edition](https://github.com/calcom/cal.com/tree/main/packages/features/ee)) which we believe is entirely relevant for larger organisations that require enterprise features. Enterprise features are built by the core engineering team of Cal.com, Inc. which is hired in full-time. Find their compensation on https://cal.com/open. + +> [!NOTE] +> Our philosophy is simple, all "Singleplayer APIs" are open-source under AGPLv3. All commercial "Multiplayer APIs" are under a commercial license. + +| | AGPLv3 | EE | +|---|---|---| +| Self-host for commercial purposes | ✅ | ✅ | +| Clone privately | ✅ | ✅ | +| Fork publicly | ✅ | ✅ | +| Requires CLA | ✅ | ✅ | +| Official Support| ❌ | ✅ | +| Derivative work privately | ❌ | ✅ | +| SSO | ❌ | ✅ | +| Admin Panel | ❌ | ✅ | +| Impersonation | ❌ | ✅ | +| Managed Event Types | ❌ | ✅ | +| Organizations | ❌ | ✅ | +| Payments | ❌ | ✅ | +| Platform | ❌ | ✅ | +| Teams | ❌ | ✅ | +| Users | ❌ | ✅ | +| Video | ❌ | ✅ | +| Workflows | ❌ | ✅ | + +> [!TIP] +> We work closely with the community and always invite feedback about what should be open and what is fine to be commercial. This list is not set and stone and we have moved things from commercial to open in the past. Please open a [discussion](https://github.com/calcom/cal.com/discussions) if you feel like something is wrong. ## Repo Activity diff --git a/apps/api/v1/instrumentation.ts b/apps/api/v1/instrumentation.ts new file mode 100644 index 00000000000000..79040c9dbb19cb --- /dev/null +++ b/apps/api/v1/instrumentation.ts @@ -0,0 +1,15 @@ +import * as Sentry from "@sentry/nextjs"; + +export function register() { + if (process.env.NEXT_RUNTIME === "nodejs") { + Sentry.init({ + dsn: process.env.NEXT_PUBLIC_SENTRY_DSN, + }); + } + + if (process.env.NEXT_RUNTIME === "edge") { + Sentry.init({ + dsn: process.env.NEXT_PUBLIC_SENTRY_DSN, + }); + } +} diff --git a/apps/api/v1/lib/helpers/rateLimitApiKey.test.ts b/apps/api/v1/lib/helpers/rateLimitApiKey.test.ts new file mode 100644 index 00000000000000..f07e30587194c9 --- /dev/null +++ b/apps/api/v1/lib/helpers/rateLimitApiKey.test.ts @@ -0,0 +1,90 @@ +import type { Request, Response } from "express"; +import type { NextApiResponse, NextApiRequest } from "next"; +import { createMocks } from "node-mocks-http"; +import { describe, it, expect, vi } from "vitest"; + +import { checkRateLimitAndThrowError } from "@calcom/lib/checkRateLimitAndThrowError"; + +import { rateLimitApiKey } from "~/lib/helpers/rateLimitApiKey"; + +type CustomNextApiRequest = NextApiRequest & Request; +type CustomNextApiResponse = NextApiResponse & Response; + +vi.mock("@calcom/lib/checkRateLimitAndThrowError", () => ({ + checkRateLimitAndThrowError: vi.fn(), +})); + +describe("rateLimitApiKey middleware", () => { + it("should return 401 if no apiKey is provided", async () => { + const { req, res } = createMocks({ + method: "GET", + query: {}, + }); + + await rateLimitApiKey(req, res, vi.fn() as any); + + expect(res._getStatusCode()).toBe(401); + expect(res._getJSONData()).toEqual({ message: "No apiKey provided" }); + }); + + it("should call checkRateLimitAndThrowError with correct parameters", async () => { + const { req, res } = createMocks({ + method: "GET", + query: { apiKey: "test-key" }, + }); + + (checkRateLimitAndThrowError as any).mockResolvedValueOnce({ + limit: 100, + remaining: 99, + reset: Date.now(), + }); + + // @ts-expect-error weird typing between middleware and createMocks + await rateLimitApiKey(req, res, vi.fn() as any); + + expect(checkRateLimitAndThrowError).toHaveBeenCalledWith({ + identifier: "test-key", + rateLimitingType: "api", + onRateLimiterResponse: expect.any(Function), + }); + }); + + it("should set rate limit headers correctly", async () => { + const { req, res } = createMocks({ + method: "GET", + query: { apiKey: "test-key" }, + }); + + const rateLimiterResponse = { + limit: 100, + remaining: 99, + reset: Date.now(), + }; + + (checkRateLimitAndThrowError as any).mockImplementationOnce(({ onRateLimiterResponse }) => { + onRateLimiterResponse(rateLimiterResponse); + }); + + // @ts-expect-error weird typing between middleware and createMocks + await rateLimitApiKey(req, res, vi.fn() as any); + + expect(res.getHeader("X-RateLimit-Limit")).toBe(rateLimiterResponse.limit); + expect(res.getHeader("X-RateLimit-Remaining")).toBe(rateLimiterResponse.remaining); + expect(res.getHeader("X-RateLimit-Reset")).toBe(rateLimiterResponse.reset); + }); + + it("should return 429 if rate limit is exceeded", async () => { + const { req, res } = createMocks({ + method: "GET", + query: { apiKey: "test-key" }, + }); + + (checkRateLimitAndThrowError as any).mockRejectedValue(new Error("Rate limit exceeded")); + + // @ts-expect-error weird typing between middleware and createMocks + await rateLimitApiKey(req, res, vi.fn() as any); + + expect(res._getStatusCode()).toBe(429); + expect(res._getJSONData()).toEqual({ message: "Rate limit exceeded" }); + }); +}); diff --git a/apps/api/v1/lib/helpers/rateLimitApiKey.ts b/apps/api/v1/lib/helpers/rateLimitApiKey.ts index 8a2f6b6e91d149..7a4ad03d9c4c8a 100644 --- a/apps/api/v1/lib/helpers/rateLimitApiKey.ts +++ b/apps/api/v1/lib/helpers/rateLimitApiKey.ts @@ -6,15 +6,19 @@ export const rateLimitApiKey: NextMiddleware = async (req, res, next) => { if (!req.query.apiKey) return res.status(401).json({ message: "No apiKey provided" }); // TODO: Add a way to add trusted api keys - await checkRateLimitAndThrowError({ - identifier: req.query.apiKey as string, - rateLimitingType: "api", - onRateLimiterResponse: (response) => { - res.setHeader("X-RateLimit-Limit", response.limit); - res.setHeader("X-RateLimit-Remaining", response.remaining); - res.setHeader("X-RateLimit-Reset", response.reset); - }, - }); + try { + await checkRateLimitAndThrowError({ + identifier: req.query.apiKey as string, + rateLimitingType: "api", + onRateLimiterResponse: (response) => { + res.setHeader("X-RateLimit-Limit", response.limit); + res.setHeader("X-RateLimit-Remaining", response.remaining); + res.setHeader("X-RateLimit-Reset", response.reset); + }, + }); + } catch (error) { + res.status(429).json({ message: "Rate limit exceeded" }); + } await next(); }; diff --git a/apps/api/v1/lib/helpers/verifyApiKey.ts b/apps/api/v1/lib/helpers/verifyApiKey.ts index 8b8114888ed4e6..23cbe74d433cb4 100644 --- a/apps/api/v1/lib/helpers/verifyApiKey.ts +++ b/apps/api/v1/lib/helpers/verifyApiKey.ts @@ -6,6 +6,7 @@ import { IS_PRODUCTION } from "@calcom/lib/constants"; import prisma from "@calcom/prisma"; import { isAdminGuard } from "../utils/isAdmin"; +import { ScopeOfAdmin } from "../utils/scopeOfAdmin"; // Used to check if the apiKey is not expired, could be extracted if reused. but not for now. export const dateNotInPast = function (date: Date) { @@ -36,7 +37,10 @@ export const verifyApiKey: NextMiddleware = async (req, res, next) => { if (!apiKey.userId) return res.status(404).json({ error: "No user found for this apiKey" }); // save the user id in the request for later use req.userId = apiKey.userId; - // save the isAdmin boolean here for later use - req.isAdmin = await isAdminGuard(req); + const { isAdmin, scope } = await isAdminGuard(req); + + req.isSystemWideAdmin = isAdmin && scope === ScopeOfAdmin.SystemWide; + req.isOrganizationOwnerOrAdmin = isAdmin && scope === ScopeOfAdmin.OrgOwnerOrAdmin; + await next(); }; diff --git a/apps/api/v1/lib/helpers/verifyCredentialSyncEnabled.ts b/apps/api/v1/lib/helpers/verifyCredentialSyncEnabled.ts index a797bb2db2f167..b7922ae54df1d4 100644 --- a/apps/api/v1/lib/helpers/verifyCredentialSyncEnabled.ts +++ b/apps/api/v1/lib/helpers/verifyCredentialSyncEnabled.ts @@ -3,9 +3,9 @@ import type { NextMiddleware } from "next-api-middleware"; import { APP_CREDENTIAL_SHARING_ENABLED } from "@calcom/lib/constants"; export const verifyCredentialSyncEnabled: NextMiddleware = async (req, res, next) => { - const { isAdmin } = req; + const { isSystemWideAdmin } = req; - if (!isAdmin) { + if (!isSystemWideAdmin) { return res.status(403).json({ error: "Only admin API keys can access credential syncing endpoints" }); } diff --git a/apps/api/v1/lib/utils/extractUserIdsFromQuery.ts b/apps/api/v1/lib/utils/extractUserIdsFromQuery.ts index 2cb69377c1e4af..8faffc4b986054 100644 --- a/apps/api/v1/lib/utils/extractUserIdsFromQuery.ts +++ b/apps/api/v1/lib/utils/extractUserIdsFromQuery.ts @@ -4,9 +4,9 @@ import { HttpError } from "@calcom/lib/http-error"; import { schemaQuerySingleOrMultipleUserIds } from "~/lib/validations/shared/queryUserId"; -export function extractUserIdsFromQuery({ isAdmin, query }: NextApiRequest) { +export function extractUserIdsFromQuery({ isSystemWideAdmin, query }: NextApiRequest) { /** Guard: Only admins can query other users */ - if (!isAdmin) { + if (!isSystemWideAdmin) { throw new HttpError({ statusCode: 401, message: "ADMIN required" }); } const { userId: userIdOrUserIds } = schemaQuerySingleOrMultipleUserIds.parse(query); diff --git a/apps/api/v1/lib/utils/isAdmin.ts b/apps/api/v1/lib/utils/isAdmin.ts index 8b90c378678ab3..1caf210a982688 100644 --- a/apps/api/v1/lib/utils/isAdmin.ts +++ b/apps/api/v1/lib/utils/isAdmin.ts @@ -1,10 +1,37 @@ import type { NextApiRequest } from "next"; import prisma from "@calcom/prisma"; -import { UserPermissionRole } from "@calcom/prisma/enums"; +import { UserPermissionRole, MembershipRole } from "@calcom/prisma/enums"; + +import { ScopeOfAdmin } from "./scopeOfAdmin"; export const isAdminGuard = async (req: NextApiRequest) => { const { userId } = req; - const user = await prisma.user.findUnique({ where: { id: userId } }); - return user?.role === UserPermissionRole.ADMIN; + const user = await prisma.user.findUnique({ where: { id: userId }, select: { role: true } }); + if (!user) return { isAdmin: false, scope: null }; + + const { role: userRole } = user; + if (userRole === UserPermissionRole.ADMIN) return { isAdmin: true, scope: ScopeOfAdmin.SystemWide }; + + const orgOwnerOrAdminMemberships = await prisma.membership.findMany({ + where: { + userId: userId, + accepted: true, + team: { + isOrganization: true, + }, + OR: [{ role: MembershipRole.OWNER }, { role: MembershipRole.ADMIN }], + }, + select: { + team: { + select: { + id: true, + isOrganization: true, + }, + }, + }, + }); + if (!orgOwnerOrAdminMemberships.length) return { isAdmin: false, scope: null }; + + return { isAdmin: true, scope: ScopeOfAdmin.OrgOwnerOrAdmin }; }; diff --git a/apps/api/v1/lib/utils/retrieveScopedAccessibleUsers.ts b/apps/api/v1/lib/utils/retrieveScopedAccessibleUsers.ts new file mode 100644 index 00000000000000..9e80317de0a8f2 --- /dev/null +++ b/apps/api/v1/lib/utils/retrieveScopedAccessibleUsers.ts @@ -0,0 +1,92 @@ +import prisma from "@calcom/prisma"; +import { MembershipRole } from "@calcom/prisma/enums"; + +type AccessibleUsersType = { + memberUserIds: number[]; + adminUserId: number; +}; + +const getAllOrganizationMemberships = async ( + memberships: { + userId: number; + role: MembershipRole; + teamId: number; + }[], + orgId: number +) => { + return memberships.reduce((acc, membership) => { + if (membership.teamId === orgId) { + acc.push(membership.userId); + } + return acc; + }, []); +}; + +const getAllAdminMemberships = async (userId: number) => { + return await prisma.membership.findMany({ + where: { + userId: userId, + accepted: true, + OR: [{ role: MembershipRole.OWNER }, { role: MembershipRole.ADMIN }], + }, + select: { + team: { + select: { + id: true, + isOrganization: true, + }, + }, + }, + }); +}; + +const getAllOrganizationMembers = async (organizationId: number) => { + return await prisma.membership.findMany({ + where: { + teamId: organizationId, + accepted: true, + }, + select: { + userId: true, + }, + }); +}; + +export const getAccessibleUsers = async ({ + memberUserIds, + adminUserId, +}: AccessibleUsersType): Promise => { + const memberships = await prisma.membership.findMany({ + where: { + team: { + isOrganization: true, + }, + accepted: true, + OR: [ + { userId: { in: memberUserIds } }, + { userId: adminUserId, role: { in: [MembershipRole.OWNER, MembershipRole.ADMIN] } }, + ], + }, + select: { + userId: true, + role: true, + teamId: true, + }, + }); + + const orgId = memberships.find((membership) => membership.userId === adminUserId)?.teamId; + if (!orgId) return []; + + const allAccessibleMemberUserIds = await getAllOrganizationMemberships(memberships, orgId); + const accessibleUserIds = allAccessibleMemberUserIds.filter((userId) => userId !== adminUserId); + return accessibleUserIds; +}; + +export const retrieveOrgScopedAccessibleUsers = async ({ adminId }: { adminId: number }) => { + const adminMemberships = await getAllAdminMemberships(adminId); + const organizationId = adminMemberships.find((membership) => membership.team.isOrganization)?.team.id; + if (!organizationId) return []; + + const allMemberships = await getAllOrganizationMembers(organizationId); + return allMemberships.map((membership) => membership.userId); +}; diff --git a/apps/api/v1/lib/utils/scopeOfAdmin.ts b/apps/api/v1/lib/utils/scopeOfAdmin.ts new file mode 100644 index 00000000000000..ed0985669962de --- /dev/null +++ b/apps/api/v1/lib/utils/scopeOfAdmin.ts @@ -0,0 +1,4 @@ +export const ScopeOfAdmin = { + SystemWide: "SystemWide", + OrgOwnerOrAdmin: "OrgOwnerOrAdmin", +} as const; diff --git a/apps/api/v1/lib/validations/booking.ts b/apps/api/v1/lib/validations/booking.ts index 6b5e84298c99fc..867bc4d5ce3bb4 100644 --- a/apps/api/v1/lib/validations/booking.ts +++ b/apps/api/v1/lib/validations/booking.ts @@ -21,6 +21,8 @@ export const schemaBookingCreateBodyParams = extendedBookingCreateBody.merge(sch export const schemaBookingGetParams = z.object({ dateFrom: iso8601.optional(), dateTo: iso8601.optional(), + order: z.enum(["asc", "desc"]).default("asc"), + sortBy: z.enum(["createdAt", "updatedAt"]).optional(), }); const schemaBookingEditParams = z @@ -55,7 +57,7 @@ export const schemaBookingReadPublic = Booking.extend({ timeZone: true, locale: true, }) - .optional(), + .nullish(), payment: z .array( _PaymentModel.pick({ @@ -82,4 +84,5 @@ export const schemaBookingReadPublic = Booking.extend({ metadata: true, status: true, responses: true, + fromReschedule: true, }); diff --git a/apps/api/v1/lib/validations/shared/queryIdTransformParseInt.ts b/apps/api/v1/lib/validations/shared/queryIdTransformParseInt.ts index b9ec495f47bfe3..ef6d811ea996c3 100644 --- a/apps/api/v1/lib/validations/shared/queryIdTransformParseInt.ts +++ b/apps/api/v1/lib/validations/shared/queryIdTransformParseInt.ts @@ -14,3 +14,7 @@ export const withValidQueryIdTransformParseInt = withValidation({ type: "Zod", mode: "query", }); + +export const getTranscriptFromRecordingId = schemaQueryIdParseInt.extend({ + recordingId: z.string(), +}); diff --git a/apps/api/v1/lib/validations/team.ts b/apps/api/v1/lib/validations/team.ts index 3bc0af2c499b3d..84e3c565b86354 100644 --- a/apps/api/v1/lib/validations/team.ts +++ b/apps/api/v1/lib/validations/team.ts @@ -6,6 +6,9 @@ export const schemaTeamBaseBodyParams = Team.omit({ id: true, createdAt: true }) hideBranding: true, metadata: true, pendingPayment: true, + isOrganization: true, + isPlatform: true, + smsLockState: true, }); const schemaTeamRequiredParams = z.object({ diff --git a/apps/api/v1/next.config.js b/apps/api/v1/next.config.js index d875b8169c8257..289dfbb9e8049a 100644 --- a/apps/api/v1/next.config.js +++ b/apps/api/v1/next.config.js @@ -2,7 +2,12 @@ const { withAxiom } = require("next-axiom"); const { withSentryConfig } = require("@sentry/nextjs"); const plugins = [withAxiom]; + +/** @type {import("next").NextConfig} */ const nextConfig = { + experimental: { + instrumentationHook: true, + }, transpilePackages: [ "@calcom/app-store", "@calcom/core", @@ -87,12 +92,12 @@ const nextConfig = { }; if (!!process.env.NEXT_PUBLIC_SENTRY_DSN) { - nextConfig["sentry"] = { - autoInstrumentServerFunctions: true, - hideSourceMaps: true, - }; - - plugins.push(withSentryConfig); + plugins.push((nextConfig) => + withSentryConfig(nextConfig, { + autoInstrumentServerFunctions: true, + hideSourceMaps: true, + }) + ); } module.exports = () => plugins.reduce((acc, next) => next(acc), nextConfig); diff --git a/apps/api/v1/next.d.ts b/apps/api/v1/next.d.ts index 5c1be26eb44639..a8d7fbeb1dbd46 100644 --- a/apps/api/v1/next.d.ts +++ b/apps/api/v1/next.d.ts @@ -11,7 +11,8 @@ export declare module "next" { method: string; // session: { user: { id: number } }; // query: Partial<{ [key: string]: string | string[] }>; - isAdmin: boolean; + isSystemWideAdmin: boolean; + isOrganizationOwnerOrAdmin: boolean; pagination: { take: number; skip: number }; } } diff --git a/apps/api/v1/package.json b/apps/api/v1/package.json index 5a752cbfbd790d..9df6ad3643b3d7 100644 --- a/apps/api/v1/package.json +++ b/apps/api/v1/package.json @@ -30,7 +30,7 @@ "@calcom/lib": "*", "@calcom/prisma": "*", "@calcom/trpc": "*", - "@sentry/nextjs": "^7.73.0", + "@sentry/nextjs": "^8.8.0", "bcryptjs": "^2.4.3", "memory-cache": "^0.2.0", "next": "^13.5.4", diff --git a/apps/api/v1/pages/api/api-keys/[id]/_auth-middleware.ts b/apps/api/v1/pages/api/api-keys/[id]/_auth-middleware.ts index c0e3fb14388033..f76ec117c606b3 100644 --- a/apps/api/v1/pages/api/api-keys/[id]/_auth-middleware.ts +++ b/apps/api/v1/pages/api/api-keys/[id]/_auth-middleware.ts @@ -6,10 +6,10 @@ import prisma from "@calcom/prisma"; import { schemaQueryIdAsString } from "~/lib/validations/shared/queryIdString"; export async function authMiddleware(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { id } = schemaQueryIdAsString.parse(req.query); // Admin can check any api key - if (isAdmin) return; + if (isSystemWideAdmin) return; // Check if user can access the api key const apiKey = await prisma.apiKey.findFirst({ where: { id, userId }, diff --git a/apps/api/v1/pages/api/api-keys/_get.ts b/apps/api/v1/pages/api/api-keys/_get.ts index 8f18e3ebae59d1..84d61c3879be3e 100644 --- a/apps/api/v1/pages/api/api-keys/_get.ts +++ b/apps/api/v1/pages/api/api-keys/_get.ts @@ -16,8 +16,8 @@ type CustomNextApiRequest = NextApiRequest & { function handleAdminRequests(req: CustomNextApiRequest) { // To match type safety with runtime if (!hasReqArgs(req)) throw Error("Missing req.args"); - const { userId, isAdmin } = req; - if (isAdmin && req.query.userId) { + const { userId, isSystemWideAdmin } = req; + if (isSystemWideAdmin && req.query.userId) { const query = schemaQuerySingleOrMultipleUserIds.parse(req.query); const userIds = Array.isArray(query.userId) ? query.userId : [query.userId || userId]; req.args.where = { userId: { in: userIds } }; @@ -30,8 +30,8 @@ function hasReqArgs(req: CustomNextApiRequest): req is Ensure) { - const { isAdmin } = req; - if (isAdmin) return; + const { isSystemWideAdmin } = req; + if (isSystemWideAdmin) return; const { userId } = req; const { bookingId } = body; if (bookingId) { diff --git a/apps/api/v1/pages/api/attendees/_get.ts b/apps/api/v1/pages/api/attendees/_get.ts index b3ec13db7bd7b9..9f1f456766af36 100644 --- a/apps/api/v1/pages/api/attendees/_get.ts +++ b/apps/api/v1/pages/api/attendees/_get.ts @@ -31,8 +31,8 @@ import { schemaAttendeeReadPublic } from "~/lib/validations/attendee"; * description: No attendees were found */ async function handler(req: NextApiRequest) { - const { userId, isAdmin } = req; - const args: Prisma.AttendeeFindManyArgs = isAdmin ? {} : { where: { booking: { userId } } }; + const { userId, isSystemWideAdmin } = req; + const args: Prisma.AttendeeFindManyArgs = isSystemWideAdmin ? {} : { where: { booking: { userId } } }; const data = await prisma.attendee.findMany(args); const attendees = data.map((attendee) => schemaAttendeeReadPublic.parse(attendee)); if (!attendees) throw new HttpError({ statusCode: 404, message: "No attendees were found" }); diff --git a/apps/api/v1/pages/api/attendees/_post.ts b/apps/api/v1/pages/api/attendees/_post.ts index 610f3062822cf7..03ca47a61409f8 100644 --- a/apps/api/v1/pages/api/attendees/_post.ts +++ b/apps/api/v1/pages/api/attendees/_post.ts @@ -52,10 +52,10 @@ import { schemaAttendeeCreateBodyParams, schemaAttendeeReadPublic } from "~/lib/ * description: Authorization information is missing or invalid. */ async function postHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const body = schemaAttendeeCreateBodyParams.parse(req.body); - if (!isAdmin) { + if (!isSystemWideAdmin) { const userBooking = await prisma.booking.findFirst({ where: { userId, id: body.bookingId }, select: { id: true }, diff --git a/apps/api/v1/pages/api/availabilities/[id]/_auth-middleware.ts b/apps/api/v1/pages/api/availabilities/[id]/_auth-middleware.ts index 406c808511cb47..245f5c9cb05272 100644 --- a/apps/api/v1/pages/api/availabilities/[id]/_auth-middleware.ts +++ b/apps/api/v1/pages/api/availabilities/[id]/_auth-middleware.ts @@ -5,10 +5,10 @@ import prisma from "@calcom/prisma"; import { schemaQueryIdParseInt } from "~/lib/validations/shared/queryIdTransformParseInt"; async function authMiddleware(req: NextApiRequest) { - const { userId, isAdmin, query } = req; + const { userId, isSystemWideAdmin, query } = req; const { id } = schemaQueryIdParseInt.parse(query); /** Admins can skip the ownership verification */ - if (isAdmin) return; + if (isSystemWideAdmin) return; /** * There's a caveat here. If the availability exists but the user doesn't own it, * the user will see a 404 error which may or not be the desired behavior. diff --git a/apps/api/v1/pages/api/availabilities/_post.ts b/apps/api/v1/pages/api/availabilities/_post.ts index a0f915241fbd8a..2e0a8e1247c08a 100644 --- a/apps/api/v1/pages/api/availabilities/_post.ts +++ b/apps/api/v1/pages/api/availabilities/_post.ts @@ -86,8 +86,8 @@ async function postHandler(req: NextApiRequest) { } async function checkPermissions(req: NextApiRequest) { - const { userId, isAdmin } = req; - if (isAdmin) return; + const { userId, isSystemWideAdmin } = req; + if (isSystemWideAdmin) return; const data = schemaAvailabilityCreateBodyParams.parse(req.body); const schedule = await prisma.schedule.findFirst({ where: { userId, id: data.scheduleId }, diff --git a/apps/api/v1/pages/api/availability/_get.ts b/apps/api/v1/pages/api/availability/_get.ts index 580d149c6fbf11..935619cc19c559 100644 --- a/apps/api/v1/pages/api/availability/_get.ts +++ b/apps/api/v1/pages/api/availability/_get.ts @@ -189,7 +189,7 @@ const availabilitySchema = z ); async function handler(req: NextApiRequest) { - const { isAdmin, userId: reqUserId } = req; + const { isSystemWideAdmin, userId: reqUserId } = req; const { username, userId, eventTypeId, dateTo, dateFrom, teamId } = availabilitySchema.parse(req.query); if (!teamId) return getUserAvailability({ @@ -224,7 +224,7 @@ async function handler(req: NextApiRequest) { const isUserAdminOrOwner = memberRoles[reqUserId] == MembershipRole.ADMIN || memberRoles[reqUserId] == MembershipRole.OWNER || - isAdmin; + isSystemWideAdmin; if (!isUserAdminOrOwner) throw new HttpError({ statusCode: 403, message: "Forbidden" }); const availabilities = members.map(async (user) => { return { diff --git a/apps/api/v1/pages/api/booking-references/[id]/_auth-middleware.ts b/apps/api/v1/pages/api/booking-references/[id]/_auth-middleware.ts index 1970d5d20859e8..542f16265b5c42 100644 --- a/apps/api/v1/pages/api/booking-references/[id]/_auth-middleware.ts +++ b/apps/api/v1/pages/api/booking-references/[id]/_auth-middleware.ts @@ -6,10 +6,10 @@ import prisma from "@calcom/prisma"; import { schemaQueryIdParseInt } from "~/lib/validations/shared/queryIdTransformParseInt"; async function authMiddleware(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { id } = schemaQueryIdParseInt.parse(req.query); // Here we make sure to only return references of the user's own bookings if the user is not an admin. - if (isAdmin) return; + if (isSystemWideAdmin) return; // Find all references where the user has bookings const bookingReference = await prisma.bookingReference.findFirst({ where: { id, booking: { userId } }, diff --git a/apps/api/v1/pages/api/booking-references/[id]/_patch.ts b/apps/api/v1/pages/api/booking-references/[id]/_patch.ts index d90ddeb31d7605..b699de7cd959a7 100644 --- a/apps/api/v1/pages/api/booking-references/[id]/_patch.ts +++ b/apps/api/v1/pages/api/booking-references/[id]/_patch.ts @@ -60,12 +60,12 @@ import { schemaQueryIdParseInt } from "~/lib/validations/shared/queryIdTransform * description: Authorization information is missing or invalid. */ export async function patchHandler(req: NextApiRequest) { - const { query, body, isAdmin, userId } = req; + const { query, body, isSystemWideAdmin, userId } = req; const { id } = schemaQueryIdParseInt.parse(query); const data = schemaBookingEditBodyParams.parse(body); /* If user tries to update bookingId, we run extra checks */ if (data.bookingId) { - const args: Prisma.BookingFindFirstOrThrowArgs = isAdmin + const args: Prisma.BookingFindFirstOrThrowArgs = isSystemWideAdmin ? /* If admin, we only check that the booking exists */ { where: { id: data.bookingId } } : /* For non-admins we make sure the booking belongs to the user */ diff --git a/apps/api/v1/pages/api/booking-references/_get.ts b/apps/api/v1/pages/api/booking-references/_get.ts index 15dc11c1c04023..5794d3fe1db5bf 100644 --- a/apps/api/v1/pages/api/booking-references/_get.ts +++ b/apps/api/v1/pages/api/booking-references/_get.ts @@ -30,8 +30,10 @@ import { schemaBookingReferenceReadPublic } from "~/lib/validations/booking-refe * description: No booking references were found */ async function getHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; - const args: Prisma.BookingReferenceFindManyArgs = isAdmin ? {} : { where: { booking: { userId } } }; + const { userId, isSystemWideAdmin } = req; + const args: Prisma.BookingReferenceFindManyArgs = isSystemWideAdmin + ? {} + : { where: { booking: { userId } } }; const data = await prisma.bookingReference.findMany(args); return { booking_references: data.map((br) => schemaBookingReferenceReadPublic.parse(br)) }; } diff --git a/apps/api/v1/pages/api/booking-references/_post.ts b/apps/api/v1/pages/api/booking-references/_post.ts index 98761421f93467..d551ac98907f2e 100644 --- a/apps/api/v1/pages/api/booking-references/_post.ts +++ b/apps/api/v1/pages/api/booking-references/_post.ts @@ -62,9 +62,9 @@ import { * description: Authorization information is missing or invalid. */ async function postHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const body = schemaBookingCreateBodyParams.parse(req.body); - const args: Prisma.BookingFindFirstOrThrowArgs = isAdmin + const args: Prisma.BookingFindFirstOrThrowArgs = isSystemWideAdmin ? /* If admin, we only check that the booking exists */ { where: { id: body.bookingId } } : /* For non-admins we make sure the booking belongs to the user */ diff --git a/apps/api/v1/pages/api/bookings/[id]/_auth-middleware.ts b/apps/api/v1/pages/api/bookings/[id]/_auth-middleware.ts index b365b675e06b5f..41225f0455f65d 100644 --- a/apps/api/v1/pages/api/bookings/[id]/_auth-middleware.ts +++ b/apps/api/v1/pages/api/bookings/[id]/_auth-middleware.ts @@ -3,15 +3,33 @@ import type { NextApiRequest } from "next"; import { HttpError } from "@calcom/lib/http-error"; import prisma from "@calcom/prisma"; +import { getAccessibleUsers } from "~/lib/utils/retrieveScopedAccessibleUsers"; import { schemaQueryIdParseInt } from "~/lib/validations/shared/queryIdTransformParseInt"; async function authMiddleware(req: NextApiRequest) { - const { userId, isAdmin, query } = req; - if (isAdmin) { + const { userId, isSystemWideAdmin, isOrganizationOwnerOrAdmin, query } = req; + if (isSystemWideAdmin) { return; } const { id } = schemaQueryIdParseInt.parse(query); + if (isOrganizationOwnerOrAdmin) { + const booking = await prisma.booking.findUnique({ + where: { id }, + select: { userId: true }, + }); + if (booking) { + const bookingUserId = booking.userId; + if (bookingUserId) { + const accessibleUsersIds = await getAccessibleUsers({ + adminUserId: userId, + memberUserIds: [bookingUserId], + }); + if (accessibleUsersIds.length > 0) return; + } + } + } + const userWithBookingsAndTeamIds = await prisma.user.findUnique({ where: { id: userId }, include: { @@ -43,7 +61,7 @@ async function authMiddleware(req: NextApiRequest) { }); if (!teamBookings) { - throw new HttpError({ statusCode: 401, message: "You are not authorized" }); + throw new HttpError({ statusCode: 403, message: "You are not authorized" }); } } } diff --git a/apps/api/v1/pages/api/bookings/[id]/_patch.ts b/apps/api/v1/pages/api/bookings/[id]/_patch.ts index ed36ec8ed43f18..d26eb3c3b6c62a 100644 --- a/apps/api/v1/pages/api/bookings/[id]/_patch.ts +++ b/apps/api/v1/pages/api/bookings/[id]/_patch.ts @@ -5,6 +5,7 @@ import { HttpError } from "@calcom/lib/http-error"; import { defaultResponder } from "@calcom/lib/server"; import prisma from "@calcom/prisma"; +import { getAccessibleUsers } from "~/lib/utils/retrieveScopedAccessibleUsers"; import { schemaBookingEditBodyParams, schemaBookingReadPublic } from "~/lib/validations/booking"; import { schemaQueryIdParseInt } from "~/lib/validations/shared/queryIdTransformParseInt"; @@ -109,14 +110,27 @@ export async function patchHandler(req: NextApiRequest) { } async function checkPermissions(req: NextApiRequest, body: z.infer) { - const { isAdmin } = req; - if (body.userId && !isAdmin) { + const { userId, isSystemWideAdmin, isOrganizationOwnerOrAdmin } = req; + if (body.userId && !isSystemWideAdmin && !isOrganizationOwnerOrAdmin) { // Organizer has to be a cal user and we can't allow a booking to be transfered to some other cal user's name throw new HttpError({ statusCode: 403, message: "Only admin can change the organizer of a booking", }); } + + if (body.userId && isOrganizationOwnerOrAdmin) { + const accessibleUsersIds = await getAccessibleUsers({ + adminUserId: userId, + memberUserIds: [body.userId], + }); + if (accessibleUsersIds.length === 0) { + throw new HttpError({ + statusCode: 403, + message: "Only admin can change the organizer of a booking", + }); + } + } } export default defaultResponder(patchHandler); diff --git a/apps/api/v1/pages/api/bookings/[id]/recordings/_get.ts b/apps/api/v1/pages/api/bookings/[id]/recordings/_get.ts new file mode 100644 index 00000000000000..3ec371dd984ac5 --- /dev/null +++ b/apps/api/v1/pages/api/bookings/[id]/recordings/_get.ts @@ -0,0 +1,99 @@ +import type { NextApiRequest } from "next"; + +import { getRecordingsOfCalVideoByRoomName } from "@calcom/core/videoClient"; +import { getDownloadLinkOfCalVideoByRecordingId } from "@calcom/core/videoClient"; +import { HttpError } from "@calcom/lib/http-error"; +import { defaultResponder } from "@calcom/lib/server"; +import prisma from "@calcom/prisma"; +import type { RecordingItemSchema } from "@calcom/prisma/zod-utils"; +import type { PartialReference } from "@calcom/types/EventManager"; + +import { schemaQueryIdParseInt } from "~/lib/validations/shared/queryIdTransformParseInt"; + +/** + * @swagger + * /bookings/{id}/recordings: + * get: + * summary: Find all Cal video recordings of that booking + * operationId: getRecordingsByBookingId + * parameters: + * - in: path + * name: id + * schema: + * type: integer + * required: true + * description: ID of the booking for which recordings need to be fetched. Recording download link is only valid for 12 hours and you would have to fetch the recordings again to get new download link + * - in: query + * name: apiKey + * required: true + * schema: + * type: string + * description: Your API key + * tags: + * - bookings + * responses: + * 200: + * description: OK + * content: + * application/json: + * schema: + * $ref: "#/components/schemas/ArrayOfRecordings" + * examples: + * recordings: + * value: + * - id: "ad90a2e7-154f-49ff-a815-5da1db7bf899" + * room_name: "0n22w24AQ5ZFOtEKX2gX" + * start_ts: 1716215386 + * status: "finished" + * max_participants: 1 + * duration: 11 + * share_token: "x94YK-69Gnh7" + * download_link: "https://daily-meeting-recordings..." + * 401: + * description: Authorization information is missing or invalid. + * 404: + * description: Booking was not found + */ + +export async function getHandler(req: NextApiRequest) { + const { query } = req; + const { id } = schemaQueryIdParseInt.parse(query); + + const booking = await prisma.booking.findUnique({ + where: { id }, + include: { references: true }, + }); + + if (!booking) + throw new HttpError({ + statusCode: 404, + message: `No Booking found with booking id ${id}`, + }); + + const roomName = + booking?.references?.find((reference: PartialReference) => reference.type === "daily_video")?.meetingId ?? + undefined; + + if (!roomName) + throw new HttpError({ + statusCode: 404, + message: `No Cal Video reference found with booking id ${booking.id}`, + }); + + const recordings = await getRecordingsOfCalVideoByRoomName(roomName); + + if (!recordings || !("data" in recordings)) return []; + + const recordingWithDownloadLink = recordings.data.map((recording: RecordingItemSchema) => { + return getDownloadLinkOfCalVideoByRecordingId(recording.id) + .then((res) => ({ + ...recording, + download_link: res?.download_link, + })) + .catch((err) => ({ ...recording, download_link: null, error: err.message })); + }); + const res = await Promise.all(recordingWithDownloadLink); + return res; +} + +export default defaultResponder(getHandler); diff --git a/apps/api/v1/pages/api/bookings/[id]/recordings/index.ts b/apps/api/v1/pages/api/bookings/[id]/recordings/index.ts new file mode 100644 index 00000000000000..8d5bc44ed5ddb0 --- /dev/null +++ b/apps/api/v1/pages/api/bookings/[id]/recordings/index.ts @@ -0,0 +1,16 @@ +import type { NextApiRequest, NextApiResponse } from "next"; + +import { defaultHandler, defaultResponder } from "@calcom/lib/server"; + +import { withMiddleware } from "~/lib/helpers/withMiddleware"; + +import authMiddleware from "../_auth-middleware"; + +export default withMiddleware()( + defaultResponder(async (req: NextApiRequest, res: NextApiResponse) => { + await authMiddleware(req); + return defaultHandler({ + GET: import("./_get"), + })(req, res); + }) +); diff --git a/apps/api/v1/pages/api/bookings/[id]/transcripts/[recordingId]/_get.ts b/apps/api/v1/pages/api/bookings/[id]/transcripts/[recordingId]/_get.ts new file mode 100644 index 00000000000000..67cac58bdd4ecd --- /dev/null +++ b/apps/api/v1/pages/api/bookings/[id]/transcripts/[recordingId]/_get.ts @@ -0,0 +1,94 @@ +import type { NextApiRequest } from "next"; + +import { + getTranscriptsAccessLinkFromRecordingId, + checkIfRoomNameMatchesInRecording, +} from "@calcom/core/videoClient"; +import { HttpError } from "@calcom/lib/http-error"; +import { defaultResponder } from "@calcom/lib/server"; +import prisma from "@calcom/prisma"; +import type { PartialReference } from "@calcom/types/EventManager"; + +import { getTranscriptFromRecordingId } from "~/lib/validations/shared/queryIdTransformParseInt"; + +/** + * @swagger + * /bookings/{id}/transcripts/{recordingId}: + * get: + * summary: Find all Cal video transcripts of that recording + * operationId: getTranscriptsByRecordingId + * parameters: + * - in: path + * name: id + * schema: + * type: integer + * required: true + * description: ID of the booking for which transcripts need to be fetched. + * - in: path + * name: recordingId + * schema: + * type: string + * required: true + * description: ID of the recording(daily.co recording id) for which transcripts need to be fetched. + * - in: query + * name: apiKey + * required: true + * schema: + * type: string + * description: Your API key + * tags: + * - bookings + * responses: + * 200: + * description: OK + * content: + * application/json: + * 401: + * description: Authorization information is missing or invalid. + * 404: + * description: Booking was not found + */ + +export async function getHandler(req: NextApiRequest) { + const { query } = req; + const { id, recordingId } = getTranscriptFromRecordingId.parse(query); + + await checkIfRecordingBelongsToBooking(id, recordingId); + + const transcriptsAccessLinks = await getTranscriptsAccessLinkFromRecordingId(recordingId); + + return transcriptsAccessLinks; +} + +const checkIfRecordingBelongsToBooking = async (bookingId: number, recordingId: string) => { + const booking = await prisma.booking.findUnique({ + where: { id: bookingId }, + include: { references: true }, + }); + + if (!booking) + throw new HttpError({ + statusCode: 404, + message: `No Booking found with booking id ${bookingId}`, + }); + + const roomName = + booking?.references?.find((reference: PartialReference) => reference.type === "daily_video")?.meetingId ?? + undefined; + + if (!roomName) + throw new HttpError({ + statusCode: 404, + message: `No Booking Reference with Daily Video found with booking id ${bookingId}`, + }); + + const canUserAccessRecordingId = await checkIfRoomNameMatchesInRecording(roomName, recordingId); + if (!canUserAccessRecordingId) { + throw new HttpError({ + statusCode: 403, + message: `This Recording Id ${recordingId} does not belong to booking ${bookingId}`, + }); + } +}; + +export default defaultResponder(getHandler); diff --git a/apps/api/v1/pages/api/bookings/[id]/transcripts/[recordingId]/index.ts b/apps/api/v1/pages/api/bookings/[id]/transcripts/[recordingId]/index.ts new file mode 100644 index 00000000000000..3085d27a86745d --- /dev/null +++ b/apps/api/v1/pages/api/bookings/[id]/transcripts/[recordingId]/index.ts @@ -0,0 +1,16 @@ +import type { NextApiRequest, NextApiResponse } from "next"; + +import { defaultHandler, defaultResponder } from "@calcom/lib/server"; + +import { withMiddleware } from "~/lib/helpers/withMiddleware"; + +import authMiddleware from "../../_auth-middleware"; + +export default withMiddleware()( + defaultResponder(async (req: NextApiRequest, res: NextApiResponse) => { + await authMiddleware(req); + return defaultHandler({ + GET: import("./_get"), + })(req, res); + }) +); diff --git a/apps/api/v1/pages/api/bookings/[id]/transcripts/_get.ts b/apps/api/v1/pages/api/bookings/[id]/transcripts/_get.ts new file mode 100644 index 00000000000000..2200f064662d81 --- /dev/null +++ b/apps/api/v1/pages/api/bookings/[id]/transcripts/_get.ts @@ -0,0 +1,73 @@ +import type { NextApiRequest } from "next"; + +import { getAllTranscriptsAccessLinkFromRoomName } from "@calcom/core/videoClient"; +import { HttpError } from "@calcom/lib/http-error"; +import { defaultResponder } from "@calcom/lib/server"; +import prisma from "@calcom/prisma"; +import type { PartialReference } from "@calcom/types/EventManager"; + +import { schemaQueryIdParseInt } from "~/lib/validations/shared/queryIdTransformParseInt"; + +/** + * @swagger + * /bookings/{id}/transcripts: + * get: + * summary: Find all Cal video transcripts of that booking + * operationId: getTranscriptsByBookingId + * parameters: + * - in: path + * name: id + * schema: + * type: integer + * required: true + * description: ID of the booking for which recordings need to be fetched. + * - in: query + * name: apiKey + * required: true + * schema: + * type: string + * description: Your API key + * tags: + * - bookings + * responses: + * 200: + * description: OK + * content: + * application/json: + * 401: + * description: Authorization information is missing or invalid. + * 404: + * description: Booking was not found + */ + +export async function getHandler(req: NextApiRequest) { + const { query } = req; + const { id } = schemaQueryIdParseInt.parse(query); + + const booking = await prisma.booking.findUnique({ + where: { id }, + include: { references: true }, + }); + + if (!booking) + throw new HttpError({ + statusCode: 404, + message: `No Booking found with booking id ${id}`, + }); + + const roomName = + booking?.references?.find((reference: PartialReference) => reference.type === "daily_video")?.meetingId ?? + undefined; + + if (!roomName) + throw new HttpError({ + statusCode: 404, + message: `No Cal Video reference found with booking id ${booking.id}`, + }); + + const transcripts = await getAllTranscriptsAccessLinkFromRoomName(roomName); + + return transcripts; +} + +export default defaultResponder(getHandler); diff --git a/apps/api/v1/pages/api/bookings/[id]/transcripts/index.ts b/apps/api/v1/pages/api/bookings/[id]/transcripts/index.ts new file mode 100644 index 00000000000000..8d5bc44ed5ddb0 --- /dev/null +++ b/apps/api/v1/pages/api/bookings/[id]/transcripts/index.ts @@ -0,0 +1,16 @@ +import type { NextApiRequest, NextApiResponse } from "next"; + +import { defaultHandler, defaultResponder } from "@calcom/lib/server"; + +import { withMiddleware } from "~/lib/helpers/withMiddleware"; + +import authMiddleware from "../_auth-middleware"; + +export default withMiddleware()( + defaultResponder(async (req: NextApiRequest, res: NextApiResponse) => { + await authMiddleware(req); + return defaultHandler({ + GET: import("./_get"), + })(req, res); + }) +); diff --git a/apps/api/v1/pages/api/bookings/_get.ts b/apps/api/v1/pages/api/bookings/_get.ts index 67ae16f45635e4..d1aab8b2ef9e6a 100644 --- a/apps/api/v1/pages/api/bookings/_get.ts +++ b/apps/api/v1/pages/api/bookings/_get.ts @@ -5,6 +5,11 @@ import { HttpError } from "@calcom/lib/http-error"; import { defaultResponder } from "@calcom/lib/server"; import prisma from "@calcom/prisma"; +import { withMiddleware } from "~/lib/helpers/withMiddleware"; +import { + getAccessibleUsers, + retrieveOrgScopedAccessibleUsers, +} from "~/lib/utils/retrieveScopedAccessibleUsers"; import { schemaBookingGetParams, schemaBookingReadPublic } from "~/lib/validations/booking"; import { schemaQuerySingleOrMultipleAttendeeEmails } from "~/lib/validations/shared/queryAttendeeEmail"; import { schemaQuerySingleOrMultipleUserIds } from "~/lib/validations/shared/queryUserId"; @@ -46,6 +51,18 @@ import { schemaQuerySingleOrMultipleUserIds } from "~/lib/validations/shared/que * type: string * format: email * example: [john.doe@example.com, jane.doe@example.com] + * - in: query + * name: order + * required: false + * schema: + * type: string + * enum: [asc, desc] + * - in: query + * name: sortBy + * required: false + * schema: + * type: string + * enum: [createdAt, updatedAt] * operationId: listBookings * tags: * - bookings @@ -108,7 +125,11 @@ import { schemaQuerySingleOrMultipleUserIds } from "~/lib/validations/shared/que * 404: * description: No bookings were found */ - +type GetAdminArgsType = { + adminDidQueryUserIds?: boolean; + requestedUserIds: number[]; + userId: number; +}; /** * Constructs the WHERE clause for Prisma booking findMany operation. * @@ -161,12 +182,20 @@ function buildWhereClause( }; } -async function handler(req: NextApiRequest) { - const { userId, isAdmin } = req; - - const { dateFrom, dateTo } = schemaBookingGetParams.parse(req.query); +export async function handler(req: NextApiRequest) { + const { + userId, + isSystemWideAdmin, + isOrganizationOwnerOrAdmin, + pagination: { take, skip }, + } = req; + const { dateFrom, dateTo, order, sortBy } = schemaBookingGetParams.parse(req.query); const args: Prisma.BookingFindManyArgs = {}; + if (req.query.take && req.query.page) { + args.take = take; + args.skip = skip; + } args.include = { attendees: true, user: true, @@ -182,19 +211,32 @@ async function handler(req: NextApiRequest) { const filterByAttendeeEmails = attendeeEmails.length > 0; /** Only admins can query other users */ - if (isAdmin) { - if (req.query.userId) { + if (isSystemWideAdmin) { + if (req.query.userId || filterByAttendeeEmails) { const query = schemaQuerySingleOrMultipleUserIds.parse(req.query); - const userIds = Array.isArray(query.userId) ? query.userId : [query.userId || userId]; - const users = await prisma.user.findMany({ - where: { id: { in: userIds } }, - select: { email: true }, - }); - const userEmails = users.map((u) => u.email); - args.where = buildWhereClause(userId, attendeeEmails, userIds, userEmails); - } else if (filterByAttendeeEmails) { - args.where = buildWhereClause(null, attendeeEmails, [], []); + const requestedUserIds = Array.isArray(query.userId) ? query.userId : [query.userId || userId]; + + const systemWideAdminArgs = { + adminDidQueryUserIds: !!req.query.userId, + requestedUserIds, + userId, + }; + const { userId: argUserId, userIds, userEmails } = await handleSystemWideAdminArgs(systemWideAdminArgs); + args.where = buildWhereClause(argUserId, attendeeEmails, userIds, userEmails); } + } else if (isOrganizationOwnerOrAdmin) { + let requestedUserIds = [userId]; + if (req.query.userId || filterByAttendeeEmails) { + const query = schemaQuerySingleOrMultipleUserIds.parse(req.query); + requestedUserIds = Array.isArray(query.userId) ? query.userId : [query.userId || userId]; + } + const orgWideAdminArgs = { + adminDidQueryUserIds: !!req.query.userId, + requestedUserIds, + userId, + }; + const { userId: argUserId, userIds, userEmails } = await handleOrgWideAdminArgs(orgWideAdminArgs); + args.where = buildWhereClause(argUserId, attendeeEmails, userIds, userEmails); } else { const user = await prisma.user.findUnique({ where: { id: userId }, @@ -203,7 +245,7 @@ async function handler(req: NextApiRequest) { }, }); if (!user) { - throw new HttpError({ message: "User not found", statusCode: 500 }); + throw new HttpError({ message: "User not found", statusCode: 404 }); } args.where = buildWhereClause(userId, attendeeEmails, [], []); } @@ -221,8 +263,69 @@ async function handler(req: NextApiRequest) { }; } + if (sortBy === "updatedAt") { + args.orderBy = { + updatedAt: order, + }; + } + + if (sortBy === "createdAt") { + args.orderBy = { + createdAt: order, + }; + } + const data = await prisma.booking.findMany(args); return { bookings: data.map((booking) => schemaBookingReadPublic.parse(booking)) }; } -export default defaultResponder(handler); +const handleSystemWideAdminArgs = async ({ + adminDidQueryUserIds, + requestedUserIds, + userId, +}: GetAdminArgsType) => { + if (adminDidQueryUserIds) { + const users = await prisma.user.findMany({ + where: { id: { in: requestedUserIds } }, + select: { email: true }, + }); + const userEmails = users.map((u) => u.email); + + return { userId, userIds: requestedUserIds, userEmails }; + } + return { userId: null, userIds: [], userEmails: [] }; +}; + +const handleOrgWideAdminArgs = async ({ + adminDidQueryUserIds, + requestedUserIds, + userId, +}: GetAdminArgsType) => { + if (adminDidQueryUserIds) { + const accessibleUsersIds = await getAccessibleUsers({ + adminUserId: userId, + memberUserIds: requestedUserIds, + }); + + if (!accessibleUsersIds.length) throw new HttpError({ message: "No User found", statusCode: 404 }); + const users = await prisma.user.findMany({ + where: { id: { in: accessibleUsersIds } }, + select: { email: true }, + }); + const userEmails = users.map((u) => u.email); + return { userId, userIds: accessibleUsersIds, userEmails }; + } else { + const accessibleUsersIds = await retrieveOrgScopedAccessibleUsers({ + adminId: userId, + }); + + const users = await prisma.user.findMany({ + where: { id: { in: accessibleUsersIds } }, + select: { email: true }, + }); + const userEmails = users.map((u) => u.email); + return { userId, userIds: accessibleUsersIds, userEmails }; + } +}; + +export default withMiddleware("pagination")(defaultResponder(handler)); diff --git a/apps/api/v1/pages/api/bookings/_post.ts b/apps/api/v1/pages/api/bookings/_post.ts index c94fe6c461bedb..919a7a2bfc5eab 100644 --- a/apps/api/v1/pages/api/bookings/_post.ts +++ b/apps/api/v1/pages/api/bookings/_post.ts @@ -2,8 +2,12 @@ import type { NextApiRequest } from "next"; import getBookingDataSchemaForApi from "@calcom/features/bookings/lib/getBookingDataSchemaForApi"; import handleNewBooking from "@calcom/features/bookings/lib/handleNewBooking"; +import { ErrorCode } from "@calcom/lib/errorCodes"; +import { HttpError } from "@calcom/lib/http-error"; import { defaultResponder } from "@calcom/lib/server"; +import { getAccessibleUsers } from "~/lib/utils/retrieveScopedAccessibleUsers"; + /** * @swagger * /bookings: @@ -204,10 +208,28 @@ import { defaultResponder } from "@calcom/lib/server"; * description: Authorization information is missing or invalid. */ async function handler(req: NextApiRequest) { - const { userId, isAdmin } = req; - if (isAdmin) req.userId = req.body.userId || userId; + const { userId, isSystemWideAdmin, isOrganizationOwnerOrAdmin } = req; + if (isSystemWideAdmin) req.userId = req.body.userId || userId; + + if (isOrganizationOwnerOrAdmin) { + const accessibleUsersIds = await getAccessibleUsers({ + adminUserId: userId, + memberUserIds: [req.body.userId || userId], + }); + const [requestedUserId] = accessibleUsersIds; + req.userId = requestedUserId || userId; + } + + try { + return await handleNewBooking(req, getBookingDataSchemaForApi); + } catch (error: unknown) { + const knownError = error as Error; + if (knownError?.message === ErrorCode.NoAvailableUsersFound) { + throw new HttpError({ statusCode: 400, message: knownError.message }); + } - return await handleNewBooking(req, getBookingDataSchemaForApi); + throw error; + } } export default defaultResponder(handler); diff --git a/apps/api/v1/pages/api/connected-calendars/_get.ts b/apps/api/v1/pages/api/connected-calendars/_get.ts index 47085c33acb163..a6d5452af0bb4d 100644 --- a/apps/api/v1/pages/api/connected-calendars/_get.ts +++ b/apps/api/v1/pages/api/connected-calendars/_get.ts @@ -97,9 +97,10 @@ import { schemaConnectedCalendarsReadPublic } from "~/lib/validations/connected- */ async function getHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; - if (!isAdmin && req.query.userId) throw new HttpError({ statusCode: 403, message: "ADMIN required" }); + if (!isSystemWideAdmin && req.query.userId) + throw new HttpError({ statusCode: 403, message: "ADMIN required" }); const userIds = req.query.userId ? extractUserIdsFromQuery(req) : [userId]; diff --git a/apps/api/v1/pages/api/credential-sync/_patch.ts b/apps/api/v1/pages/api/credential-sync/_patch.ts index ac7aac2ecb5ed2..c4cc8109afd21d 100644 --- a/apps/api/v1/pages/api/credential-sync/_patch.ts +++ b/apps/api/v1/pages/api/credential-sync/_patch.ts @@ -1,6 +1,6 @@ import type { NextApiRequest } from "next"; -import { minimumTokenResponseSchema } from "@calcom/app-store/_utils/oauth/parseRefreshTokenResponse"; +import { OAuth2UniversalSchema } from "@calcom/app-store/_utils/oauth/universalSchema"; import { symmetricDecrypt } from "@calcom/lib/crypto"; import { defaultResponder } from "@calcom/lib/server"; import prisma from "@calcom/prisma"; @@ -63,7 +63,7 @@ async function handler(req: NextApiRequest) { symmetricDecrypt(encryptedKey, process.env.CALCOM_APP_CREDENTIAL_ENCRYPTION_KEY || "") ); - const key = minimumTokenResponseSchema.parse(decryptedKey); + const key = OAuth2UniversalSchema.parse(decryptedKey); const credential = await prisma.credential.update({ where: { diff --git a/apps/api/v1/pages/api/credential-sync/_post.ts b/apps/api/v1/pages/api/credential-sync/_post.ts index 6a6b7aebd982b6..32d74da2c10a62 100644 --- a/apps/api/v1/pages/api/credential-sync/_post.ts +++ b/apps/api/v1/pages/api/credential-sync/_post.ts @@ -1,7 +1,7 @@ import type { NextApiRequest } from "next"; import { getCalendar } from "@calcom/app-store/_utils/getCalendar"; -import { minimumTokenResponseSchema } from "@calcom/app-store/_utils/oauth/parseRefreshTokenResponse"; +import { OAuth2UniversalSchema } from "@calcom/app-store/_utils/oauth/universalSchema"; import { appStoreMetadata } from "@calcom/app-store/appStoreMetaData"; import { symmetricDecrypt } from "@calcom/lib/crypto"; import { HttpError } from "@calcom/lib/http-error"; @@ -70,7 +70,7 @@ async function handler(req: NextApiRequest) { symmetricDecrypt(encryptedKey, process.env.CALCOM_APP_CREDENTIAL_ENCRYPTION_KEY || "") ); - const key = minimumTokenResponseSchema.parse(decryptedKey); + const key = OAuth2UniversalSchema.parse(decryptedKey); // Need to get app type const app = await prisma.app.findUnique({ diff --git a/apps/api/v1/pages/api/custom-inputs/[id]/_auth-middleware.ts b/apps/api/v1/pages/api/custom-inputs/[id]/_auth-middleware.ts index bc5888acbbf4e6..05243a39226175 100644 --- a/apps/api/v1/pages/api/custom-inputs/[id]/_auth-middleware.ts +++ b/apps/api/v1/pages/api/custom-inputs/[id]/_auth-middleware.ts @@ -6,10 +6,10 @@ import prisma from "@calcom/prisma"; import { schemaQueryIdParseInt } from "~/lib/validations/shared/queryIdTransformParseInt"; async function authMiddleware(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { id } = schemaQueryIdParseInt.parse(req.query); // Admins can just skip this check - if (isAdmin) return; + if (isSystemWideAdmin) return; // Check if the current user can access the event type of this input const eventTypeCustomInput = await prisma.eventTypeCustomInput.findFirst({ where: { id, eventType: { userId } }, diff --git a/apps/api/v1/pages/api/custom-inputs/_get.ts b/apps/api/v1/pages/api/custom-inputs/_get.ts index 02e8909451184f..00259fa64943e4 100644 --- a/apps/api/v1/pages/api/custom-inputs/_get.ts +++ b/apps/api/v1/pages/api/custom-inputs/_get.ts @@ -29,8 +29,10 @@ import { schemaEventTypeCustomInputPublic } from "~/lib/validations/event-type-c * description: No eventTypeCustomInputs were found */ async function getHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; - const args: Prisma.EventTypeCustomInputFindManyArgs = isAdmin ? {} : { where: { eventType: { userId } } }; + const { userId, isSystemWideAdmin } = req; + const args: Prisma.EventTypeCustomInputFindManyArgs = isSystemWideAdmin + ? {} + : { where: { eventType: { userId } } }; const data = await prisma.eventTypeCustomInput.findMany(args); return { event_type_custom_inputs: data.map((v) => schemaEventTypeCustomInputPublic.parse(v)) }; } diff --git a/apps/api/v1/pages/api/custom-inputs/_post.ts b/apps/api/v1/pages/api/custom-inputs/_post.ts index cd6e04a6983c98..3c01c416de7cbe 100644 --- a/apps/api/v1/pages/api/custom-inputs/_post.ts +++ b/apps/api/v1/pages/api/custom-inputs/_post.ts @@ -80,10 +80,10 @@ import { * description: Authorization information is missing or invalid. */ async function postHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { eventTypeId, ...body } = schemaEventTypeCustomInputBodyParams.parse(req.body); - if (!isAdmin) { + if (!isSystemWideAdmin) { /* We check that the user has access to the event type he's trying to add a custom input to. */ const eventType = await prisma.eventType.findFirst({ where: { id: eventTypeId, userId }, diff --git a/apps/api/v1/pages/api/destination-calendars/[id]/_auth-middleware.ts b/apps/api/v1/pages/api/destination-calendars/[id]/_auth-middleware.ts index 276cf44f446e1e..7878b05b91a0d4 100644 --- a/apps/api/v1/pages/api/destination-calendars/[id]/_auth-middleware.ts +++ b/apps/api/v1/pages/api/destination-calendars/[id]/_auth-middleware.ts @@ -6,9 +6,9 @@ import prisma from "@calcom/prisma"; import { schemaQueryIdParseInt } from "~/lib/validations/shared/queryIdTransformParseInt"; async function authMiddleware(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { id } = schemaQueryIdParseInt.parse(req.query); - if (isAdmin) return; + if (isSystemWideAdmin) return; const userEventTypes = await prisma.eventType.findMany({ where: { userId }, select: { id: true }, diff --git a/apps/api/v1/pages/api/destination-calendars/[id]/_patch.ts b/apps/api/v1/pages/api/destination-calendars/[id]/_patch.ts index 75221c5192ee03..064634b2f22ac4 100644 --- a/apps/api/v1/pages/api/destination-calendars/[id]/_patch.ts +++ b/apps/api/v1/pages/api/destination-calendars/[id]/_patch.ts @@ -83,10 +83,10 @@ type UserCredentialType = { }; export async function patchHandler(req: NextApiRequest) { - const { userId, isAdmin, query, body } = req; + const { userId, isSystemWideAdmin, query, body } = req; const { id } = schemaQueryIdParseInt.parse(query); const parsedBody = schemaDestinationCalendarEditBodyParams.parse(body); - const assignedUserId = isAdmin ? parsedBody.userId || userId : userId; + const assignedUserId = isSystemWideAdmin ? parsedBody.userId || userId : userId; validateIntegrationInput(parsedBody); const destinationCalendarObject: DestinationCalendarType = await getDestinationCalendar(id, prisma); diff --git a/apps/api/v1/pages/api/destination-calendars/_post.ts b/apps/api/v1/pages/api/destination-calendars/_post.ts index e8fdf266b2615c..1d8379335cf0da 100644 --- a/apps/api/v1/pages/api/destination-calendars/_post.ts +++ b/apps/api/v1/pages/api/destination-calendars/_post.ts @@ -61,11 +61,11 @@ import { * description: Authorization information is missing or invalid. */ async function postHandler(req: NextApiRequest) { - const { userId, isAdmin, body } = req; + const { userId, isSystemWideAdmin, body } = req; const parsedBody = schemaDestinationCalendarCreateBodyParams.parse(body); await checkPermissions(req, userId); - const assignedUserId = isAdmin && parsedBody.userId ? parsedBody.userId : userId; + const assignedUserId = isSystemWideAdmin && parsedBody.userId ? parsedBody.userId : userId; /* Check if credentialId data matches the ownership and integration passed in */ const userCredentials = await prisma.credential.findMany({ @@ -120,19 +120,20 @@ async function postHandler(req: NextApiRequest) { } async function checkPermissions(req: NextApiRequest, userId: number) { - const { isAdmin } = req; + const { isSystemWideAdmin } = req; const body = schemaDestinationCalendarCreateBodyParams.parse(req.body); /* Non-admin users can only create destination calendars for themselves */ - if (!isAdmin && body.userId) + if (!isSystemWideAdmin && body.userId) throw new HttpError({ statusCode: 401, message: "ADMIN required for `userId`", }); /* Admin users are required to pass in a userId */ - if (isAdmin && !body.userId) throw new HttpError({ statusCode: 400, message: "`userId` required" }); + if (isSystemWideAdmin && !body.userId) + throw new HttpError({ statusCode: 400, message: "`userId` required" }); /* User should only be able to create for their own destination calendars*/ - if (!isAdmin && body.eventTypeId) { + if (!isSystemWideAdmin && body.eventTypeId) { const ownsEventType = await prisma.eventType.findFirst({ where: { id: body.eventTypeId, userId } }); if (!ownsEventType) throw new HttpError({ statusCode: 401, message: "Unauthorized" }); } diff --git a/apps/api/v1/pages/api/docs.ts b/apps/api/v1/pages/api/docs.ts index fc320d011b9ed7..06199655355bb8 100644 --- a/apps/api/v1/pages/api/docs.ts +++ b/apps/api/v1/pages/api/docs.ts @@ -27,6 +27,37 @@ const swaggerHandler = withSwagger({ $ref: "#/components/schemas/Booking", }, }, + ArrayOfRecordings: { + type: "array", + items: { + $ref: "#/components/schemas/Recording", + }, + }, + Recording: { + properties: { + id: { + type: "string", + }, + room_name: { + type: "string", + }, + start_ts: { + type: "number", + }, + status: { + type: "string", + }, + max_participants: { + type: "number", + }, + duration: { + type: "number", + }, + download_link: { + type: "string", + }, + }, + }, Booking: { properties: { id: { @@ -57,6 +88,11 @@ const swaggerHandler = withSwagger({ type: "string", example: "Europe/London", }, + fromReschedule: { + type: "string", + nullable: true, + format: "uuid", + }, attendees: { type: "array", items: { diff --git a/apps/api/v1/pages/api/event-types/[id]/_delete.ts b/apps/api/v1/pages/api/event-types/[id]/_delete.ts index 519047a127dabe..40a90db5f343a6 100644 --- a/apps/api/v1/pages/api/event-types/[id]/_delete.ts +++ b/apps/api/v1/pages/api/event-types/[id]/_delete.ts @@ -46,9 +46,9 @@ export async function deleteHandler(req: NextApiRequest) { } async function checkPermissions(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { id } = schemaQueryIdParseInt.parse(req.query); - if (isAdmin) return; + if (isSystemWideAdmin) return; /** Only event type owners can delete it */ const eventType = await prisma.eventType.findFirst({ where: { id, userId } }); if (!eventType) throw new HttpError({ statusCode: 403, message: "Forbidden" }); diff --git a/apps/api/v1/pages/api/event-types/[id]/_get.ts b/apps/api/v1/pages/api/event-types/[id]/_get.ts index e21c8bbe0f3237..6410a47b0f9d68 100644 --- a/apps/api/v1/pages/api/event-types/[id]/_get.ts +++ b/apps/api/v1/pages/api/event-types/[id]/_get.ts @@ -87,7 +87,7 @@ async function checkPermissions( req: NextApiRequest, eventType: (T & Partial>) | null ) { - if (req.isAdmin) return true; + if (req.isSystemWideAdmin) return true; if (eventType?.teamId) { req.query.teamId = String(eventType.teamId); await canAccessTeamEventOrThrow(req, { diff --git a/apps/api/v1/pages/api/event-types/[id]/_patch.ts b/apps/api/v1/pages/api/event-types/[id]/_patch.ts index 68b270324beefa..1e17c21d31ec44 100644 --- a/apps/api/v1/pages/api/event-types/[id]/_patch.ts +++ b/apps/api/v1/pages/api/event-types/[id]/_patch.ts @@ -237,9 +237,9 @@ export async function patchHandler(req: NextApiRequest) { } async function checkPermissions(req: NextApiRequest, body: z.infer) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { id } = schemaQueryIdParseInt.parse(req.query); - if (isAdmin) return; + if (isSystemWideAdmin) return; /** Only event type owners can modify it */ const eventType = await prisma.eventType.findFirst({ where: { id, userId } }); if (!eventType) throw new HttpError({ statusCode: 403, message: "Forbidden" }); diff --git a/apps/api/v1/pages/api/event-types/_get.ts b/apps/api/v1/pages/api/event-types/_get.ts index e57926d66e32bb..1db594350a6499 100644 --- a/apps/api/v1/pages/api/event-types/_get.ts +++ b/apps/api/v1/pages/api/event-types/_get.ts @@ -43,10 +43,10 @@ import getCalLink from "./_utils/getCalLink"; * description: No event types were found */ async function getHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const userIds = req.query.userId ? extractUserIdsFromQuery(req) : [userId]; const { slug } = schemaQuerySlug.parse(req.query); - const shouldUseUserId = !isAdmin || !slug || !!req.query.userId; + const shouldUseUserId = !isSystemWideAdmin || !slug || !!req.query.userId; // When user is admin and no query params are provided we should return all event types. // But currently we return only the event types of the user. Not changing this for backwards compatibility. const data = await prisma.eventType.findMany({ @@ -74,9 +74,9 @@ async function getHandler(req: NextApiRequest) { }; } // TODO: Extract & reuse. -function extractUserIdsFromQuery({ isAdmin, query }: NextApiRequest) { +function extractUserIdsFromQuery({ isSystemWideAdmin, query }: NextApiRequest) { /** Guard: Only admins can query other users */ - if (!isAdmin) { + if (!isSystemWideAdmin) { throw new HttpError({ statusCode: 401, message: "ADMIN required" }); } const { userId: userIdOrUserIds } = schemaQuerySingleOrMultipleUserIds.parse(query); diff --git a/apps/api/v1/pages/api/event-types/_post.ts b/apps/api/v1/pages/api/event-types/_post.ts index 19aec7ca338898..9f196385d2766b 100644 --- a/apps/api/v1/pages/api/event-types/_post.ts +++ b/apps/api/v1/pages/api/event-types/_post.ts @@ -265,7 +265,7 @@ import ensureOnlyMembersAsHosts from "./_utils/ensureOnlyMembersAsHosts"; * description: Authorization information is missing or invalid. */ async function postHandler(req: NextApiRequest) { - const { userId, isAdmin, body } = req; + const { userId, isSystemWideAdmin, body } = req; const { hosts = [], @@ -291,7 +291,7 @@ async function postHandler(req: NextApiRequest) { await checkUserMembership(req); } - if (isAdmin && parsedBody.userId) { + if (isSystemWideAdmin && parsedBody.userId) { data = { ...parsedBody, users: { connect: { id: parsedBody.userId } } }; } @@ -311,18 +311,18 @@ async function postHandler(req: NextApiRequest) { } async function checkPermissions(req: NextApiRequest) { - const { isAdmin } = req; + const { isSystemWideAdmin } = req; const body = schemaEventTypeCreateBodyParams.parse(req.body); /* Non-admin users can only create event types for themselves */ - if (!isAdmin && body.userId) + if (!isSystemWideAdmin && body.userId) throw new HttpError({ statusCode: 401, message: "ADMIN required for `userId`", }); if ( body.teamId && - !isAdmin && - !(await canUserAccessTeamWithRole(req.userId, isAdmin, body.teamId, { + !isSystemWideAdmin && + !(await canUserAccessTeamWithRole(req.userId, isSystemWideAdmin, body.teamId, { in: [MembershipRole.OWNER, MembershipRole.ADMIN], })) ) @@ -331,7 +331,7 @@ async function checkPermissions(req: NextApiRequest) { message: "ADMIN required for `teamId`", }); /* Admin users are required to pass in a userId or teamId */ - if (isAdmin && !body.userId && !body.teamId) + if (isSystemWideAdmin && !body.userId && !body.teamId) throw new HttpError({ statusCode: 400, message: "`userId` or `teamId` required" }); } diff --git a/apps/api/v1/pages/api/event-types/_utils/checkTeamEventEditPermission.ts b/apps/api/v1/pages/api/event-types/_utils/checkTeamEventEditPermission.ts index 1055dc0d327154..76c7cba3a7d3a4 100644 --- a/apps/api/v1/pages/api/event-types/_utils/checkTeamEventEditPermission.ts +++ b/apps/api/v1/pages/api/event-types/_utils/checkTeamEventEditPermission.ts @@ -10,9 +10,9 @@ export default async function checkTeamEventEditPermission( req: NextApiRequest, body: Pick, "teamId" | "userId"> ) { - const { isAdmin } = req; + const { isSystemWideAdmin } = req; let userId = req.userId; - if (isAdmin && body.userId) { + if (isSystemWideAdmin && body.userId) { userId = body.userId; } if (body.teamId) { diff --git a/apps/api/v1/pages/api/invites/_post.ts b/apps/api/v1/pages/api/invites/_post.ts index 94703111a32ad0..7bc2a18d7447f2 100644 --- a/apps/api/v1/pages/api/invites/_post.ts +++ b/apps/api/v1/pages/api/invites/_post.ts @@ -43,7 +43,6 @@ async function postHandler(req: NextApiRequest, res: NextApiResponse) { language: data.language, teamId: data.teamId, usernameOrEmail: data.usernameOrEmail, - isOrg: data.isOrg, }); return { success: true, message: `${data.usernameOrEmail} has been invited.` }; @@ -58,10 +57,10 @@ async function postHandler(req: NextApiRequest, res: NextApiResponse) { } async function checkPermissions(req: NextApiRequest, body: TInviteMemberInputSchema) { - const { userId, isAdmin } = req; - if (isAdmin) return; + const { userId, isSystemWideAdmin } = req; + if (isSystemWideAdmin) return; // To prevent auto-accepted invites, limit it to ADMIN users - if (!isAdmin && "accepted" in body) + if (!isSystemWideAdmin && "accepted" in body) throw new HttpError({ statusCode: 403, message: "ADMIN needed for `accepted`" }); // Only team OWNERS and ADMINS can add other members const membership = await prisma.membership.findFirst({ diff --git a/apps/api/v1/pages/api/me/_get.ts b/apps/api/v1/pages/api/me/_get.ts index 637ebc1bb7bb20..d7887a15da00de 100644 --- a/apps/api/v1/pages/api/me/_get.ts +++ b/apps/api/v1/pages/api/me/_get.ts @@ -7,7 +7,12 @@ import { schemaUserReadPublic } from "~/lib/validations/user"; async function handler({ userId }: NextApiRequest) { const data = await prisma.user.findUniqueOrThrow({ where: { id: userId } }); - return { user: schemaUserReadPublic.parse(data) }; + return { + user: schemaUserReadPublic.parse({ + ...data, + avatar: data.avatarUrl, + }), + }; } export default defaultResponder(handler); diff --git a/apps/api/v1/pages/api/memberships/[id]/_auth-middleware.ts b/apps/api/v1/pages/api/memberships/[id]/_auth-middleware.ts index e5bb676583507f..f14317eae39305 100644 --- a/apps/api/v1/pages/api/memberships/[id]/_auth-middleware.ts +++ b/apps/api/v1/pages/api/memberships/[id]/_auth-middleware.ts @@ -6,10 +6,10 @@ import prisma from "@calcom/prisma"; import { membershipIdSchema } from "~/lib/validations/membership"; async function authMiddleware(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { teamId } = membershipIdSchema.parse(req.query); // Admins can just skip this check - if (isAdmin) return; + if (isSystemWideAdmin) return; // Only team members can modify a membership const membership = await prisma.membership.findFirst({ where: { userId, teamId } }); if (!membership) throw new HttpError({ statusCode: 403, message: "Forbidden" }); diff --git a/apps/api/v1/pages/api/memberships/[id]/_delete.ts b/apps/api/v1/pages/api/memberships/[id]/_delete.ts index 1e624f3adc84e2..e6c39eb4821efd 100644 --- a/apps/api/v1/pages/api/memberships/[id]/_delete.ts +++ b/apps/api/v1/pages/api/memberships/[id]/_delete.ts @@ -43,10 +43,10 @@ export async function deleteHandler(req: NextApiRequest) { } async function checkPermissions(req: NextApiRequest) { - const { isAdmin, userId, query } = req; + const { isSystemWideAdmin, userId, query } = req; const userId_teamId = membershipIdSchema.parse(query); // Admin User can do anything including deletion of Admin Team Member in any team - if (isAdmin) { + if (isSystemWideAdmin) { return; } diff --git a/apps/api/v1/pages/api/memberships/[id]/_patch.ts b/apps/api/v1/pages/api/memberships/[id]/_patch.ts index 3e7dcaffb945cb..f44e573922b790 100644 --- a/apps/api/v1/pages/api/memberships/[id]/_patch.ts +++ b/apps/api/v1/pages/api/memberships/[id]/_patch.ts @@ -52,11 +52,11 @@ export async function patchHandler(req: NextApiRequest) { } async function checkPermissions(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { userId: queryUserId, teamId } = membershipIdSchema.parse(req.query); const data = membershipEditBodySchema.parse(req.body); // Admins can just skip this check - if (isAdmin) return; + if (isSystemWideAdmin) return; // Only the invited user can accept the invite if ("accepted" in data && queryUserId !== userId) throw new HttpError({ diff --git a/apps/api/v1/pages/api/memberships/_get.ts b/apps/api/v1/pages/api/memberships/_get.ts index 8a42a5dd3af68c..c175718a8b41e9 100644 --- a/apps/api/v1/pages/api/memberships/_get.ts +++ b/apps/api/v1/pages/api/memberships/_get.ts @@ -46,26 +46,28 @@ async function getHandler(req: NextApiRequest) { * Returns requested users IDs only if admin, otherwise return only current user ID */ function getUserIds(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; /** Only admins can query other users */ - if (!isAdmin && req.query.userId) throw new HttpError({ statusCode: 403, message: "ADMIN required" }); - if (isAdmin && req.query.userId) { + if (!isSystemWideAdmin && req.query.userId) + throw new HttpError({ statusCode: 403, message: "ADMIN required" }); + if (isSystemWideAdmin && req.query.userId) { const query = schemaQuerySingleOrMultipleUserIds.parse(req.query); const userIds = Array.isArray(query.userId) ? query.userId : [query.userId || userId]; return userIds; } // Return all memberships for ADMIN, limit to current user to non-admins - return isAdmin ? undefined : [userId]; + return isSystemWideAdmin ? undefined : [userId]; } /** * Returns requested teams IDs only if admin */ function getTeamIds(req: NextApiRequest) { - const { isAdmin } = req; + const { isSystemWideAdmin } = req; /** Only admins can query other teams */ - if (!isAdmin && req.query.teamId) throw new HttpError({ statusCode: 403, message: "ADMIN required" }); - if (isAdmin && req.query.teamId) { + if (!isSystemWideAdmin && req.query.teamId) + throw new HttpError({ statusCode: 403, message: "ADMIN required" }); + if (isSystemWideAdmin && req.query.teamId) { const query = schemaQuerySingleOrMultipleTeamIds.parse(req.query); const teamIds = Array.isArray(query.teamId) ? query.teamId : [query.teamId]; return teamIds; diff --git a/apps/api/v1/pages/api/memberships/_post.ts b/apps/api/v1/pages/api/memberships/_post.ts index e1ee1a622c12bf..9c4b1af12ef483 100644 --- a/apps/api/v1/pages/api/memberships/_post.ts +++ b/apps/api/v1/pages/api/memberships/_post.ts @@ -37,11 +37,11 @@ async function postHandler(req: NextApiRequest) { } async function checkPermissions(req: NextApiRequest) { - const { userId, isAdmin } = req; - if (isAdmin) return; + const { userId, isSystemWideAdmin } = req; + if (isSystemWideAdmin) return; const body = membershipCreateBodySchema.parse(req.body); // To prevent auto-accepted invites, limit it to ADMIN users - if (!isAdmin && "accepted" in body) + if (!isSystemWideAdmin && "accepted" in body) throw new HttpError({ statusCode: 403, message: "ADMIN needed for `accepted`" }); // Only team OWNERS and ADMINS can add other members const membership = await prisma.membership.findFirst({ diff --git a/apps/api/v1/pages/api/schedules/[id]/_auth-middleware.ts b/apps/api/v1/pages/api/schedules/[id]/_auth-middleware.ts index d622dfcbf68b94..ef44111c2ea268 100644 --- a/apps/api/v1/pages/api/schedules/[id]/_auth-middleware.ts +++ b/apps/api/v1/pages/api/schedules/[id]/_auth-middleware.ts @@ -6,10 +6,10 @@ import prisma from "@calcom/prisma"; import { schemaQueryIdParseInt } from "~/lib/validations/shared/queryIdTransformParseInt"; async function authMiddleware(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { id } = schemaQueryIdParseInt.parse(req.query); // Admins can just skip this check - if (isAdmin) return; + if (isSystemWideAdmin) return; // Check if the current user can access the schedule const schedule = await prisma.schedule.findFirst({ where: { id, userId }, diff --git a/apps/api/v1/pages/api/schedules/[id]/_patch.ts b/apps/api/v1/pages/api/schedules/[id]/_patch.ts index f9009e30bfb3d5..c9236eff8496a2 100644 --- a/apps/api/v1/pages/api/schedules/[id]/_patch.ts +++ b/apps/api/v1/pages/api/schedules/[id]/_patch.ts @@ -91,8 +91,8 @@ export async function patchHandler(req: NextApiRequest) { } async function checkPermissions(req: NextApiRequest, body: z.infer) { - const { isAdmin } = req; - if (isAdmin) return; + const { isSystemWideAdmin } = req; + if (isSystemWideAdmin) return; if (body.userId) { throw new HttpError({ statusCode: 403, message: "Non admin cannot change the owner of a schedule" }); } diff --git a/apps/api/v1/pages/api/schedules/_get.ts b/apps/api/v1/pages/api/schedules/_get.ts index bbe893516e5796..d70c64aecaaf9a 100644 --- a/apps/api/v1/pages/api/schedules/_get.ts +++ b/apps/api/v1/pages/api/schedules/_get.ts @@ -77,17 +77,17 @@ export const schemaUserIds = z */ async function handler(req: NextApiRequest) { - const { userId, isAdmin } = req; - const args: Prisma.ScheduleFindManyArgs = isAdmin ? {} : { where: { userId } }; + const { userId, isSystemWideAdmin } = req; + const args: Prisma.ScheduleFindManyArgs = isSystemWideAdmin ? {} : { where: { userId } }; args.include = { availability: true }; - if (!isAdmin && req.query.userId) + if (!isSystemWideAdmin && req.query.userId) throw new HttpError({ statusCode: 401, message: "Unauthorized: Only admins can query other users", }); - if (isAdmin && req.query.userId) { + if (isSystemWideAdmin && req.query.userId) { const query = schemaQuerySingleOrMultipleUserIds.parse(req.query); const userIds = Array.isArray(query.userId) ? query.userId : [query.userId || userId]; args.where = { userId: { in: userIds } }; diff --git a/apps/api/v1/pages/api/schedules/_post.ts b/apps/api/v1/pages/api/schedules/_post.ts index 05215e3d47a896..8b8de204726f84 100644 --- a/apps/api/v1/pages/api/schedules/_post.ts +++ b/apps/api/v1/pages/api/schedules/_post.ts @@ -80,14 +80,14 @@ import { schemaCreateScheduleBodyParams, schemaSchedulePublic } from "~/lib/vali */ async function postHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const body = schemaCreateScheduleBodyParams.parse(req.body); let args: Prisma.ScheduleCreateArgs = { data: { ...body, userId } }; /* If ADMIN we create the schedule for selected user */ - if (isAdmin && body.userId) args = { data: { ...body, userId: body.userId } }; + if (isSystemWideAdmin && body.userId) args = { data: { ...body, userId: body.userId } }; - if (!isAdmin && body.userId) + if (!isSystemWideAdmin && body.userId) throw new HttpError({ statusCode: 403, message: "ADMIN required for `userId`" }); // We create default availabilities for the schedule diff --git a/apps/api/v1/pages/api/selected-calendars/[id]/_auth-middleware.ts b/apps/api/v1/pages/api/selected-calendars/[id]/_auth-middleware.ts index 620ba818fb3418..09ce0c39407a70 100644 --- a/apps/api/v1/pages/api/selected-calendars/[id]/_auth-middleware.ts +++ b/apps/api/v1/pages/api/selected-calendars/[id]/_auth-middleware.ts @@ -5,10 +5,10 @@ import { HttpError } from "@calcom/lib/http-error"; import { selectedCalendarIdSchema } from "~/lib/validations/selected-calendar"; async function authMiddleware(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { userId: queryUserId } = selectedCalendarIdSchema.parse(req.query); // Admins can just skip this check - if (isAdmin) return; + if (isSystemWideAdmin) return; // Check if the current user requesting is the same as the one being requested if (userId !== queryUserId) throw new HttpError({ statusCode: 403, message: "Forbidden" }); } diff --git a/apps/api/v1/pages/api/selected-calendars/[id]/_patch.ts b/apps/api/v1/pages/api/selected-calendars/[id]/_patch.ts index 84b60d12106b0c..602e85b8ff8db4 100644 --- a/apps/api/v1/pages/api/selected-calendars/[id]/_patch.ts +++ b/apps/api/v1/pages/api/selected-calendars/[id]/_patch.ts @@ -53,14 +53,15 @@ import { * description: Authorization information is missing or invalid. */ export async function patchHandler(req: NextApiRequest) { - const { query, isAdmin } = req; + const { query, isSystemWideAdmin } = req; const userId_integration_externalId = selectedCalendarIdSchema.parse(query); const { userId: bodyUserId, ...data } = schemaSelectedCalendarUpdateBodyParams.parse(req.body); const args: Prisma.SelectedCalendarUpdateArgs = { where: { userId_integration_externalId }, data }; - if (!isAdmin && bodyUserId) throw new HttpError({ statusCode: 403, message: `ADMIN required for userId` }); + if (!isSystemWideAdmin && bodyUserId) + throw new HttpError({ statusCode: 403, message: `ADMIN required for userId` }); - if (isAdmin && bodyUserId) { + if (isSystemWideAdmin && bodyUserId) { const where: Prisma.UserWhereInput = { id: bodyUserId }; await prisma.user.findFirstOrThrow({ where }); args.data.userId = bodyUserId; diff --git a/apps/api/v1/pages/api/selected-calendars/_get.ts b/apps/api/v1/pages/api/selected-calendars/_get.ts index 1d4bdf9d6bf48f..254d3428e24252 100644 --- a/apps/api/v1/pages/api/selected-calendars/_get.ts +++ b/apps/api/v1/pages/api/selected-calendars/_get.ts @@ -32,13 +32,14 @@ import { schemaQuerySingleOrMultipleUserIds } from "~/lib/validations/shared/que * description: No selected calendars were found */ async function getHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; /* Admin gets all selected calendar by default, otherwise only the user's ones */ - const args: Prisma.SelectedCalendarFindManyArgs = isAdmin ? {} : { where: { userId } }; + const args: Prisma.SelectedCalendarFindManyArgs = isSystemWideAdmin ? {} : { where: { userId } }; /** Only admins can query other users */ - if (!isAdmin && req.query.userId) throw new HttpError({ statusCode: 403, message: "ADMIN required" }); - if (isAdmin && req.query.userId) { + if (!isSystemWideAdmin && req.query.userId) + throw new HttpError({ statusCode: 403, message: "ADMIN required" }); + if (isSystemWideAdmin && req.query.userId) { const query = schemaQuerySingleOrMultipleUserIds.parse(req.query); const userIds = Array.isArray(query.userId) ? query.userId : [query.userId || userId]; args.where = { userId: { in: userIds } }; diff --git a/apps/api/v1/pages/api/selected-calendars/_post.ts b/apps/api/v1/pages/api/selected-calendars/_post.ts index d0509df9c1cebb..5d0a419883eb8c 100644 --- a/apps/api/v1/pages/api/selected-calendars/_post.ts +++ b/apps/api/v1/pages/api/selected-calendars/_post.ts @@ -50,13 +50,14 @@ import { * description: Authorization information is missing or invalid. */ async function postHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { userId: bodyUserId, ...body } = schemaSelectedCalendarBodyParams.parse(req.body); const args: Prisma.SelectedCalendarCreateArgs = { data: { ...body, userId } }; - if (!isAdmin && bodyUserId) throw new HttpError({ statusCode: 403, message: `ADMIN required for userId` }); + if (!isSystemWideAdmin && bodyUserId) + throw new HttpError({ statusCode: 403, message: `ADMIN required for userId` }); - if (isAdmin && bodyUserId) { + if (isSystemWideAdmin && bodyUserId) { const where: Prisma.UserWhereInput = { id: bodyUserId }; await prisma.user.findFirstOrThrow({ where }); args.data.userId = bodyUserId; diff --git a/apps/api/v1/pages/api/teams/[teamId]/_auth-middleware.ts b/apps/api/v1/pages/api/teams/[teamId]/_auth-middleware.ts index 693eb544a544db..f98cfbef8a420c 100644 --- a/apps/api/v1/pages/api/teams/[teamId]/_auth-middleware.ts +++ b/apps/api/v1/pages/api/teams/[teamId]/_auth-middleware.ts @@ -8,10 +8,10 @@ import { MembershipRole } from "@calcom/prisma/enums"; import { schemaQueryTeamId } from "~/lib/validations/shared/queryTeamId"; async function authMiddleware(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { teamId } = schemaQueryTeamId.parse(req.query); /** Admins can skip the ownership verification */ - if (isAdmin) return; + if (isSystemWideAdmin) return; /** Non-members will see a 404 error which may or not be the desired behavior. */ await prisma.team.findFirstOrThrow({ where: { id: teamId, members: { some: { userId } } }, @@ -22,24 +22,24 @@ export async function checkPermissions( req: NextApiRequest, role: Prisma.MembershipWhereInput["role"] = MembershipRole.OWNER ) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { teamId } = schemaQueryTeamId.parse({ teamId: req.query.teamId, version: req.query.version, apiKey: req.query.apiKey, }); - return canUserAccessTeamWithRole(userId, isAdmin, teamId, role); + return canUserAccessTeamWithRole(userId, isSystemWideAdmin, teamId, role); } export async function canUserAccessTeamWithRole( userId: number, - isAdmin: boolean, + isSystemWideAdmin: boolean, teamId: number, role: Prisma.MembershipWhereInput["role"] = MembershipRole.OWNER ) { const args: Prisma.TeamFindFirstArgs = { where: { id: teamId } }; /** If not ADMIN then we check if the actual user belongs to team and matches the required role */ - if (!isAdmin) args.where = { ...args.where, members: { some: { userId, role } } }; + if (!isSystemWideAdmin) args.where = { ...args.where, members: { some: { userId, role } } }; const team = await prisma.team.findFirst(args); if (!team) throw new HttpError({ statusCode: 401, message: `Unauthorized: ${role.toString()} required` }); return team; diff --git a/apps/api/v1/pages/api/teams/[teamId]/_get.ts b/apps/api/v1/pages/api/teams/[teamId]/_get.ts index 829a4104b60354..2e76910f9eb991 100644 --- a/apps/api/v1/pages/api/teams/[teamId]/_get.ts +++ b/apps/api/v1/pages/api/teams/[teamId]/_get.ts @@ -37,11 +37,11 @@ import { schemaTeamReadPublic } from "~/lib/validations/team"; * description: Team was not found */ export async function getHandler(req: NextApiRequest) { - const { isAdmin, userId } = req; + const { isSystemWideAdmin, userId } = req; const { teamId } = schemaQueryTeamId.parse(req.query); const where: Prisma.TeamWhereInput = { id: teamId }; // Non-admins can only query the teams they're part of - if (!isAdmin) where.members = { some: { userId } }; + if (!isSystemWideAdmin) where.members = { some: { userId } }; const data = await prisma.team.findFirstOrThrow({ where }); return { team: schemaTeamReadPublic.parse(data) }; } diff --git a/apps/api/v1/pages/api/teams/[teamId]/_patch.ts b/apps/api/v1/pages/api/teams/[teamId]/_patch.ts index 2e1fcc5ca92f53..36737f24a7e070 100644 --- a/apps/api/v1/pages/api/teams/[teamId]/_patch.ts +++ b/apps/api/v1/pages/api/teams/[teamId]/_patch.ts @@ -107,7 +107,7 @@ export async function patchHandler(req: NextApiRequest) { if (IS_TEAM_BILLING_ENABLED) { const checkoutSession = await purchaseTeamOrOrgSubscription({ teamId: _team.id, - seats: _team.members.length, + seatsUsed: _team.members.length, userId, pricePerSeat: null, }); diff --git a/apps/api/v1/pages/api/teams/[teamId]/event-types/_get.ts b/apps/api/v1/pages/api/teams/[teamId]/event-types/_get.ts index 5ef33379c0ce9a..bd17989b193aa0 100644 --- a/apps/api/v1/pages/api/teams/[teamId]/event-types/_get.ts +++ b/apps/api/v1/pages/api/teams/[teamId]/event-types/_get.ts @@ -42,13 +42,13 @@ const querySchema = z.object({ * description: No event types were found */ async function getHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { teamId } = querySchema.parse(req.query); const args: Prisma.EventTypeFindManyArgs = { where: { - team: isAdmin + team: isSystemWideAdmin ? { id: teamId, } diff --git a/apps/api/v1/pages/api/teams/[teamId]/publish.ts b/apps/api/v1/pages/api/teams/[teamId]/publish.ts index 781a42387c846d..d23eb57b38d627 100644 --- a/apps/api/v1/pages/api/teams/[teamId]/publish.ts +++ b/apps/api/v1/pages/api/teams/[teamId]/publish.ts @@ -21,7 +21,7 @@ const patchHandler = async (req: NextApiRequest, res: NextApiResponse) => { user: { id: req.userId, username: "" /* Not used in this context */, - role: req.isAdmin ? UserPermissionRole.ADMIN : UserPermissionRole.USER, + role: req.isSystemWideAdmin ? UserPermissionRole.ADMIN : UserPermissionRole.USER, profile: { id: null, organizationId: null, diff --git a/apps/api/v1/pages/api/teams/_get.ts b/apps/api/v1/pages/api/teams/_get.ts index c5ebe8cf081a48..4b28a07b394a53 100644 --- a/apps/api/v1/pages/api/teams/_get.ts +++ b/apps/api/v1/pages/api/teams/_get.ts @@ -30,10 +30,10 @@ import { schemaTeamsReadPublic } from "~/lib/validations/team"; * description: No teams were found */ async function getHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const where: Prisma.TeamWhereInput = {}; // If user is not ADMIN, return only his data. - if (!isAdmin) where.members = { some: { userId } }; + if (!isSystemWideAdmin) where.members = { some: { userId } }; const data = await prisma.team.findMany({ where }); return { teams: schemaTeamsReadPublic.parse(data) }; } diff --git a/apps/api/v1/pages/api/teams/_post.ts b/apps/api/v1/pages/api/teams/_post.ts index 8fcc00fe2211f7..32722a4602887c 100644 --- a/apps/api/v1/pages/api/teams/_post.ts +++ b/apps/api/v1/pages/api/teams/_post.ts @@ -80,12 +80,12 @@ import { schemaTeamCreateBodyParams, schemaTeamReadPublic } from "~/lib/validati * description: Authorization information is missing or invalid. */ async function postHandler(req: NextApiRequest) { - const { body, userId, isAdmin } = req; + const { body, userId, isSystemWideAdmin } = req; const { ownerId, ...data } = schemaTeamCreateBodyParams.parse(body); await checkPermissions(req); - const effectiveUserId = isAdmin && ownerId ? ownerId : userId; + const effectiveUserId = isSystemWideAdmin && ownerId ? ownerId : userId; if (data.slug) { const alreadyExist = await prisma.team.findFirst({ @@ -162,11 +162,11 @@ async function postHandler(req: NextApiRequest) { } async function checkPermissions(req: NextApiRequest) { - const { isAdmin } = req; + const { isSystemWideAdmin } = req; const body = schemaTeamCreateBodyParams.parse(req.body); /* Non-admin users can only create teams for themselves */ - if (!isAdmin && body.ownerId) + if (!isSystemWideAdmin && body.ownerId) throw new HttpError({ statusCode: 401, message: "ADMIN required for `ownerId`", diff --git a/apps/api/v1/pages/api/users/[userId]/_delete.ts b/apps/api/v1/pages/api/users/[userId]/_delete.ts index 90d38aad366b83..436c1fdf0e7e22 100644 --- a/apps/api/v1/pages/api/users/[userId]/_delete.ts +++ b/apps/api/v1/pages/api/users/[userId]/_delete.ts @@ -38,10 +38,11 @@ import { schemaQueryUserId } from "~/lib/validations/shared/queryUserId"; * description: Authorization information is missing or invalid. */ export async function deleteHandler(req: NextApiRequest) { - const { isAdmin } = req; + const { isSystemWideAdmin } = req; const query = schemaQueryUserId.parse(req.query); // Here we only check for ownership of the user if the user is not admin, otherwise we let ADMIN's edit any user - if (!isAdmin && query.userId !== req.userId) throw new HttpError({ statusCode: 403, message: "Forbidden" }); + if (!isSystemWideAdmin && query.userId !== req.userId) + throw new HttpError({ statusCode: 403, message: "Forbidden" }); const user = await prisma.user.findUnique({ where: { id: query.userId }, diff --git a/apps/api/v1/pages/api/users/[userId]/_get.ts b/apps/api/v1/pages/api/users/[userId]/_get.ts index 215cf8173561a1..19b9a6c293a613 100644 --- a/apps/api/v1/pages/api/users/[userId]/_get.ts +++ b/apps/api/v1/pages/api/users/[userId]/_get.ts @@ -38,13 +38,17 @@ import { schemaUserReadPublic } from "~/lib/validations/user"; * description: User was not found */ export async function getHandler(req: NextApiRequest) { - const { isAdmin } = req; + const { isSystemWideAdmin } = req; const query = schemaQueryUserId.parse(req.query); // Here we only check for ownership of the user if the user is not admin, otherwise we let ADMIN's edit any user - if (!isAdmin && query.userId !== req.userId) throw new HttpError({ statusCode: 403, message: "Forbidden" }); + if (!isSystemWideAdmin && query.userId !== req.userId) + throw new HttpError({ statusCode: 403, message: "Forbidden" }); const data = await prisma.user.findUnique({ where: { id: query.userId } }); - const user = schemaUserReadPublic.parse(data); + const user = schemaUserReadPublic.parse({ + ...data, + avatar: data?.avatarUrl, + }); return { user }; } diff --git a/apps/api/v1/pages/api/users/[userId]/_patch.ts b/apps/api/v1/pages/api/users/[userId]/_patch.ts index e622a43114f74f..cd7ecceaeee4e6 100644 --- a/apps/api/v1/pages/api/users/[userId]/_patch.ts +++ b/apps/api/v1/pages/api/users/[userId]/_patch.ts @@ -2,7 +2,9 @@ import type { NextApiRequest } from "next"; import { HttpError } from "@calcom/lib/http-error"; import { defaultResponder } from "@calcom/lib/server"; +import { uploadAvatar } from "@calcom/lib/server/avatar"; import prisma from "@calcom/prisma"; +import type { Prisma } from "@calcom/prisma/client"; import { schemaQueryUserId } from "~/lib/validations/shared/queryUserId"; import { schemaUserEditBodyParams, schemaUserReadPublic } from "~/lib/validations/user"; @@ -95,14 +97,16 @@ import { schemaUserEditBodyParams, schemaUserReadPublic } from "~/lib/validation * description: Insufficient permissions to access resource. */ export async function patchHandler(req: NextApiRequest) { - const { isAdmin } = req; + const { isSystemWideAdmin } = req; const query = schemaQueryUserId.parse(req.query); // Here we only check for ownership of the user if the user is not admin, otherwise we let ADMIN's edit any user - if (!isAdmin && query.userId !== req.userId) throw new HttpError({ statusCode: 403, message: "Forbidden" }); + if (!isSystemWideAdmin && query.userId !== req.userId) + throw new HttpError({ statusCode: 403, message: "Forbidden" }); - const body = await schemaUserEditBodyParams.parseAsync(req.body); + const { avatar, ...body }: { avatar?: string | undefined } & Prisma.UserUpdateInput = + await schemaUserEditBodyParams.parseAsync(req.body); // disable role or branding changes unless admin. - if (!isAdmin) { + if (!isSystemWideAdmin) { if (body.role) body.role = undefined; if (body.hideBranding) body.hideBranding = undefined; } @@ -118,6 +122,14 @@ export async function patchHandler(req: NextApiRequest) { message: "Bad request: Invalid default schedule id", }); } + + if (avatar) { + body.avatarUrl = await uploadAvatar({ + userId: query.userId, + avatar: await (await import("@calcom/lib/server/resizeBase64Image")).resizeBase64Image(avatar), + }); + } + const data = await prisma.user.update({ where: { id: query.userId }, data: body, diff --git a/apps/api/v1/pages/api/users/_get.ts b/apps/api/v1/pages/api/users/_get.ts index dcb26d70b68aa0..81761e90ccec7b 100644 --- a/apps/api/v1/pages/api/users/_get.ts +++ b/apps/api/v1/pages/api/users/_get.ts @@ -45,12 +45,12 @@ import { schemaUsersReadPublic } from "~/lib/validations/user"; export async function getHandler(req: NextApiRequest) { const { userId, - isAdmin, + isSystemWideAdmin, pagination: { take, skip }, } = req; const where: Prisma.UserWhereInput = {}; // If user is not ADMIN, return only his data. - if (!isAdmin) where.id = userId; + if (!isSystemWideAdmin) where.id = userId; if (req.query.email) { const validationResult = schemaQuerySingleOrMultipleUserEmails.parse(req.query); diff --git a/apps/api/v1/pages/api/users/_post.ts b/apps/api/v1/pages/api/users/_post.ts index 9b23ebeca5bb07..a8e3fbfae9a6ec 100644 --- a/apps/api/v1/pages/api/users/_post.ts +++ b/apps/api/v1/pages/api/users/_post.ts @@ -88,9 +88,9 @@ import { schemaUserCreateBodyParams } from "~/lib/validations/user"; * description: Authorization information is missing or invalid. */ async function postHandler(req: NextApiRequest) { - const { isAdmin } = req; + const { isSystemWideAdmin } = req; // If user is not ADMIN, return unauthorized. - if (!isAdmin) throw new HttpError({ statusCode: 401, message: "You are not authorized" }); + if (!isSystemWideAdmin) throw new HttpError({ statusCode: 401, message: "You are not authorized" }); const data = await schemaUserCreateBodyParams.parseAsync(req.body); const user = await prisma.user.create({ data }); req.statusCode = 201; diff --git a/apps/api/v1/pages/api/webhooks/[id]/_auth-middleware.ts b/apps/api/v1/pages/api/webhooks/[id]/_auth-middleware.ts index ce45765eaa0770..5598f3ed8b0aa5 100644 --- a/apps/api/v1/pages/api/webhooks/[id]/_auth-middleware.ts +++ b/apps/api/v1/pages/api/webhooks/[id]/_auth-middleware.ts @@ -6,10 +6,10 @@ import prisma from "@calcom/prisma"; import { schemaQueryIdAsString } from "~/lib/validations/shared/queryIdString"; async function authMiddleware(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { id } = schemaQueryIdAsString.parse(req.query); // Admins can just skip this check - if (isAdmin) return; + if (isSystemWideAdmin) return; // Check if the current user can access the webhook const webhook = await prisma.webhook.findFirst({ where: { id, appId: null, OR: [{ userId }, { eventType: { team: { members: { some: { userId } } } } }] }, diff --git a/apps/api/v1/pages/api/webhooks/[id]/_patch.ts b/apps/api/v1/pages/api/webhooks/[id]/_patch.ts index f41f7751505263..7d749b4a61b764 100644 --- a/apps/api/v1/pages/api/webhooks/[id]/_patch.ts +++ b/apps/api/v1/pages/api/webhooks/[id]/_patch.ts @@ -68,7 +68,7 @@ import { schemaWebhookEditBodyParams, schemaWebhookReadPublic } from "~/lib/vali * description: Authorization information is missing or invalid. */ export async function patchHandler(req: NextApiRequest) { - const { query, userId, isAdmin } = req; + const { query, userId, isSystemWideAdmin } = req; const { id } = schemaQueryIdAsString.parse(query); const { eventTypeId, @@ -80,14 +80,15 @@ export async function patchHandler(req: NextApiRequest) { if (eventTypeId) { const where: Prisma.EventTypeWhereInput = { id: eventTypeId }; - if (!isAdmin) where.userId = userId; + if (!isSystemWideAdmin) where.userId = userId; await prisma.eventType.findFirstOrThrow({ where }); args.data.eventTypeId = eventTypeId; } - if (!isAdmin && bodyUserId) throw new HttpError({ statusCode: 403, message: `ADMIN required for userId` }); + if (!isSystemWideAdmin && bodyUserId) + throw new HttpError({ statusCode: 403, message: `ADMIN required for userId` }); - if (isAdmin && bodyUserId) { + if (isSystemWideAdmin && bodyUserId) { const where: Prisma.UserWhereInput = { id: bodyUserId }; await prisma.user.findFirstOrThrow({ where }); args.data.userId = bodyUserId; diff --git a/apps/api/v1/pages/api/webhooks/_get.ts b/apps/api/v1/pages/api/webhooks/_get.ts index 79b712e742d5a0..1d1e5b02dccef1 100644 --- a/apps/api/v1/pages/api/webhooks/_get.ts +++ b/apps/api/v1/pages/api/webhooks/_get.ts @@ -34,14 +34,15 @@ import { schemaWebhookReadPublic } from "~/lib/validations/webhook"; * description: No webhooks were found */ async function getHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; - const args: Prisma.WebhookFindManyArgs = isAdmin + const { userId, isSystemWideAdmin } = req; + const args: Prisma.WebhookFindManyArgs = isSystemWideAdmin ? {} : { where: { OR: [{ eventType: { userId } }, { userId }] } }; /** Only admins can query other users */ - if (!isAdmin && req.query.userId) throw new HttpError({ statusCode: 403, message: "ADMIN required" }); - if (isAdmin && req.query.userId) { + if (!isSystemWideAdmin && req.query.userId) + throw new HttpError({ statusCode: 403, message: "ADMIN required" }); + if (isSystemWideAdmin && req.query.userId) { const query = schemaQuerySingleOrMultipleUserIds.parse(req.query); const userIds = Array.isArray(query.userId) ? query.userId : [query.userId || userId]; args.where = { OR: [{ eventType: { userId: { in: userIds } } }, { userId: { in: userIds } }] }; diff --git a/apps/api/v1/pages/api/webhooks/_post.ts b/apps/api/v1/pages/api/webhooks/_post.ts index 36e470e0c9eb9f..29a78cf580e018 100644 --- a/apps/api/v1/pages/api/webhooks/_post.ts +++ b/apps/api/v1/pages/api/webhooks/_post.ts @@ -66,7 +66,7 @@ import { schemaWebhookCreateBodyParams, schemaWebhookReadPublic } from "~/lib/va * description: Authorization information is missing or invalid. */ async function postHandler(req: NextApiRequest) { - const { userId, isAdmin } = req; + const { userId, isSystemWideAdmin } = req; const { eventTypeId, userId: bodyUserId, @@ -80,14 +80,15 @@ async function postHandler(req: NextApiRequest) { if (eventTypeId) { const where: Prisma.EventTypeWhereInput = { id: eventTypeId }; - if (!isAdmin) where.userId = userId; + if (!isSystemWideAdmin) where.userId = userId; await prisma.eventType.findFirstOrThrow({ where }); args.data.eventTypeId = eventTypeId; } - if (!isAdmin && bodyUserId) throw new HttpError({ statusCode: 403, message: `ADMIN required for userId` }); + if (!isSystemWideAdmin && bodyUserId) + throw new HttpError({ statusCode: 403, message: `ADMIN required for userId` }); - if (isAdmin && bodyUserId) { + if (isSystemWideAdmin && bodyUserId) { const where: Prisma.UserWhereInput = { id: bodyUserId }; await prisma.user.findFirstOrThrow({ where }); args.data.userId = bodyUserId; diff --git a/apps/api/v1/sentry.edge.config.ts b/apps/api/v1/sentry.edge.config.ts deleted file mode 100644 index 0e1d2cbecdb1d1..00000000000000 --- a/apps/api/v1/sentry.edge.config.ts +++ /dev/null @@ -1,5 +0,0 @@ -import { init as SentryInit } from "@sentry/nextjs"; - -SentryInit({ - dsn: process.env.NEXT_PUBLIC_SENTRY_DSN, -}); diff --git a/apps/api/v1/sentry.server.config.ts b/apps/api/v1/sentry.server.config.ts deleted file mode 100644 index 0798e21c3581b9..00000000000000 --- a/apps/api/v1/sentry.server.config.ts +++ /dev/null @@ -1,6 +0,0 @@ -import { init as SentryInit } from "@sentry/nextjs"; - -SentryInit({ - dsn: process.env.NEXT_PUBLIC_SENTRY_DSN, - tracesSampleRate: 1.0, -}); diff --git a/apps/api/v1/test/lib/bookings/[id]/_patch.integration-test.ts b/apps/api/v1/test/lib/bookings/[id]/_patch.integration-test.ts new file mode 100644 index 00000000000000..5554d6411d2a4a --- /dev/null +++ b/apps/api/v1/test/lib/bookings/[id]/_patch.integration-test.ts @@ -0,0 +1,87 @@ +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { createMocks } from "node-mocks-http"; +import { describe, it, expect } from "vitest"; + +import prisma from "@calcom/prisma"; + +import handler from "../../../../pages/api/bookings/[id]/_patch"; + +type CustomNextApiRequest = NextApiRequest & Request; +type CustomNextApiResponse = NextApiResponse & Response; + +describe("PATCH /api/bookings", () => { + it("Returns 403 when user has no permission to the booking", async () => { + const memberUser = await prisma.user.findFirstOrThrow({ where: { email: "member2-acme@example.com" } }); + const proUser = await prisma.user.findFirstOrThrow({ where: { email: "pro@example.com" } }); + const booking = await prisma.booking.findFirstOrThrow({ where: { userId: proUser.id } }); + + const { req, res } = createMocks({ + method: "PATCH", + body: { + title: booking.title, + startTime: booking.startTime.toISOString(), + endTime: booking.endTime.toISOString(), + userId: memberUser.id, + }, + query: { + id: booking.id, + }, + }); + + req.userId = memberUser.id; + + await handler(req, res); + expect(res.statusCode).toBe(403); + }); + + it("Allows PATCH when user is system-wide admin", async () => { + const adminUser = await prisma.user.findFirstOrThrow({ where: { email: "admin@example.com" } }); + const proUser = await prisma.user.findFirstOrThrow({ where: { email: "pro@example.com" } }); + const booking = await prisma.booking.findFirstOrThrow({ where: { userId: proUser.id } }); + + const { req, res } = createMocks({ + method: "PATCH", + body: { + title: booking.title, + startTime: booking.startTime.toISOString(), + endTime: booking.endTime.toISOString(), + userId: proUser.id, + }, + query: { + id: booking.id, + }, + }); + + req.userId = adminUser.id; + req.isSystemWideAdmin = true; + + await handler(req, res); + expect(res.statusCode).toBe(200); + }); + + it("Allows PATCH when user is org-wide admin", async () => { + const adminUser = await prisma.user.findFirstOrThrow({ where: { email: "owner1-acme@example.com" } }); + const memberUser = await prisma.user.findFirstOrThrow({ where: { email: "member1-acme@example.com" } }); + const booking = await prisma.booking.findFirstOrThrow({ where: { userId: memberUser.id } }); + + const { req, res } = createMocks({ + method: "PATCH", + body: { + title: booking.title, + startTime: booking.startTime.toISOString(), + endTime: booking.endTime.toISOString(), + userId: memberUser.id, + }, + query: { + id: booking.id, + }, + }); + + req.userId = adminUser.id; + req.isOrganizationOwnerOrAdmin = true; + + await handler(req, res); + expect(res.statusCode).toBe(200); + }); +}); diff --git a/apps/api/v1/test/lib/bookings/[id]/recordings/_get.test.ts b/apps/api/v1/test/lib/bookings/[id]/recordings/_get.test.ts new file mode 100644 index 00000000000000..7a0cc731bd9563 --- /dev/null +++ b/apps/api/v1/test/lib/bookings/[id]/recordings/_get.test.ts @@ -0,0 +1,136 @@ +import prismaMock from "../../../../../../../../tests/libs/__mocks__/prismaMock"; + +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { createMocks } from "node-mocks-http"; +import { describe, expect, test, vi, afterEach } from "vitest"; + +import { + getRecordingsOfCalVideoByRoomName, + getDownloadLinkOfCalVideoByRecordingId, +} from "@calcom/core/videoClient"; +import { buildBooking } from "@calcom/lib/test/builder"; + +import { getAccessibleUsers } from "~/lib/utils/retrieveScopedAccessibleUsers"; + +import authMiddleware from "../../../../../pages/api/bookings/[id]/_auth-middleware"; +import handler from "../../../../../pages/api/bookings/[id]/recordings/_get"; + +type CustomNextApiRequest = NextApiRequest & Request; +type CustomNextApiResponse = NextApiResponse & Response; + +const adminUserId = 1; +const memberUserId = 10; + +vi.mock("@calcom/core/videoClient", () => { + return { + getRecordingsOfCalVideoByRoomName: vi.fn(), + getDownloadLinkOfCalVideoByRecordingId: vi.fn(), + }; +}); + +vi.mock("~/lib/utils/retrieveScopedAccessibleUsers", () => { + return { + getAccessibleUsers: vi.fn(), + }; +}); + +afterEach(() => { + vi.resetAllMocks(); +}); + +const mockGetRecordingsAndDownloadLink = () => { + const download_link = "https://URL"; + const recordingItem = { + id: "TEST_ID", + room_name: "0n22w24AQ5ZFOtEKX2gX", + start_ts: 1716215386, + status: "finished", + max_participants: 1, + duration: 11, + share_token: "TEST_TOKEN", + }; + + vi.mocked(getRecordingsOfCalVideoByRoomName).mockResolvedValue({ data: [recordingItem], total_count: 1 }); + + vi.mocked(getDownloadLinkOfCalVideoByRecordingId).mockResolvedValue({ + download_link, + }); + + return [{ ...recordingItem, download_link }]; +}; + +describe("GET /api/bookings/[id]/recordings", () => { + test("Returns recordings if user is system-wide admin", async () => { + const userId = 2; + + const bookingId = 1111; + + prismaMock.booking.findUnique.mockResolvedValue( + buildBooking({ + id: bookingId, + userId, + references: [ + { + id: 1, + type: "daily_video", + uid: "17OHkCH53pBa03FhxMbw", + meetingId: "17OHkCH53pBa03FhxMbw", + meetingPassword: "password", + meetingUrl: "https://URL", + }, + ], + }) + ); + + const mockedRecordings = mockGetRecordingsAndDownloadLink(); + const { req, res } = createMocks({ + method: "GET", + body: {}, + query: { + id: bookingId, + }, + }); + + req.isSystemWideAdmin = true; + req.userId = adminUserId; + + await authMiddleware(req); + await handler(req, res); + + expect(res.statusCode).toBe(200); + expect(JSON.parse(res._getData())).toEqual(mockedRecordings); + }); + + test("Allows GET recordings when user is org-wide admin", async () => { + const bookingId = 3333; + + prismaMock.booking.findUnique.mockResolvedValue( + buildBooking({ + id: bookingId, + userId: memberUserId, + references: [ + { id: 1, type: "daily_video", uid: "17OHkCH53pBa03FhxMbw", meetingId: "17OHkCH53pBa03FhxMbw" }, + ], + }) + ); + + const { req, res } = createMocks({ + method: "GET", + body: {}, + query: { + id: bookingId, + }, + }); + + req.userId = adminUserId; + req.isOrganizationOwnerOrAdmin = true; + const mockedRecordings = mockGetRecordingsAndDownloadLink(); + vi.mocked(getAccessibleUsers).mockResolvedValue([memberUserId]); + + await authMiddleware(req); + await handler(req, res); + + expect(res.statusCode).toBe(200); + }); +}); diff --git a/apps/api/v1/test/lib/bookings/[id]/transcripts/[recordingId]/_get.test.ts b/apps/api/v1/test/lib/bookings/[id]/transcripts/[recordingId]/_get.test.ts new file mode 100644 index 00000000000000..c6320fc9e711b0 --- /dev/null +++ b/apps/api/v1/test/lib/bookings/[id]/transcripts/[recordingId]/_get.test.ts @@ -0,0 +1,129 @@ +import prismaMock from "../../../../../../../../../tests/libs/__mocks__/prismaMock"; + +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { createMocks } from "node-mocks-http"; +import { describe, expect, test, vi, afterEach } from "vitest"; + +import { + getTranscriptsAccessLinkFromRecordingId, + checkIfRoomNameMatchesInRecording, +} from "@calcom/core/videoClient"; +import { buildBooking } from "@calcom/lib/test/builder"; + +import { getAccessibleUsers } from "~/lib/utils/retrieveScopedAccessibleUsers"; + +import authMiddleware from "../../../../../../pages/api/bookings/[id]/_auth-middleware"; +import handler from "../../../../../../pages/api/bookings/[id]/transcripts/[recordingId]/_get"; + +type CustomNextApiRequest = NextApiRequest & Request; +type CustomNextApiResponse = NextApiResponse & Response; + +vi.mock("@calcom/core/videoClient", () => { + return { + getTranscriptsAccessLinkFromRecordingId: vi.fn(), + checkIfRoomNameMatchesInRecording: vi.fn(), + }; +}); + +vi.mock("~/lib/utils/retrieveScopedAccessibleUsers", () => { + return { + getAccessibleUsers: vi.fn(), + }; +}); + +afterEach(() => { + vi.resetAllMocks(); +}); + +const mockGetTranscripts = () => { + const downloadLinks = [{ format: "json", link: "https://URL1" }]; + + vi.mocked(getTranscriptsAccessLinkFromRecordingId).mockResolvedValue(downloadLinks); + vi.mocked(checkIfRoomNameMatchesInRecording).mockResolvedValue(true); + + return downloadLinks; +}; + +const recordingId = "abc-xyz"; + +describe("GET /api/bookings/[id]/transcripts/[recordingId]", () => { + test("Returns transcripts if user is system-wide admin", async () => { + const adminUserId = 1; + const userId = 2; + + const bookingId = 1111; + + prismaMock.booking.findUnique.mockResolvedValue( + buildBooking({ + id: bookingId, + userId, + references: [ + { + id: 1, + type: "daily_video", + uid: "17OHkCH53pBa03FhxMbw", + meetingId: "17OHkCH53pBa03FhxMbw", + meetingPassword: "password", + meetingUrl: "https://URL", + }, + ], + }) + ); + + const mockedTranscripts = mockGetTranscripts(); + const { req, res } = createMocks({ + method: "GET", + body: {}, + query: { + id: bookingId, + recordingId, + }, + }); + + req.isSystemWideAdmin = true; + req.userId = adminUserId; + + await authMiddleware(req); + await handler(req, res); + + expect(res.statusCode).toBe(200); + expect(JSON.parse(res._getData())).toEqual(mockedTranscripts); + }); + + test("Allows GET transcripts when user is org-wide admin", async () => { + const adminUserId = 1; + const memberUserId = 10; + const bookingId = 3333; + + prismaMock.booking.findUnique.mockResolvedValue( + buildBooking({ + id: bookingId, + userId: memberUserId, + references: [ + { id: 1, type: "daily_video", uid: "17OHkCH53pBa03FhxMbw", meetingId: "17OHkCH53pBa03FhxMbw" }, + ], + }) + ); + + const { req, res } = createMocks({ + method: "GET", + body: {}, + query: { + id: bookingId, + recordingId, + }, + }); + + req.userId = adminUserId; + req.isOrganizationOwnerOrAdmin = true; + mockGetTranscripts(); + + vi.mocked(getAccessibleUsers).mockResolvedValue([memberUserId]); + + await authMiddleware(req); + await handler(req, res); + + expect(res.statusCode).toBe(200); + }); +}); diff --git a/apps/api/v1/test/lib/bookings/[id]/transcripts/_get.test.ts b/apps/api/v1/test/lib/bookings/[id]/transcripts/_get.test.ts new file mode 100644 index 00000000000000..a821935bd853d6 --- /dev/null +++ b/apps/api/v1/test/lib/bookings/[id]/transcripts/_get.test.ts @@ -0,0 +1,120 @@ +import prismaMock from "../../../../../../../../tests/libs/__mocks__/prismaMock"; + +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { createMocks } from "node-mocks-http"; +import { describe, expect, test, vi, afterEach } from "vitest"; + +import { getAllTranscriptsAccessLinkFromRoomName } from "@calcom/core/videoClient"; +import { buildBooking } from "@calcom/lib/test/builder"; + +import { getAccessibleUsers } from "~/lib/utils/retrieveScopedAccessibleUsers"; + +import authMiddleware from "../../../../../pages/api/bookings/[id]/_auth-middleware"; +import handler from "../../../../../pages/api/bookings/[id]/transcripts/_get"; + +type CustomNextApiRequest = NextApiRequest & Request; +type CustomNextApiResponse = NextApiResponse & Response; + +vi.mock("@calcom/core/videoClient", () => { + return { + getAllTranscriptsAccessLinkFromRoomName: vi.fn(), + }; +}); + +vi.mock("~/lib/utils/retrieveScopedAccessibleUsers", () => { + return { + getAccessibleUsers: vi.fn(), + }; +}); + +afterEach(() => { + vi.resetAllMocks(); +}); + +const mockGetTranscripts = () => { + const downloadLinks = ["https://URL1", "https://URL2"]; + + vi.mocked(getAllTranscriptsAccessLinkFromRoomName).mockResolvedValue(downloadLinks); + + return downloadLinks; +}; + +describe("GET /api/bookings/[id]/transcripts", () => { + test("Returns transcripts if user is system-wide admin", async () => { + const adminUserId = 1; + const userId = 2; + + const bookingId = 1111; + + prismaMock.booking.findUnique.mockResolvedValue( + buildBooking({ + id: bookingId, + userId, + references: [ + { + id: 1, + type: "daily_video", + uid: "17OHkCH53pBa03FhxMbw", + meetingId: "17OHkCH53pBa03FhxMbw", + meetingPassword: "password", + meetingUrl: "https://URL", + }, + ], + }) + ); + + const mockedTranscripts = mockGetTranscripts(); + const { req, res } = createMocks({ + method: "GET", + body: {}, + query: { + id: bookingId, + }, + }); + + req.isSystemWideAdmin = true; + req.userId = adminUserId; + + await authMiddleware(req); + await handler(req, res); + + expect(res.statusCode).toBe(200); + expect(JSON.parse(res._getData())).toEqual(mockedTranscripts); + }); + + test("Allows GET transcripts when user is org-wide admin", async () => { + const adminUserId = 1; + const memberUserId = 10; + const bookingId = 3333; + + prismaMock.booking.findUnique.mockResolvedValue( + buildBooking({ + id: bookingId, + userId: memberUserId, + references: [ + { id: 1, type: "daily_video", uid: "17OHkCH53pBa03FhxMbw", meetingId: "17OHkCH53pBa03FhxMbw" }, + ], + }) + ); + + const { req, res } = createMocks({ + method: "GET", + body: {}, + query: { + id: bookingId, + }, + }); + + req.userId = adminUserId; + req.isOrganizationOwnerOrAdmin = true; + mockGetTranscripts(); + + vi.mocked(getAccessibleUsers).mockResolvedValue([memberUserId]); + + await authMiddleware(req); + await handler(req, res); + + expect(res.statusCode).toBe(200); + }); +}); diff --git a/apps/api/v1/test/lib/bookings/_auth-middleware.integration-test.ts b/apps/api/v1/test/lib/bookings/_auth-middleware.integration-test.ts new file mode 100644 index 00000000000000..b0fd7d888e05f8 --- /dev/null +++ b/apps/api/v1/test/lib/bookings/_auth-middleware.integration-test.ts @@ -0,0 +1,92 @@ +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { createMocks } from "node-mocks-http"; +import { describe, it, expect } from "vitest"; + +import type { HttpError } from "@calcom/lib/http-error"; +import prisma from "@calcom/prisma"; + +import authMiddleware from "../../../pages/api/bookings/[id]/_auth-middleware"; + +type CustomNextApiRequest = NextApiRequest & Request; +type CustomNextApiResponse = NextApiResponse & Response; + +describe("Bookings auth middleware", () => { + it("Returns 403 when user has no permission to the booking", async () => { + const trialUser = await prisma.user.findFirstOrThrow({ where: { email: "trial@example.com" } }); + const proUser = await prisma.user.findFirstOrThrow({ where: { email: "pro@example.com" } }); + const booking = await prisma.booking.findFirstOrThrow({ where: { userId: proUser.id } }); + + const { req } = createMocks({ + method: "GET", + body: {}, + query: { + id: booking.id, + }, + }); + + req.userId = trialUser.id; + + try { + await authMiddleware(req); + } catch (error) { + const httpError = error as HttpError; + expect(httpError.statusCode).toBe(403); + } + }); + + it("No error is thrown when user is the booking user", async () => { + const proUser = await prisma.user.findFirstOrThrow({ where: { email: "pro@example.com" } }); + const booking = await prisma.booking.findFirstOrThrow({ where: { userId: proUser.id } }); + + const { req } = createMocks({ + method: "GET", + body: {}, + query: { + id: booking.id, + }, + }); + + req.userId = proUser.id; + + await authMiddleware(req); + }); + + it("No error is thrown when user is system-wide admin", async () => { + const adminUser = await prisma.user.findFirstOrThrow({ where: { email: "admin@example.com" } }); + const proUser = await prisma.user.findFirstOrThrow({ where: { email: "pro@example.com" } }); + const booking = await prisma.booking.findFirstOrThrow({ where: { userId: proUser.id } }); + + const { req } = createMocks({ + method: "GET", + body: {}, + query: { + id: booking.id, + }, + }); + + req.userId = adminUser.id; + req.isSystemWideAdmin = true; + + await authMiddleware(req); + }); + + it("No error is thrown when user is org-wide admin", async () => { + const adminUser = await prisma.user.findFirstOrThrow({ where: { email: "owner1-acme@example.com" } }); + const memberUser = await prisma.user.findFirstOrThrow({ where: { email: "member1-acme@example.com" } }); + const booking = await prisma.booking.findFirstOrThrow({ where: { userId: memberUser.id } }); + + const { req } = createMocks({ + method: "GET", + body: {}, + query: { + id: booking.id, + }, + }); + + req.userId = adminUser.id; + req.isOrganizationOwnerOrAdmin = true; + + await authMiddleware(req); + }); +}); diff --git a/apps/api/v1/test/lib/bookings/_get.integration-test.ts b/apps/api/v1/test/lib/bookings/_get.integration-test.ts new file mode 100644 index 00000000000000..7687f5e6c8f8fc --- /dev/null +++ b/apps/api/v1/test/lib/bookings/_get.integration-test.ts @@ -0,0 +1,108 @@ +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { createMocks } from "node-mocks-http"; +import { describe, expect, it } from "vitest"; + +import prisma from "@calcom/prisma"; + +import { handler } from "../../../pages/api/bookings/_get"; + +type CustomNextApiRequest = NextApiRequest & Request; +type CustomNextApiResponse = NextApiResponse & Response; + +const DefaultPagination = { + take: 10, + skip: 0, +}; + +describe("GET /api/bookings", async () => { + const proUser = await prisma.user.findFirstOrThrow({ where: { email: "pro@example.com" } }); + const proUserBooking = await prisma.booking.findFirstOrThrow({ where: { userId: proUser.id } }); + + it("Does not return bookings of other users when user has no permission", async () => { + const memberUser = await prisma.user.findFirstOrThrow({ where: { email: "member2-acme@example.com" } }); + + const { req } = createMocks({ + method: "GET", + query: { + userId: proUser.id, + }, + pagination: DefaultPagination, + }); + + req.userId = memberUser.id; + + const responseData = await handler(req); + const groupedUsers = new Set(responseData.bookings.map((b) => b.userId)); + + expect(responseData.bookings.find((b) => b.userId === memberUser.id)).toBeDefined(); + expect(groupedUsers.size).toBe(1); + expect(groupedUsers.entries().next().value[0]).toBe(memberUser.id); + }); + + it("Returns bookings for regular user", async () => { + const { req } = createMocks({ + method: "GET", + pagination: DefaultPagination, + }); + + req.userId = proUser.id; + + const responseData = await handler(req); + expect(responseData.bookings.find((b) => b.id === proUserBooking.id)).toBeDefined(); + expect(responseData.bookings.find((b) => b.userId !== proUser.id)).toBeUndefined(); + }); + + it("Returns bookings for specified user when accessed by system-wide admin", async () => { + const adminUser = await prisma.user.findFirstOrThrow({ where: { email: "owner1-acme@example.com" } }); + const { req } = createMocks({ + method: "GET", + pagination: DefaultPagination, + query: { + userId: proUser.id, + }, + }); + + req.isSystemWideAdmin = true; + req.userId = adminUser.id; + + const responseData = await handler(req); + expect(responseData.bookings.find((b) => b.id === proUserBooking.id)).toBeDefined(); + expect(responseData.bookings.find((b) => b.userId !== proUser.id)).toBeUndefined(); + }); + + it("Returns bookings for all users when accessed by system-wide admin", async () => { + const adminUser = await prisma.user.findFirstOrThrow({ where: { email: "owner1-acme@example.com" } }); + const { req } = createMocks({ + method: "GET", + pagination: { + take: 100, + skip: 0, + }, + }); + + req.isSystemWideAdmin = true; + req.userId = adminUser.id; + + const responseData = await handler(req); + const groupedUsers = new Set(responseData.bookings.map((b) => b.userId)); + expect(responseData.bookings.find((b) => b.id === proUserBooking.id)).toBeDefined(); + expect(groupedUsers.size).toBeGreaterThan(2); + }); + + it("Returns bookings for org users when accessed by org admin", async () => { + const adminUser = await prisma.user.findFirstOrThrow({ where: { email: "owner1-acme@example.com" } }); + const { req } = createMocks({ + method: "GET", + pagination: DefaultPagination, + }); + + req.userId = adminUser.id; + req.isOrganizationOwnerOrAdmin = true; + + const responseData = await handler(req); + const groupedUsers = new Set(responseData.bookings.map((b) => b.userId)); + expect(responseData.bookings.find((b) => b.id === proUserBooking.id)).toBeUndefined(); + expect(groupedUsers.size).toBeGreaterThanOrEqual(2); + }); +}); diff --git a/apps/api/v1/test/lib/event-types/[id]/_get.test.ts b/apps/api/v1/test/lib/event-types/[id]/_get.test.ts index 84c057c2228ff0..836246bbb99637 100644 --- a/apps/api/v1/test/lib/event-types/[id]/_get.test.ts +++ b/apps/api/v1/test/lib/event-types/[id]/_get.test.ts @@ -55,7 +55,7 @@ describe("GET /api/event-types/[id]", () => { }) ); - req.isAdmin = true; + req.isSystemWideAdmin = true; req.userId = 333333; await handler(req, res); @@ -91,7 +91,7 @@ describe("GET /api/event-types/[id]", () => { ], }); - req.isAdmin = false; + req.isSystemWideAdmin = false; req.userId = userId; await handler(req, res); @@ -131,7 +131,7 @@ describe("GET /api/event-types/[id]", () => { }) ); - req.isAdmin = false; + req.isSystemWideAdmin = false; req.userId = userId; await handler(req, res); diff --git a/apps/api/v1/test/lib/middleware/verifyApiKey.test.ts b/apps/api/v1/test/lib/middleware/verifyApiKey.test.ts index 764c0daee1f036..1b53565fd7ba70 100644 --- a/apps/api/v1/test/lib/middleware/verifyApiKey.test.ts +++ b/apps/api/v1/test/lib/middleware/verifyApiKey.test.ts @@ -1,13 +1,17 @@ +import prismaMock from "../../../../../../tests/libs/__mocks__/prismaMock"; + import type { Request, Response } from "express"; import type { NextApiRequest, NextApiResponse } from "next"; import { createMocks } from "node-mocks-http"; import { describe, vi, it, expect, afterEach } from "vitest"; import checkLicense from "@calcom/features/ee/common/server/checkLicense"; +import prisma from "@calcom/prisma"; import { isAdminGuard } from "~/lib/utils/isAdmin"; import { verifyApiKey } from "../../../lib/helpers/verifyApiKey"; +import { ScopeOfAdmin } from "../../../lib/utils/scopeOfAdmin"; type CustomNextApiRequest = NextApiRequest & Request; type CustomNextApiResponse = NextApiResponse & Response; @@ -40,7 +44,7 @@ describe("Verify API key", () => { }; vi.mocked(checkLicense).mockResolvedValue(false); - vi.mocked(isAdminGuard).mockResolvedValue(false); + vi.mocked(isAdminGuard).mockResolvedValue({ isAdmin: false, scope: null }); const serverNext = vi.fn((next: void) => Promise.resolve(next)); @@ -51,7 +55,7 @@ describe("Verify API key", () => { expect(middlewareSpy).toBeCalled(); expect(res.statusCode).toBe(401); }); - it("It should thow an error if no api key is provided", async () => { + it("It should throw an error if no api key is provided", async () => { const { req, res } = createMocks({ method: "POST", body: {}, @@ -62,7 +66,7 @@ describe("Verify API key", () => { }; vi.mocked(checkLicense).mockResolvedValue(true); - vi.mocked(isAdminGuard).mockResolvedValue(false); + vi.mocked(isAdminGuard).mockResolvedValue({ isAdmin: false, scope: null }); const serverNext = vi.fn((next: void) => Promise.resolve(next)); @@ -73,4 +77,70 @@ describe("Verify API key", () => { expect(middlewareSpy).toBeCalled(); expect(res.statusCode).toBe(401); }); + + it("It should set correct permissions for system-wide admin", async () => { + const { req, res } = createMocks({ + method: "POST", + body: {}, + query: { + apiKey: "cal_test_key", + }, + prisma, + }); + + prismaMock.apiKey.findUnique.mockResolvedValue({ + id: 1, + userId: 2, + }); + + const middleware = { + fn: verifyApiKey, + }; + + vi.mocked(checkLicense).mockResolvedValue(true); + vi.mocked(isAdminGuard).mockResolvedValue({ isAdmin: true, scope: ScopeOfAdmin.SystemWide }); + + const serverNext = vi.fn((next: void) => Promise.resolve(next)); + + const middlewareSpy = vi.spyOn(middleware, "fn"); + + await middleware.fn(req, res, serverNext); + + expect(middlewareSpy).toBeCalled(); + expect(req.isSystemWideAdmin).toBe(true); + expect(req.isOrganizationOwnerOrAdmin).toBe(false); + }); + + it("It should set correct permissions for org-level admin", async () => { + const { req, res } = createMocks({ + method: "POST", + body: {}, + query: { + apiKey: "cal_test_key", + }, + prisma, + }); + + prismaMock.apiKey.findUnique.mockResolvedValue({ + id: 1, + userId: 2, + }); + + const middleware = { + fn: verifyApiKey, + }; + + vi.mocked(checkLicense).mockResolvedValue(true); + vi.mocked(isAdminGuard).mockResolvedValue({ isAdmin: true, scope: ScopeOfAdmin.OrgOwnerOrAdmin }); + + const serverNext = vi.fn((next: void) => Promise.resolve(next)); + + const middlewareSpy = vi.spyOn(middleware, "fn"); + + await middleware.fn(req, res, serverNext); + + expect(middlewareSpy).toBeCalled(); + expect(req.isSystemWideAdmin).toBe(false); + expect(req.isOrganizationOwnerOrAdmin).toBe(true); + }); }); diff --git a/apps/api/v1/test/lib/utils/isAdmin.integration-test.ts b/apps/api/v1/test/lib/utils/isAdmin.integration-test.ts new file mode 100644 index 00000000000000..43dca2c9e7f614 --- /dev/null +++ b/apps/api/v1/test/lib/utils/isAdmin.integration-test.ts @@ -0,0 +1,76 @@ +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { createMocks } from "node-mocks-http"; +import { describe, it, expect } from "vitest"; + +import prisma from "@calcom/prisma"; + +import { isAdminGuard } from "../../../lib/utils/isAdmin"; +import { ScopeOfAdmin } from "../../../lib/utils/scopeOfAdmin"; + +type CustomNextApiRequest = NextApiRequest & Request; +type CustomNextApiResponse = NextApiResponse & Response; + +describe("isAdmin guard", () => { + it("Returns false when user does not exist in the system", async () => { + const { req } = createMocks({ + method: "POST", + body: {}, + }); + + req.userId = 0; + + const { isAdmin, scope } = await isAdminGuard(req); + + expect(isAdmin).toBe(false); + expect(scope).toBe(null); + }); + + it("Returns false when org user is a member", async () => { + const { req } = createMocks({ + method: "POST", + body: {}, + }); + + const memberUser = await prisma.user.findFirstOrThrow({ where: { email: "member2-acme@example.com" } }); + + req.userId = memberUser.id; + + const { isAdmin, scope } = await isAdminGuard(req); + + expect(isAdmin).toBe(false); + expect(scope).toBe(null); + }); + + it("Returns system-wide admin when user is marked as such", async () => { + const { req } = createMocks({ + method: "POST", + body: {}, + }); + + const adminUser = await prisma.user.findFirstOrThrow({ where: { email: "admin@example.com" } }); + + req.userId = adminUser.id; + + const { isAdmin, scope } = await isAdminGuard(req); + + expect(isAdmin).toBe(true); + expect(scope).toBe(ScopeOfAdmin.SystemWide); + }); + + it("Returns org-wide admin when user is set as such", async () => { + const { req } = createMocks({ + method: "POST", + body: {}, + }); + + const adminUser = await prisma.user.findFirstOrThrow({ where: { email: "owner1-acme@example.com" } }); + + req.userId = adminUser.id; + + const { isAdmin, scope } = await isAdminGuard(req); + + expect(isAdmin).toBe(true); + expect(scope).toBe(ScopeOfAdmin.OrgOwnerOrAdmin); + }); +}); diff --git a/apps/api/v1/test/lib/utils/retrieveScopedAccessibleUsers.integration-test.ts b/apps/api/v1/test/lib/utils/retrieveScopedAccessibleUsers.integration-test.ts new file mode 100644 index 00000000000000..2314aaa50d3d99 --- /dev/null +++ b/apps/api/v1/test/lib/utils/retrieveScopedAccessibleUsers.integration-test.ts @@ -0,0 +1,90 @@ +import { describe, it, expect } from "vitest"; + +import prisma from "@calcom/prisma"; + +import { + getAccessibleUsers, + retrieveOrgScopedAccessibleUsers, +} from "../../../lib/utils/retrieveScopedAccessibleUsers"; + +describe("retrieveScopedAccessibleUsers tests", () => { + describe("getAccessibleUsers", () => { + it("Does not return members when only admin user ID is supplied", async () => { + const adminUser = await prisma.user.findFirstOrThrow({ where: { email: "owner1-acme@example.com" } }); + const accessibleUserIds = await getAccessibleUsers({ + memberUserIds: [], + adminUserId: adminUser.id, + }); + + expect(accessibleUserIds.length).toBe(0); + }); + + it("Does not return members when admin user ID is not an admin of the user", async () => { + const adminUser = await prisma.user.findFirstOrThrow({ where: { email: "owner1-dunder@example.com" } }); + const memberOneUser = await prisma.user.findFirstOrThrow({ + where: { email: "member1-acme@example.com" }, + }); + const accessibleUserIds = await getAccessibleUsers({ + memberUserIds: [memberOneUser.id], + adminUserId: adminUser.id, + }); + + expect(accessibleUserIds.length).toBe(0); + }); + + it("Returns members when admin user ID is supplied and members IDs are supplied", async () => { + const adminUser = await prisma.user.findFirstOrThrow({ where: { email: "owner1-acme@example.com" } }); + const memberOneUser = await prisma.user.findFirstOrThrow({ + where: { email: "member1-acme@example.com" }, + }); + const memberTwoUser = await prisma.user.findFirstOrThrow({ + where: { email: "member2-acme@example.com" }, + }); + const accessibleUserIds = await getAccessibleUsers({ + memberUserIds: [memberOneUser.id, memberTwoUser.id], + adminUserId: adminUser.id, + }); + + expect(accessibleUserIds.length).toBe(2); + expect(accessibleUserIds).toContain(memberOneUser.id); + expect(accessibleUserIds).toContain(memberTwoUser.id); + }); + }); + + describe("retrieveOrgScopedAccessibleUsers", () => { + it("Does not return members when admin user ID is an admin of an org", async () => { + const memberOneUser = await prisma.user.findFirstOrThrow({ + where: { email: "member1-acme@example.com" }, + }); + + const accessibleUserIds = await retrieveOrgScopedAccessibleUsers({ + adminId: memberOneUser.id, + }); + + expect(accessibleUserIds.length).toBe(0); + }); + + it("Returns members when admin user ID is an admin of an org", async () => { + const adminUser = await prisma.user.findFirstOrThrow({ + where: { email: "owner1-acme@example.com" }, + }); + + const accessibleUserIds = await retrieveOrgScopedAccessibleUsers({ + adminId: adminUser.id, + }); + + const memberOneUser = await prisma.user.findFirstOrThrow({ + where: { email: "member1-acme@example.com" }, + }); + + const memberTwoUser = await prisma.user.findFirstOrThrow({ + where: { email: "member2-acme@example.com" }, + }); + + expect(accessibleUserIds.length).toBe(3); + expect(accessibleUserIds).toContain(memberOneUser.id); + expect(accessibleUserIds).toContain(memberTwoUser.id); + expect(accessibleUserIds).toContain(adminUser.id); + }); + }); +}); diff --git a/apps/api/v2/.env.example b/apps/api/v2/.env.example index e06b413342bb5f..0826ed44ce1892 100644 --- a/apps/api/v2/.env.example +++ b/apps/api/v2/.env.example @@ -10,4 +10,17 @@ JWT_SECRET= SENTRY_DSN= # KEEP THIS EMPTY, DISABLE SENTRY CLIENT INSIDE OF LIBRARIES USED BY APIv2 -NEXT_PUBLIC_SENTRY_DSN= \ No newline at end of file +NEXT_PUBLIC_SENTRY_DSN= + +# Stripe Billing +STRIPE_PRICE_ID_STARTER= +STRIPE_PRICE_ID_ESSENTIALS= +STRIPE_PRICE_ID_ENTERPRISE= +STRIPE_API_KEY= +STRIPE_WEBHOOK_SECRET= + +WEB_APP_URL=http://localhost:3000/ +CALCOM_LICENSE_KEY= +API_KEY_PREFIX=cal_ +GET_LICENSE_KEY_URL="https://console.cal.com/api/license" +IS_E2E=false \ No newline at end of file diff --git a/apps/api/v2/.eslintrc.js b/apps/api/v2/.eslintrc.js index 1c4289dc6b6b03..4408591ef198ba 100644 --- a/apps/api/v2/.eslintrc.js +++ b/apps/api/v2/.eslintrc.js @@ -12,7 +12,7 @@ module.exports = { node: true, jest: true, }, - ignorePatterns: [".eslintrc.js"], + ignorePatterns: [".eslintrc.js", "next-i18next.config.js"], rules: { "@typescript-eslint/interface-name-prefix": "off", "@typescript-eslint/explicit-function-return-type": "off", diff --git a/apps/api/v2/.prettierrc.js b/apps/api/v2/.prettierrc.js index ba4100a4efe045..de9853706fbf7c 100644 --- a/apps/api/v2/.prettierrc.js +++ b/apps/api/v2/.prettierrc.js @@ -2,5 +2,6 @@ const rootConfig = require("../../../packages/config/prettier-preset"); module.exports = { ...rootConfig, + importOrder: ["^./instrument", ...rootConfig.importOrder], importOrderParserPlugins: ["typescript", "decorators-legacy"], }; diff --git a/apps/api/v2/README.md b/apps/api/v2/README.md index 64af00f7fb28dd..92c3f76482274d 100644 --- a/apps/api/v2/README.md +++ b/apps/api/v2/README.md @@ -42,6 +42,16 @@ $ yarn prisma generate Copy `.env.example` to `.env` and fill values. +## Add license Key to deployments table in DB + +id, logo theme licenseKey agreedLicenseAt +1, null, null, 'c4234812-12ab-42s6-a1e3-55bedd4a5bb7', '2023-05-15 21:39:47.611' + +your CALCOM_LICENSE_KEY env var need to contain the same value + +.env +CALCOM_LICENSE_KEY=c4234812-12ab-42s6-a1e3-55bedd4a5bb + ## Running the app ```bash diff --git a/apps/api/v2/nest-cli.json b/apps/api/v2/nest-cli.json index 1eecbdbf6888f3..45d207286db5a1 100644 --- a/apps/api/v2/nest-cli.json +++ b/apps/api/v2/nest-cli.json @@ -2,6 +2,7 @@ "$schema": "https://json.schemastore.org/nest-cli", "collection": "@nestjs/schematics", "sourceRoot": "src", + "entryFile": "./apps/api/v2/src/main.js", "compilerOptions": { "deleteOutDir": true, "plugins": [ diff --git a/apps/api/v2/package.json b/apps/api/v2/package.json index d88131c3e10fa1..b1f5701746149c 100644 --- a/apps/api/v2/package.json +++ b/apps/api/v2/package.json @@ -9,11 +9,11 @@ "build": "yarn dev:build && nest build", "format": "prettier --write \"src/**/*.ts\" \"test/**/*.ts\"", "start": "nest start", - "dev:build:watch": "yarn workspace @calcom/platform-constants build:watch & yarn workspace @calcom/platform-utils build:watch & yarn workspace @calcom/platform-types build:watch & yarn workspace @calcom/platform-libraries build:watch", - "dev:build": "yarn workspace @calcom/platform-constants build && yarn workspace @calcom/platform-utils build && yarn workspace @calcom/platform-types build && yarn workspace @calcom/platform-libraries build", - "dev": "yarn dev:build && docker-compose up -d && yarn copy-swagger-module && nest start --watch", + "dev:build:watch": "yarn workspace @calcom/platform-constants build:watch & yarn workspace @calcom/platform-utils build:watch & yarn workspace @calcom/platform-types build:watch", + "dev:build": "yarn workspace @calcom/platform-constants build && yarn workspace @calcom/platform-utils build && yarn workspace @calcom/platform-types build", + "dev": "yarn dev:build && docker-compose up -d && yarn copy-swagger-module && yarn start --watch", "start:debug": "nest start --debug --watch", - "start:prod": "node dist/src/main", + "start:prod": "node ./dist/apps/api/v2/src/main.js", "test": "yarn dev:build && jest", "test:watch": "yarn dev:build && jest --watch", "test:cov": "yarn dev:build && jest --coverage", @@ -25,11 +25,13 @@ }, "dependencies": { "@calcom/platform-constants": "*", - "@calcom/platform-libraries": "*", + "@calcom/platform-libraries-0.0.19": "npm:@calcom/platform-libraries@0.0.19", + "@calcom/platform-libraries-0.0.2": "npm:@calcom/platform-libraries@0.0.2", "@calcom/platform-types": "*", "@calcom/platform-utils": "*", "@calcom/prisma": "*", "@golevelup/ts-jest": "^0.4.0", + "@microsoft/microsoft-graph-types-beta": "^0.42.0-preview", "@nestjs/common": "^10.0.0", "@nestjs/config": "^3.1.1", "@nestjs/core": "^10.0.0", @@ -37,9 +39,9 @@ "@nestjs/passport": "^10.0.2", "@nestjs/platform-express": "^10.0.0", "@nestjs/swagger": "^7.3.0", - "@nestjs/throttler": "^5.1.1", - "@sentry/node": "^7.86.0", - "@sentry/tracing": "^7.86.0", + "@nestjs/throttler": "^5.1.2", + "@sentry/node": "^8.8.0", + "body-parser": "^1.20.2", "class-transformer": "^0.5.1", "class-validator": "^0.14.0", "cookie-parser": "^1.4.6", @@ -54,8 +56,10 @@ "next-auth": "^4.22.1", "passport": "^0.7.0", "passport-jwt": "^4.0.1", + "querystring": "^0.2.1", "reflect-metadata": "^0.1.13", "rxjs": "^7.8.1", + "stripe": "^15.3.0", "uuid": "^8.3.2", "winston": "^3.11.0", "zod": "^3.22.4" diff --git a/apps/api/v2/src/app.module.ts b/apps/api/v2/src/app.module.ts index a589abe5260121..ea4ab52594484d 100644 --- a/apps/api/v2/src/app.module.ts +++ b/apps/api/v2/src/app.module.ts @@ -1,13 +1,21 @@ -import { AppLoggerMiddleware } from "@/app.logger.middleware"; -import { RewriterMiddleware } from "@/app.rewrites.middleware"; import appConfig from "@/config/app"; +import { AppLoggerMiddleware } from "@/middleware/app.logger.middleware"; +import { RewriterMiddleware } from "@/middleware/app.rewrites.middleware"; +import { JsonBodyMiddleware } from "@/middleware/body/json.body.middleware"; +import { RawBodyMiddleware } from "@/middleware/body/raw.body.middleware"; +import { ResponseInterceptor } from "@/middleware/request-ids/request-id.interceptor"; +import { RequestIdMiddleware } from "@/middleware/request-ids/request-id.middleware"; import { AuthModule } from "@/modules/auth/auth.module"; import { EndpointsModule } from "@/modules/endpoints.module"; import { JwtModule } from "@/modules/jwt/jwt.module"; import { PrismaModule } from "@/modules/prisma/prisma.module"; -import { MiddlewareConsumer, Module, NestModule } from "@nestjs/common"; +import { RedisModule } from "@/modules/redis/redis.module"; +import { RedisService } from "@/modules/redis/redis.service"; +import { MiddlewareConsumer, Module, NestModule, RequestMethod } from "@nestjs/common"; import { ConfigModule } from "@nestjs/config"; -import { RouterModule } from "@nestjs/core"; +import { APP_INTERCEPTOR, RouterModule } from "@nestjs/core"; +import { seconds, ThrottlerModule } from "@nestjs/throttler"; +import { ThrottlerStorageRedisService } from "nestjs-throttler-storage-redis"; import { AppController } from "./app.controller"; @@ -18,32 +26,54 @@ import { AppController } from "./app.controller"; isGlobal: true, load: [appConfig], }), - // ThrottlerModule.forRootAsync({ - // imports: [ConfigModule], - // inject: [ConfigService], - // useFactory: (config: ConfigService) => ({ - // throttlers: [ - // { - // name: "short", - // ttl: seconds(10), - // limit: 3, - // }, - // ], - // storage: new ThrottlerStorageRedisService(config.get("db.redisUrl", { infer: true })), - // }), - // }), + RedisModule, + ThrottlerModule.forRootAsync({ + imports: [RedisModule], + inject: [RedisService], + useFactory: (redisService: RedisService) => ({ + throttlers: [ + { + name: "short", + ttl: seconds(10), + limit: 3, + }, + { + name: "medium", + ttl: seconds(30), + limit: 10, + }, + ], + storage: new ThrottlerStorageRedisService(redisService.redis), + }), + }), PrismaModule, EndpointsModule, AuthModule, JwtModule, - //register prefix for all routes in EndpointsModule - RouterModule.register([{ path: "/v2", module: EndpointsModule }]), ], controllers: [AppController], + providers: [ + { + provide: APP_INTERCEPTOR, + useClass: ResponseInterceptor, + }, + ], }) export class AppModule implements NestModule { configure(consumer: MiddlewareConsumer): void { - consumer.apply(AppLoggerMiddleware).forRoutes("*"); - consumer.apply(RewriterMiddleware).forRoutes("/"); + consumer + .apply(RawBodyMiddleware) + .forRoutes({ + path: "/api/v2/billing/webhook", + method: RequestMethod.POST, + }) + .apply(JsonBodyMiddleware) + .forRoutes("*") + .apply(RequestIdMiddleware) + .forRoutes("*") + .apply(AppLoggerMiddleware) + .forRoutes("*") + .apply(RewriterMiddleware) + .forRoutes("/"); } } diff --git a/apps/api/v2/src/app.ts b/apps/api/v2/src/app.ts index 417839abbc186f..3ce349268c19a4 100644 --- a/apps/api/v2/src/app.ts +++ b/apps/api/v2/src/app.ts @@ -1,26 +1,41 @@ -import { getEnv } from "@/env"; +import "./instrument"; + import { HttpExceptionFilter } from "@/filters/http-exception.filter"; import { PrismaExceptionFilter } from "@/filters/prisma-exception.filter"; -import { SentryFilter } from "@/filters/sentry-exception.filter"; import { ZodExceptionFilter } from "@/filters/zod-exception.filter"; import type { ValidationError } from "@nestjs/common"; -import { BadRequestException, RequestMethod, ValidationPipe, VersioningType } from "@nestjs/common"; -import { HttpAdapterHost } from "@nestjs/core"; +import { BadRequestException, ValidationPipe, VersioningType } from "@nestjs/common"; +import { BaseExceptionFilter, HttpAdapterHost } from "@nestjs/core"; import type { NestExpressApplication } from "@nestjs/platform-express"; import * as Sentry from "@sentry/node"; import * as cookieParser from "cookie-parser"; +import { Request } from "express"; import helmet from "helmet"; -import { X_CAL_CLIENT_ID, X_CAL_SECRET_KEY } from "@calcom/platform-constants"; +import { + API_VERSIONS, + VERSION_2024_04_15, + API_VERSIONS_ENUM, + CAL_API_VERSION_HEADER, + X_CAL_CLIENT_ID, + X_CAL_SECRET_KEY, +} from "@calcom/platform-constants"; import { TRPCExceptionFilter } from "./filters/trpc-exception.filter"; export const bootstrap = (app: NestExpressApplication): NestExpressApplication => { app.enableShutdownHooks(); + app.enableVersioning({ - type: VersioningType.URI, - prefix: "v", - defaultVersion: "1", + type: VersioningType.CUSTOM, + extractor: (request: unknown) => { + const headerVersion = (request as Request)?.headers[CAL_API_VERSION_HEADER] as string | undefined; + if (headerVersion && API_VERSIONS.includes(headerVersion as API_VERSIONS_ENUM)) { + return headerVersion; + } + return VERSION_2024_04_15; + }, + defaultVersion: VERSION_2024_04_15, }); app.use(helmet()); @@ -28,7 +43,15 @@ export const bootstrap = (app: NestExpressApplication): NestExpressApplication = app.enableCors({ origin: "*", methods: ["GET", "PATCH", "DELETE", "HEAD", "POST", "PUT", "OPTIONS"], - allowedHeaders: [X_CAL_CLIENT_ID, X_CAL_SECRET_KEY, "Accept", "Authorization", "Content-Type", "Origin"], + allowedHeaders: [ + X_CAL_CLIENT_ID, + X_CAL_SECRET_KEY, + CAL_API_VERSION_HEADER, + "Accept", + "Authorization", + "Content-Type", + "Origin", + ], maxAge: 86_400, }); @@ -46,15 +69,11 @@ export const bootstrap = (app: NestExpressApplication): NestExpressApplication = }) ); - if (process.env.SENTRY_DSN) { - Sentry.init({ - dsn: getEnv("SENTRY_DSN"), - }); - } - // Exception filters, new filters go at the bottom, keep the order const { httpAdapter } = app.get(HttpAdapterHost); - app.useGlobalFilters(new SentryFilter(httpAdapter)); + if (process.env.SENTRY_DSN) { + Sentry.setupNestErrorHandler(app, new BaseExceptionFilter(httpAdapter)); + } app.useGlobalFilters(new PrismaExceptionFilter()); app.useGlobalFilters(new ZodExceptionFilter()); app.useGlobalFilters(new HttpExceptionFilter()); diff --git a/apps/api/v2/src/config/app.ts b/apps/api/v2/src/config/app.ts index 904579396aadc2..87db1b66459488 100644 --- a/apps/api/v2/src/config/app.ts +++ b/apps/api/v2/src/config/app.ts @@ -15,6 +15,9 @@ const loadConfig = (): AppConfig => { ? `:${Number(getEnv("API_PORT", "5555"))}` : "" }/v2`, + keyPrefix: getEnv("API_KEY_PREFIX", "cal_"), + licenseKey: getEnv("CALCOM_LICENSE_KEY", ""), + licenseKeyUrl: getEnv("GET_LICENSE_KEY_URL", "https://console.cal.com/api/license"), }, db: { readUrl: getEnv("DATABASE_READ_URL"), @@ -24,6 +27,14 @@ const loadConfig = (): AppConfig => { next: { authSecret: getEnv("NEXTAUTH_SECRET"), }, + stripe: { + apiKey: getEnv("STRIPE_API_KEY"), + webhookSecret: getEnv("STRIPE_WEBHOOK_SECRET"), + }, + app: { + baseUrl: getEnv("WEB_APP_URL", "https://app.cal.com"), + }, + e2e: getEnv("IS_E2E", false), }; }; diff --git a/apps/api/v2/src/config/type.ts b/apps/api/v2/src/config/type.ts index e7690ac63fd675..ed08ad55a38494 100644 --- a/apps/api/v2/src/config/type.ts +++ b/apps/api/v2/src/config/type.ts @@ -6,6 +6,9 @@ export type AppConfig = { port: number; path: string; url: string; + keyPrefix: string; + licenseKey: string; + licenseKeyUrl: string; }; db: { readUrl: string; @@ -15,4 +18,12 @@ export type AppConfig = { next: { authSecret: string; }; + stripe: { + apiKey: string; + webhookSecret: string; + }; + app: { + baseUrl: string; + }; + e2e: boolean; }; diff --git a/apps/api/v2/src/ee/bookings/bookings.module.ts b/apps/api/v2/src/ee/bookings/bookings.module.ts index 9725cac786469d..8e1be0f3e7c74e 100644 --- a/apps/api/v2/src/ee/bookings/bookings.module.ts +++ b/apps/api/v2/src/ee/bookings/bookings.module.ts @@ -1,13 +1,15 @@ import { BookingsController } from "@/ee/bookings/controllers/bookings.controller"; +import { BillingModule } from "@/modules/billing/billing.module"; import { OAuthClientRepository } from "@/modules/oauth-clients/oauth-client.repository"; import { OAuthFlowService } from "@/modules/oauth-clients/services/oauth-flow.service"; import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { RedisModule } from "@/modules/redis/redis.module"; import { TokensModule } from "@/modules/tokens/tokens.module"; import { TokensRepository } from "@/modules/tokens/tokens.repository"; import { Module } from "@nestjs/common"; @Module({ - imports: [PrismaModule, TokensModule], + imports: [PrismaModule, RedisModule, TokensModule, BillingModule], providers: [TokensRepository, OAuthFlowService, OAuthClientRepository], controllers: [BookingsController], }) diff --git a/apps/api/v2/src/ee/bookings/controllers/bookings.controller.e2e-spec.ts b/apps/api/v2/src/ee/bookings/controllers/bookings.controller.e2e-spec.ts index 891a8e7b62a700..cead965ba3b6cd 100644 --- a/apps/api/v2/src/ee/bookings/controllers/bookings.controller.e2e-spec.ts +++ b/apps/api/v2/src/ee/bookings/controllers/bookings.controller.e2e-spec.ts @@ -2,11 +2,10 @@ import { bootstrap } from "@/app"; import { AppModule } from "@/app.module"; import { GetBookingOutput } from "@/ee/bookings/outputs/get-booking.output"; import { GetBookingsOutput } from "@/ee/bookings/outputs/get-bookings.output"; -import { CreateScheduleInput } from "@/ee/schedules/inputs/create-schedule.input"; -import { SchedulesModule } from "@/ee/schedules/schedules.module"; -import { SchedulesService } from "@/ee/schedules/services/schedules.service"; +import { CreateScheduleInput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/inputs/create-schedule.input"; +import { SchedulesModule_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/schedules.module"; +import { SchedulesService_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/services/schedules.service"; import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; -import { AvailabilitiesModule } from "@/modules/availabilities/availabilities.module"; import { PrismaModule } from "@/modules/prisma/prisma.module"; import { UsersModule } from "@/modules/users/users.module"; import { INestApplication } from "@nestjs/common"; @@ -17,10 +16,10 @@ import * as request from "supertest"; import { BookingsRepositoryFixture } from "test/fixtures/repository/bookings.repository.fixture"; import { EventTypesRepositoryFixture } from "test/fixtures/repository/event-types.repository.fixture"; import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; -import { withAccessTokenAuth } from "test/utils/withAccessTokenAuth"; +import { withApiAuth } from "test/utils/withApiAuth"; import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; -import { handleNewBooking } from "@calcom/platform-libraries"; +import { handleNewBooking } from "@calcom/platform-libraries-0.0.19"; import { ApiSuccessResponse, ApiResponse } from "@calcom/platform-types"; describe("Bookings Endpoints", () => { @@ -29,7 +28,7 @@ describe("Bookings Endpoints", () => { let userRepositoryFixture: UserRepositoryFixture; let bookingsRepositoryFixture: BookingsRepositoryFixture; - let schedulesService: SchedulesService; + let schedulesService: SchedulesService_2024_04_15; let eventTypesRepositoryFixture: EventTypesRepositoryFixture; const userEmail = "bookings-controller-e2e@api.com"; @@ -40,10 +39,10 @@ describe("Bookings Endpoints", () => { let createdBooking: Awaited>; beforeAll(async () => { - const moduleRef = await withAccessTokenAuth( + const moduleRef = await withApiAuth( userEmail, Test.createTestingModule({ - imports: [AppModule, PrismaModule, AvailabilitiesModule, UsersModule, SchedulesModule], + imports: [AppModule, PrismaModule, UsersModule, SchedulesModule_2024_04_15], }) ) .overrideGuard(PermissionsGuard) @@ -55,13 +54,13 @@ describe("Bookings Endpoints", () => { userRepositoryFixture = new UserRepositoryFixture(moduleRef); bookingsRepositoryFixture = new BookingsRepositoryFixture(moduleRef); eventTypesRepositoryFixture = new EventTypesRepositoryFixture(moduleRef); - schedulesService = moduleRef.get(SchedulesService); + schedulesService = moduleRef.get(SchedulesService_2024_04_15); user = await userRepositoryFixture.create({ email: userEmail, }); - const userSchedule: CreateScheduleInput = { + const userSchedule: CreateScheduleInput_2024_04_15 = { name: "working time", timeZone: "Europe/Rome", isDefault: true, @@ -140,7 +139,6 @@ describe("Bookings Endpoints", () => { return request(app.getHttpServer()) .get("/v2/bookings?filters[status]=upcoming") .then((response) => { - console.log("asap responseBody", JSON.stringify(response.body, null, 2)); const responseBody: GetBookingsOutput = response.body; const fetchedBooking = responseBody.data.bookings[0]; @@ -241,7 +239,8 @@ describe("Bookings Endpoints", () => { // }); // }); - it("should cancel a booking", async () => { + // cancelling a booking hangs the test for some reason + it.skip("should cancel a booking", async () => { const bookingId = createdBooking.id; const body = { diff --git a/apps/api/v2/src/ee/bookings/controllers/bookings.controller.ts b/apps/api/v2/src/ee/bookings/controllers/bookings.controller.ts index 5981893abb2a87..315188dfb9217c 100644 --- a/apps/api/v2/src/ee/bookings/controllers/bookings.controller.ts +++ b/apps/api/v2/src/ee/bookings/controllers/bookings.controller.ts @@ -1,11 +1,15 @@ import { CreateBookingInput } from "@/ee/bookings/inputs/create-booking.input"; import { CreateRecurringBookingInput } from "@/ee/bookings/inputs/create-recurring-booking.input"; +import { MarkNoShowInput } from "@/ee/bookings/inputs/mark-no-show.input"; import { GetBookingOutput } from "@/ee/bookings/outputs/get-booking.output"; import { GetBookingsOutput } from "@/ee/bookings/outputs/get-bookings.output"; +import { MarkNoShowOutput } from "@/ee/bookings/outputs/mark-no-show.output"; +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; import { Permissions } from "@/modules/auth/decorators/permissions/permissions.decorator"; -import { AccessTokenGuard } from "@/modules/auth/guards/access-token/access-token.guard"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; +import { BillingService } from "@/modules/billing/services/billing.service"; import { OAuthClientRepository } from "@/modules/oauth-clients/oauth-client.repository"; import { OAuthFlowService } from "@/modules/oauth-clients/services/oauth-flow.service"; import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; @@ -30,20 +34,19 @@ import { Request } from "express"; import { NextApiRequest } from "next/types"; import { X_CAL_CLIENT_ID } from "@calcom/platform-constants"; -import { BOOKING_READ, SUCCESS_STATUS } from "@calcom/platform-constants"; -import { - getAllUserBookings, - getBookingInfo, - handleCancelBooking, - getBookingForReschedule, -} from "@calcom/platform-libraries"; +import { BOOKING_READ, SUCCESS_STATUS, BOOKING_WRITE } from "@calcom/platform-constants"; import { handleNewBooking, BookingResponse, HttpError, handleNewRecurringBooking, handleInstantMeeting, -} from "@calcom/platform-libraries"; + handleMarkNoShow, + getAllUserBookings, + getBookingInfo, + handleCancelBooking, + getBookingForReschedule, +} from "@calcom/platform-libraries-0.0.19"; import { GetBookingsInput, CancelBookingInput, Status } from "@calcom/platform-types"; import { ApiResponse } from "@calcom/platform-types"; import { PrismaClient } from "@calcom/prisma"; @@ -71,22 +74,23 @@ const DEFAULT_PLATFORM_PARAMS = { }; @Controller({ - path: "/bookings", - version: "2", + path: "/v2/bookings", + version: API_VERSIONS_VALUES, }) @UseGuards(PermissionsGuard) @DocsTags("Bookings") export class BookingsController { - private readonly logger = new Logger("ee bookings controller"); + private readonly logger = new Logger("BookingsController"); constructor( private readonly oAuthFlowService: OAuthFlowService, private readonly prismaReadService: PrismaReadService, - private readonly oAuthClientRepository: OAuthClientRepository + private readonly oAuthClientRepository: OAuthClientRepository, + private readonly billingService: BillingService ) {} @Get("/") - @UseGuards(AccessTokenGuard) + @UseGuards(ApiAuthGuard) @Permissions([BOOKING_READ]) @ApiQuery({ name: "filters[status]", enum: Status, required: true }) @ApiQuery({ name: "limit", type: "number", required: false }) @@ -148,17 +152,21 @@ export class BookingsController { @Headers(X_CAL_CLIENT_ID) clientId?: string ): Promise> { const oAuthClientId = clientId?.toString(); - const locationUrl = body.locationUrl; + + const { orgSlug, locationUrl } = body; + req.headers["x-cal-force-slug"] = orgSlug; try { const booking = await handleNewBooking( await this.createNextApiBookingRequest(req, oAuthClientId, locationUrl) ); + + void (await this.billingService.increaseUsageByClientId(oAuthClientId!)); return { status: SUCCESS_STATUS, data: booking, }; } catch (err) { - handleBookingErrors(err); + this.handleBookingErrors(err); } throw new InternalServerErrorException("Could not create booking."); } @@ -179,7 +187,7 @@ export class BookingsController { status: SUCCESS_STATUS, }; } catch (err) { - handleBookingErrors(err); + this.handleBookingErrors(err); } } else { throw new NotFoundException("Booking ID is required."); @@ -187,6 +195,27 @@ export class BookingsController { throw new InternalServerErrorException("Could not cancel booking."); } + @Post("/:bookingUid/mark-no-show") + @Permissions([BOOKING_WRITE]) + @UseGuards(ApiAuthGuard) + async markNoShow( + @Body() body: MarkNoShowInput, + @Param("bookingUid") bookingUid: string + ): Promise { + try { + const markNoShowResponse = await handleMarkNoShow({ + bookingUid: bookingUid, + attendees: body.attendees, + noShowHost: body.noShowHost, + }); + + return { status: SUCCESS_STATUS, data: markNoShowResponse }; + } catch (err) { + this.handleBookingErrors(err, "no-show"); + } + throw new InternalServerErrorException("Could not mark no show."); + } + @Post("/recurring") async createRecurringBooking( @Req() req: BookingRequest, @@ -198,12 +227,15 @@ export class BookingsController { const createdBookings: BookingResponse[] = await handleNewRecurringBooking( await this.createNextApiBookingRequest(req, oAuthClientId) ); + + void (await this.billingService.increaseUsageByClientId(oAuthClientId!)); + return { status: SUCCESS_STATUS, data: createdBookings, }; } catch (err) { - handleBookingErrors(err, "recurring"); + this.handleBookingErrors(err, "recurring"); } throw new InternalServerErrorException("Could not create recurring booking."); } @@ -220,17 +252,20 @@ export class BookingsController { const instantMeeting = await handleInstantMeeting( await this.createNextApiBookingRequest(req, oAuthClientId) ); + + void (await this.billingService.increaseUsageByClientId(oAuthClientId!)); + return { status: SUCCESS_STATUS, data: instantMeeting, }; } catch (err) { - handleBookingErrors(err, "instant"); + this.handleBookingErrors(err, "instant"); } throw new InternalServerErrorException("Could not create instant booking."); } - async getOwnerId(req: Request): Promise { + private async getOwnerId(req: Request): Promise { try { const accessToken = req.get("Authorization")?.replace("Bearer ", ""); if (accessToken) { @@ -241,7 +276,7 @@ export class BookingsController { } } - async getOAuthClientsParams(req: BookingRequest, clientId: string): Promise { + private async getOAuthClientsParams(clientId: string): Promise { const res = DEFAULT_PLATFORM_PARAMS; try { const client = await this.oAuthClientRepository.getOAuthClient(clientId); @@ -260,32 +295,38 @@ export class BookingsController { } } - async createNextApiBookingRequest( + private async createNextApiBookingRequest( req: BookingRequest, oAuthClientId?: string, platformBookingLocation?: string ): Promise { const userId = (await this.getOwnerId(req)) ?? -1; const oAuthParams = oAuthClientId - ? await this.getOAuthClientsParams(req, oAuthClientId) + ? await this.getOAuthClientsParams(oAuthClientId) : DEFAULT_PLATFORM_PARAMS; Object.assign(req, { userId, ...oAuthParams, platformBookingLocation }); req.body = { ...req.body, noEmail: !oAuthParams.arePlatformEmailsEnabled }; return req as unknown as NextApiRequest & { userId?: number } & OAuthRequestParams; } -} -function handleBookingErrors(err: Error | HttpError | unknown, type?: "recurring" | `instant`): void { - const errMsg = `Error while creating ${type ? type + " " : ""}booking.`; - if (err instanceof HttpError) { - const httpError = err as HttpError; - throw new HttpException(httpError?.message ?? errMsg, httpError?.statusCode ?? 500); - } + private handleBookingErrors( + err: Error | HttpError | unknown, + type?: "recurring" | `instant` | "no-show" + ): void { + const errMsg = + type === "no-show" + ? `Error while marking no-show.` + : `Error while creating ${type ? type + " " : ""}booking.`; + if (err instanceof HttpError) { + const httpError = err as HttpError; + throw new HttpException(httpError?.message ?? errMsg, httpError?.statusCode ?? 500); + } - if (err instanceof Error) { - const error = err as Error; - throw new InternalServerErrorException(error?.message ?? errMsg); - } + if (err instanceof Error) { + const error = err as Error; + throw new InternalServerErrorException(error?.message ?? errMsg); + } - throw new InternalServerErrorException(errMsg); + throw new InternalServerErrorException(errMsg); + } } diff --git a/apps/api/v2/src/ee/bookings/inputs/create-booking.input.ts b/apps/api/v2/src/ee/bookings/inputs/create-booking.input.ts index c9dc1da1b69263..7101bb80a2d518 100644 --- a/apps/api/v2/src/ee/bookings/inputs/create-booking.input.ts +++ b/apps/api/v2/src/ee/bookings/inputs/create-booking.input.ts @@ -99,6 +99,10 @@ export class CreateBookingInput { @Type(() => Response) responses!: Response; + @IsString() + @IsOptional() + orgSlug?: string; + @IsString() @IsOptional() locationUrl?: string; diff --git a/apps/api/v2/src/ee/bookings/inputs/create-recurring-booking.input.ts b/apps/api/v2/src/ee/bookings/inputs/create-recurring-booking.input.ts index 471e8ab8dfa4e3..757b60dc222d4e 100644 --- a/apps/api/v2/src/ee/bookings/inputs/create-recurring-booking.input.ts +++ b/apps/api/v2/src/ee/bookings/inputs/create-recurring-booking.input.ts @@ -1,7 +1,7 @@ import { CreateBookingInput } from "@/ee/bookings/inputs/create-booking.input"; import { IsBoolean, IsNumber, IsOptional } from "class-validator"; -import type { AppsStatus } from "@calcom/platform-libraries"; +import type { AppsStatus } from "@calcom/platform-libraries-0.0.19"; export class CreateRecurringBookingInput extends CreateBookingInput { @IsBoolean() diff --git a/apps/api/v2/src/ee/bookings/inputs/mark-no-show.input.ts b/apps/api/v2/src/ee/bookings/inputs/mark-no-show.input.ts new file mode 100644 index 00000000000000..0630f08fcc3395 --- /dev/null +++ b/apps/api/v2/src/ee/bookings/inputs/mark-no-show.input.ts @@ -0,0 +1,22 @@ +import { Type } from "class-transformer"; +import { IsOptional, IsArray, IsEmail, IsBoolean, ValidateNested } from "class-validator"; + +class Attendee { + @IsEmail() + email!: string; + + @IsBoolean() + noShow!: boolean; +} + +export class MarkNoShowInput { + @IsBoolean() + @IsOptional() + noShowHost?: boolean; + + @ValidateNested() + @Type(() => Attendee) + @IsArray() + @IsOptional() + attendees?: Attendee[]; +} diff --git a/apps/api/v2/src/ee/bookings/outputs/mark-no-show.output.ts b/apps/api/v2/src/ee/bookings/outputs/mark-no-show.output.ts new file mode 100644 index 00000000000000..5b1e5de68d14b2 --- /dev/null +++ b/apps/api/v2/src/ee/bookings/outputs/mark-no-show.output.ts @@ -0,0 +1,45 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsString, IsEnum, IsOptional, ValidateNested, IsArray, IsEmail, IsBoolean } from "class-validator"; + +import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; + +class Attendee { + @IsEmail() + email!: string; + + @IsBoolean() + noShow!: boolean; +} + +class HandleMarkNoShowData { + @IsString() + message!: string; + + @IsBoolean() + @IsOptional() + noShowHost?: boolean; + + @IsString() + @IsOptional() + messageKey?: string; + + @ValidateNested() + @Type(() => Attendee) + @IsArray() + @IsOptional() + attendees?: Attendee[]; +} + +export class MarkNoShowOutput { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @ApiProperty({ + type: HandleMarkNoShowData, + }) + @ValidateNested() + @Type(() => HandleMarkNoShowData) + data!: HandleMarkNoShowData; +} diff --git a/apps/api/v2/src/ee/calendars/calendars.controller.e2e-spec.ts b/apps/api/v2/src/ee/calendars/calendars.controller.e2e-spec.ts new file mode 100644 index 00000000000000..d1c6e630496cb0 --- /dev/null +++ b/apps/api/v2/src/ee/calendars/calendars.controller.e2e-spec.ts @@ -0,0 +1,200 @@ +import { bootstrap } from "@/app"; +import { AppModule } from "@/app.module"; +import { CalendarsService } from "@/ee/calendars/services/calendars.service"; +import { HttpExceptionFilter } from "@/filters/http-exception.filter"; +import { PrismaExceptionFilter } from "@/filters/prisma-exception.filter"; +import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersModule } from "@/modules/users/users.module"; +import { INestApplication } from "@nestjs/common"; +import { NestExpressApplication } from "@nestjs/platform-express"; +import { Test } from "@nestjs/testing"; +import { PlatformOAuthClient, Team, User, Credential } from "@prisma/client"; +import * as request from "supertest"; +import { CredentialsRepositoryFixture } from "test/fixtures/repository/credentials.repository.fixture"; +import { OAuthClientRepositoryFixture } from "test/fixtures/repository/oauth-client.repository.fixture"; +import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; +import { TokensRepositoryFixture } from "test/fixtures/repository/tokens.repository.fixture"; +import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; +import { CalendarsServiceMock } from "test/mocks/calendars-service-mock"; + +import { + GOOGLE_CALENDAR, + OFFICE_365_CALENDAR, + GOOGLE_CALENDAR_TYPE, + GOOGLE_CALENDAR_ID, +} from "@calcom/platform-constants"; +import { OFFICE_365_CALENDAR_ID, OFFICE_365_CALENDAR_TYPE } from "@calcom/platform-constants"; + +const CLIENT_REDIRECT_URI = "http://localhost:5555"; + +describe("Platform Calendars Endpoints", () => { + let app: INestApplication; + + let oAuthClient: PlatformOAuthClient; + let organization: Team; + let userRepositoryFixture: UserRepositoryFixture; + let oauthClientRepositoryFixture: OAuthClientRepositoryFixture; + let teamRepositoryFixture: TeamRepositoryFixture; + let tokensRepositoryFixture: TokensRepositoryFixture; + let credentialsRepositoryFixture: CredentialsRepositoryFixture; + let user: User; + let office365Credentials: Credential; + let googleCalendarCredentials: Credential; + let accessTokenSecret: string; + let refreshTokenSecret: string; + + beforeAll(async () => { + const moduleRef = await Test.createTestingModule({ + providers: [PrismaExceptionFilter, HttpExceptionFilter], + imports: [AppModule, UsersModule, TokensModule], + }) + .overrideGuard(PermissionsGuard) + .useValue({ + canActivate: () => true, + }) + + .compile(); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + oauthClientRepositoryFixture = new OAuthClientRepositoryFixture(moduleRef); + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + teamRepositoryFixture = new TeamRepositoryFixture(moduleRef); + tokensRepositoryFixture = new TokensRepositoryFixture(moduleRef); + credentialsRepositoryFixture = new CredentialsRepositoryFixture(moduleRef); + organization = await teamRepositoryFixture.create({ name: "organization" }); + oAuthClient = await createOAuthClient(organization.id); + user = await userRepositoryFixture.createOAuthManagedUser("office365-connect@gmail.com", oAuthClient.id); + const tokens = await tokensRepositoryFixture.createTokens(user.id, oAuthClient.id); + accessTokenSecret = tokens.accessToken; + refreshTokenSecret = tokens.refreshToken; + await app.init(); + jest + .spyOn(CalendarsService.prototype, "getCalendars") + .mockImplementation(CalendarsServiceMock.prototype.getCalendars); + }); + + async function createOAuthClient(organizationId: number) { + const data = { + logo: "logo-url", + name: "name", + redirectUris: [CLIENT_REDIRECT_URI], + permissions: 32, + }; + const secret = "secret"; + + const client = await oauthClientRepositoryFixture.create(organizationId, data, secret); + return client; + } + + it("should be defined", () => { + expect(oauthClientRepositoryFixture).toBeDefined(); + expect(userRepositoryFixture).toBeDefined(); + expect(oAuthClient).toBeDefined(); + expect(accessTokenSecret).toBeDefined(); + expect(refreshTokenSecret).toBeDefined(); + expect(user).toBeDefined(); + }); + + it(`/GET/v2/calendars/${OFFICE_365_CALENDAR}/connect: it should respond 401 with invalid access token`, async () => { + await request(app.getHttpServer()) + .get(`/v2/calendars/${OFFICE_365_CALENDAR}/connect`) + .set("Authorization", `Bearer invalid_access_token`) + .expect(401); + }); + + it(`/GET/v2/calendars/${OFFICE_365_CALENDAR}/connect: it should redirect to auth-url for office 365 calendar oauth with valid access token `, async () => { + const response = await request(app.getHttpServer()) + .get(`/v2/calendars/${OFFICE_365_CALENDAR}/connect`) + .set("Authorization", `Bearer ${accessTokenSecret}`) + .set("Origin", CLIENT_REDIRECT_URI) + .expect(200); + const data = response.body.data; + expect(data.authUrl).toBeDefined(); + }); + + it(`/GET/v2/calendars/${GOOGLE_CALENDAR}/connect: it should redirect to auth-url for google calendar oauth with valid access token `, async () => { + const response = await request(app.getHttpServer()) + .get(`/v2/calendars/${GOOGLE_CALENDAR}/connect`) + .set("Authorization", `Bearer ${accessTokenSecret}`) + .set("Origin", CLIENT_REDIRECT_URI) + .expect(200); + const data = response.body.data; + expect(data.authUrl).toBeDefined(); + }); + + it(`/GET/v2/calendars/random-calendar/connect: it should respond 400 with a message saying the calendar type is invalid`, async () => { + await request(app.getHttpServer()) + .get(`/v2/calendars/random-calendar/connect`) + .set("Authorization", `Bearer ${accessTokenSecret}`) + .set("Origin", CLIENT_REDIRECT_URI) + .expect(400); + }); + + it(`/GET/v2/calendars/${OFFICE_365_CALENDAR}/save: without access token`, async () => { + await request(app.getHttpServer()) + .get( + `/v2/calendars/${OFFICE_365_CALENDAR}/save?state=accessToken=${accessTokenSecret}&code=4/0AfJohXmBuT7QVrEPlAJLBu4ZcSnyj5jtDoJqSW_riPUhPXQ70RPGkOEbVO3xs-OzQwpPQw&scope=User.Read%20Calendars.Read%20Calendars.ReadWrite%20offline_access` + ) + .expect(400); + }); + + it(`/GET/v2/calendars/${OFFICE_365_CALENDAR}/save: without origin`, async () => { + await request(app.getHttpServer()) + .get( + `/v2/calendars/${OFFICE_365_CALENDAR}/save?state=accessToken=${accessTokenSecret}&code=4/0AfJohXmBuT7QVrEPlAJLBu4ZcSnyj5jtDoJqSW_riPUhPXQ70RPGkOEbVO3xs-OzQwpPQw&scope=User.Read%20Calendars.Read%20Calendars.ReadWrite%20offline_access` + ) + .expect(400); + }); + + it(`/GET/v2/calendars/${OFFICE_365_CALENDAR}/check without access token`, async () => { + await request(app.getHttpServer()).get(`/v2/calendars/${OFFICE_365_CALENDAR}/check`).expect(401); + }); + + it(`/GET/v2/calendars/${OFFICE_365_CALENDAR}/check with no credentials`, async () => { + await request(app.getHttpServer()) + .get(`/v2/calendars/${OFFICE_365_CALENDAR}/check`) + .set("Authorization", `Bearer ${accessTokenSecret}`) + .set("Origin", CLIENT_REDIRECT_URI) + .expect(400); + }); + + it(`/GET/v2/calendars/${OFFICE_365_CALENDAR}/check with access token, origin and office365 credentials`, async () => { + office365Credentials = await credentialsRepositoryFixture.create( + OFFICE_365_CALENDAR_TYPE, + {}, + user.id, + OFFICE_365_CALENDAR_ID + ); + await request(app.getHttpServer()) + .get(`/v2/calendars/${OFFICE_365_CALENDAR}/check`) + .set("Authorization", `Bearer ${accessTokenSecret}`) + .set("Origin", CLIENT_REDIRECT_URI) + .expect(200); + }); + + it(`/GET/v2/calendars/${GOOGLE_CALENDAR}/check with access token, origin and google calendar credentials`, async () => { + googleCalendarCredentials = await credentialsRepositoryFixture.create( + GOOGLE_CALENDAR_TYPE, + {}, + user.id, + GOOGLE_CALENDAR_ID + ); + await request(app.getHttpServer()) + .get(`/v2/calendars/${GOOGLE_CALENDAR}/check`) + .set("Authorization", `Bearer ${accessTokenSecret}`) + .set("Origin", CLIENT_REDIRECT_URI) + .expect(200); + }); + + afterAll(async () => { + await oauthClientRepositoryFixture.delete(oAuthClient.id); + await teamRepositoryFixture.delete(organization.id); + await credentialsRepositoryFixture.delete(office365Credentials.id); + await credentialsRepositoryFixture.delete(googleCalendarCredentials.id); + await userRepositoryFixture.deleteByEmail(user.email); + await app.close(); + }); +}); diff --git a/apps/api/v2/src/ee/calendars/calendars.interface.ts b/apps/api/v2/src/ee/calendars/calendars.interface.ts new file mode 100644 index 00000000000000..9767e7ee814216 --- /dev/null +++ b/apps/api/v2/src/ee/calendars/calendars.interface.ts @@ -0,0 +1,17 @@ +import { Request } from "express"; + +import { ApiResponse } from "@calcom/platform-types"; + +export interface CalendarApp { + save(state: string, code: string, origin: string): Promise<{ url: string }>; + check(userId: number): Promise; +} + +export interface CredentialSyncCalendarApp { + save(userId: number, userEmail: string, username: string, password: string): Promise<{ status: string }>; + check(userId: number): Promise; +} + +export interface OAuthCalendarApp extends CalendarApp { + connect(authorization: string, req: Request): Promise>; +} diff --git a/apps/api/v2/src/ee/calendars/calendars.module.ts b/apps/api/v2/src/ee/calendars/calendars.module.ts index fe6b382605aace..93b37b6f2bd854 100644 --- a/apps/api/v2/src/ee/calendars/calendars.module.ts +++ b/apps/api/v2/src/ee/calendars/calendars.module.ts @@ -1,13 +1,27 @@ import { CalendarsController } from "@/ee/calendars/controllers/calendars.controller"; +import { AppleCalendarService } from "@/ee/calendars/services/apple-calendar.service"; import { CalendarsService } from "@/ee/calendars/services/calendars.service"; +import { GoogleCalendarService } from "@/ee/calendars/services/gcal.service"; +import { OutlookService } from "@/ee/calendars/services/outlook.service"; +import { AppsRepository } from "@/modules/apps/apps.repository"; import { CredentialsRepository } from "@/modules/credentials/credentials.repository"; import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { SelectedCalendarsRepository } from "@/modules/selected-calendars/selected-calendars.repository"; +import { TokensModule } from "@/modules/tokens/tokens.module"; import { UsersModule } from "@/modules/users/users.module"; import { Module } from "@nestjs/common"; @Module({ - imports: [PrismaModule, UsersModule], - providers: [CredentialsRepository, CalendarsService], + imports: [PrismaModule, UsersModule, TokensModule], + providers: [ + CredentialsRepository, + CalendarsService, + OutlookService, + GoogleCalendarService, + AppleCalendarService, + SelectedCalendarsRepository, + AppsRepository, + ], controllers: [CalendarsController], exports: [CalendarsService], }) diff --git a/apps/api/v2/src/ee/calendars/controllers/calendars.controller.ts b/apps/api/v2/src/ee/calendars/controllers/calendars.controller.ts index 4a1e705672052f..79dde7b9f80ab9 100644 --- a/apps/api/v2/src/ee/calendars/controllers/calendars.controller.ts +++ b/apps/api/v2/src/ee/calendars/controllers/calendars.controller.ts @@ -1,24 +1,59 @@ import { GetBusyTimesOutput } from "@/ee/calendars/outputs/busy-times.output"; import { ConnectedCalendarsOutput } from "@/ee/calendars/outputs/connected-calendars.output"; +import { AppleCalendarService } from "@/ee/calendars/services/apple-calendar.service"; import { CalendarsService } from "@/ee/calendars/services/calendars.service"; +import { GoogleCalendarService } from "@/ee/calendars/services/gcal.service"; +import { OutlookService } from "@/ee/calendars/services/outlook.service"; +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; -import { AccessTokenGuard } from "@/modules/auth/guards/access-token/access-token.guard"; +import { Permissions } from "@/modules/auth/decorators/permissions/permissions.decorator"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; +import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; import { UserWithProfile } from "@/modules/users/users.repository"; -import { Controller, Get, UseGuards, Query } from "@nestjs/common"; +import { + Controller, + Get, + UseGuards, + Query, + HttpStatus, + HttpCode, + Req, + Param, + Headers, + Redirect, + BadRequestException, + Post, + Body, +} from "@nestjs/common"; import { ApiTags as DocsTags } from "@nestjs/swagger"; +import { User } from "@prisma/client"; +import { Request } from "express"; +import { z } from "zod"; -import { SUCCESS_STATUS } from "@calcom/platform-constants"; -import { CalendarBusyTimesInput } from "@calcom/platform-types"; +import { APPS_READ } from "@calcom/platform-constants"; +import { + SUCCESS_STATUS, + CALENDARS, + GOOGLE_CALENDAR, + OFFICE_365_CALENDAR, + APPLE_CALENDAR, +} from "@calcom/platform-constants"; +import { ApiResponse, CalendarBusyTimesInput } from "@calcom/platform-types"; @Controller({ - path: "/calendars", - version: "2", + path: "/v2/calendars", + version: API_VERSIONS_VALUES, }) -@UseGuards(AccessTokenGuard) @DocsTags("Calendars") export class CalendarsController { - constructor(private readonly calendarsService: CalendarsService) {} + constructor( + private readonly calendarsService: CalendarsService, + private readonly outlookService: OutlookService, + private readonly googleCalendarService: GoogleCalendarService, + private readonly appleCalendarService: AppleCalendarService + ) {} + @UseGuards(ApiAuthGuard) @Get("/busy-times") async getBusyTimes( @Query() queryParams: CalendarBusyTimesInput, @@ -47,6 +82,7 @@ export class CalendarsController { } @Get("/") + @UseGuards(ApiAuthGuard) async getCalendars(@GetUser("id") userId: number): Promise { const calendars = await this.calendarsService.getCalendars(userId); @@ -55,4 +91,96 @@ export class CalendarsController { data: calendars, }; } + + @UseGuards(ApiAuthGuard) + @Get("/:calendar/connect") + @HttpCode(HttpStatus.OK) + async redirect( + @Req() req: Request, + @Headers("Authorization") authorization: string, + @Param("calendar") calendar: string, + @Query("redir") redir?: string | null + ): Promise> { + switch (calendar) { + case OFFICE_365_CALENDAR: + return await this.outlookService.connect(authorization, req, redir ?? ""); + case GOOGLE_CALENDAR: + return await this.googleCalendarService.connect(authorization, req, redir ?? ""); + default: + throw new BadRequestException( + "Invalid calendar type, available calendars are: ", + CALENDARS.join(", ") + ); + } + } + + @Get("/:calendar/save") + @HttpCode(HttpStatus.OK) + @Redirect(undefined, 301) + async save( + @Query("state") state: string, + @Query("code") code: string, + @Param("calendar") calendar: string + ): Promise<{ url: string }> { + // state params contains our user access token + const stateParams = new URLSearchParams(state); + const { accessToken, origin, redir } = z + .object({ accessToken: z.string(), origin: z.string(), redir: z.string().nullish().optional() }) + .parse({ + accessToken: stateParams.get("accessToken"), + origin: stateParams.get("origin"), + redir: stateParams.get("redir"), + }); + switch (calendar) { + case OFFICE_365_CALENDAR: + return await this.outlookService.save(code, accessToken, origin, redir ?? ""); + case GOOGLE_CALENDAR: + return await this.googleCalendarService.save(code, accessToken, origin, redir ?? ""); + default: + throw new BadRequestException( + "Invalid calendar type, available calendars are: ", + CALENDARS.join(", ") + ); + } + } + + @UseGuards(ApiAuthGuard) + @Post("/:calendar/credentials") + async syncCredentials( + @GetUser() user: User, + @Param("calendar") calendar: string, + @Body() body: { username: string; password: string } + ): Promise<{ status: string }> { + const { username, password } = body; + + switch (calendar) { + case APPLE_CALENDAR: + return await this.appleCalendarService.save(user.id, user.email, username, password); + default: + throw new BadRequestException( + "Invalid calendar type, available calendars are: ", + CALENDARS.join(", ") + ); + } + } + + @Get("/:calendar/check") + @HttpCode(HttpStatus.OK) + @UseGuards(ApiAuthGuard, PermissionsGuard) + @Permissions([APPS_READ]) + async check(@GetUser("id") userId: number, @Param("calendar") calendar: string): Promise { + switch (calendar) { + case OFFICE_365_CALENDAR: + return await this.outlookService.check(userId); + case GOOGLE_CALENDAR: + return await this.googleCalendarService.check(userId); + case APPLE_CALENDAR: + return await this.appleCalendarService.check(userId); + default: + throw new BadRequestException( + "Invalid calendar type, available calendars are: ", + CALENDARS.join(", ") + ); + } + } } diff --git a/apps/api/v2/src/ee/calendars/services/apple-calendar.service.ts b/apps/api/v2/src/ee/calendars/services/apple-calendar.service.ts new file mode 100644 index 00000000000000..4c0601466d76ba --- /dev/null +++ b/apps/api/v2/src/ee/calendars/services/apple-calendar.service.ts @@ -0,0 +1,92 @@ +import { CredentialSyncCalendarApp } from "@/ee/calendars/calendars.interface"; +import { CalendarsService } from "@/ee/calendars/services/calendars.service"; +import { CredentialsRepository } from "@/modules/credentials/credentials.repository"; +import { BadRequestException, UnauthorizedException } from "@nestjs/common"; +import { Injectable } from "@nestjs/common"; + +import { SUCCESS_STATUS, APPLE_CALENDAR_TYPE, APPLE_CALENDAR_ID } from "@calcom/platform-constants"; +import { symmetricEncrypt, CalendarService } from "@calcom/platform-libraries-0.0.19"; + +@Injectable() +export class AppleCalendarService implements CredentialSyncCalendarApp { + constructor( + private readonly calendarsService: CalendarsService, + private readonly credentialRepository: CredentialsRepository + ) {} + + async save( + userId: number, + userEmail: string, + username: string, + password: string + ): Promise<{ status: string }> { + return await this.saveCalendarCredentials(userId, userEmail, username, password); + } + + async check(userId: number): Promise<{ status: typeof SUCCESS_STATUS }> { + return await this.checkIfCalendarConnected(userId); + } + + async checkIfCalendarConnected(userId: number): Promise<{ status: typeof SUCCESS_STATUS }> { + const appleCalendarCredentials = await this.credentialRepository.getByTypeAndUserId( + APPLE_CALENDAR_TYPE, + userId + ); + + if (!appleCalendarCredentials) { + throw new BadRequestException("Credentials for apple calendar not found."); + } + + if (appleCalendarCredentials.invalid) { + throw new BadRequestException("Invalid apple calendar credentials."); + } + + const { connectedCalendars } = await this.calendarsService.getCalendars(userId); + const appleCalendar = connectedCalendars.find( + (cal: { integration: { type: string } }) => cal.integration.type === APPLE_CALENDAR_TYPE + ); + if (!appleCalendar) { + throw new UnauthorizedException("Apple calendar not connected."); + } + if (appleCalendar.error?.message) { + throw new UnauthorizedException(appleCalendar.error?.message); + } + + return { + status: SUCCESS_STATUS, + }; + } + + async saveCalendarCredentials(userId: number, userEmail: string, username: string, password: string) { + if (username.length <= 1 || password.length <= 1) + throw new BadRequestException(`Username or password cannot be empty`); + + const data = { + type: APPLE_CALENDAR_TYPE, + key: symmetricEncrypt( + JSON.stringify({ username, password }), + process.env.CALENDSO_ENCRYPTION_KEY || "" + ), + userId: userId, + teamId: null, + appId: APPLE_CALENDAR_ID, + invalid: false, + }; + + try { + const dav = new CalendarService({ + id: 0, + ...data, + user: { email: userEmail }, + }); + await dav?.listCalendars(); + await this.credentialRepository.createAppCredential(APPLE_CALENDAR_TYPE, data.key, userId); + } catch (reason) { + throw new BadRequestException(`Could not add this apple calendar account: ${reason}`); + } + + return { + status: SUCCESS_STATUS, + }; + } +} diff --git a/apps/api/v2/src/ee/calendars/services/calendars.service.ts b/apps/api/v2/src/ee/calendars/services/calendars.service.ts index 6fee7cb40e8910..4fbbba049e05e5 100644 --- a/apps/api/v2/src/ee/calendars/services/calendars.service.ts +++ b/apps/api/v2/src/ee/calendars/services/calendars.service.ts @@ -1,3 +1,4 @@ +import { AppsRepository } from "@/modules/apps/apps.repository"; import { CredentialsRepository, CredentialsWithUserEmail, @@ -11,21 +12,26 @@ import { UnauthorizedException, NotFoundException, } from "@nestjs/common"; +import { ConfigService } from "@nestjs/config"; import { User } from "@prisma/client"; import { DateTime } from "luxon"; +import { z } from "zod"; -import { getConnectedDestinationCalendars } from "@calcom/platform-libraries"; -import { getBusyCalendarTimes } from "@calcom/platform-libraries"; +import { getConnectedDestinationCalendars, getBusyCalendarTimes } from "@calcom/platform-libraries-0.0.19"; import { Calendar } from "@calcom/platform-types"; import { PrismaClient } from "@calcom/prisma"; @Injectable() export class CalendarsService { + private oAuthCalendarResponseSchema = z.object({ client_id: z.string(), client_secret: z.string() }); + constructor( private readonly usersRepository: UsersRepository, private readonly credentialsRepository: CredentialsRepository, + private readonly appsRepository: AppsRepository, private readonly dbRead: PrismaReadService, - private readonly dbWrite: PrismaWriteService + private readonly dbWrite: PrismaWriteService, + private readonly config: ConfigService ) {} async getCalendars(userId: number) { @@ -110,4 +116,24 @@ export class CalendarsService { }); return composedSelectedCalendars; } + + async getAppKeys(appName: string) { + const app = await this.appsRepository.getAppBySlug(appName); + + if (!app) { + throw new NotFoundException(); + } + + const { client_id, client_secret } = this.oAuthCalendarResponseSchema.parse(app.keys); + + if (!client_id) { + throw new NotFoundException(); + } + + if (!client_secret) { + throw new NotFoundException(); + } + + return { client_id, client_secret }; + } } diff --git a/apps/api/v2/src/ee/calendars/services/gcal.service.ts b/apps/api/v2/src/ee/calendars/services/gcal.service.ts new file mode 100644 index 00000000000000..9f0d25471c8be2 --- /dev/null +++ b/apps/api/v2/src/ee/calendars/services/gcal.service.ts @@ -0,0 +1,162 @@ +import { OAuthCalendarApp } from "@/ee/calendars/calendars.interface"; +import { CalendarsService } from "@/ee/calendars/services/calendars.service"; +import { AppsRepository } from "@/modules/apps/apps.repository"; +import { CredentialsRepository } from "@/modules/credentials/credentials.repository"; +import { SelectedCalendarsRepository } from "@/modules/selected-calendars/selected-calendars.repository"; +import { TokensRepository } from "@/modules/tokens/tokens.repository"; +import { Logger, NotFoundException } from "@nestjs/common"; +import { BadRequestException, UnauthorizedException } from "@nestjs/common"; +import { Injectable } from "@nestjs/common"; +import { ConfigService } from "@nestjs/config"; +import { Prisma } from "@prisma/client"; +import { Request } from "express"; +import { google } from "googleapis"; +import { z } from "zod"; + +import { SUCCESS_STATUS, GOOGLE_CALENDAR_TYPE } from "@calcom/platform-constants"; + +const CALENDAR_SCOPES = [ + "https://www.googleapis.com/auth/calendar.readonly", + "https://www.googleapis.com/auth/calendar.events", +]; + +@Injectable() +export class GoogleCalendarService implements OAuthCalendarApp { + private redirectUri = `${this.config.get("api.url")}/gcal/oauth/save`; + private gcalResponseSchema = z.object({ client_id: z.string(), client_secret: z.string() }); + private logger = new Logger("GcalService"); + + constructor( + private readonly config: ConfigService, + private readonly appsRepository: AppsRepository, + private readonly credentialRepository: CredentialsRepository, + private readonly calendarsService: CalendarsService, + private readonly tokensRepository: TokensRepository, + private readonly selectedCalendarsRepository: SelectedCalendarsRepository + ) {} + + async connect( + authorization: string, + req: Request, + redir?: string + ): Promise<{ status: typeof SUCCESS_STATUS; data: { authUrl: string } }> { + const accessToken = authorization.replace("Bearer ", ""); + const origin = req.get("origin") ?? req.get("host"); + const redirectUrl = await await this.getCalendarRedirectUrl(accessToken, origin ?? "", redir); + + return { status: SUCCESS_STATUS, data: { authUrl: redirectUrl } }; + } + + async save(code: string, accessToken: string, origin: string, redir?: string): Promise<{ url: string }> { + return await this.saveCalendarCredentialsAndRedirect(code, accessToken, origin, redir); + } + + async check(userId: number): Promise<{ status: typeof SUCCESS_STATUS }> { + return await this.checkIfCalendarConnected(userId); + } + + async getCalendarRedirectUrl(accessToken: string, origin: string, redir?: string) { + const oAuth2Client = await this.getOAuthClient(this.redirectUri); + + const authUrl = oAuth2Client.generateAuthUrl({ + access_type: "offline", + scope: CALENDAR_SCOPES, + prompt: "consent", + state: `accessToken=${accessToken}&origin=${origin}&redir=${redir ?? ""}`, + }); + + return authUrl; + } + + async getOAuthClient(redirectUri: string) { + this.logger.log("Getting Google Calendar OAuth Client"); + const app = await this.appsRepository.getAppBySlug("google-calendar"); + + if (!app) { + throw new NotFoundException(); + } + + const { client_id, client_secret } = this.gcalResponseSchema.parse(app.keys); + + const oAuth2Client = new google.auth.OAuth2(client_id, client_secret, redirectUri); + return oAuth2Client; + } + + async checkIfCalendarConnected(userId: number): Promise<{ status: typeof SUCCESS_STATUS }> { + const gcalCredentials = await this.credentialRepository.getByTypeAndUserId("google_calendar", userId); + + if (!gcalCredentials) { + throw new BadRequestException("Credentials for google_calendar not found."); + } + + if (gcalCredentials.invalid) { + throw new BadRequestException("Invalid google oauth credentials."); + } + + const { connectedCalendars } = await this.calendarsService.getCalendars(userId); + const googleCalendar = connectedCalendars.find( + (cal: { integration: { type: string } }) => cal.integration.type === GOOGLE_CALENDAR_TYPE + ); + if (!googleCalendar) { + throw new UnauthorizedException("Google Calendar not connected."); + } + if (googleCalendar.error?.message) { + throw new UnauthorizedException(googleCalendar.error?.message); + } + + return { status: SUCCESS_STATUS }; + } + + async saveCalendarCredentialsAndRedirect( + code: string, + accessToken: string, + origin: string, + redir?: string + ) { + // User chose not to authorize your app or didn't authorize your app + // redirect directly without oauth code + if (!code) { + return { url: redir || origin }; + } + + const parsedCode = z.string().parse(code); + + const ownerId = await this.tokensRepository.getAccessTokenOwnerId(accessToken); + + if (!ownerId) { + throw new UnauthorizedException("Invalid Access token."); + } + + const oAuth2Client = await this.getOAuthClient(this.redirectUri); + const token = await oAuth2Client.getToken(parsedCode); + // Google oAuth Credentials are stored in token.tokens + const key = token.tokens; + const credential = await this.credentialRepository.createAppCredential( + GOOGLE_CALENDAR_TYPE, + key as Prisma.InputJsonValue, + ownerId + ); + + oAuth2Client.setCredentials(key); + + const calendar = google.calendar({ + version: "v3", + auth: oAuth2Client, + }); + + const cals = await calendar.calendarList.list({ fields: "items(id,summary,primary,accessRole)" }); + + const primaryCal = cals.data.items?.find((cal) => cal.primary); + + if (primaryCal?.id) { + await this.selectedCalendarsRepository.createSelectedCalendar( + primaryCal.id, + credential.id, + ownerId, + GOOGLE_CALENDAR_TYPE + ); + } + + return { url: redir || origin }; + } +} diff --git a/apps/api/v2/src/ee/calendars/services/outlook.service.ts b/apps/api/v2/src/ee/calendars/services/outlook.service.ts new file mode 100644 index 00000000000000..060427fdcee819 --- /dev/null +++ b/apps/api/v2/src/ee/calendars/services/outlook.service.ts @@ -0,0 +1,189 @@ +import { OAuthCalendarApp } from "@/ee/calendars/calendars.interface"; +import { CalendarsService } from "@/ee/calendars/services/calendars.service"; +import { CredentialsRepository } from "@/modules/credentials/credentials.repository"; +import { SelectedCalendarsRepository } from "@/modules/selected-calendars/selected-calendars.repository"; +import { TokensRepository } from "@/modules/tokens/tokens.repository"; +import type { Calendar as OfficeCalendar } from "@microsoft/microsoft-graph-types-beta"; +import { BadRequestException, UnauthorizedException } from "@nestjs/common"; +import { Injectable } from "@nestjs/common"; +import { ConfigService } from "@nestjs/config"; +import { Request } from "express"; +import { stringify } from "querystring"; +import { z } from "zod"; + +import { + SUCCESS_STATUS, + OFFICE_365_CALENDAR, + OFFICE_365_CALENDAR_ID, + OFFICE_365_CALENDAR_TYPE, +} from "@calcom/platform-constants"; + +@Injectable() +export class OutlookService implements OAuthCalendarApp { + private redirectUri = `${this.config.get("api.url")}/calendars/${OFFICE_365_CALENDAR}/save`; + + constructor( + private readonly config: ConfigService, + private readonly calendarsService: CalendarsService, + private readonly credentialRepository: CredentialsRepository, + private readonly tokensRepository: TokensRepository, + private readonly selectedCalendarsRepository: SelectedCalendarsRepository + ) {} + + async connect( + authorization: string, + req: Request, + redir?: string + ): Promise<{ status: typeof SUCCESS_STATUS; data: { authUrl: string } }> { + const accessToken = authorization.replace("Bearer ", ""); + const origin = req.get("origin") ?? req.get("host"); + const redirectUrl = await await this.getCalendarRedirectUrl(accessToken, origin ?? "", redir); + + return { status: SUCCESS_STATUS, data: { authUrl: redirectUrl } }; + } + + async save(code: string, accessToken: string, origin: string, redir?: string): Promise<{ url: string }> { + return await this.saveCalendarCredentialsAndRedirect(code, accessToken, origin, redir); + } + + async check(userId: number): Promise<{ status: typeof SUCCESS_STATUS }> { + return await this.checkIfCalendarConnected(userId); + } + + async getCalendarRedirectUrl(accessToken: string, origin: string, redir?: string) { + const { client_id } = await this.calendarsService.getAppKeys(OFFICE_365_CALENDAR_ID); + + const scopes = ["User.Read", "Calendars.Read", "Calendars.ReadWrite", "offline_access"]; + const params = { + response_type: "code", + scope: scopes.join(" "), + client_id, + prompt: "select_account", + redirect_uri: this.redirectUri, + state: `accessToken=${accessToken}&origin=${origin}&redir=${redir ?? ""}`, + }; + + const query = stringify(params); + + const url = `https://login.microsoftonline.com/common/oauth2/v2.0/authorize?${query}`; + + return url; + } + + async checkIfCalendarConnected(userId: number): Promise<{ status: typeof SUCCESS_STATUS }> { + const office365CalendarCredentials = await this.credentialRepository.getByTypeAndUserId( + "office365_calendar", + userId + ); + + if (!office365CalendarCredentials) { + throw new BadRequestException("Credentials for office_365_calendar not found."); + } + + if (office365CalendarCredentials.invalid) { + throw new BadRequestException("Invalid office 365 calendar credentials."); + } + + const { connectedCalendars } = await this.calendarsService.getCalendars(userId); + const office365Calendar = connectedCalendars.find( + (cal: { integration: { type: string } }) => cal.integration.type === OFFICE_365_CALENDAR_TYPE + ); + if (!office365Calendar) { + throw new UnauthorizedException("Office 365 calendar not connected."); + } + if (office365Calendar.error?.message) { + throw new UnauthorizedException(office365Calendar.error?.message); + } + + return { + status: SUCCESS_STATUS, + }; + } + + async getOAuthCredentials(code: string) { + const scopes = ["offline_access", "Calendars.Read", "Calendars.ReadWrite"]; + const { client_id, client_secret } = await this.calendarsService.getAppKeys(OFFICE_365_CALENDAR_ID); + + const toUrlEncoded = (payload: Record) => + Object.keys(payload) + .map((key) => `${key}=${encodeURIComponent(payload[key])}`) + .join("&"); + + const body = toUrlEncoded({ + client_id, + grant_type: "authorization_code", + code, + scope: scopes.join(" "), + redirect_uri: this.redirectUri, + client_secret, + }); + + const response = await fetch("https://login.microsoftonline.com/common/oauth2/v2.0/token", { + method: "POST", + headers: { + "Content-Type": "application/x-www-form-urlencoded;charset=UTF-8", + }, + body, + }); + + const responseBody = await response.json(); + + return responseBody; + } + + async getDefaultCalendar(accessToken: string): Promise { + const response = await fetch("https://graph.microsoft.com/v1.0/me/calendar", { + method: "GET", + headers: { + Authorization: `Bearer ${accessToken}`, + "Content-Type": "application/json", + }, + }); + const responseBody = await response.json(); + + return responseBody as OfficeCalendar; + } + + async saveCalendarCredentialsAndRedirect( + code: string, + accessToken: string, + origin: string, + redir?: string + ) { + // if code is not defined, user denied to authorize office 365 app, just redirect straight away + if (!code) { + return { url: redir || origin }; + } + + const parsedCode = z.string().parse(code); + + const ownerId = await this.tokensRepository.getAccessTokenOwnerId(accessToken); + + if (!ownerId) { + throw new UnauthorizedException("Invalid Access token."); + } + + const office365OAuthCredentials = await this.getOAuthCredentials(parsedCode); + + const defaultCalendar = await this.getDefaultCalendar(office365OAuthCredentials.access_token); + + if (defaultCalendar?.id) { + const credential = await this.credentialRepository.createAppCredential( + OFFICE_365_CALENDAR_TYPE, + office365OAuthCredentials, + ownerId + ); + + await this.selectedCalendarsRepository.createSelectedCalendar( + defaultCalendar.id, + credential.id, + ownerId, + OFFICE_365_CALENDAR_TYPE + ); + } + + return { + url: redir || origin, + }; + } +} diff --git a/apps/api/v2/src/ee/event-types/event-types.module.ts b/apps/api/v2/src/ee/event-types/event-types.module.ts deleted file mode 100644 index 5163794ae9135a..00000000000000 --- a/apps/api/v2/src/ee/event-types/event-types.module.ts +++ /dev/null @@ -1,17 +0,0 @@ -import { EventTypesController } from "@/ee/event-types/controllers/event-types.controller"; -import { EventTypesRepository } from "@/ee/event-types/event-types.repository"; -import { EventTypesService } from "@/ee/event-types/services/event-types.service"; -import { MembershipsModule } from "@/modules/memberships/memberships.module"; -import { PrismaModule } from "@/modules/prisma/prisma.module"; -import { SelectedCalendarsModule } from "@/modules/selected-calendars/selected-calendars.module"; -import { TokensModule } from "@/modules/tokens/tokens.module"; -import { UsersModule } from "@/modules/users/users.module"; -import { Module } from "@nestjs/common"; - -@Module({ - imports: [PrismaModule, MembershipsModule, TokensModule, UsersModule, SelectedCalendarsModule], - providers: [EventTypesRepository, EventTypesService], - controllers: [EventTypesController], - exports: [EventTypesService, EventTypesRepository], -}) -export class EventTypesModule {} diff --git a/apps/api/v2/src/ee/event-types/constants/constants.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/constants/constants.ts similarity index 100% rename from apps/api/v2/src/ee/event-types/constants/constants.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/constants/constants.ts diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_04_15/controllers/event-types.controller.e2e-spec.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/controllers/event-types.controller.e2e-spec.ts new file mode 100644 index 00000000000000..9df8253bddb773 --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/controllers/event-types.controller.e2e-spec.ts @@ -0,0 +1,437 @@ +import { bootstrap } from "@/app"; +import { AppModule } from "@/app.module"; +import { Editable } from "@/ee/event-types/event-types_2024_04_15//inputs/enums/editable"; +import { EventTypesModule_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/event-types.module"; +import { CreateEventTypeInput_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/create-event-type.input"; +import { BaseField } from "@/ee/event-types/event-types_2024_04_15/inputs/enums/field-type"; +import { UpdateEventTypeInput_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/update-event-type.input"; +import { GetEventTypePublicOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/get-event-type-public.output"; +import { GetEventTypeOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/get-event-type.output"; +import { GetEventTypesPublicOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/get-event-types-public.output"; +import { HttpExceptionFilter } from "@/filters/http-exception.filter"; +import { PrismaExceptionFilter } from "@/filters/prisma-exception.filter"; +import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersModule } from "@/modules/users/users.module"; +import { INestApplication } from "@nestjs/common"; +import { NestExpressApplication } from "@nestjs/platform-express"; +import { Test } from "@nestjs/testing"; +import { EventType, PlatformOAuthClient, Team, User } from "@prisma/client"; +import * as request from "supertest"; +import { EventTypesRepositoryFixture } from "test/fixtures/repository/event-types.repository.fixture"; +import { OAuthClientRepositoryFixture } from "test/fixtures/repository/oauth-client.repository.fixture"; +import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; +import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; +import { withApiAuth } from "test/utils/withApiAuth"; + +import { + SUCCESS_STATUS, + VERSION_2024_06_11, + VERSION_2024_04_15, + CAL_API_VERSION_HEADER, +} from "@calcom/platform-constants"; +import { + EventTypesByViewer, + EventTypesPublic, + eventTypeBookingFields, + eventTypeLocations, +} from "@calcom/platform-libraries-0.0.19"; +import { ApiSuccessResponse } from "@calcom/platform-types"; + +describe("Event types Endpoints", () => { + describe("Not authenticated", () => { + let app: INestApplication; + + beforeAll(async () => { + const moduleRef = await Test.createTestingModule({ + providers: [PrismaExceptionFilter, HttpExceptionFilter], + imports: [AppModule, UsersModule, EventTypesModule_2024_04_15, TokensModule], + }) + .overrideGuard(PermissionsGuard) + .useValue({ + canActivate: () => true, + }) + .compile(); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + await app.init(); + }); + + it(`/GET/:id`, () => { + return request(app.getHttpServer()).get("/api/v2/event-types/100").expect(401); + }); + + afterAll(async () => { + await app.close(); + }); + }); + + describe("User Authenticated", () => { + let app: INestApplication; + + let oAuthClient: PlatformOAuthClient; + let organization: Team; + let userRepositoryFixture: UserRepositoryFixture; + let oauthClientRepositoryFixture: OAuthClientRepositoryFixture; + let teamRepositoryFixture: TeamRepositoryFixture; + let eventTypesRepositoryFixture: EventTypesRepositoryFixture; + + const userEmail = "event-types-test-e2e@api.com"; + const name = "bob-the-builder"; + const username = name; + let eventType: EventType; + let user: User; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + providers: [PrismaExceptionFilter, HttpExceptionFilter], + imports: [AppModule, UsersModule, EventTypesModule_2024_04_15, TokensModule], + }) + ) + .overrideGuard(PermissionsGuard) + .useValue({ + canActivate: () => true, + }) + .compile(); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + oauthClientRepositoryFixture = new OAuthClientRepositoryFixture(moduleRef); + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + teamRepositoryFixture = new TeamRepositoryFixture(moduleRef); + eventTypesRepositoryFixture = new EventTypesRepositoryFixture(moduleRef); + + organization = await teamRepositoryFixture.create({ name: "organization" }); + oAuthClient = await createOAuthClient(organization.id); + user = await userRepositoryFixture.create({ + email: userEmail, + name, + username, + }); + + await app.init(); + }); + + async function createOAuthClient(organizationId: number) { + const data = { + logo: "logo-url", + name: "name", + redirectUris: ["redirect-uri"], + permissions: 32, + }; + const secret = "secret"; + + const client = await oauthClientRepositoryFixture.create(organizationId, data, secret); + return client; + } + + it("should be defined", () => { + expect(oauthClientRepositoryFixture).toBeDefined(); + expect(userRepositoryFixture).toBeDefined(); + expect(oAuthClient).toBeDefined(); + expect(user).toBeDefined(); + }); + + it("should create an event type", async () => { + const body: CreateEventTypeInput_2024_04_15 = { + title: "Test Event Type", + slug: "test-event-type", + description: "A description of the test event type.", + length: 60, + hidden: false, + disableGuests: true, + slotInterval: 15, + afterEventBuffer: 5, + beforeEventBuffer: 10, + minimumBookingNotice: 120, + locations: [ + { + type: "Online", + link: "https://example.com/meet", + displayLocationPublicly: true, + }, + ], + }; + + return request(app.getHttpServer()) + .post("/api/v2/event-types") + .set(CAL_API_VERSION_HEADER, VERSION_2024_04_15) + .send(body) + .expect(201) + .then(async (response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.data).toHaveProperty("id"); + expect(responseBody.data.title).toEqual(body.title); + expect(responseBody.data.disableGuests).toEqual(body.disableGuests); + expect(responseBody.data.slotInterval).toEqual(body.slotInterval); + expect(responseBody.data.minimumBookingNotice).toEqual(body.minimumBookingNotice); + expect(responseBody.data.beforeEventBuffer).toEqual(body.beforeEventBuffer); + expect(responseBody.data.afterEventBuffer).toEqual(body.afterEventBuffer); + + eventType = responseBody.data; + }); + }); + + it("should update event type", async () => { + const newTitle = "Updated title"; + + const body: UpdateEventTypeInput_2024_04_15 = { + title: newTitle, + disableGuests: false, + slotInterval: 30, + afterEventBuffer: 10, + beforeEventBuffer: 15, + minimumBookingNotice: 240, + }; + + return request(app.getHttpServer()) + .patch(`/api/v2/event-types/${eventType.id}`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_04_15) + .send(body) + .expect(200) + .then(async (response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.data.title).toEqual(newTitle); + expect(responseBody.data.disableGuests).toEqual(body.disableGuests); + expect(responseBody.data.slotInterval).toEqual(body.slotInterval); + expect(responseBody.data.minimumBookingNotice).toEqual(body.minimumBookingNotice); + expect(responseBody.data.beforeEventBuffer).toEqual(body.beforeEventBuffer); + expect(responseBody.data.afterEventBuffer).toEqual(body.afterEventBuffer); + + eventType.title = newTitle; + eventType.disableGuests = responseBody.data.disableGuests ?? false; + eventType.slotInterval = body.slotInterval ?? null; + eventType.minimumBookingNotice = body.minimumBookingNotice ?? 10; + eventType.beforeEventBuffer = body.beforeEventBuffer ?? 10; + eventType.afterEventBuffer = body.afterEventBuffer ?? 10; + }); + }); + + it("should return 400 if param event type id is null", async () => { + const locations = [{ type: "inPerson", address: "123 Main St" }]; + + const body: UpdateEventTypeInput_2024_04_15 = { + locations, + }; + + return request(app.getHttpServer()).patch(`/api/v2/event-types/null`).send(body).expect(400); + }); + + it("should update event type locations", async () => { + const locations = [{ type: "inPerson", address: "123 Main St" }]; + + const body: UpdateEventTypeInput_2024_04_15 = { + locations, + }; + + return request(app.getHttpServer()) + .patch(`/api/v2/event-types/${eventType.id}`) + .send(body) + .expect(200) + .then(async (response) => { + const responseBody: ApiSuccessResponse = response.body; + const responseLocations = eventTypeLocations.parse(responseBody.data.locations); + expect(responseLocations).toBeDefined(); + expect(responseLocations.length).toEqual(locations.length); + expect(responseLocations).toEqual(locations); + eventType.locations = responseLocations; + }); + }); + + it("should update event type bookingFields", async () => { + const bookingFieldName = "location-name"; + const bookingFields = [ + { + name: bookingFieldName, + type: BaseField.radio, + label: "Location", + options: [ + { + label: "Via Bari 10, Roma, 90119, Italy", + value: "Via Bari 10, Roma, 90119, Italy", + }, + { + label: "Via Reale 28, Roma, 9001, Italy", + value: "Via Reale 28, Roma, 9001, Italy", + }, + ], + sources: [ + { + id: "user", + type: "user", + label: "User", + fieldRequired: true, + }, + ], + editable: Editable.user, + required: true, + placeholder: "", + }, + ]; + + const body: UpdateEventTypeInput_2024_04_15 = { + bookingFields, + }; + + return request(app.getHttpServer()) + .patch(`/api/v2/event-types/${eventType.id}`) + .send(body) + .expect(200) + .then(async (response) => { + const responseBody: ApiSuccessResponse = response.body; + const responseBookingFields = eventTypeBookingFields.parse(responseBody.data.bookingFields); + expect(responseBookingFields).toBeDefined(); + // note(Lauris): response bookingFields are already existing default bookingFields + the new one + const responseBookingField = responseBookingFields.find((field) => field.name === bookingFieldName); + expect(responseBookingField).toEqual(bookingFields[0]); + eventType.bookingFields = responseBookingFields; + }); + }); + + it(`/GET/:id`, async () => { + const response = await request(app.getHttpServer()) + .get(`/api/v2/event-types/${eventType.id}`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_04_15) + // note: bearer token value mocked using "withApiAuth" for user which id is used when creating event type above + .set("Authorization", `Bearer whatever`) + .expect(200); + + const responseBody: GetEventTypeOutput = response.body; + + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data).toBeDefined(); + expect(responseBody.data.eventType.id).toEqual(eventType.id); + expect(responseBody.data.eventType.title).toEqual(eventType.title); + expect(responseBody.data.eventType.slug).toEqual(eventType.slug); + expect(responseBody.data.eventType.userId).toEqual(user.id); + }); + + it(`/GET/:id with version VERSION_2024_06_11`, async () => { + const response = await request(app.getHttpServer()) + .get(`/api/v2/event-types/${eventType.id}`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_06_11) + // note: bearer token value mocked using "withApiAuth" for user which id is used when creating event type above + .set("Authorization", `Bearer whatever`) + .expect(200); + + const responseBody: GetEventTypeOutput = response.body; + + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data).toBeDefined(); + expect(responseBody.data.eventType.id).toEqual(eventType.id); + expect(responseBody.data.eventType.title).toEqual(eventType.title); + expect(responseBody.data.eventType.slug).toEqual(eventType.slug); + expect(responseBody.data.eventType.userId).toEqual(user.id); + }); + + it(`/GET/:username/public`, async () => { + const response = await request(app.getHttpServer()) + .get(`/api/v2/event-types/${username}/public`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_04_15) + // note: bearer token value mocked using "withApiAuth" for user which id is used when creating event type above + .set("Authorization", `Bearer whatever`) + .expect(200); + + const responseBody: GetEventTypesPublicOutput = response.body; + + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data).toBeDefined(); + expect(responseBody.data?.length).toEqual(1); + expect(responseBody.data?.[0]?.id).toEqual(eventType.id); + expect(responseBody.data?.[0]?.title).toEqual(eventType.title); + expect(responseBody.data?.[0]?.slug).toEqual(eventType.slug); + expect(responseBody.data?.[0]?.length).toEqual(eventType.length); + }); + + it(`/GET/:username/:eventSlug/public`, async () => { + const response = await request(app.getHttpServer()) + .get(`/api/v2/event-types/${username}/${eventType.slug}/public`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_04_15) + // note: bearer token value mocked using "withApiAuth" for user which id is used when creating event type above + .set("Authorization", `Bearer whatever`) + .expect(200); + + const responseBody: GetEventTypePublicOutput = response.body; + + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data).toBeDefined(); + expect(responseBody.data?.id).toEqual(eventType.id); + expect(responseBody.data?.title).toEqual(eventType.title); + expect(responseBody.data?.slug).toEqual(eventType.slug); + expect(responseBody.data?.length).toEqual(eventType.length); + }); + + it(`/GET/`, async () => { + const response = await request(app.getHttpServer()) + .get(`/api/v2/event-types`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_04_15) + // note: bearer token value mocked using "withApiAuth" for user which id is used when creating event type above + .set("Authorization", `Bearer whatever`) + .expect(200); + + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data).toBeDefined(); + expect(responseBody.data.eventTypeGroups).toBeDefined(); + expect(responseBody.data.eventTypeGroups).toBeDefined(); + expect(responseBody.data.eventTypeGroups[0]).toBeDefined(); + expect(responseBody.data.eventTypeGroups[0].profile).toBeDefined(); + expect(responseBody.data.eventTypeGroups?.[0]?.profile?.name).toEqual(name); + expect(responseBody.data.eventTypeGroups?.[0]?.eventTypes?.[0]?.id).toEqual(eventType.id); + expect(responseBody.data.profiles?.[0]?.name).toEqual(name); + }); + + it(`/GET/public/:username/`, async () => { + const response = await request(app.getHttpServer()) + .get(`/api/v2/event-types/${username}/public`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_04_15) + // note: bearer token value mocked using "withApiAuth" for user which id is used when creating event type above + .set("Authorization", `Bearer whatever`) + .expect(200); + + const responseBody: ApiSuccessResponse = response.body; + + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data).toBeDefined(); + expect(responseBody.data).toBeDefined(); + expect(responseBody.data.length).toEqual(1); + expect(responseBody.data[0].id).toEqual(eventType.id); + }); + + it(`/GET/:id not existing`, async () => { + await request(app.getHttpServer()) + .get(`/api/v2/event-types/1000`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_04_15) + // note: bearer token value mocked using "withApiAuth" for user which id is used when creating event type above + .set("Authorization", `Bearer whatever`) + .expect(404); + }); + + it("should delete schedule", async () => { + return request(app.getHttpServer()) + .delete(`/api/v2/event-types/${eventType.id}`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_04_15) + .expect(200); + }); + + afterAll(async () => { + await oauthClientRepositoryFixture.delete(oAuthClient.id); + await teamRepositoryFixture.delete(organization.id); + try { + await eventTypesRepositoryFixture.delete(eventType.id); + } catch (e) { + // Event type might have been deleted by the test + } + try { + await userRepositoryFixture.delete(user.id); + } catch (e) { + // User might have been deleted by the test + } + await app.close(); + }); + }); +}); diff --git a/apps/api/v2/src/ee/event-types/controllers/event-types.controller.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/controllers/event-types.controller.ts similarity index 61% rename from apps/api/v2/src/ee/event-types/controllers/event-types.controller.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/controllers/event-types.controller.ts index 3c8c7076fbe996..9b5ba327c0ea7c 100644 --- a/apps/api/v2/src/ee/event-types/controllers/event-types.controller.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/controllers/event-types.controller.ts @@ -1,17 +1,22 @@ -import { CreateEventTypeInput } from "@/ee/event-types/inputs/create-event-type.input"; -import { GetPublicEventTypeQueryParams } from "@/ee/event-types/inputs/get-public-event-type-query-params.input"; -import { UpdateEventTypeInput } from "@/ee/event-types/inputs/update-event-type.input"; -import { CreateEventTypeOutput } from "@/ee/event-types/outputs/create-event-type.output"; -import { DeleteEventTypeOutput } from "@/ee/event-types/outputs/delete-event-type.output"; -import { GetEventTypePublicOutput } from "@/ee/event-types/outputs/get-event-type-public.output"; -import { GetEventTypeOutput } from "@/ee/event-types/outputs/get-event-type.output"; -import { GetEventTypesPublicOutput } from "@/ee/event-types/outputs/get-event-types-public.output"; -import { GetEventTypesOutput } from "@/ee/event-types/outputs/get-event-types.output"; -import { UpdateEventTypeOutput } from "@/ee/event-types/outputs/update-event-type.output"; -import { EventTypesService } from "@/ee/event-types/services/event-types.service"; +import { CreateEventTypeInput_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/create-event-type.input"; +import { EventTypeIdParams_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/event-type-id.input"; +import { GetPublicEventTypeQueryParams_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/get-public-event-type-query-params.input"; +import { UpdateEventTypeInput_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/update-event-type.input"; +import { CreateEventTypeOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/create-event-type.output"; +import { DeleteEventTypeOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/delete-event-type.output"; +import { GetEventTypePublicOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/get-event-type-public.output"; +import { GetEventTypeOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/get-event-type.output"; +import { GetEventTypesPublicOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/get-event-types-public.output"; +import { + GetEventTypesData, + GetEventTypesOutput, +} from "@/ee/event-types/event-types_2024_04_15/outputs/get-event-types.output"; +import { UpdateEventTypeOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/update-event-type.output"; +import { EventTypesService_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/services/event-types.service"; +import { VERSION_2024_04_15, VERSION_2024_06_11 } from "@/lib/api-versions"; import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; import { Permissions } from "@/modules/auth/decorators/permissions/permissions.decorator"; -import { AccessTokenGuard } from "@/modules/auth/guards/access-token/access-token.guard"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; import { UserWithProfile } from "@/modules/users/users.repository"; @@ -29,31 +34,31 @@ import { Delete, Query, InternalServerErrorException, + ParseIntPipe, } from "@nestjs/common"; import { ApiTags as DocsTags } from "@nestjs/swagger"; import { EVENT_TYPE_READ, EVENT_TYPE_WRITE, SUCCESS_STATUS } from "@calcom/platform-constants"; -import { getPublicEvent } from "@calcom/platform-libraries"; -import { getEventTypesByViewer } from "@calcom/platform-libraries"; +import { getPublicEvent, getEventTypesByViewer } from "@calcom/platform-libraries-0.0.2"; import { PrismaClient } from "@calcom/prisma"; @Controller({ - path: "event-types", - version: "2", + path: "/v2/event-types", + version: [VERSION_2024_04_15, VERSION_2024_06_11], }) @UseGuards(PermissionsGuard) @DocsTags("Event types") -export class EventTypesController { +export class EventTypesController_2024_04_15 { constructor( - private readonly eventTypesService: EventTypesService, + private readonly eventTypesService: EventTypesService_2024_04_15, private readonly prismaReadService: PrismaReadService ) {} @Post("/") @Permissions([EVENT_TYPE_WRITE]) - @UseGuards(AccessTokenGuard) + @UseGuards(ApiAuthGuard) async createEventType( - @Body() body: CreateEventTypeInput, + @Body() body: CreateEventTypeInput_2024_04_15, @GetUser() user: UserWithProfile ): Promise { const eventType = await this.eventTypesService.createUserEventType(user, body); @@ -66,9 +71,9 @@ export class EventTypesController { @Get("/:eventTypeId") @Permissions([EVENT_TYPE_READ]) - @UseGuards(AccessTokenGuard) + @UseGuards(ApiAuthGuard) async getEventType( - @Param("eventTypeId") eventTypeId: string, + @Param("eventTypeId", ParseIntPipe) eventTypeId: number, @GetUser() user: UserWithProfile ): Promise { const eventType = await this.eventTypesService.getUserEventTypeForAtom(user, Number(eventTypeId)); @@ -85,7 +90,7 @@ export class EventTypesController { @Get("/") @Permissions([EVENT_TYPE_READ]) - @UseGuards(AccessTokenGuard) + @UseGuards(ApiAuthGuard) async getEventTypes(@GetUser() user: UserWithProfile): Promise { const eventTypes = await getEventTypesByViewer({ id: user.id, @@ -96,7 +101,7 @@ export class EventTypesController { return { status: SUCCESS_STATUS, - data: eventTypes, + data: eventTypes as GetEventTypesData, }; } @@ -104,7 +109,7 @@ export class EventTypesController { async getPublicEventType( @Param("username") username: string, @Param("eventSlug") eventSlug: string, - @Query() queryParams: GetPublicEventTypeQueryParams + @Query() queryParams: GetPublicEventTypeQueryParams_2024_04_15 ): Promise { try { const event = await getPublicEvent( @@ -141,11 +146,12 @@ export class EventTypesController { @Patch("/:eventTypeId") @Permissions([EVENT_TYPE_WRITE]) - @UseGuards(AccessTokenGuard) + @UseGuards(ApiAuthGuard) @HttpCode(HttpStatus.OK) async updateEventType( - @Param("eventTypeId") eventTypeId: number, - @Body() body: UpdateEventTypeInput, + @Param() params: EventTypeIdParams_2024_04_15, + @Param("eventTypeId", ParseIntPipe) eventTypeId: number, + @Body() body: UpdateEventTypeInput_2024_04_15, @GetUser() user: UserWithProfile ): Promise { const eventType = await this.eventTypesService.updateEventType(eventTypeId, body, user); @@ -158,9 +164,10 @@ export class EventTypesController { @Delete("/:eventTypeId") @Permissions([EVENT_TYPE_WRITE]) - @UseGuards(AccessTokenGuard) + @UseGuards(ApiAuthGuard) async deleteEventType( - @Param("eventTypeId") eventTypeId: number, + @Param() params: EventTypeIdParams_2024_04_15, + @Param("eventTypeId", ParseIntPipe) eventTypeId: number, @GetUser("id") userId: number ): Promise { const eventType = await this.eventTypesService.deleteEventType(eventTypeId, userId); diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_04_15/event-types.module.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/event-types.module.ts new file mode 100644 index 00000000000000..7b54e9c7f7e508 --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/event-types.module.ts @@ -0,0 +1,17 @@ +import { EventTypesController_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/controllers/event-types.controller"; +import { EventTypesRepository_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/event-types.repository"; +import { EventTypesService_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/services/event-types.service"; +import { MembershipsModule } from "@/modules/memberships/memberships.module"; +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { SelectedCalendarsModule } from "@/modules/selected-calendars/selected-calendars.module"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersModule } from "@/modules/users/users.module"; +import { Module } from "@nestjs/common"; + +@Module({ + imports: [PrismaModule, MembershipsModule, TokensModule, UsersModule, SelectedCalendarsModule], + providers: [EventTypesRepository_2024_04_15, EventTypesService_2024_04_15], + controllers: [EventTypesController_2024_04_15], + exports: [EventTypesService_2024_04_15, EventTypesRepository_2024_04_15], +}) +export class EventTypesModule_2024_04_15 {} diff --git a/apps/api/v2/src/ee/event-types/event-types.repository.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/event-types.repository.ts similarity index 86% rename from apps/api/v2/src/ee/event-types/event-types.repository.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/event-types.repository.ts index 560513b98255ef..e4e7b03f60d956 100644 --- a/apps/api/v2/src/ee/event-types/event-types.repository.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/event-types.repository.ts @@ -1,19 +1,19 @@ -import { CreateEventTypeInput } from "@/ee/event-types/inputs/create-event-type.input"; +import { CreateEventTypeInput_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/create-event-type.input"; import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; -import type { PrismaClient } from "@calcom/prisma"; import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; import { UserWithProfile } from "@/modules/users/users.repository"; import { Injectable } from "@nestjs/common"; -import { getEventTypeById } from "@calcom/platform-libraries"; +import { getEventTypeById } from "@calcom/platform-libraries-0.0.19"; +import type { PrismaClient } from "@calcom/prisma"; @Injectable() -export class EventTypesRepository { +export class EventTypesRepository_2024_04_15 { constructor(private readonly dbRead: PrismaReadService, private readonly dbWrite: PrismaWriteService) {} async createUserEventType( userId: number, - body: Pick + body: Pick ) { return this.dbWrite.prisma.eventType.create({ data: { diff --git a/apps/api/v2/src/ee/event-types/inputs/create-event-type.input.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/create-event-type.input.ts similarity index 65% rename from apps/api/v2/src/ee/event-types/inputs/create-event-type.input.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/create-event-type.input.ts index 469ea1f4efdc13..9bd7e346bc8b6d 100644 --- a/apps/api/v2/src/ee/event-types/inputs/create-event-type.input.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/create-event-type.input.ts @@ -1,7 +1,16 @@ -import { EventTypeLocation } from "@/ee/event-types/inputs/event-type-location.input"; +import { EventTypeLocation_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/event-type-location.input"; import { ApiProperty as DocsProperty, ApiHideProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; -import { IsString, IsNumber, IsBoolean, IsOptional, ValidateNested, Min, IsArray } from "class-validator"; +import { + IsString, + IsNumber, + IsBoolean, + IsOptional, + ValidateNested, + Min, + IsArray, + IsInt, +} from "class-validator"; export const CREATE_EVENT_LENGTH_EXAMPLE = 60; export const CREATE_EVENT_SLUG_EXAMPLE = "cooking-class"; @@ -11,7 +20,7 @@ export const CREATE_EVENT_DESCRIPTION_EXAMPLE = // note(Lauris): We will gradually expose more properties if any customer needs them. // Just uncomment any below when requested. -export class CreateEventTypeInput { +export class CreateEventTypeInput_2024_04_15 { @IsNumber() @Min(1) @DocsProperty({ example: CREATE_EVENT_LENGTH_EXAMPLE }) @@ -37,9 +46,33 @@ export class CreateEventTypeInput { @IsOptional() @ValidateNested({ each: true }) - @Type(() => EventTypeLocation) + @Type(() => EventTypeLocation_2024_04_15) @IsArray() - locations?: EventTypeLocation[]; + locations?: EventTypeLocation_2024_04_15[]; + + @IsBoolean() + @IsOptional() + disableGuests?: boolean; + + @IsInt() + @Min(0) + @IsOptional() + slotInterval?: number; + + @IsInt() + @Min(0) + @IsOptional() + minimumBookingNotice?: number; + + @IsInt() + @Min(0) + @IsOptional() + beforeEventBuffer?: number; + + @IsInt() + @Min(0) + @IsOptional() + afterEventBuffer?: number; // @ApiHideProperty() // @IsOptional() diff --git a/apps/api/v2/src/ee/event-types/inputs/enums/editable.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/enums/editable.ts similarity index 100% rename from apps/api/v2/src/ee/event-types/inputs/enums/editable.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/enums/editable.ts diff --git a/apps/api/v2/src/ee/event-types/inputs/enums/field-type.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/enums/field-type.ts similarity index 100% rename from apps/api/v2/src/ee/event-types/inputs/enums/field-type.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/enums/field-type.ts diff --git a/apps/api/v2/src/ee/event-types/inputs/enums/frequency.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/enums/frequency.ts similarity index 100% rename from apps/api/v2/src/ee/event-types/inputs/enums/frequency.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/enums/frequency.ts diff --git a/apps/api/v2/src/ee/event-types/inputs/enums/period-type.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/enums/period-type.ts similarity index 100% rename from apps/api/v2/src/ee/event-types/inputs/enums/period-type.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/enums/period-type.ts diff --git a/apps/api/v2/src/ee/event-types/inputs/enums/scheduling-type.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/enums/scheduling-type.ts similarity index 100% rename from apps/api/v2/src/ee/event-types/inputs/enums/scheduling-type.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/enums/scheduling-type.ts diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/event-type-id.input.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/event-type-id.input.ts new file mode 100644 index 00000000000000..37d108c7462122 --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/event-type-id.input.ts @@ -0,0 +1,6 @@ +import { IsNumberString } from "class-validator"; + +export class EventTypeIdParams_2024_04_15 { + @IsNumberString() + eventTypeId!: number; +} diff --git a/apps/api/v2/src/ee/event-types/inputs/event-type-location.input.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/event-type-location.input.ts similarity index 95% rename from apps/api/v2/src/ee/event-types/inputs/event-type-location.input.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/event-type-location.input.ts index a2584ec20e7fb3..96ca332e84f190 100644 --- a/apps/api/v2/src/ee/event-types/inputs/event-type-location.input.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/event-type-location.input.ts @@ -4,7 +4,7 @@ import { IsString, IsNumber, IsBoolean, IsOptional, IsUrl } from "class-validato // note(Lauris): We will gradually expose more properties if any customer needs them. // Just uncomment any below when requested. -export class EventTypeLocation { +export class EventTypeLocation_2024_04_15 { @IsString() @DocsProperty({ example: "link" }) type!: string; diff --git a/apps/api/v2/src/ee/event-types/inputs/get-public-event-type-query-params.input.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/get-public-event-type-query-params.input.ts similarity index 83% rename from apps/api/v2/src/ee/event-types/inputs/get-public-event-type-query-params.input.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/get-public-event-type-query-params.input.ts index a94dc9ea2698ce..02fc93647fdc4b 100644 --- a/apps/api/v2/src/ee/event-types/inputs/get-public-event-type-query-params.input.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/get-public-event-type-query-params.input.ts @@ -2,7 +2,7 @@ import { ApiProperty } from "@nestjs/swagger"; import { Transform } from "class-transformer"; import { IsBoolean, IsOptional, IsString } from "class-validator"; -export class GetPublicEventTypeQueryParams { +export class GetPublicEventTypeQueryParams_2024_04_15 { @Transform(({ value }: { value: string }) => value === "true") @IsBoolean() @IsOptional() @@ -12,5 +12,5 @@ export class GetPublicEventTypeQueryParams { @ApiProperty({ required: false }) @IsString() @IsOptional() - org?: string; + org?: string | null; } diff --git a/apps/api/v2/src/ee/event-types/inputs/update-event-type.input.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/update-event-type.input.ts similarity index 84% rename from apps/api/v2/src/ee/event-types/inputs/update-event-type.input.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/update-event-type.input.ts index d03e451d44f369..cf9c3c901c24b9 100644 --- a/apps/api/v2/src/ee/event-types/inputs/update-event-type.input.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/inputs/update-event-type.input.ts @@ -1,7 +1,7 @@ -import { Editable } from "@/ee/event-types/inputs/enums/editable"; -import { BaseField } from "@/ee/event-types/inputs/enums/field-type"; -import { Frequency } from "@/ee/event-types/inputs/enums/frequency"; -import { EventTypeLocation } from "@/ee/event-types/inputs/event-type-location.input"; +import { Editable } from "@/ee/event-types/event-types_2024_04_15/inputs/enums/editable"; +import { BaseField } from "@/ee/event-types/event-types_2024_04_15/inputs/enums/field-type"; +import { Frequency } from "@/ee/event-types/event-types_2024_04_15/inputs/enums/frequency"; +import { EventTypeLocation_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/event-type-location.input"; import { Type } from "class-transformer"; import { IsString, @@ -105,7 +105,7 @@ class VariantsConfig { variants!: Record; } -export class BookingField { +export class BookingField_2024_04_15 { @IsEnum(BaseField) type!: BaseField; @@ -179,7 +179,7 @@ export class BookingField { sources?: Source[]; } -export class RecurringEvent { +export class RecurringEvent_2024_04_15 { @IsDate() @IsOptional() dtstart?: Date; @@ -202,7 +202,7 @@ export class RecurringEvent { tzid?: string; } -export class IntervalLimits { +export class IntervalLimits_2024_04_15 { @IsNumber() @IsOptional() PER_DAY?: number; @@ -220,7 +220,7 @@ export class IntervalLimits { PER_YEAR?: number; } -export class UpdateEventTypeInput { +export class UpdateEventTypeInput_2024_04_15 { @IsInt() @Min(1) @IsOptional() @@ -243,9 +243,9 @@ export class UpdateEventTypeInput { hidden?: boolean; @ValidateNested({ each: true }) - @Type(() => EventTypeLocation) + @Type(() => EventTypeLocation_2024_04_15) @IsOptional() - locations?: EventTypeLocation[]; + locations?: EventTypeLocation_2024_04_15[]; // @IsInt() // @IsOptional() @@ -275,11 +275,11 @@ export class UpdateEventTypeInput { // @IsOptional() // parentId?: number; - // @IsOptional() - // @IsArray() - // @ValidateNested({ each: true }) - // @Type(() => BookingField) - // bookingFields?: BookingField[]; + @IsOptional() + @IsArray() + @ValidateNested({ each: true }) + @Type(() => BookingField_2024_04_15) + bookingFields?: BookingField_2024_04_15[]; // @IsString() // @IsOptional() @@ -322,26 +322,28 @@ export class UpdateEventTypeInput { // @IsOptional() // recurringEvent?: RecurringEvent; - // @IsBoolean() - // @IsOptional() - // disableGuests?: boolean; + @IsBoolean() + @IsOptional() + disableGuests?: boolean; // @IsBoolean() // @IsOptional() // hideCalendarNotes?: boolean; - // @IsInt() - // @Min(0) - // @IsOptional() - // minimumBookingNotice?: number; + @IsInt() + @Min(0) + @IsOptional() + minimumBookingNotice?: number; - // @IsInt() - // @IsOptional() - // beforeEventBuffer?: number; + @IsInt() + @Min(0) + @IsOptional() + beforeEventBuffer?: number; - // @IsInt() - // @IsOptional() - // afterEventBuffer?: number; + @IsInt() + @Min(0) + @IsOptional() + afterEventBuffer?: number; // @IsInt() // @IsOptional() @@ -375,9 +377,10 @@ export class UpdateEventTypeInput { // @IsOptional() // currency?: string; - // @IsInt() - // @IsOptional() - // slotInterval?: number; + @IsInt() + @Min(0) + @IsOptional() + slotInterval?: number; // @IsString() // @IsOptional() diff --git a/apps/api/v2/src/ee/event-types/outputs/create-event-type.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/create-event-type.output.ts similarity index 85% rename from apps/api/v2/src/ee/event-types/outputs/create-event-type.output.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/create-event-type.output.ts index 1a77102d4c5f8c..c7675708fe99d9 100644 --- a/apps/api/v2/src/ee/event-types/outputs/create-event-type.output.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/create-event-type.output.ts @@ -1,4 +1,4 @@ -import { EventTypeOutput } from "@/ee/event-types/outputs/event-type.output"; +import { EventTypeOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/event-type.output"; import { ApiProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; import { IsEnum, IsNotEmptyObject, ValidateNested } from "class-validator"; diff --git a/apps/api/v2/src/ee/event-types/outputs/delete-event-type.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/delete-event-type.output.ts similarity index 92% rename from apps/api/v2/src/ee/event-types/outputs/delete-event-type.output.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/delete-event-type.output.ts index 738ab324995b22..76ddc81563d5f1 100644 --- a/apps/api/v2/src/ee/event-types/outputs/delete-event-type.output.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/delete-event-type.output.ts @@ -2,7 +2,7 @@ import { CREATE_EVENT_LENGTH_EXAMPLE, CREATE_EVENT_SLUG_EXAMPLE, CREATE_EVENT_TITLE_EXAMPLE, -} from "@/ee/event-types/inputs/create-event-type.input"; +} from "@/ee/event-types/event-types_2024_04_15/inputs/create-event-type.input"; import { ApiProperty } from "@nestjs/swagger"; import { ApiProperty as DocsProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; diff --git a/apps/api/v2/src/ee/event-types/outputs/event-type.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/event-type.output.ts similarity index 75% rename from apps/api/v2/src/ee/event-types/outputs/event-type.output.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/event-type.output.ts index a165dfa685fa7e..b95fe6ac801578 100644 --- a/apps/api/v2/src/ee/event-types/outputs/event-type.output.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/event-type.output.ts @@ -3,15 +3,15 @@ import { CREATE_EVENT_LENGTH_EXAMPLE, CREATE_EVENT_SLUG_EXAMPLE, CREATE_EVENT_TITLE_EXAMPLE, -} from "@/ee/event-types/inputs/create-event-type.input"; -import { PeriodType } from "@/ee/event-types/inputs/enums/period-type"; -import { SchedulingType } from "@/ee/event-types/inputs/enums/scheduling-type"; -import { EventTypeLocation } from "@/ee/event-types/inputs/event-type-location.input"; +} from "@/ee/event-types/event-types_2024_04_15/inputs/create-event-type.input"; +import { PeriodType } from "@/ee/event-types/event-types_2024_04_15/inputs/enums/period-type"; +import { SchedulingType } from "@/ee/event-types/event-types_2024_04_15/inputs/enums/scheduling-type"; +import { EventTypeLocation_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/event-type-location.input"; import { - BookingField, - IntervalLimits, - RecurringEvent, -} from "@/ee/event-types/inputs/update-event-type.input"; + BookingField_2024_04_15, + IntervalLimits_2024_04_15, + RecurringEvent_2024_04_15, +} from "@/ee/event-types/event-types_2024_04_15/inputs/update-event-type.input"; import { ApiProperty as DocsProperty, ApiHideProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; import { @@ -53,13 +53,14 @@ export class EventTypeOutput { hidden!: boolean; @ValidateNested({ each: true }) - @Type(() => EventTypeLocation) + @Type(() => EventTypeLocation_2024_04_15) @IsArray() - locations!: EventTypeLocation[] | null; + locations!: EventTypeLocation_2024_04_15[] | null; @IsInt() @ApiHideProperty() - position!: number; + @IsOptional() + position?: number; @IsInt() @ApiHideProperty() @@ -71,7 +72,8 @@ export class EventTypeOutput { @IsInt() @ApiHideProperty() - profileId!: number | null; + @IsOptional() + profileId?: number | null; @IsInt() @ApiHideProperty() @@ -83,14 +85,15 @@ export class EventTypeOutput { @IsInt() @ApiHideProperty() - parentId!: number | null; + @IsOptional() + parentId?: number | null; @IsOptional() @IsArray() @ValidateNested({ each: true }) - @Type(() => BookingField) + @Type(() => BookingField_2024_04_15) @ApiHideProperty() - bookingFields!: BookingField[] | null; + bookingFields!: BookingField_2024_04_15[] | null; @IsString() @ApiHideProperty() @@ -129,10 +132,10 @@ export class EventTypeOutput { requiresBookerEmailVerification!: boolean; @ValidateNested() - @Type(() => RecurringEvent) + @Type(() => RecurringEvent_2024_04_15) @IsOptional() @ApiHideProperty() - recurringEvent!: RecurringEvent | null; + recurringEvent!: RecurringEvent_2024_04_15 | null; @IsBoolean() @ApiHideProperty() @@ -176,7 +179,8 @@ export class EventTypeOutput { @IsInt() @ApiHideProperty() - scheduleId!: number | null; + @IsOptional() + scheduleId?: number | null; @IsNumber() @ApiHideProperty() @@ -199,15 +203,15 @@ export class EventTypeOutput { successRedirectUrl!: string | null; @ValidateNested() - @Type(() => IntervalLimits) + @Type(() => IntervalLimits_2024_04_15) @IsOptional() @ApiHideProperty() - bookingLimits!: IntervalLimits; + bookingLimits!: IntervalLimits_2024_04_15; @ValidateNested() - @Type(() => IntervalLimits) + @Type(() => IntervalLimits_2024_04_15) @ApiHideProperty() - durationLimits!: IntervalLimits; + durationLimits!: IntervalLimits_2024_04_15; @IsBoolean() @ApiHideProperty() diff --git a/apps/api/v2/src/ee/event-types/outputs/get-event-type-public.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/get-event-type-public.output.ts similarity index 100% rename from apps/api/v2/src/ee/event-types/outputs/get-event-type-public.output.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/get-event-type-public.output.ts diff --git a/apps/api/v2/src/ee/event-types/outputs/get-event-type.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/get-event-type.output.ts similarity index 87% rename from apps/api/v2/src/ee/event-types/outputs/get-event-type.output.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/get-event-type.output.ts index 605be799e97903..4d0cc43eb41477 100644 --- a/apps/api/v2/src/ee/event-types/outputs/get-event-type.output.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/get-event-type.output.ts @@ -1,4 +1,4 @@ -import { EventTypeOutput } from "@/ee/event-types/outputs/event-type.output"; +import { EventTypeOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/event-type.output"; import { ApiProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; import { IsEnum, ValidateNested } from "class-validator"; diff --git a/apps/api/v2/src/ee/event-types/outputs/get-event-types-public.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/get-event-types-public.output.ts similarity index 93% rename from apps/api/v2/src/ee/event-types/outputs/get-event-types-public.output.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/get-event-types-public.output.ts index c3789fce154fc5..1fecef2ffa7e63 100644 --- a/apps/api/v2/src/ee/event-types/outputs/get-event-types-public.output.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/get-event-types-public.output.ts @@ -2,7 +2,7 @@ import { CREATE_EVENT_LENGTH_EXAMPLE, CREATE_EVENT_SLUG_EXAMPLE, CREATE_EVENT_TITLE_EXAMPLE, -} from "@/ee/event-types/inputs/create-event-type.input"; +} from "@/ee/event-types/event-types_2024_04_15/inputs/create-event-type.input"; import { ApiProperty } from "@nestjs/swagger"; import { ApiProperty as DocsProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; diff --git a/apps/api/v2/src/ee/event-types/outputs/get-event-types.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/get-event-types.output.ts similarity index 85% rename from apps/api/v2/src/ee/event-types/outputs/get-event-types.output.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/get-event-types.output.ts index 735db07b935713..de791d0a7c54ce 100644 --- a/apps/api/v2/src/ee/event-types/outputs/get-event-types.output.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/get-event-types.output.ts @@ -1,4 +1,4 @@ -import { EventTypeOutput } from "@/ee/event-types/outputs/event-type.output"; +import { EventTypeOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/event-type.output"; import { ApiProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; import { IsArray, IsEnum, ValidateNested } from "class-validator"; @@ -12,7 +12,7 @@ class EventTypeGroup { eventTypes!: EventTypeOutput[]; } -class GetEventTypesData { +export class GetEventTypesData { @ValidateNested({ each: true }) @Type(() => EventTypeGroup) @IsArray() diff --git a/apps/api/v2/src/ee/event-types/outputs/update-event-type.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/update-event-type.output.ts similarity index 85% rename from apps/api/v2/src/ee/event-types/outputs/update-event-type.output.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/update-event-type.output.ts index 642be558a6d930..52b68f4399da5e 100644 --- a/apps/api/v2/src/ee/event-types/outputs/update-event-type.output.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/outputs/update-event-type.output.ts @@ -1,4 +1,4 @@ -import { EventTypeOutput } from "@/ee/event-types/outputs/event-type.output"; +import { EventTypeOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/event-type.output"; import { ApiProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; import { IsEnum, IsNotEmptyObject, ValidateNested } from "class-validator"; diff --git a/apps/api/v2/src/ee/event-types/services/event-types.service.ts b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/services/event-types.service.ts similarity index 80% rename from apps/api/v2/src/ee/event-types/services/event-types.service.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_04_15/services/event-types.service.ts index e55b0b1eba056d..dc4f4b881cd5f9 100644 --- a/apps/api/v2/src/ee/event-types/services/event-types.service.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_04_15/services/event-types.service.ts @@ -1,28 +1,36 @@ -import { DEFAULT_EVENT_TYPES } from "@/ee/event-types/constants/constants"; -import { EventTypesRepository } from "@/ee/event-types/event-types.repository"; -import { CreateEventTypeInput } from "@/ee/event-types/inputs/create-event-type.input"; -import { UpdateEventTypeInput } from "@/ee/event-types/inputs/update-event-type.input"; +import { DEFAULT_EVENT_TYPES } from "@/ee/event-types/event-types_2024_04_15/constants/constants"; +import { EventTypesRepository_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/event-types.repository"; +import { CreateEventTypeInput_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/create-event-type.input"; +import { UpdateEventTypeInput_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/update-event-type.input"; +import { EventTypeOutput } from "@/ee/event-types/event-types_2024_04_15/outputs/event-type.output"; import { MembershipsRepository } from "@/modules/memberships/memberships.repository"; import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; import { SelectedCalendarsRepository } from "@/modules/selected-calendars/selected-calendars.repository"; import { UserWithProfile, UsersRepository } from "@/modules/users/users.repository"; import { BadRequestException, ForbiddenException, Injectable, NotFoundException } from "@nestjs/common"; -import { createEventType, updateEventType } from "@calcom/platform-libraries"; -import { getEventTypesPublic, EventTypesPublic } from "@calcom/platform-libraries"; +import { + createEventType, + updateEventType, + EventTypesPublic, + getEventTypesPublic, +} from "@calcom/platform-libraries-0.0.19"; import { EventType } from "@calcom/prisma/client"; @Injectable() -export class EventTypesService { +export class EventTypesService_2024_04_15 { constructor( - private readonly eventTypesRepository: EventTypesRepository, + private readonly eventTypesRepository: EventTypesRepository_2024_04_15, private readonly membershipsRepository: MembershipsRepository, private readonly usersRepository: UsersRepository, private readonly selectedCalendarsRepository: SelectedCalendarsRepository, private readonly dbWrite: PrismaWriteService ) {} - async createUserEventType(user: UserWithProfile, body: CreateEventTypeInput) { + async createUserEventType( + user: UserWithProfile, + body: CreateEventTypeInput_2024_04_15 + ): Promise { await this.checkCanCreateEventType(user.id, body); const eventTypeUser = await this.getUserToCreateEvent(user); const { eventType } = await createEventType({ @@ -34,10 +42,10 @@ export class EventTypesService { prisma: this.dbWrite.prisma, }, }); - return eventType; + return eventType as EventTypeOutput; } - async checkCanCreateEventType(userId: number, body: CreateEventTypeInput) { + async checkCanCreateEventType(userId: number, body: CreateEventTypeInput_2024_04_15) { const existsWithSlug = await this.eventTypesRepository.getUserEventTypeBySlug(userId, body.slug); if (existsWithSlug) { throw new BadRequestException("User already has an event type with this slug."); @@ -52,6 +60,7 @@ export class EventTypesService { const profileId = user.movedToProfile?.id || null; return { id: user.id, + role: user.role, organizationId: user.organizationId, organization: { isOrgAdmin }, profile: { id: profileId }, @@ -88,7 +97,7 @@ export class EventTypesService { } this.checkUserOwnsEventType(user.id, eventType.eventType); - return eventType; + return eventType as { eventType: EventTypeOutput }; } async getEventTypesPublicByUsername(username: string): Promise { @@ -113,7 +122,7 @@ export class EventTypesService { return defaultEventTypes; } - async updateEventType(eventTypeId: number, body: UpdateEventTypeInput, user: UserWithProfile) { + async updateEventType(eventTypeId: number, body: UpdateEventTypeInput_2024_04_15, user: UserWithProfile) { this.checkCanUpdateEventType(user.id, eventTypeId); const eventTypeUser = await this.getUserToUpdateEvent(user); await updateEventType({ @@ -126,9 +135,13 @@ export class EventTypesService { }, }); - const { eventType } = await this.getUserEventTypeForAtom(user, eventTypeId); + const eventType = await this.getUserEventTypeForAtom(user, eventTypeId); - return eventType; + if (!eventType) { + throw new NotFoundException(`Event type with id ${eventTypeId} not found`); + } + + return eventType.eventType; } async checkCanUpdateEventType(userId: number, eventTypeId: number) { diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_06_14/constants/constants.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/constants/constants.ts new file mode 100644 index 00000000000000..690c1b4deceb6d --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/constants/constants.ts @@ -0,0 +1,16 @@ +export const DEFAULT_EVENT_TYPES = { + thirtyMinutes: { length: 30, slug: "thirty-minutes", title: "30 Minutes" }, + thirtyMinutesVideo: { + length: 30, + slug: "thirty-minutes-video", + title: "30 Minutes", + locations: [{ type: "integrations:daily" }], + }, + sixtyMinutes: { length: 60, slug: "sixty-minutes", title: "60 Minutes" }, + sixtyMinutesVideo: { + length: 60, + slug: "sixty-minutes-video", + title: "60 Minutes", + locations: [{ type: "integrations:daily" }], + }, +}; diff --git a/apps/api/v2/src/ee/event-types/controllers/event-types.controller.e2e-spec.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/controllers/event-types.controller.e2e-spec.ts similarity index 55% rename from apps/api/v2/src/ee/event-types/controllers/event-types.controller.e2e-spec.ts rename to apps/api/v2/src/ee/event-types/event-types_2024_06_14/controllers/event-types.controller.e2e-spec.ts index 77678f838786ba..c53d259472fb21 100644 --- a/apps/api/v2/src/ee/event-types/controllers/event-types.controller.e2e-spec.ts +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/controllers/event-types.controller.e2e-spec.ts @@ -1,11 +1,6 @@ import { bootstrap } from "@/app"; import { AppModule } from "@/app.module"; -import { EventTypesModule } from "@/ee/event-types/event-types.module"; -import { CreateEventTypeInput } from "@/ee/event-types/inputs/create-event-type.input"; -import { UpdateEventTypeInput } from "@/ee/event-types/inputs/update-event-type.input"; -import { GetEventTypePublicOutput } from "@/ee/event-types/outputs/get-event-type-public.output"; -import { GetEventTypeOutput } from "@/ee/event-types/outputs/get-event-type.output"; -import { GetEventTypesPublicOutput } from "@/ee/event-types/outputs/get-event-types-public.output"; +import { EventTypesModule_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/event-types.module"; import { HttpExceptionFilter } from "@/filters/http-exception.filter"; import { PrismaExceptionFilter } from "@/filters/prisma-exception.filter"; import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; @@ -14,17 +9,21 @@ import { UsersModule } from "@/modules/users/users.module"; import { INestApplication } from "@nestjs/common"; import { NestExpressApplication } from "@nestjs/platform-express"; import { Test } from "@nestjs/testing"; -import { EventType, PlatformOAuthClient, Team, User } from "@prisma/client"; +import { PlatformOAuthClient, Team, User } from "@prisma/client"; import * as request from "supertest"; import { EventTypesRepositoryFixture } from "test/fixtures/repository/event-types.repository.fixture"; import { OAuthClientRepositoryFixture } from "test/fixtures/repository/oauth-client.repository.fixture"; import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; -import { withAccessTokenAuth } from "test/utils/withAccessTokenAuth"; +import { withApiAuth } from "test/utils/withApiAuth"; -import { SUCCESS_STATUS } from "@calcom/platform-constants"; -import { EventTypesByViewer, EventTypesPublic } from "@calcom/platform-libraries"; -import { ApiSuccessResponse } from "@calcom/platform-types"; +import { CAL_API_VERSION_HEADER, SUCCESS_STATUS, VERSION_2024_06_14 } from "@calcom/platform-constants"; +import { + ApiSuccessResponse, + CreateEventTypeInput_2024_06_14, + EventTypeOutput_2024_06_14, + UpdateEventTypeInput_2024_06_14, +} from "@calcom/platform-types"; describe("Event types Endpoints", () => { describe("Not authenticated", () => { @@ -33,7 +32,7 @@ describe("Event types Endpoints", () => { beforeAll(async () => { const moduleRef = await Test.createTestingModule({ providers: [PrismaExceptionFilter, HttpExceptionFilter], - imports: [AppModule, UsersModule, EventTypesModule, TokensModule], + imports: [AppModule, UsersModule, EventTypesModule_2024_06_14, TokensModule], }) .overrideGuard(PermissionsGuard) .useValue({ @@ -68,15 +67,15 @@ describe("Event types Endpoints", () => { const userEmail = "event-types-test-e2e@api.com"; const name = "bob-the-builder"; const username = name; - let eventType: EventType; + let eventType: EventTypeOutput_2024_06_14; let user: User; beforeAll(async () => { - const moduleRef = await withAccessTokenAuth( + const moduleRef = await withApiAuth( userEmail, Test.createTestingModule({ providers: [PrismaExceptionFilter, HttpExceptionFilter], - imports: [AppModule, UsersModule, EventTypesModule, TokensModule], + imports: [AppModule, UsersModule, EventTypesModule_2024_06_14, TokensModule], }) ) .overrideGuard(PermissionsGuard) @@ -125,45 +124,74 @@ describe("Event types Endpoints", () => { }); it("should create an event type", async () => { - const body: CreateEventTypeInput = { - title: "Test Event Type", - slug: "test-event-type", - description: "A description of the test event type.", - length: 60, - hidden: false, + const body: CreateEventTypeInput_2024_06_14 = { + title: "Coding class", + slug: "coding-class", + description: "Let's learn how to code like a pro.", + lengthInMinutes: 60, locations: [ { - type: "Online", - link: "https://example.com/meet", - displayLocationPublicly: true, + type: "integration", + integration: "cal-video", + }, + ], + bookingFields: [ + { + type: "select", + label: "select which language you want to learn", + slug: "select-language", + required: true, + placeholder: "select language", + options: ["javascript", "python", "cobol"], }, ], }; return request(app.getHttpServer()) .post("/api/v2/event-types") + .set(CAL_API_VERSION_HEADER, VERSION_2024_06_14) .send(body) .expect(201) .then(async (response) => { - const responseBody: ApiSuccessResponse = response.body; - expect(responseBody.data).toHaveProperty("id"); - expect(responseBody.data.title).toEqual(body.title); + const responseBody: ApiSuccessResponse = response.body; + const createdEventType = responseBody.data; + expect(createdEventType).toHaveProperty("id"); + expect(createdEventType.title).toEqual(body.title); + expect(createdEventType.description).toEqual(body.description); + expect(createdEventType.lengthInMinutes).toEqual(body.lengthInMinutes); + expect(createdEventType.locations).toEqual(body.locations); + expect(createdEventType.bookingFields).toEqual(body.bookingFields); + expect(createdEventType.ownerId).toEqual(user.id); + eventType = responseBody.data; }); }); it("should update event type", async () => { - const newTitle = "Updated title"; + const newTitle = "Coding class in Italian!"; - const body: UpdateEventTypeInput = { + const body: UpdateEventTypeInput_2024_06_14 = { title: newTitle, }; return request(app.getHttpServer()) .patch(`/api/v2/event-types/${eventType.id}`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_06_14) .send(body) .expect(200) - .then(async () => { + .then(async (response) => { + const responseBody: ApiSuccessResponse = response.body; + const updatedEventType = responseBody.data; + expect(updatedEventType.title).toEqual(body.title); + + expect(updatedEventType.id).toEqual(eventType.id); + expect(updatedEventType.title).toEqual(newTitle); + expect(updatedEventType.description).toEqual(eventType.description); + expect(updatedEventType.lengthInMinutes).toEqual(eventType.lengthInMinutes); + expect(updatedEventType.locations).toEqual(eventType.locations); + expect(updatedEventType.bookingFields).toEqual(eventType.bookingFields); + expect(updatedEventType.ownerId).toEqual(user.id); + eventType.title = newTitle; }); }); @@ -171,93 +199,74 @@ describe("Event types Endpoints", () => { it(`/GET/:id`, async () => { const response = await request(app.getHttpServer()) .get(`/api/v2/event-types/${eventType.id}`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_06_14) // note: bearer token value mocked using "withAccessTokenAuth" for user which id is used when creating event type above .set("Authorization", `Bearer whatever`) .expect(200); - const responseBody: GetEventTypeOutput = response.body; + const responseBody: ApiSuccessResponse = response.body; + const fetchedEventType = responseBody.data; expect(responseBody.status).toEqual(SUCCESS_STATUS); expect(responseBody.data).toBeDefined(); - expect(responseBody.data.eventType.id).toEqual(eventType.id); - expect(responseBody.data.eventType.title).toEqual(eventType.title); - expect(responseBody.data.eventType.slug).toEqual(eventType.slug); - expect(responseBody.data.eventType.userId).toEqual(user.id); + expect(fetchedEventType.id).toEqual(eventType.id); + expect(fetchedEventType.title).toEqual(eventType.title); + expect(fetchedEventType.description).toEqual(eventType.description); + expect(fetchedEventType.lengthInMinutes).toEqual(eventType.lengthInMinutes); + expect(fetchedEventType.locations).toEqual(eventType.locations); + expect(fetchedEventType.bookingFields).toEqual(eventType.bookingFields); + expect(fetchedEventType.ownerId).toEqual(user.id); }); - it(`/GET/:username/public`, async () => { + it(`/GET/even-types by username`, async () => { const response = await request(app.getHttpServer()) - .get(`/api/v2/event-types/${username}/public`) + .get(`/api/v2/event-types?username=${username}`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_06_14) // note: bearer token value mocked using "withAccessTokenAuth" for user which id is used when creating event type above .set("Authorization", `Bearer whatever`) .expect(200); - const responseBody: GetEventTypesPublicOutput = response.body; + const responseBody: ApiSuccessResponse = response.body; expect(responseBody.status).toEqual(SUCCESS_STATUS); expect(responseBody.data).toBeDefined(); expect(responseBody.data?.length).toEqual(1); - expect(responseBody.data?.[0]?.id).toEqual(eventType.id); - expect(responseBody.data?.[0]?.title).toEqual(eventType.title); - expect(responseBody.data?.[0]?.slug).toEqual(eventType.slug); - expect(responseBody.data?.[0]?.length).toEqual(eventType.length); - }); - - it(`/GET/:username/:eventSlug/public`, async () => { - const response = await request(app.getHttpServer()) - .get(`/api/v2/event-types/${username}/${eventType.slug}/public`) - // note: bearer token value mocked using "withAccessTokenAuth" for user which id is used when creating event type above - .set("Authorization", `Bearer whatever`) - .expect(200); - - const responseBody: GetEventTypePublicOutput = response.body; - expect(responseBody.status).toEqual(SUCCESS_STATUS); - expect(responseBody.data).toBeDefined(); - expect(responseBody.data?.id).toEqual(eventType.id); - expect(responseBody.data?.title).toEqual(eventType.title); - expect(responseBody.data?.slug).toEqual(eventType.slug); - expect(responseBody.data?.length).toEqual(eventType.length); - }); + const fetchedEventType = responseBody.data?.[0]; - it(`/GET/`, async () => { - const response = await request(app.getHttpServer()) - .get(`/api/v2/event-types`) - // note: bearer token value mocked using "withAccessTokenAuth" for user which id is used when creating event type above - .set("Authorization", `Bearer whatever`) - .expect(200); - - const responseBody: ApiSuccessResponse = response.body; - expect(responseBody.status).toEqual(SUCCESS_STATUS); - expect(responseBody.data).toBeDefined(); - expect(responseBody.data.eventTypeGroups).toBeDefined(); - expect(responseBody.data.eventTypeGroups).toBeDefined(); - expect(responseBody.data.eventTypeGroups[0]).toBeDefined(); - expect(responseBody.data.eventTypeGroups[0].profile).toBeDefined(); - expect(responseBody.data.eventTypeGroups?.[0]?.profile?.name).toEqual(name); - expect(responseBody.data.eventTypeGroups?.[0]?.eventTypes?.[0]?.id).toEqual(eventType.id); - expect(responseBody.data.profiles?.[0]?.name).toEqual(name); + expect(fetchedEventType?.id).toEqual(eventType.id); + expect(fetchedEventType?.title).toEqual(eventType.title); + expect(fetchedEventType?.description).toEqual(eventType.description); + expect(fetchedEventType?.lengthInMinutes).toEqual(eventType.lengthInMinutes); + expect(fetchedEventType?.locations).toEqual(eventType.locations); + expect(fetchedEventType?.bookingFields).toEqual(eventType.bookingFields); + expect(fetchedEventType?.ownerId).toEqual(user.id); }); - it(`/GET/public/:username/`, async () => { + it(`/GET/event-types by username and eventSlug`, async () => { const response = await request(app.getHttpServer()) - .get(`/api/v2/event-types/${username}/public`) + .get(`/api/v2/event-types?username=${username}&eventSlug=${eventType.slug}`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_06_14) // note: bearer token value mocked using "withAccessTokenAuth" for user which id is used when creating event type above .set("Authorization", `Bearer whatever`) .expect(200); - const responseBody: ApiSuccessResponse = response.body; + const responseBody: ApiSuccessResponse = response.body; + const fetchedEventType = responseBody.data[0]; - expect(responseBody.status).toEqual(SUCCESS_STATUS); - expect(responseBody.data).toBeDefined(); - expect(responseBody.data).toBeDefined(); - expect(responseBody.data.length).toEqual(1); - expect(responseBody.data[0].id).toEqual(eventType.id); + expect(fetchedEventType?.id).toEqual(eventType.id); + expect(fetchedEventType?.title).toEqual(eventType.title); + expect(fetchedEventType?.description).toEqual(eventType.description); + expect(fetchedEventType?.lengthInMinutes).toEqual(eventType.lengthInMinutes); + expect(fetchedEventType?.locations).toEqual(eventType.locations); + expect(fetchedEventType?.bookingFields).toEqual(eventType.bookingFields); + expect(fetchedEventType?.ownerId).toEqual(user.id); }); it(`/GET/:id not existing`, async () => { await request(app.getHttpServer()) .get(`/api/v2/event-types/1000`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_06_14) // note: bearer token value mocked using "withAccessTokenAuth" for user which id is used when creating event type above .set("Authorization", `Bearer whatever`) .expect(404); diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_06_14/controllers/event-types.controller.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/controllers/event-types.controller.ts new file mode 100644 index 00000000000000..01c048c6f03df7 --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/controllers/event-types.controller.ts @@ -0,0 +1,127 @@ +import { CreateEventTypeOutput_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/outputs/create-event-type.output"; +import { DeleteEventTypeOutput_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/outputs/delete-event-type.output"; +import { GetEventTypeOutput_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/outputs/get-event-type.output"; +import { GetEventTypesOutput_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/outputs/get-event-types.output"; +import { UpdateEventTypeOutput_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/outputs/update-event-type.output"; +import { EventTypesService_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/services/event-types.service"; +import { VERSION_2024_06_14_VALUE } from "@/lib/api-versions"; +import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; +import { Permissions } from "@/modules/auth/decorators/permissions/permissions.decorator"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; +import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; +import { UserWithProfile } from "@/modules/users/users.repository"; +import { + Controller, + UseGuards, + Get, + Param, + Post, + Body, + NotFoundException, + Patch, + HttpCode, + HttpStatus, + Delete, + Query, +} from "@nestjs/common"; +import { ApiTags as DocsTags } from "@nestjs/swagger"; + +import { EVENT_TYPE_READ, EVENT_TYPE_WRITE, SUCCESS_STATUS } from "@calcom/platform-constants"; +import { + CreateEventTypeInput_2024_06_14, + UpdateEventTypeInput_2024_06_14, + GetEventTypesQuery_2024_06_14, +} from "@calcom/platform-types"; + +@Controller({ + path: "/v2/event-types", + version: VERSION_2024_06_14_VALUE, +}) +@UseGuards(PermissionsGuard) +@DocsTags("Event types") +export class EventTypesController_2024_06_14 { + constructor(private readonly eventTypesService: EventTypesService_2024_06_14) {} + + @Post("/") + @Permissions([EVENT_TYPE_WRITE]) + @UseGuards(ApiAuthGuard) + async createEventType( + @Body() body: CreateEventTypeInput_2024_06_14, + @GetUser() user: UserWithProfile + ): Promise { + const eventType = await this.eventTypesService.createUserEventType(user, body); + + return { + status: SUCCESS_STATUS, + data: eventType, + }; + } + + @Get("/:eventTypeId") + @Permissions([EVENT_TYPE_READ]) + @UseGuards(ApiAuthGuard) + async getEventTypeById( + @Param("eventTypeId") eventTypeId: string, + @GetUser() user: UserWithProfile + ): Promise { + const eventType = await this.eventTypesService.getUserEventType(user.id, Number(eventTypeId)); + + if (!eventType) { + throw new NotFoundException(`Event type with id ${eventTypeId} not found`); + } + + return { + status: SUCCESS_STATUS, + data: eventType, + }; + } + + @Get("/") + async getEventTypes( + @Query() queryParams: GetEventTypesQuery_2024_06_14 + ): Promise { + const eventTypes = await this.eventTypesService.getEventTypes(queryParams); + + return { + status: SUCCESS_STATUS, + data: eventTypes, + }; + } + + @Patch("/:eventTypeId") + @Permissions([EVENT_TYPE_WRITE]) + @UseGuards(ApiAuthGuard) + @HttpCode(HttpStatus.OK) + async updateEventType( + @Param("eventTypeId") eventTypeId: number, + @Body() body: UpdateEventTypeInput_2024_06_14, + @GetUser() user: UserWithProfile + ): Promise { + const eventType = await this.eventTypesService.updateEventType(eventTypeId, body, user); + + return { + status: SUCCESS_STATUS, + data: eventType, + }; + } + + @Delete("/:eventTypeId") + @Permissions([EVENT_TYPE_WRITE]) + @UseGuards(ApiAuthGuard) + async deleteEventType( + @Param("eventTypeId") eventTypeId: number, + @GetUser("id") userId: number + ): Promise { + const eventType = await this.eventTypesService.deleteEventType(eventTypeId, userId); + + return { + status: SUCCESS_STATUS, + data: { + id: eventType.id, + lengthInMinutes: eventType.length, + slug: eventType.slug, + title: eventType.title, + }, + }; + } +} diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_06_14/event-types.module.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/event-types.module.ts new file mode 100644 index 00000000000000..43fbc3e044218e --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/event-types.module.ts @@ -0,0 +1,32 @@ +import { EventTypesController_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/controllers/event-types.controller"; +import { EventTypesRepository_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/event-types.repository"; +import { EventTypesService_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/services/event-types.service"; +import { InputEventTypesService_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/services/input-event-types.service"; +import { OutputEventTypesService_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/services/output-event-types.service"; +import { MembershipsModule } from "@/modules/memberships/memberships.module"; +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { SelectedCalendarsModule } from "@/modules/selected-calendars/selected-calendars.module"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersService } from "@/modules/users/services/users.service"; +import { UsersRepository } from "@/modules/users/users.repository"; +import { Module } from "@nestjs/common"; + +@Module({ + imports: [PrismaModule, MembershipsModule, TokensModule, SelectedCalendarsModule], + providers: [ + EventTypesRepository_2024_06_14, + EventTypesService_2024_06_14, + InputEventTypesService_2024_06_14, + OutputEventTypesService_2024_06_14, + UsersRepository, + UsersService, + ], + controllers: [EventTypesController_2024_06_14], + exports: [ + EventTypesService_2024_06_14, + EventTypesRepository_2024_06_14, + InputEventTypesService_2024_06_14, + OutputEventTypesService_2024_06_14, + ], +}) +export class EventTypesModule_2024_06_14 {} diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_06_14/event-types.repository.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/event-types.repository.ts new file mode 100644 index 00000000000000..b41038585261ba --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/event-types.repository.ts @@ -0,0 +1,103 @@ +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { UserWithProfile } from "@/modules/users/users.repository"; +import { Injectable } from "@nestjs/common"; + +import { + getEventTypeById, + transformApiEventTypeBookingFields, + transformApiEventTypeLocations, +} from "@calcom/platform-libraries-0.0.19"; +import { CreateEventTypeInput_2024_06_14 } from "@calcom/platform-types"; +import type { PrismaClient } from "@calcom/prisma"; + +type InputEventTransformed = Omit< + CreateEventTypeInput_2024_06_14, + "lengthInMinutes" | "locations" | "bookingFields" +> & { + length: number; + slug: string; + locations?: ReturnType; + bookingFields?: ReturnType; +}; + +@Injectable() +export class EventTypesRepository_2024_06_14 { + constructor(private readonly dbRead: PrismaReadService, private readonly dbWrite: PrismaWriteService) {} + + async createUserEventType(userId: number, body: InputEventTransformed) { + return this.dbWrite.prisma.eventType.create({ + data: { + ...body, + userId, + locations: body.locations, + bookingFields: body.bookingFields, + users: { connect: { id: userId } }, + }, + }); + } + + async getEventTypeWithSeats(eventTypeId: number) { + return this.dbRead.prisma.eventType.findUnique({ + where: { id: eventTypeId }, + select: { users: { select: { id: true } }, seatsPerTimeSlot: true }, + }); + } + + async getUserEventType(userId: number, eventTypeId: number) { + return this.dbRead.prisma.eventType.findFirst({ + where: { + id: eventTypeId, + userId, + }, + include: { users: true, schedule: true }, + }); + } + + async getUserEventTypes(userId: number) { + return this.dbRead.prisma.eventType.findMany({ + where: { + userId, + }, + include: { users: true, schedule: true }, + }); + } + + async getUserEventTypeForAtom( + user: UserWithProfile, + isUserOrganizationAdmin: boolean, + eventTypeId: number + ) { + return await getEventTypeById({ + currentOrganizationId: user.movedToProfile?.organizationId || user.organizationId, + eventTypeId, + userId: user.id, + prisma: this.dbRead.prisma as unknown as PrismaClient, + isUserOrganizationAdmin, + isTrpcCall: true, + }); + } + + async getEventTypeById(eventTypeId: number) { + return this.dbRead.prisma.eventType.findUnique({ + where: { id: eventTypeId }, + include: { users: true, schedule: true }, + }); + } + + async getUserEventTypeBySlug(userId: number, slug: string) { + return this.dbRead.prisma.eventType.findUnique({ + where: { + userId_slug: { + userId: userId, + slug: slug, + }, + }, + include: { users: true, schedule: true }, + }); + } + + async deleteEventType(eventTypeId: number) { + return this.dbWrite.prisma.eventType.delete({ where: { id: eventTypeId } }); + } +} diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/create-event-type.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/create-event-type.output.ts new file mode 100644 index 00000000000000..89ff167e82ee0e --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/create-event-type.output.ts @@ -0,0 +1,20 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsIn, IsNotEmptyObject, ValidateNested } from "class-validator"; + +import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; +import { EventTypeOutput_2024_06_14 } from "@calcom/platform-types"; + +export class CreateEventTypeOutput_2024_06_14 { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsIn([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @ApiProperty({ + type: EventTypeOutput_2024_06_14, + }) + @IsNotEmptyObject() + @ValidateNested() + @Type(() => EventTypeOutput_2024_06_14) + data!: EventTypeOutput_2024_06_14; +} diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/delete-event-type.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/delete-event-type.output.ts new file mode 100644 index 00000000000000..df64142ce4658e --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/delete-event-type.output.ts @@ -0,0 +1,33 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { ApiProperty as DocsProperty } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsIn, IsInt, IsString } from "class-validator"; + +import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; +import { CREATE_EVENT_LENGTH_EXAMPLE, CREATE_EVENT_TITLE_EXAMPLE } from "@calcom/platform-types"; + +class DeleteData_2024_06_14 { + @IsInt() + @DocsProperty({ example: 1 }) + id!: number; + + @IsInt() + @DocsProperty({ example: CREATE_EVENT_LENGTH_EXAMPLE }) + lengthInMinutes!: number; + + @IsString() + slug!: string; + + @IsString() + @DocsProperty({ example: CREATE_EVENT_TITLE_EXAMPLE }) + title!: string; +} + +export class DeleteEventTypeOutput_2024_06_14 { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsIn([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @Type(() => DeleteData_2024_06_14) + data!: DeleteData_2024_06_14; +} diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/get-event-type.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/get-event-type.output.ts new file mode 100644 index 00000000000000..b42034fd9c2590 --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/get-event-type.output.ts @@ -0,0 +1,19 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsIn, ValidateNested } from "class-validator"; + +import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; +import { EventTypeOutput_2024_06_14 } from "@calcom/platform-types"; + +export class GetEventTypeOutput_2024_06_14 { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsIn([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @ApiProperty({ + type: EventTypeOutput_2024_06_14, + }) + @ValidateNested() + @Type(() => EventTypeOutput_2024_06_14) + data!: EventTypeOutput_2024_06_14 | null; +} diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/get-event-types.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/get-event-types.output.ts new file mode 100644 index 00000000000000..918b845d0edb9e --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/get-event-types.output.ts @@ -0,0 +1,17 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsArray, IsIn, ValidateNested } from "class-validator"; + +import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; +import { EventTypeOutput_2024_06_14 } from "@calcom/platform-types"; + +export class GetEventTypesOutput_2024_06_14 { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsIn([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @ValidateNested({ each: true }) + @Type(() => EventTypeOutput_2024_06_14) + @IsArray() + data!: EventTypeOutput_2024_06_14[]; +} diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/update-event-type.output.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/update-event-type.output.ts new file mode 100644 index 00000000000000..7170de9f812d7a --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/outputs/update-event-type.output.ts @@ -0,0 +1,20 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsIn, IsNotEmptyObject, ValidateNested } from "class-validator"; + +import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; +import { EventTypeOutput_2024_06_14 } from "@calcom/platform-types"; + +export class UpdateEventTypeOutput_2024_06_14 { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsIn([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @ApiProperty({ + type: EventTypeOutput_2024_06_14, + }) + @IsNotEmptyObject() + @ValidateNested() + @Type(() => EventTypeOutput_2024_06_14) + data!: EventTypeOutput_2024_06_14; +} diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_06_14/services/event-types.service.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/services/event-types.service.ts new file mode 100644 index 00000000000000..6a93b282a2d58f --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/services/event-types.service.ts @@ -0,0 +1,258 @@ +import { DEFAULT_EVENT_TYPES } from "@/ee/event-types/event-types_2024_06_14/constants/constants"; +import { EventTypesRepository_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/event-types.repository"; +import { InputEventTypesService_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/services/input-event-types.service"; +import { OutputEventTypesService_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/services/output-event-types.service"; +import { MembershipsRepository } from "@/modules/memberships/memberships.repository"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { SelectedCalendarsRepository } from "@/modules/selected-calendars/selected-calendars.repository"; +import { UsersService } from "@/modules/users/services/users.service"; +import { UserWithProfile, UsersRepository } from "@/modules/users/users.repository"; +import { BadRequestException, ForbiddenException, Injectable, NotFoundException } from "@nestjs/common"; + +import { createEventType, updateEventType } from "@calcom/platform-libraries-0.0.19"; +import { getEventTypesPublic, EventTypesPublic } from "@calcom/platform-libraries-0.0.19"; +import { dynamicEvent } from "@calcom/platform-libraries-0.0.19"; +import { + CreateEventTypeInput_2024_06_14, + UpdateEventTypeInput_2024_06_14, + GetEventTypesQuery_2024_06_14, + EventTypeOutput_2024_06_14, +} from "@calcom/platform-types"; +import { EventType } from "@calcom/prisma/client"; + +@Injectable() +export class EventTypesService_2024_06_14 { + constructor( + private readonly eventTypesRepository: EventTypesRepository_2024_06_14, + private readonly inputEventTypesService: InputEventTypesService_2024_06_14, + private readonly outputEventTypesService: OutputEventTypesService_2024_06_14, + private readonly membershipsRepository: MembershipsRepository, + private readonly usersRepository: UsersRepository, + private readonly usersService: UsersService, + private readonly selectedCalendarsRepository: SelectedCalendarsRepository, + private readonly dbWrite: PrismaWriteService + ) {} + + async createUserEventType(user: UserWithProfile, body: CreateEventTypeInput_2024_06_14) { + await this.checkCanCreateEventType(user.id, body); + const eventTypeUser = await this.getUserToCreateEvent(user); + const bodyTransformed = this.inputEventTypesService.transformInputCreateEventType(body); + const { eventType: eventTypeCreated } = await createEventType({ + input: bodyTransformed, + ctx: { + user: eventTypeUser, + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + // @ts-ignore + prisma: this.dbWrite.prisma, + }, + }); + + const eventType = await this.eventTypesRepository.getEventTypeById(eventTypeCreated.id); + + if (!eventType) { + throw new NotFoundException(`Event type with id ${eventTypeCreated.id} not found`); + } + + return this.outputEventTypesService.getResponseEventType(user.id, eventType); + } + + async checkCanCreateEventType(userId: number, body: CreateEventTypeInput_2024_06_14) { + const existsWithSlug = await this.eventTypesRepository.getUserEventTypeBySlug(userId, body.slug); + if (existsWithSlug) { + throw new BadRequestException("User already has an event type with this slug."); + } + } + + async getEventTypeByUsernameAndSlug(username: string, eventTypeSlug: string) { + const user = await this.usersRepository.findByUsername(username); + if (!user) { + return null; + } + + const eventType = await this.eventTypesRepository.getUserEventTypeBySlug(user.id, eventTypeSlug); + + if (!eventType) { + return null; + } + + return this.outputEventTypesService.getResponseEventType(user.id, eventType); + } + + async getEventTypesByUsername(username: string) { + const user = await this.usersRepository.findByUsername(username); + if (!user) { + return []; + } + return this.getUserEventTypes(user.id); + } + + async getUserToCreateEvent(user: UserWithProfile) { + const organizationId = user.movedToProfile?.organizationId || user.organizationId; + const isOrgAdmin = organizationId + ? await this.membershipsRepository.isUserOrganizationAdmin(user.id, organizationId) + : false; + const profileId = user.movedToProfile?.id || null; + return { + id: user.id, + role: user.role, + organizationId: user.organizationId, + organization: { isOrgAdmin }, + profile: { id: profileId }, + metadata: user.metadata, + }; + } + + async getUserEventType(userId: number, eventTypeId: number) { + const eventType = await this.eventTypesRepository.getUserEventType(userId, eventTypeId); + + if (!eventType) { + return null; + } + + this.checkUserOwnsEventType(userId, eventType); + return this.outputEventTypesService.getResponseEventType(userId, eventType); + } + + async getUserEventTypes(userId: number) { + const eventTypes = await this.eventTypesRepository.getUserEventTypes(userId); + + const eventTypePromises = eventTypes.map(async (eventType) => { + return await this.outputEventTypesService.getResponseEventType(userId, eventType); + }); + + return await Promise.all(eventTypePromises); + } + + async getUserEventTypeForAtom(user: UserWithProfile, eventTypeId: number) { + const organizationId = user.movedToProfile?.organizationId || user.organizationId; + + const isUserOrganizationAdmin = organizationId + ? await this.membershipsRepository.isUserOrganizationAdmin(user.id, organizationId) + : false; + + const eventType = await this.eventTypesRepository.getUserEventTypeForAtom( + user, + isUserOrganizationAdmin, + eventTypeId + ); + + if (!eventType) { + return null; + } + + this.checkUserOwnsEventType(user.id, eventType.eventType); + return eventType; + } + + async getEventTypesPublicByUsername(username: string): Promise { + const user = await this.usersRepository.findByUsername(username); + if (!user) { + throw new NotFoundException(`User with username "${username}" not found`); + } + + return await getEventTypesPublic(user.id); + } + + async getEventTypes(queryParams: GetEventTypesQuery_2024_06_14): Promise { + const { username, eventSlug, usernames } = queryParams; + + if (username && eventSlug) { + const eventType = await this.getEventTypeByUsernameAndSlug(username, eventSlug); + return eventType ? [eventType] : []; + } + + if (username) { + return await this.getEventTypesByUsername(username); + } + + if (usernames) { + const dynamicEventType = await this.getDynamicEventType(usernames); + return [dynamicEventType]; + } + + return []; + } + + async getDynamicEventType(usernames: string[]) { + const users = await this.usersService.getByUsernames(usernames); + const usersFiltered: UserWithProfile[] = []; + for (const user of users) { + if (user) { + usersFiltered.push(user); + } + } + + return this.outputEventTypesService.getResponseEventType(0, { + ...dynamicEvent, + users: usersFiltered, + isInstantEvent: false, + }); + } + + async createUserDefaultEventTypes(userId: number) { + const { sixtyMinutes, sixtyMinutesVideo, thirtyMinutes, thirtyMinutesVideo } = DEFAULT_EVENT_TYPES; + + const defaultEventTypes = await Promise.all([ + this.eventTypesRepository.createUserEventType(userId, thirtyMinutes), + this.eventTypesRepository.createUserEventType(userId, sixtyMinutes), + this.eventTypesRepository.createUserEventType(userId, thirtyMinutesVideo), + this.eventTypesRepository.createUserEventType(userId, sixtyMinutesVideo), + ]); + + return defaultEventTypes; + } + + async updateEventType(eventTypeId: number, body: UpdateEventTypeInput_2024_06_14, user: UserWithProfile) { + this.checkCanUpdateEventType(user.id, eventTypeId); + const eventTypeUser = await this.getUserToUpdateEvent(user); + const bodyTransformed = this.inputEventTypesService.transformInputUpdateEventType(body); + await updateEventType({ + input: { id: eventTypeId, ...bodyTransformed }, + ctx: { + user: eventTypeUser, + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + // @ts-ignore + prisma: this.dbWrite.prisma, + }, + }); + + const eventType = await this.eventTypesRepository.getEventTypeById(eventTypeId); + + if (!eventType) { + throw new NotFoundException(`Event type with id ${eventTypeId} not found`); + } + + return this.outputEventTypesService.getResponseEventType(user.id, eventType); + } + + async checkCanUpdateEventType(userId: number, eventTypeId: number) { + const existingEventType = await this.getUserEventType(userId, eventTypeId); + if (!existingEventType) { + throw new NotFoundException(`Event type with id ${eventTypeId} not found`); + } + this.checkUserOwnsEventType(userId, { id: eventTypeId, userId: existingEventType.ownerId }); + } + + async getUserToUpdateEvent(user: UserWithProfile) { + const profileId = user.movedToProfile?.id || null; + const selectedCalendars = await this.selectedCalendarsRepository.getUserSelectedCalendars(user.id); + return { ...user, profile: { id: profileId }, selectedCalendars }; + } + + async deleteEventType(eventTypeId: number, userId: number) { + const existingEventType = await this.eventTypesRepository.getEventTypeById(eventTypeId); + if (!existingEventType) { + throw new NotFoundException(`Event type with ID=${eventTypeId} does not exist.`); + } + + this.checkUserOwnsEventType(userId, existingEventType); + + return this.eventTypesRepository.deleteEventType(eventTypeId); + } + + checkUserOwnsEventType(userId: number, eventType: Pick) { + if (userId !== eventType.userId) { + throw new ForbiddenException(`User with ID=${userId} does not own event type with ID=${eventType.id}`); + } + } +} diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_06_14/services/input-event-types.service.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/services/input-event-types.service.ts new file mode 100644 index 00000000000000..0cae1baf8cb9e9 --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/services/input-event-types.service.ts @@ -0,0 +1,51 @@ +import { Injectable } from "@nestjs/common"; + +import { + transformApiEventTypeBookingFields, + transformApiEventTypeLocations, +} from "@calcom/platform-libraries-0.0.19"; +import { CreateEventTypeInput_2024_06_14, UpdateEventTypeInput_2024_06_14 } from "@calcom/platform-types"; + +@Injectable() +export class InputEventTypesService_2024_06_14 { + transformInputCreateEventType(inputEventType: CreateEventTypeInput_2024_06_14) { + const defaultLocations: CreateEventTypeInput_2024_06_14["locations"] = [ + { + type: "integration", + integration: "cal-video", + }, + ]; + + const { lengthInMinutes, locations, bookingFields, ...rest } = inputEventType; + + const eventType = { + ...rest, + length: lengthInMinutes, + locations: this.transformInputLocations(locations || defaultLocations), + bookingFields: this.transformInputBookingFields(bookingFields), + }; + + return eventType; + } + + transformInputUpdateEventType(inputEventType: UpdateEventTypeInput_2024_06_14) { + const { lengthInMinutes, locations, bookingFields, ...rest } = inputEventType; + + const eventType = { + ...rest, + length: lengthInMinutes, + locations: locations ? this.transformInputLocations(locations) : undefined, + bookingFields: bookingFields ? this.transformInputBookingFields(bookingFields) : undefined, + }; + + return eventType; + } + + transformInputLocations(inputLocations: CreateEventTypeInput_2024_06_14["locations"]) { + return transformApiEventTypeLocations(inputLocations); + } + + transformInputBookingFields(inputBookingFields: CreateEventTypeInput_2024_06_14["bookingFields"]) { + return transformApiEventTypeBookingFields(inputBookingFields); + } +} diff --git a/apps/api/v2/src/ee/event-types/event-types_2024_06_14/services/output-event-types.service.ts b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/services/output-event-types.service.ts new file mode 100644 index 00000000000000..a5c2335e8b0416 --- /dev/null +++ b/apps/api/v2/src/ee/event-types/event-types_2024_06_14/services/output-event-types.service.ts @@ -0,0 +1,150 @@ +import { Injectable } from "@nestjs/common"; +import type { EventType, User, Schedule } from "@prisma/client"; + +import { + EventTypeMetaDataSchema, + userMetadata, + getResponseEventTypeLocations, + getResponseEventTypeBookingFields, + parseRecurringEvent, + TransformedLocationsSchema, + BookingFieldsSchema, +} from "@calcom/platform-libraries-0.0.19"; + +type EventTypeRelations = { users: User[]; schedule: Schedule | null }; +type DatabaseEventType = EventType & EventTypeRelations; + +type Input = Pick< + DatabaseEventType, + | "id" + | "length" + | "title" + | "description" + | "disableGuests" + | "slotInterval" + | "minimumBookingNotice" + | "beforeEventBuffer" + | "afterEventBuffer" + | "slug" + | "schedulingType" + | "requiresConfirmation" + | "price" + | "currency" + | "lockTimeZoneToggleOnBookingPage" + | "seatsPerTimeSlot" + | "forwardParamsSuccessRedirect" + | "successRedirectUrl" + | "seatsShowAvailabilityCount" + | "isInstantEvent" + | "locations" + | "bookingFields" + | "recurringEvent" + | "metadata" + | "users" + | "schedule" +>; + +@Injectable() +export class OutputEventTypesService_2024_06_14 { + async getResponseEventType(ownerId: number, databaseEventType: Input) { + const { + id, + length, + title, + description, + disableGuests, + slotInterval, + minimumBookingNotice, + beforeEventBuffer, + afterEventBuffer, + slug, + schedulingType, + requiresConfirmation, + price, + currency, + lockTimeZoneToggleOnBookingPage, + seatsPerTimeSlot, + forwardParamsSuccessRedirect, + successRedirectUrl, + seatsShowAvailabilityCount, + isInstantEvent, + } = databaseEventType; + + const locations = this.transformLocations(databaseEventType.locations); + const bookingFields = this.transformBookingFields(databaseEventType.bookingFields); + const recurringEvent = this.transformRecurringEvent(databaseEventType.recurringEvent); + const metadata = this.transformMetadata(databaseEventType.metadata) || {}; + const schedule = await this.getSchedule(databaseEventType); + const users = this.transformUsers(databaseEventType.users); + + return { + id, + ownerId, + lengthInMinutes: length, + title, + slug, + description: description || "", + locations, + bookingFields, + recurringEvent, + disableGuests, + slotInterval, + minimumBookingNotice, + beforeEventBuffer, + afterEventBuffer, + schedulingType, + metadata, + requiresConfirmation, + price, + currency, + lockTimeZoneToggleOnBookingPage, + seatsPerTimeSlot, + forwardParamsSuccessRedirect, + successRedirectUrl, + seatsShowAvailabilityCount, + isInstantEvent, + users, + schedule, + }; + } + + transformLocations(locations: any) { + if (!locations) return []; + return getResponseEventTypeLocations(TransformedLocationsSchema.parse(locations)); + } + + transformBookingFields(inputBookingFields: any) { + if (!inputBookingFields) return []; + return getResponseEventTypeBookingFields(BookingFieldsSchema.parse(inputBookingFields)); + } + + transformRecurringEvent(recurringEvent: any) { + if (!recurringEvent) return null; + return parseRecurringEvent(recurringEvent); + } + + transformMetadata(metadata: any) { + if (!metadata) return {}; + return EventTypeMetaDataSchema.parse(metadata); + } + + async getSchedule(databaseEventType: Input) { + return databaseEventType.schedule || null; + } + + transformUsers(users: User[]) { + return users.map((user) => { + const metadata = user.metadata ? userMetadata.parse(user.metadata) : {}; + return { + id: user.id, + name: user.name, + username: user.username, + avatarUrl: user.avatarUrl, + brandColor: user.brandColor, + darkBrandColor: user.darkBrandColor, + weekStart: user.weekStart, + metadata: metadata || {}, + }; + }); + } +} diff --git a/apps/api/v2/src/ee/gcal/gcal.controller.e2e-spec.ts b/apps/api/v2/src/ee/gcal/gcal.controller.e2e-spec.ts index cd59a47225538b..be19aed4e59f48 100644 --- a/apps/api/v2/src/ee/gcal/gcal.controller.e2e-spec.ts +++ b/apps/api/v2/src/ee/gcal/gcal.controller.e2e-spec.ts @@ -16,23 +16,10 @@ import { OAuthClientRepositoryFixture } from "test/fixtures/repository/oauth-cli import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; import { TokensRepositoryFixture } from "test/fixtures/repository/tokens.repository.fixture"; import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; +import { CalendarsServiceMock } from "test/mocks/calendars-service-mock"; const CLIENT_REDIRECT_URI = "http://localhost:5555"; -class CalendarsServiceMock { - async getCalendars() { - return { - connectedCalendars: [ - { - integration: { - type: "google_calendar", - }, - }, - ], - }; - } -} - describe("Platform Gcal Endpoints", () => { let app: INestApplication; @@ -57,8 +44,6 @@ describe("Platform Gcal Endpoints", () => { .useValue({ canActivate: () => true, }) - .overrideProvider(CalendarsService) - .useClass(CalendarsServiceMock) .compile(); app = moduleRef.createNestApplication(); @@ -76,6 +61,9 @@ describe("Platform Gcal Endpoints", () => { accessTokenSecret = tokens.accessToken; refreshTokenSecret = tokens.refreshToken; await app.init(); + jest + .spyOn(CalendarsService.prototype, "getCalendars") + .mockImplementation(CalendarsServiceMock.prototype.getCalendars); }); async function createOAuthClient(organizationId: number) { @@ -100,14 +88,14 @@ describe("Platform Gcal Endpoints", () => { expect(user).toBeDefined(); }); - it(`/GET/ee/gcal/oauth/auth-url: it should respond 401 with invalid access token`, async () => { + it(`/GET/gcal/oauth/auth-url: it should respond 401 with invalid access token`, async () => { await request(app.getHttpServer()) .get(`/v2/gcal/oauth/auth-url`) .set("Authorization", `Bearer invalid_access_token`) .expect(401); }); - it(`/GET/ee/gcal/oauth/auth-url: it should auth-url to google oauth with valid access token `, async () => { + it(`/GET/gcal/oauth/auth-url: it should auth-url to google oauth with valid access token `, async () => { const response = await request(app.getHttpServer()) .get(`/v2/gcal/oauth/auth-url`) .set("Authorization", `Bearer ${accessTokenSecret}`) @@ -117,42 +105,42 @@ describe("Platform Gcal Endpoints", () => { expect(data.authUrl).toBeDefined(); }); - it(`/GET/ee/gcal/oauth/save: without oauth code`, async () => { + it(`/GET/gcal/oauth/save: without oauth code`, async () => { await request(app.getHttpServer()) .get( `/v2/gcal/oauth/save?state=accessToken=${accessTokenSecret}&origin%3D${CLIENT_REDIRECT_URI}&scope=https://www.googleapis.com/auth/calendar.readonly%20https://www.googleapis.com/auth/calendar.events` ) - .expect(400); + .expect(301); }); - it(`/GET/ee/gcal/oauth/save: without access token`, async () => { + it(`/GET/gcal/oauth/save: without access token`, async () => { await request(app.getHttpServer()) .get( `/v2/gcal/oauth/save?state=origin%3D${CLIENT_REDIRECT_URI}&code=4/0AfJohXmBuT7QVrEPlAJLBu4ZcSnyj5jtDoJqSW_riPUhPXQ70RPGkOEbVO3xs-OzQwpPQw&scope=https://www.googleapis.com/auth/calendar.readonly%20https://www.googleapis.com/auth/calendar.events` ) - .expect(400); + .expect(301); }); - it(`/GET/ee/gcal/oauth/save: without origin`, async () => { + it(`/GET/gcal/oauth/save: without origin`, async () => { await request(app.getHttpServer()) .get( `/v2/gcal/oauth/save?state=accessToken=${accessTokenSecret}&code=4/0AfJohXmBuT7QVrEPlAJLBu4ZcSnyj5jtDoJqSW_riPUhPXQ70RPGkOEbVO3xs-OzQwpPQw&scope=https://www.googleapis.com/auth/calendar.readonly%20https://www.googleapis.com/auth/calendar.events` ) - .expect(400); + .expect(301); }); - it(`/GET/ee/gcal/check with access token but without origin`, async () => { + it(`/GET/gcal/check with access token but without origin`, async () => { await request(app.getHttpServer()) .get(`/v2/gcal/check`) .set("Authorization", `Bearer ${accessTokenSecret}`) .expect(400); }); - it(`/GET/ee/gcal/check without access token`, async () => { + it(`/GET/gcal/check without access token`, async () => { await request(app.getHttpServer()).get(`/v2/gcal/check`).expect(401); }); - it(`/GET/ee/gcal/check with access token and origin but no credentials`, async () => { + it(`/GET/gcal/check with access token and origin but no credentials`, async () => { await request(app.getHttpServer()) .get(`/v2/gcal/check`) .set("Authorization", `Bearer ${accessTokenSecret}`) @@ -160,7 +148,7 @@ describe("Platform Gcal Endpoints", () => { .expect(400); }); - it(`/GET/ee/gcal/check with access token and origin and gcal credentials`, async () => { + it(`/GET/gcal/check with access token and origin and gcal credentials`, async () => { gcalCredentials = await credentialsRepositoryFixture.create( "google_calendar", {}, diff --git a/apps/api/v2/src/ee/gcal/gcal.controller.ts b/apps/api/v2/src/ee/gcal/gcal.controller.ts index 962133d08f0bd9..c9614446c0ea85 100644 --- a/apps/api/v2/src/ee/gcal/gcal.controller.ts +++ b/apps/api/v2/src/ee/gcal/gcal.controller.ts @@ -2,10 +2,11 @@ import { CalendarsService } from "@/ee/calendars/services/calendars.service"; import { GcalAuthUrlOutput } from "@/ee/gcal/outputs/auth-url.output"; import { GcalCheckOutput } from "@/ee/gcal/outputs/check.output"; import { GcalSaveRedirectOutput } from "@/ee/gcal/outputs/save-redirect.output"; +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; import { GCalService } from "@/modules/apps/services/gcal.service"; import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; import { Permissions } from "@/modules/auth/decorators/permissions/permissions.decorator"; -import { AccessTokenGuard } from "@/modules/auth/guards/access-token/access-token.guard"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; import { CredentialsRepository } from "@/modules/credentials/credentials.repository"; import { SelectedCalendarsRepository } from "@/modules/selected-calendars/selected-calendars.repository"; @@ -26,16 +27,12 @@ import { } from "@nestjs/common"; import { ConfigService } from "@nestjs/config"; import { ApiTags as DocsTags } from "@nestjs/swagger"; +import { Prisma } from "@prisma/client"; import { Request } from "express"; import { google } from "googleapis"; import { z } from "zod"; -import { - APPS_READ, - GOOGLE_CALENDAR_ID, - GOOGLE_CALENDAR_TYPE, - SUCCESS_STATUS, -} from "@calcom/platform-constants"; +import { APPS_READ, GOOGLE_CALENDAR_TYPE, SUCCESS_STATUS } from "@calcom/platform-constants"; const CALENDAR_SCOPES = [ "https://www.googleapis.com/auth/calendar.readonly", @@ -44,8 +41,8 @@ const CALENDAR_SCOPES = [ // Controller for the GCalConnect Atom @Controller({ - path: "/gcal", - version: "2", + path: "/v2/gcal", + version: API_VERSIONS_VALUES, }) @DocsTags("Google Calendar") export class GcalController { @@ -64,7 +61,7 @@ export class GcalController { @Get("/oauth/auth-url") @HttpCode(HttpStatus.OK) - @UseGuards(AccessTokenGuard) + @UseGuards(ApiAuthGuard) async redirect( @Headers("Authorization") authorization: string, @Req() req: Request @@ -85,60 +82,15 @@ export class GcalController { @Redirect(undefined, 301) @HttpCode(HttpStatus.OK) async save(@Query("state") state: string, @Query("code") code: string): Promise { - const stateParams = new URLSearchParams(state); - const { accessToken, origin } = z - .object({ accessToken: z.string(), origin: z.string() }) - .parse({ accessToken: stateParams.get("accessToken"), origin: stateParams.get("origin") }); - - // User chose not to authorize your app or didn't authorize your app - // redirect directly without oauth code - if (!code) { - return { url: origin }; - } - - const parsedCode = z.string().parse(code); - - const ownerId = await this.tokensRepository.getAccessTokenOwnerId(accessToken); - - if (!ownerId) { - throw new UnauthorizedException("Invalid Access token."); - } - - const oAuth2Client = await this.gcalService.getOAuthClient(this.redirectUri); - const token = await oAuth2Client.getToken(parsedCode); - const key = token.res?.data; - const credential = await this.credentialRepository.createAppCredential( - GOOGLE_CALENDAR_TYPE, - key, - ownerId - ); - - oAuth2Client.setCredentials(key); - - const calendar = google.calendar({ - version: "v3", - auth: oAuth2Client, - }); - - const cals = await calendar.calendarList.list({ fields: "items(id,summary,primary,accessRole)" }); - - const primaryCal = cals.data.items?.find((cal) => cal.primary); - - if (primaryCal?.id) { - await this.selectedCalendarsRepository.createSelectedCalendar( - primaryCal.id, - credential.id, - ownerId, - GOOGLE_CALENDAR_ID - ); - } - - return { url: origin }; + const url = new URL(this.config.get("api.url") + "/calendars/google/save"); + url.searchParams.append("code", code); + url.searchParams.append("state", state); + return { url: url.href }; } @Get("/check") @HttpCode(HttpStatus.OK) - @UseGuards(AccessTokenGuard, PermissionsGuard) + @UseGuards(ApiAuthGuard, PermissionsGuard) @Permissions([APPS_READ]) async check(@GetUser("id") userId: number): Promise { const gcalCredentials = await this.credentialRepository.getByTypeAndUserId("google_calendar", userId); diff --git a/apps/api/v2/src/ee/me/me.controller.e2e-spec.ts b/apps/api/v2/src/ee/me/me.controller.e2e-spec.ts index d5179acd75548c..82bc9cf48680fa 100644 --- a/apps/api/v2/src/ee/me/me.controller.e2e-spec.ts +++ b/apps/api/v2/src/ee/me/me.controller.e2e-spec.ts @@ -1,8 +1,7 @@ import { bootstrap } from "@/app"; import { AppModule } from "@/app.module"; -import { SchedulesModule } from "@/ee/schedules/schedules.module"; +import { SchedulesModule_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/schedules.module"; import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; -import { AvailabilitiesModule } from "@/modules/availabilities/availabilities.module"; import { PrismaModule } from "@/modules/prisma/prisma.module"; import { TokensModule } from "@/modules/tokens/tokens.module"; import { UpdateManagedUserInput } from "@/modules/users/inputs/update-managed-user.input"; @@ -14,7 +13,7 @@ import { User } from "@prisma/client"; import * as request from "supertest"; import { SchedulesRepositoryFixture } from "test/fixtures/repository/schedules.repository.fixture"; import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; -import { withAccessTokenAuth } from "test/utils/withAccessTokenAuth"; +import { withApiAuth } from "test/utils/withApiAuth"; import { SUCCESS_STATUS } from "@calcom/platform-constants"; import { UserResponse } from "@calcom/platform-types"; @@ -31,17 +30,10 @@ describe("Me Endpoints", () => { let user: User; beforeAll(async () => { - const moduleRef = await withAccessTokenAuth( + const moduleRef = await withApiAuth( userEmail, Test.createTestingModule({ - imports: [ - AppModule, - PrismaModule, - AvailabilitiesModule, - UsersModule, - TokensModule, - SchedulesModule, - ], + imports: [AppModule, PrismaModule, UsersModule, TokensModule, SchedulesModule_2024_04_15], }) ) .overrideGuard(PermissionsGuard) @@ -111,6 +103,21 @@ describe("Me Endpoints", () => { }); }); + it("should update user associated with access token given badly formatted timezone", async () => { + const bodyWithBadlyFormattedTimeZone: UpdateManagedUserInput = { timeZone: "America/New_york" }; + + return request(app.getHttpServer()) + .patch("/v2/me") + .send(bodyWithBadlyFormattedTimeZone) + .expect(200) + .then(async (response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + + expect(responseBody.data.timeZone).toEqual("America/New_York"); + }); + }); + it("should not update user associated with access token given invalid timezone", async () => { const bodyWithIncorrectTimeZone: UpdateManagedUserInput = { timeZone: "Narnia/Woods" }; @@ -118,13 +125,13 @@ describe("Me Endpoints", () => { }); it("should not update user associated with access token given invalid time format", async () => { - const bodyWithIncorrectTimeFormat: UpdateManagedUserInput = { timeFormat: 100 }; + const bodyWithIncorrectTimeFormat: UpdateManagedUserInput = { timeFormat: 100 as any }; return request(app.getHttpServer()).patch("/v2/me").send(bodyWithIncorrectTimeFormat).expect(400); }); it("should not update user associated with access token given invalid week start", async () => { - const bodyWithIncorrectWeekStart: UpdateManagedUserInput = { weekStart: "waba luba dub dub" }; + const bodyWithIncorrectWeekStart: UpdateManagedUserInput = { weekStart: "waba luba dub dub" as any }; return request(app.getHttpServer()).patch("/v2/me").send(bodyWithIncorrectWeekStart).expect(400); }); diff --git a/apps/api/v2/src/ee/me/me.controller.ts b/apps/api/v2/src/ee/me/me.controller.ts index 2c64df0397ed53..c22a9a606ece14 100644 --- a/apps/api/v2/src/ee/me/me.controller.ts +++ b/apps/api/v2/src/ee/me/me.controller.ts @@ -1,9 +1,10 @@ import { GetMeOutput } from "@/ee/me/outputs/get-me.output"; import { UpdateMeOutput } from "@/ee/me/outputs/update-me.output"; -import { SchedulesService } from "@/ee/schedules/services/schedules.service"; +import { SchedulesService_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/services/schedules.service"; +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; import { Permissions } from "@/modules/auth/decorators/permissions/permissions.decorator"; -import { AccessTokenGuard } from "@/modules/auth/guards/access-token/access-token.guard"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; import { UpdateManagedUserInput } from "@/modules/users/inputs/update-managed-user.input"; import { UserWithProfile, UsersRepository } from "@/modules/users/users.repository"; @@ -14,15 +15,15 @@ import { PROFILE_READ, PROFILE_WRITE, SUCCESS_STATUS } from "@calcom/platform-co import { userSchemaResponse } from "@calcom/platform-types"; @Controller({ - path: "/me", - version: "2", + path: "/v2/me", + version: API_VERSIONS_VALUES, }) -@UseGuards(AccessTokenGuard, PermissionsGuard) +@UseGuards(ApiAuthGuard, PermissionsGuard) @DocsTags("Me") export class MeController { constructor( private readonly usersRepository: UsersRepository, - private readonly schedulesRepository: SchedulesService + private readonly schedulesService: SchedulesService_2024_04_15 ) {} @Get("/") @@ -44,7 +45,7 @@ export class MeController { ): Promise { const updatedUser = await this.usersRepository.update(user.id, bodySchedule); if (bodySchedule.timeZone && user.defaultScheduleId) { - await this.schedulesRepository.updateUserSchedule(user, user.defaultScheduleId, { + await this.schedulesService.updateUserSchedule(user, user.defaultScheduleId, { timeZone: bodySchedule.timeZone, }); } diff --git a/apps/api/v2/src/ee/me/me.module.ts b/apps/api/v2/src/ee/me/me.module.ts index b8802914f6c7d1..1ee07742cf412e 100644 --- a/apps/api/v2/src/ee/me/me.module.ts +++ b/apps/api/v2/src/ee/me/me.module.ts @@ -1,11 +1,11 @@ import { MeController } from "@/ee/me/me.controller"; -import { SchedulesModule } from "@/ee/schedules/schedules.module"; +import { SchedulesModule_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/schedules.module"; import { TokensModule } from "@/modules/tokens/tokens.module"; import { UsersModule } from "@/modules/users/users.module"; import { Module } from "@nestjs/common"; @Module({ - imports: [UsersModule, SchedulesModule, TokensModule], + imports: [UsersModule, SchedulesModule_2024_04_15, TokensModule], controllers: [MeController], }) export class MeModule {} diff --git a/apps/api/v2/src/ee/platform-endpoints-module.ts b/apps/api/v2/src/ee/platform-endpoints-module.ts index fdf3ef34bb995d..0e7df6730a5f31 100644 --- a/apps/api/v2/src/ee/platform-endpoints-module.ts +++ b/apps/api/v2/src/ee/platform-endpoints-module.ts @@ -1,10 +1,12 @@ import { BookingsModule } from "@/ee/bookings/bookings.module"; import { CalendarsModule } from "@/ee/calendars/calendars.module"; -import { EventTypesModule } from "@/ee/event-types/event-types.module"; +import { EventTypesModule_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/event-types.module"; +import { EventTypesModule_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/event-types.module"; import { GcalModule } from "@/ee/gcal/gcal.module"; import { MeModule } from "@/ee/me/me.module"; import { ProviderModule } from "@/ee/provider/provider.module"; -import { SchedulesModule } from "@/ee/schedules/schedules.module"; +import { SchedulesModule_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/schedules.module"; +import { SchedulesModule_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/schedules.module"; import { SlotsModule } from "@/modules/slots/slots.module"; import type { MiddlewareConsumer, NestModule } from "@nestjs/common"; import { Module } from "@nestjs/common"; @@ -13,9 +15,11 @@ import { Module } from "@nestjs/common"; imports: [ GcalModule, ProviderModule, - SchedulesModule, + SchedulesModule_2024_04_15, + SchedulesModule_2024_06_11, MeModule, - EventTypesModule, + EventTypesModule_2024_04_15, + EventTypesModule_2024_06_14, CalendarsModule, BookingsModule, SlotsModule, diff --git a/apps/api/v2/src/ee/provider/provider.controller.ts b/apps/api/v2/src/ee/provider/provider.controller.ts index 40230e2a2714ab..5df78e72734ef0 100644 --- a/apps/api/v2/src/ee/provider/provider.controller.ts +++ b/apps/api/v2/src/ee/provider/provider.controller.ts @@ -1,7 +1,8 @@ import { ProviderVerifyAccessTokenOutput } from "@/ee/provider/outputs/verify-access-token.output"; import { ProviderVerifyClientOutput } from "@/ee/provider/outputs/verify-client.output"; +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; -import { AccessTokenGuard } from "@/modules/auth/guards/access-token/access-token.guard"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; import { OAuthClientRepository } from "@/modules/oauth-clients/oauth-client.repository"; import { UserWithProfile } from "@/modules/users/users.repository"; import { @@ -20,8 +21,8 @@ import { ApiTags as DocsTags } from "@nestjs/swagger"; import { SUCCESS_STATUS } from "@calcom/platform-constants"; @Controller({ - path: "/provider", - version: "2", + path: "/v2/provider", + version: API_VERSIONS_VALUES, }) @DocsTags("Cal provider") export class CalProviderController { @@ -44,7 +45,7 @@ export class CalProviderController { @Get("/:clientId/access-token") @HttpCode(HttpStatus.OK) - @UseGuards(AccessTokenGuard) + @UseGuards(ApiAuthGuard) async verifyAccessToken( @Param("clientId") clientId: string, @GetUser() user: UserWithProfile diff --git a/apps/api/v2/src/ee/schedules/schedules.module.ts b/apps/api/v2/src/ee/schedules/schedules.module.ts deleted file mode 100644 index 3fe53634ee2da2..00000000000000 --- a/apps/api/v2/src/ee/schedules/schedules.module.ts +++ /dev/null @@ -1,16 +0,0 @@ -import { SchedulesController } from "@/ee/schedules/controllers/schedules.controller"; -import { SchedulesRepository } from "@/ee/schedules/schedules.repository"; -import { SchedulesService } from "@/ee/schedules/services/schedules.service"; -import { AvailabilitiesModule } from "@/modules/availabilities/availabilities.module"; -import { PrismaModule } from "@/modules/prisma/prisma.module"; -import { TokensModule } from "@/modules/tokens/tokens.module"; -import { UsersModule } from "@/modules/users/users.module"; -import { Module } from "@nestjs/common"; - -@Module({ - imports: [PrismaModule, AvailabilitiesModule, UsersModule, TokensModule], - providers: [SchedulesRepository, SchedulesService], - controllers: [SchedulesController], - exports: [SchedulesService, SchedulesRepository], -}) -export class SchedulesModule {} diff --git a/apps/api/v2/src/ee/schedules/controllers/schedules.controller.e2e-spec.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/controllers/schedules.controller.e2e-spec.ts similarity index 81% rename from apps/api/v2/src/ee/schedules/controllers/schedules.controller.e2e-spec.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/controllers/schedules.controller.e2e-spec.ts index 7e6dec77f52b23..c20768bd0bab95 100644 --- a/apps/api/v2/src/ee/schedules/controllers/schedules.controller.e2e-spec.ts +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/controllers/schedules.controller.e2e-spec.ts @@ -1,12 +1,11 @@ import { bootstrap } from "@/app"; import { AppModule } from "@/app.module"; -import { CreateScheduleInput } from "@/ee/schedules/inputs/create-schedule.input"; -import { CreateScheduleOutput } from "@/ee/schedules/outputs/create-schedule.output"; -import { GetSchedulesOutput } from "@/ee/schedules/outputs/get-schedules.output"; -import { UpdateScheduleOutput } from "@/ee/schedules/outputs/update-schedule.output"; -import { SchedulesModule } from "@/ee/schedules/schedules.module"; +import { CreateScheduleInput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/inputs/create-schedule.input"; +import { CreateScheduleOutput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/outputs/create-schedule.output"; +import { GetSchedulesOutput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/outputs/get-schedules.output"; +import { UpdateScheduleOutput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/outputs/update-schedule.output"; +import { SchedulesModule_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/schedules.module"; import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; -import { AvailabilitiesModule } from "@/modules/availabilities/availabilities.module"; import { PrismaModule } from "@/modules/prisma/prisma.module"; import { TokensModule } from "@/modules/tokens/tokens.module"; import { UsersModule } from "@/modules/users/users.module"; @@ -17,10 +16,10 @@ import { User } from "@prisma/client"; import * as request from "supertest"; import { SchedulesRepositoryFixture } from "test/fixtures/repository/schedules.repository.fixture"; import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; -import { withAccessTokenAuth } from "test/utils/withAccessTokenAuth"; +import { withApiAuth } from "test/utils/withApiAuth"; -import { SUCCESS_STATUS } from "@calcom/platform-constants"; -import { UpdateScheduleInput } from "@calcom/platform-types"; +import { CAL_API_VERSION_HEADER, SUCCESS_STATUS, VERSION_2024_04_15 } from "@calcom/platform-constants"; +import { UpdateScheduleInput_2024_04_15 } from "@calcom/platform-types"; describe("Schedules Endpoints", () => { describe("User Authentication", () => { @@ -32,23 +31,16 @@ describe("Schedules Endpoints", () => { const userEmail = "schedules-controller-e2e@api.com"; let user: User; - let createdSchedule: CreateScheduleOutput["data"]; + let createdSchedule: CreateScheduleOutput_2024_04_15["data"]; const defaultAvailabilityDays = [1, 2, 3, 4, 5]; const defaultAvailabilityStartTime = "1970-01-01T09:00:00.000Z"; const defaultAvailabilityEndTime = "1970-01-01T17:00:00.000Z"; beforeAll(async () => { - const moduleRef = await withAccessTokenAuth( + const moduleRef = await withApiAuth( userEmail, Test.createTestingModule({ - imports: [ - AppModule, - PrismaModule, - AvailabilitiesModule, - UsersModule, - TokensModule, - SchedulesModule, - ], + imports: [AppModule, PrismaModule, UsersModule, TokensModule, SchedulesModule_2024_04_15], }) ) .overrideGuard(PermissionsGuard) @@ -79,7 +71,7 @@ describe("Schedules Endpoints", () => { const scheduleTimeZone = "Europe/Rome"; const isDefault = true; - const body: CreateScheduleInput = { + const body: CreateScheduleInput_2024_04_15 = { name: scheduleName, timeZone: scheduleTimeZone, isDefault, @@ -87,10 +79,11 @@ describe("Schedules Endpoints", () => { return request(app.getHttpServer()) .post("/api/v2/schedules") + .set(CAL_API_VERSION_HEADER, VERSION_2024_04_15) .send(body) .expect(201) .then(async (response) => { - const responseData: CreateScheduleOutput = response.body; + const responseData: CreateScheduleOutput_2024_04_15 = response.body; expect(responseData.status).toEqual(SUCCESS_STATUS); expect(responseData.data).toBeDefined(); expect(responseData.data.isDefault).toEqual(isDefault); @@ -117,7 +110,7 @@ describe("Schedules Endpoints", () => { .get("/api/v2/schedules/default") .expect(200) .then(async (response) => { - const responseData: CreateScheduleOutput = response.body; + const responseData: CreateScheduleOutput_2024_04_15 = response.body; expect(responseData.status).toEqual(SUCCESS_STATUS); expect(responseData.data).toBeDefined(); expect(responseData.data.id).toEqual(createdSchedule.id); @@ -137,7 +130,7 @@ describe("Schedules Endpoints", () => { .get(`/api/v2/schedules`) .expect(200) .then((response) => { - const responseData: GetSchedulesOutput = response.body; + const responseData: GetSchedulesOutput_2024_04_15 = response.body; expect(responseData.status).toEqual(SUCCESS_STATUS); expect(responseData.data).toBeDefined(); expect(responseData.data?.[0].id).toEqual(createdSchedule.id); @@ -155,16 +148,17 @@ describe("Schedules Endpoints", () => { it("should update schedule name", async () => { const newScheduleName = "new-schedule-name"; - const body: UpdateScheduleInput = { + const body: UpdateScheduleInput_2024_04_15 = { name: newScheduleName, }; return request(app.getHttpServer()) .patch(`/api/v2/schedules/${createdSchedule.id}`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_04_15) .send(body) .expect(200) .then((response: any) => { - const responseData: UpdateScheduleOutput = response.body; + const responseData: UpdateScheduleOutput_2024_04_15 = response.body; expect(responseData.status).toEqual(SUCCESS_STATUS); expect(responseData.data).toBeDefined(); expect(responseData.data.schedule.name).toEqual(newScheduleName); diff --git a/apps/api/v2/src/ee/schedules/controllers/schedules.controller.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/controllers/schedules.controller.ts similarity index 59% rename from apps/api/v2/src/ee/schedules/controllers/schedules.controller.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/controllers/schedules.controller.ts index 1e953a9f5aec07..ad6d31c06a0af6 100644 --- a/apps/api/v2/src/ee/schedules/controllers/schedules.controller.ts +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/controllers/schedules.controller.ts @@ -1,13 +1,14 @@ -import { CreateScheduleOutput } from "@/ee/schedules/outputs/create-schedule.output"; -import { DeleteScheduleOutput } from "@/ee/schedules/outputs/delete-schedule.output"; -import { GetDefaultScheduleOutput } from "@/ee/schedules/outputs/get-default-schedule.output"; -import { GetScheduleOutput } from "@/ee/schedules/outputs/get-schedule.output"; -import { GetSchedulesOutput } from "@/ee/schedules/outputs/get-schedules.output"; -import { UpdateScheduleOutput } from "@/ee/schedules/outputs/update-schedule.output"; -import { SchedulesService } from "@/ee/schedules/services/schedules.service"; +import { CreateScheduleOutput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/outputs/create-schedule.output"; +import { DeleteScheduleOutput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/outputs/delete-schedule.output"; +import { GetDefaultScheduleOutput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/outputs/get-default-schedule.output"; +import { GetScheduleOutput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/outputs/get-schedule.output"; +import { GetSchedulesOutput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/outputs/get-schedules.output"; +import { UpdateScheduleOutput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/outputs/update-schedule.output"; +import { SchedulesService_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/services/schedules.service"; +import { VERSION_2024_04_15_VALUE } from "@/lib/api-versions"; import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; import { Permissions } from "@/modules/auth/decorators/permissions/permissions.decorator"; -import { AccessTokenGuard } from "@/modules/auth/guards/access-token/access-token.guard"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; import { UserWithProfile } from "@/modules/users/users.repository"; import { @@ -23,27 +24,28 @@ import { UseGuards, } from "@nestjs/common"; import { ApiResponse, ApiTags as DocsTags } from "@nestjs/swagger"; +import { Throttle } from "@nestjs/throttler"; import { SCHEDULE_READ, SCHEDULE_WRITE, SUCCESS_STATUS } from "@calcom/platform-constants"; -import { UpdateScheduleInput } from "@calcom/platform-types"; +import { UpdateScheduleInput_2024_04_15 } from "@calcom/platform-types"; -import { CreateScheduleInput } from "../inputs/create-schedule.input"; +import { CreateScheduleInput_2024_04_15 } from "../inputs/create-schedule.input"; @Controller({ - path: "schedules", - version: "2", + path: "/v2/schedules", + version: VERSION_2024_04_15_VALUE, }) -@UseGuards(AccessTokenGuard, PermissionsGuard) +@UseGuards(ApiAuthGuard, PermissionsGuard) @DocsTags("Schedules") -export class SchedulesController { - constructor(private readonly schedulesService: SchedulesService) {} +export class SchedulesController_2024_04_15 { + constructor(private readonly schedulesService: SchedulesService_2024_04_15) {} @Post("/") @Permissions([SCHEDULE_WRITE]) async createSchedule( @GetUser() user: UserWithProfile, - @Body() bodySchedule: CreateScheduleInput - ): Promise { + @Body() bodySchedule: CreateScheduleInput_2024_04_15 + ): Promise { const schedule = await this.schedulesService.createUserSchedule(user.id, bodySchedule); const scheduleFormatted = await this.schedulesService.formatScheduleForAtom(user, schedule); @@ -55,8 +57,14 @@ export class SchedulesController { @Get("/default") @Permissions([SCHEDULE_READ]) - @ApiResponse({ status: 200, description: "Returns the default schedule", type: GetDefaultScheduleOutput }) - async getDefaultSchedule(@GetUser() user: UserWithProfile): Promise { + @ApiResponse({ + status: 200, + description: "Returns the default schedule", + type: GetDefaultScheduleOutput_2024_04_15, + }) + async getDefaultSchedule( + @GetUser() user: UserWithProfile + ): Promise { const schedule = await this.schedulesService.getUserScheduleDefault(user.id); const scheduleFormatted = schedule ? await this.schedulesService.formatScheduleForAtom(user, schedule) @@ -70,10 +78,11 @@ export class SchedulesController { @Get("/:scheduleId") @Permissions([SCHEDULE_READ]) + @Throttle({ default: { limit: 10, ttl: 60000 } }) // allow 10 requests per minute (for :scheduleId) async getSchedule( @GetUser() user: UserWithProfile, @Param("scheduleId") scheduleId: number - ): Promise { + ): Promise { const schedule = await this.schedulesService.getUserSchedule(user.id, scheduleId); const scheduleFormatted = await this.schedulesService.formatScheduleForAtom(user, schedule); @@ -85,7 +94,7 @@ export class SchedulesController { @Get("/") @Permissions([SCHEDULE_READ]) - async getSchedules(@GetUser() user: UserWithProfile): Promise { + async getSchedules(@GetUser() user: UserWithProfile): Promise { const schedules = await this.schedulesService.getUserSchedules(user.id); const schedulesFormatted = await this.schedulesService.formatSchedulesForAtom(user, schedules); @@ -100,9 +109,9 @@ export class SchedulesController { @Permissions([SCHEDULE_WRITE]) async updateSchedule( @GetUser() user: UserWithProfile, - @Body() bodySchedule: UpdateScheduleInput, + @Body() bodySchedule: UpdateScheduleInput_2024_04_15, @Param("scheduleId") scheduleId: string - ): Promise { + ): Promise { const updatedSchedule = await this.schedulesService.updateUserSchedule( user, Number(scheduleId), @@ -121,7 +130,7 @@ export class SchedulesController { async deleteSchedule( @GetUser("id") userId: number, @Param("scheduleId") scheduleId: number - ): Promise { + ): Promise { await this.schedulesService.deleteUserSchedule(userId, scheduleId); return { diff --git a/apps/api/v2/src/modules/availabilities/inputs/create-availability.input.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/inputs/create-availability.input.ts similarity index 96% rename from apps/api/v2/src/modules/availabilities/inputs/create-availability.input.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/inputs/create-availability.input.ts index f03698705b2afc..2c3724c20c8229 100644 --- a/apps/api/v2/src/modules/availabilities/inputs/create-availability.input.ts +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/inputs/create-availability.input.ts @@ -3,7 +3,7 @@ import { ApiProperty } from "@nestjs/swagger"; import { Transform, TransformFnParams } from "class-transformer"; import { IsArray, IsDate, IsNumber } from "class-validator"; -export class CreateAvailabilityInput { +export class CreateAvailabilityInput_2024_04_15 { @IsArray() @IsNumber({}, { each: true }) @ApiProperty({ example: [1, 2] }) diff --git a/apps/api/v2/src/ee/schedules/inputs/create-schedule.input.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/inputs/create-schedule.input.ts similarity index 53% rename from apps/api/v2/src/ee/schedules/inputs/create-schedule.input.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/inputs/create-schedule.input.ts index f90c291adf02a0..fad2d245f06c60 100644 --- a/apps/api/v2/src/ee/schedules/inputs/create-schedule.input.ts +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/inputs/create-schedule.input.ts @@ -1,8 +1,8 @@ -import { CreateAvailabilityInput } from "@/modules/availabilities/inputs/create-availability.input"; +import { CreateAvailabilityInput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/inputs/create-availability.input"; import { Type } from "class-transformer"; import { IsArray, IsBoolean, IsTimeZone, IsOptional, IsString, ValidateNested } from "class-validator"; -export class CreateScheduleInput { +export class CreateScheduleInput_2024_04_15 { @IsString() name!: string; @@ -11,9 +11,9 @@ export class CreateScheduleInput { @IsArray() @ValidateNested({ each: true }) - @Type(() => CreateAvailabilityInput) + @Type(() => CreateAvailabilityInput_2024_04_15) @IsOptional() - availabilities?: CreateAvailabilityInput[]; + availabilities?: CreateAvailabilityInput_2024_04_15[]; @IsBoolean() isDefault!: boolean; diff --git a/apps/api/v2/src/ee/schedules/outputs/create-schedule.output.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/create-schedule.output.ts similarity index 80% rename from apps/api/v2/src/ee/schedules/outputs/create-schedule.output.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/create-schedule.output.ts index bbcdd1788700d4..6a1184683e769c 100644 --- a/apps/api/v2/src/ee/schedules/outputs/create-schedule.output.ts +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/create-schedule.output.ts @@ -1,11 +1,11 @@ -import { ScheduleOutput } from "@/ee/schedules/outputs/schedule.output"; +import { ScheduleOutput } from "@/ee/schedules/schedules_2024_04_15/outputs/schedule.output"; import { ApiProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; import { IsEnum, IsNotEmptyObject, ValidateNested } from "class-validator"; import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; -export class CreateScheduleOutput { +export class CreateScheduleOutput_2024_04_15 { @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; diff --git a/apps/api/v2/src/ee/schedules/outputs/delete-schedule.output.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/delete-schedule.output.ts similarity index 88% rename from apps/api/v2/src/ee/schedules/outputs/delete-schedule.output.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/delete-schedule.output.ts index 023c013170ffea..d6427fb7045788 100644 --- a/apps/api/v2/src/ee/schedules/outputs/delete-schedule.output.ts +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/delete-schedule.output.ts @@ -3,7 +3,7 @@ import { IsEnum } from "class-validator"; import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; -export class DeleteScheduleOutput { +export class DeleteScheduleOutput_2024_04_15 { @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; diff --git a/apps/api/v2/src/ee/schedules/outputs/get-default-schedule.output.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/get-default-schedule.output.ts similarity index 79% rename from apps/api/v2/src/ee/schedules/outputs/get-default-schedule.output.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/get-default-schedule.output.ts index cf8369fa21cbcc..0d14fb73268fac 100644 --- a/apps/api/v2/src/ee/schedules/outputs/get-default-schedule.output.ts +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/get-default-schedule.output.ts @@ -1,11 +1,11 @@ -import { ScheduleOutput } from "@/ee/schedules/outputs/schedule.output"; +import { ScheduleOutput } from "@/ee/schedules/schedules_2024_04_15/outputs/schedule.output"; import { ApiProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; import { IsEnum, IsNotEmptyObject, ValidateNested } from "class-validator"; import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; -export class GetDefaultScheduleOutput { +export class GetDefaultScheduleOutput_2024_04_15 { @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; diff --git a/apps/api/v2/src/ee/schedules/outputs/get-schedule.output.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/get-schedule.output.ts similarity index 80% rename from apps/api/v2/src/ee/schedules/outputs/get-schedule.output.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/get-schedule.output.ts index f49e291e23a8c9..ae7709e0ba3602 100644 --- a/apps/api/v2/src/ee/schedules/outputs/get-schedule.output.ts +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/get-schedule.output.ts @@ -1,11 +1,11 @@ -import { ScheduleOutput } from "@/ee/schedules/outputs/schedule.output"; +import { ScheduleOutput } from "@/ee/schedules/schedules_2024_04_15/outputs/schedule.output"; import { ApiProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; import { IsEnum, IsNotEmptyObject, ValidateNested } from "class-validator"; import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; -export class GetScheduleOutput { +export class GetScheduleOutput_2024_04_15 { @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; diff --git a/apps/api/v2/src/ee/schedules/outputs/get-schedules.output.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/get-schedules.output.ts similarity index 81% rename from apps/api/v2/src/ee/schedules/outputs/get-schedules.output.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/get-schedules.output.ts index 9f7f6ce32f918d..81a9b911bd5b03 100644 --- a/apps/api/v2/src/ee/schedules/outputs/get-schedules.output.ts +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/get-schedules.output.ts @@ -1,11 +1,11 @@ -import { ScheduleOutput } from "@/ee/schedules/outputs/schedule.output"; +import { ScheduleOutput } from "@/ee/schedules/schedules_2024_04_15/outputs/schedule.output"; import { ApiProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; import { IsArray, IsEnum, IsNotEmptyObject, ValidateNested } from "class-validator"; import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; -export class GetSchedulesOutput { +export class GetSchedulesOutput_2024_04_15 { @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; diff --git a/apps/api/v2/src/ee/schedules/outputs/schedule-updated.output.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/schedule-updated.output.ts similarity index 77% rename from apps/api/v2/src/ee/schedules/outputs/schedule-updated.output.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/schedule-updated.output.ts index a16600db982ebe..036e84935ad761 100644 --- a/apps/api/v2/src/ee/schedules/outputs/schedule-updated.output.ts +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/schedule-updated.output.ts @@ -1,7 +1,7 @@ import { Type } from "class-transformer"; import { IsBoolean, IsInt, IsOptional, IsString, ValidateNested, IsArray } from "class-validator"; -class EventTypeModel { +class EventTypeModel_2024_04_15 { @IsInt() id!: number; @@ -10,7 +10,7 @@ class EventTypeModel { eventName?: string | null; } -class AvailabilityModel { +class AvailabilityModel_2024_04_15 { @IsInt() id!: number; @@ -46,7 +46,7 @@ class AvailabilityModel { date?: Date | null; } -class ScheduleModel { +class ScheduleModel_2024_04_15 { @IsInt() id!: number; @@ -62,21 +62,21 @@ class ScheduleModel { @IsOptional() @ValidateNested({ each: true }) - @Type(() => EventTypeModel) + @Type(() => EventTypeModel_2024_04_15) @IsArray() - eventType?: EventTypeModel[]; + eventType?: EventTypeModel_2024_04_15[]; @IsOptional() @ValidateNested({ each: true }) - @Type(() => AvailabilityModel) + @Type(() => AvailabilityModel_2024_04_15) @IsArray() - availability?: AvailabilityModel[]; + availability?: AvailabilityModel_2024_04_15[]; } -export class UpdatedScheduleOutput { +export class UpdatedScheduleOutput_2024_04_15 { @ValidateNested() - @Type(() => ScheduleModel) - schedule!: ScheduleModel; + @Type(() => ScheduleModel_2024_04_15) + schedule!: ScheduleModel_2024_04_15; @IsBoolean() isDefault!: boolean; diff --git a/apps/api/v2/src/ee/schedules/outputs/schedule.output.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/schedule.output.ts similarity index 100% rename from apps/api/v2/src/ee/schedules/outputs/schedule.output.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/schedule.output.ts diff --git a/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/update-schedule.output.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/update-schedule.output.ts new file mode 100644 index 00000000000000..8633a77d1205a0 --- /dev/null +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/outputs/update-schedule.output.ts @@ -0,0 +1,20 @@ +import { UpdatedScheduleOutput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/outputs/schedule-updated.output"; +import { ApiProperty } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsEnum, IsNotEmptyObject, ValidateNested } from "class-validator"; + +import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; + +export class UpdateScheduleOutput_2024_04_15 { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @ApiProperty({ + type: UpdatedScheduleOutput_2024_04_15, + }) + @IsNotEmptyObject() + @ValidateNested() + @Type(() => UpdatedScheduleOutput_2024_04_15) + data!: UpdatedScheduleOutput_2024_04_15; +} diff --git a/apps/api/v2/src/ee/schedules/schedules_2024_04_15/schedules.module.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/schedules.module.ts new file mode 100644 index 00000000000000..c6564123a58006 --- /dev/null +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/schedules.module.ts @@ -0,0 +1,15 @@ +import { SchedulesController_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/controllers/schedules.controller"; +import { SchedulesRepository_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/schedules.repository"; +import { SchedulesService_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/services/schedules.service"; +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersModule } from "@/modules/users/users.module"; +import { Module } from "@nestjs/common"; + +@Module({ + imports: [PrismaModule, UsersModule, TokensModule], + providers: [SchedulesRepository_2024_04_15, SchedulesService_2024_04_15], + controllers: [SchedulesController_2024_04_15], + exports: [SchedulesService_2024_04_15, SchedulesRepository_2024_04_15], +}) +export class SchedulesModule_2024_04_15 {} diff --git a/apps/api/v2/src/ee/schedules/schedules.repository.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/schedules.repository.ts similarity index 84% rename from apps/api/v2/src/ee/schedules/schedules.repository.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/schedules.repository.ts index b447b6b4691413..a17f1ae6c4dc8a 100644 --- a/apps/api/v2/src/ee/schedules/schedules.repository.ts +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/schedules.repository.ts @@ -1,18 +1,18 @@ -import { CreateScheduleInput } from "@/ee/schedules/inputs/create-schedule.input"; -import { CreateAvailabilityInput } from "@/modules/availabilities/inputs/create-availability.input"; +import { CreateAvailabilityInput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/inputs/create-availability.input"; +import { CreateScheduleInput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/inputs/create-schedule.input"; import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; import { Injectable } from "@nestjs/common"; import { Prisma } from "@prisma/client"; @Injectable() -export class SchedulesRepository { +export class SchedulesRepository_2024_04_15 { constructor(private readonly dbRead: PrismaReadService, private readonly dbWrite: PrismaWriteService) {} async createScheduleWithAvailabilities( userId: number, - schedule: CreateScheduleInput, - availabilities: CreateAvailabilityInput[] + schedule: CreateScheduleInput_2024_04_15, + availabilities: CreateAvailabilityInput_2024_04_15[] ) { const createScheduleData: Prisma.ScheduleCreateInput = { user: { diff --git a/apps/api/v2/src/ee/schedules/services/schedules.service.ts b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/services/schedules.service.ts similarity index 77% rename from apps/api/v2/src/ee/schedules/services/schedules.service.ts rename to apps/api/v2/src/ee/schedules/schedules_2024_04_15/services/schedules.service.ts index d74abd6cebf0c4..3d5d1d4a9015dd 100644 --- a/apps/api/v2/src/ee/schedules/services/schedules.service.ts +++ b/apps/api/v2/src/ee/schedules/schedules_2024_04_15/services/schedules.service.ts @@ -1,33 +1,42 @@ -import { CreateScheduleInput } from "@/ee/schedules/inputs/create-schedule.input"; -import { ScheduleOutput } from "@/ee/schedules/outputs/schedule.output"; -import { SchedulesRepository } from "@/ee/schedules/schedules.repository"; -import { AvailabilitiesService } from "@/modules/availabilities/availabilities.service"; +import { CreateAvailabilityInput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/inputs/create-availability.input"; +import { CreateScheduleInput_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/inputs/create-schedule.input"; +import { ScheduleOutput } from "@/ee/schedules/schedules_2024_04_15/outputs/schedule.output"; +import { SchedulesRepository_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/schedules.repository"; import { UserWithProfile, UsersRepository } from "@/modules/users/users.repository"; import { BadRequestException, ForbiddenException, Injectable, NotFoundException } from "@nestjs/common"; import { Schedule } from "@prisma/client"; import { User } from "@prisma/client"; -import type { ScheduleWithAvailabilities } from "@calcom/platform-libraries"; -import { updateScheduleHandler } from "@calcom/platform-libraries"; +import type { ScheduleWithAvailabilities } from "@calcom/platform-libraries-0.0.2"; +import { updateScheduleHandler } from "@calcom/platform-libraries-0.0.2"; import { transformWorkingHoursForClient, transformAvailabilityForClient, transformDateOverridesForClient, -} from "@calcom/platform-libraries"; -import { UpdateScheduleInput } from "@calcom/platform-types"; +} from "@calcom/platform-libraries-0.0.2"; +import { UpdateScheduleInput_2024_04_15 } from "@calcom/platform-types"; @Injectable() -export class SchedulesService { +export class SchedulesService_2024_04_15 { constructor( - private readonly schedulesRepository: SchedulesRepository, - private readonly availabilitiesService: AvailabilitiesService, + private readonly schedulesRepository: SchedulesRepository_2024_04_15, private readonly usersRepository: UsersRepository ) {} - async createUserSchedule(userId: number, schedule: CreateScheduleInput) { + async createUserDefaultSchedule(userId: number, timeZone: string) { + const schedule = { + isDefault: true, + name: "Default schedule", + timeZone, + }; + + return this.createUserSchedule(userId, schedule); + } + + async createUserSchedule(userId: number, schedule: CreateScheduleInput_2024_04_15) { const availabilities = schedule.availabilities?.length ? schedule.availabilities - : [this.availabilitiesService.getDefaultAvailabilityInput()]; + : [this.getDefaultAvailabilityInput()]; const createdSchedule = await this.schedulesRepository.createScheduleWithAvailabilities( userId, @@ -66,7 +75,11 @@ export class SchedulesService { return this.schedulesRepository.getSchedulesByUserId(userId); } - async updateUserSchedule(user: UserWithProfile, scheduleId: number, bodySchedule: UpdateScheduleInput) { + async updateUserSchedule( + user: UserWithProfile, + scheduleId: number, + bodySchedule: UpdateScheduleInput_2024_04_15 + ) { const existingSchedule = await this.schedulesRepository.getScheduleById(scheduleId); if (!existingSchedule) { @@ -148,4 +161,15 @@ export class SchedulesService { throw new ForbiddenException(`User with ID=${userId} does not own schedule with ID=${schedule.id}`); } } + + getDefaultAvailabilityInput(): CreateAvailabilityInput_2024_04_15 { + const startTime = new Date(new Date().setUTCHours(9, 0, 0, 0)); + const endTime = new Date(new Date().setUTCHours(17, 0, 0, 0)); + + return { + days: [1, 2, 3, 4, 5], + startTime, + endTime, + }; + } } diff --git a/apps/api/v2/src/ee/schedules/schedules_2024_06_11/controllers/schedules.controller.e2e-spec.ts b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/controllers/schedules.controller.e2e-spec.ts new file mode 100644 index 00000000000000..4c40fab807d3c3 --- /dev/null +++ b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/controllers/schedules.controller.e2e-spec.ts @@ -0,0 +1,238 @@ +import { bootstrap } from "@/app"; +import { AppModule } from "@/app.module"; +import { SchedulesModule_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/schedules.module"; +import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersModule } from "@/modules/users/users.module"; +import { INestApplication } from "@nestjs/common"; +import { NestExpressApplication } from "@nestjs/platform-express"; +import { Test } from "@nestjs/testing"; +import { User } from "@prisma/client"; +import * as request from "supertest"; +import { SchedulesRepositoryFixture } from "test/fixtures/repository/schedules.repository.fixture"; +import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; +import { withApiAuth } from "test/utils/withApiAuth"; + +import { CAL_API_VERSION_HEADER, SUCCESS_STATUS, VERSION_2024_06_11 } from "@calcom/platform-constants"; +import { + CreateScheduleInput_2024_06_11, + CreateScheduleOutput_2024_06_11, + GetScheduleOutput_2024_06_11, + GetSchedulesOutput_2024_06_11, + ScheduleOutput_2024_06_11, + UpdateScheduleOutput_2024_06_11, +} from "@calcom/platform-types"; +import { UpdateScheduleInput_2024_06_11 } from "@calcom/platform-types"; + +describe("Schedules Endpoints", () => { + describe("User Authentication", () => { + let app: INestApplication; + + let userRepositoryFixture: UserRepositoryFixture; + let scheduleRepositoryFixture: SchedulesRepositoryFixture; + + const userEmail = "schedules-controller-e2e@api.com"; + let user: User; + + const createScheduleInput: CreateScheduleInput_2024_06_11 = { + name: "work", + timeZone: "Europe/Rome", + isDefault: true, + }; + + const defaultAvailability: CreateScheduleInput_2024_06_11["availability"] = [ + { + days: ["Monday", "Tuesday", "Wednesday", "Thursday", "Friday"], + startTime: "09:00", + endTime: "17:00", + }, + ]; + + let createdSchedule: CreateScheduleOutput_2024_06_11["data"]; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + imports: [AppModule, PrismaModule, UsersModule, TokensModule, SchedulesModule_2024_06_11], + }) + ) + .overrideGuard(PermissionsGuard) + .useValue({ + canActivate: () => true, + }) + .compile(); + + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + scheduleRepositoryFixture = new SchedulesRepositoryFixture(moduleRef); + user = await userRepositoryFixture.create({ + email: userEmail, + }); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + await app.init(); + }); + + it("should be defined", () => { + expect(userRepositoryFixture).toBeDefined(); + expect(user).toBeDefined(); + }); + + it("should create a default schedule", async () => { + return request(app.getHttpServer()) + .post("/api/v2/schedules") + .set(CAL_API_VERSION_HEADER, VERSION_2024_06_11) + .send(createScheduleInput) + .expect(201) + .then(async (response) => { + const responseBody: CreateScheduleOutput_2024_06_11 = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + createdSchedule = response.body.data; + + const expectedSchedule = { + ...createScheduleInput, + availability: defaultAvailability, + overrides: [], + }; + outputScheduleMatchesExpected(createdSchedule, expectedSchedule, 1); + + const scheduleOwner = createdSchedule.ownerId + ? await userRepositoryFixture.get(createdSchedule.ownerId) + : null; + expect(scheduleOwner?.defaultScheduleId).toEqual(createdSchedule.id); + }); + }); + + function outputScheduleMatchesExpected( + outputSchedule: ScheduleOutput_2024_06_11 | null, + expected: CreateScheduleInput_2024_06_11 & { + availability: CreateScheduleInput_2024_06_11["availability"]; + } & { + overrides: CreateScheduleInput_2024_06_11["overrides"]; + }, + expectedAvailabilityLength: number + ) { + expect(outputSchedule).toBeTruthy(); + expect(outputSchedule?.name).toEqual(expected.name); + expect(outputSchedule?.timeZone).toEqual(expected.timeZone); + expect(outputSchedule?.isDefault).toEqual(expected.isDefault); + expect(outputSchedule?.availability.length).toEqual(expectedAvailabilityLength); + + const outputScheduleAvailability = outputSchedule?.availability[0]; + expect(outputScheduleAvailability).toBeDefined(); + expect(outputScheduleAvailability?.days).toEqual(expected.availability?.[0].days); + expect(outputScheduleAvailability?.startTime).toEqual(expected.availability?.[0].startTime); + expect(outputScheduleAvailability?.endTime).toEqual(expected.availability?.[0].endTime); + + expect(JSON.stringify(outputSchedule?.overrides)).toEqual(JSON.stringify(expected.overrides)); + } + + it("should get default schedule", async () => { + return request(app.getHttpServer()) + .get("/api/v2/schedules/default") + .set(CAL_API_VERSION_HEADER, VERSION_2024_06_11) + .expect(200) + .then(async (response) => { + const responseBody: GetScheduleOutput_2024_06_11 = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + const outputSchedule = responseBody.data; + + const expectedSchedule = { + ...createScheduleInput, + availability: defaultAvailability, + overrides: [], + }; + outputScheduleMatchesExpected(outputSchedule, expectedSchedule, 1); + }); + }); + + it("should get schedules", async () => { + return request(app.getHttpServer()) + .get(`/api/v2/schedules`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_06_11) + .expect(200) + .then((response) => { + const responseBody: GetSchedulesOutput_2024_06_11 = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + const outputSchedule = responseBody.data[0]; + + const expectedSchedule = { + ...createScheduleInput, + availability: defaultAvailability, + overrides: [], + }; + outputScheduleMatchesExpected(outputSchedule, expectedSchedule, 1); + }); + }); + + it("should update schedule name", async () => { + const newScheduleName = "updated-schedule-name"; + + const body: UpdateScheduleInput_2024_06_11 = { + name: newScheduleName, + }; + + return request(app.getHttpServer()) + .patch(`/api/v2/schedules/${createdSchedule.id}`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_06_11) + .send(body) + .expect(200) + .then((response: any) => { + const responseData: UpdateScheduleOutput_2024_06_11 = response.body; + expect(responseData.status).toEqual(SUCCESS_STATUS); + const responseSchedule = responseData.data; + + const expectedSchedule = { ...createdSchedule, name: newScheduleName }; + outputScheduleMatchesExpected(responseSchedule, expectedSchedule, 1); + + createdSchedule = responseSchedule; + }); + }); + + it("should add overrides", async () => { + const overrides = [ + { + date: "2026-05-05", + startTime: "10:00", + endTime: "12:00", + }, + ]; + + const body: UpdateScheduleInput_2024_06_11 = { + overrides, + }; + + return request(app.getHttpServer()) + .patch(`/api/v2/schedules/${createdSchedule.id}`) + .set(CAL_API_VERSION_HEADER, VERSION_2024_06_11) + .send(body) + .expect(200) + .then((response: any) => { + const responseData: UpdateScheduleOutput_2024_06_11 = response.body; + expect(responseData.status).toEqual(SUCCESS_STATUS); + const responseSchedule = responseData.data; + + const expectedSchedule = { ...createdSchedule, overrides }; + outputScheduleMatchesExpected(responseSchedule, expectedSchedule, 1); + + createdSchedule = responseSchedule; + }); + }); + + it("should delete schedule", async () => { + return request(app.getHttpServer()).delete(`/api/v2/schedules/${createdSchedule.id}`).expect(200); + }); + + afterAll(async () => { + await userRepositoryFixture.deleteByEmail(user.email); + try { + await scheduleRepositoryFixture.deleteById(createdSchedule.id); + } catch (e) {} + + await app.close(); + }); + }); +}); diff --git a/apps/api/v2/src/ee/schedules/schedules_2024_06_11/controllers/schedules.controller.ts b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/controllers/schedules.controller.ts new file mode 100644 index 00000000000000..bb60283f078c8f --- /dev/null +++ b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/controllers/schedules.controller.ts @@ -0,0 +1,132 @@ +import { SchedulesService_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/services/schedules.service"; +import { VERSION_2024_06_14, VERSION_2024_06_11 } from "@/lib/api-versions"; +import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; +import { Permissions } from "@/modules/auth/decorators/permissions/permissions.decorator"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; +import { PermissionsGuard } from "@/modules/auth/guards/permissions/permissions.guard"; +import { UserWithProfile } from "@/modules/users/users.repository"; +import { + Body, + Controller, + Delete, + Get, + HttpCode, + HttpStatus, + Param, + Post, + Patch, + UseGuards, +} from "@nestjs/common"; +import { ApiResponse, ApiTags as DocsTags } from "@nestjs/swagger"; +import { Throttle } from "@nestjs/throttler"; + +import { SCHEDULE_READ, SCHEDULE_WRITE, SUCCESS_STATUS } from "@calcom/platform-constants"; +import { + CreateScheduleOutput_2024_06_11, + CreateScheduleInput_2024_06_11, + UpdateScheduleInput_2024_06_11, + GetScheduleOutput_2024_06_11, + UpdateScheduleOutput_2024_06_11, + GetDefaultScheduleOutput_2024_06_11, + DeleteScheduleOutput_2024_06_11, + GetSchedulesOutput_2024_06_11, +} from "@calcom/platform-types"; + +@Controller({ + path: "/v2/schedules", + version: [VERSION_2024_06_14, VERSION_2024_06_11], +}) +@UseGuards(ApiAuthGuard, PermissionsGuard) +@DocsTags("Schedules") +export class SchedulesController_2024_06_11 { + constructor(private readonly schedulesService: SchedulesService_2024_06_11) {} + + @Post("/") + @Permissions([SCHEDULE_WRITE]) + async createSchedule( + @GetUser() user: UserWithProfile, + @Body() bodySchedule: CreateScheduleInput_2024_06_11 + ): Promise { + const schedule = await this.schedulesService.createUserSchedule(user.id, bodySchedule); + + return { + status: SUCCESS_STATUS, + data: schedule, + }; + } + + @Get("/default") + @Permissions([SCHEDULE_READ]) + @ApiResponse({ + status: 200, + description: "Returns the default schedule", + type: GetDefaultScheduleOutput_2024_06_11, + }) + async getDefaultSchedule(@GetUser() user: UserWithProfile): Promise { + const schedule = await this.schedulesService.getUserScheduleDefault(user.id); + + return { + status: SUCCESS_STATUS, + data: schedule, + }; + } + + @Get("/:scheduleId") + @Permissions([SCHEDULE_READ]) + @Throttle({ default: { limit: 10, ttl: 60000 } }) // allow 10 requests per minute (for :scheduleId) + async getSchedule( + @GetUser() user: UserWithProfile, + @Param("scheduleId") scheduleId: number + ): Promise { + const schedule = await this.schedulesService.getUserSchedule(user.id, scheduleId); + + return { + status: SUCCESS_STATUS, + data: schedule, + }; + } + + @Get("/") + @Permissions([SCHEDULE_READ]) + async getSchedules(@GetUser() user: UserWithProfile): Promise { + const schedules = await this.schedulesService.getUserSchedules(user.id); + + return { + status: SUCCESS_STATUS, + data: schedules, + }; + } + + @Patch("/:scheduleId") + @Permissions([SCHEDULE_WRITE]) + async updateSchedule( + @GetUser() user: UserWithProfile, + @Body() bodySchedule: UpdateScheduleInput_2024_06_11, + @Param("scheduleId") scheduleId: string + ): Promise { + const updatedSchedule = await this.schedulesService.updateUserSchedule( + user.id, + Number(scheduleId), + bodySchedule + ); + + return { + status: SUCCESS_STATUS, + data: updatedSchedule, + }; + } + + @Delete("/:scheduleId") + @HttpCode(HttpStatus.OK) + @Permissions([SCHEDULE_WRITE]) + async deleteSchedule( + @GetUser("id") userId: number, + @Param("scheduleId") scheduleId: number + ): Promise { + await this.schedulesService.deleteUserSchedule(userId, scheduleId); + + return { + status: SUCCESS_STATUS, + }; + } +} diff --git a/apps/api/v2/src/ee/schedules/schedules_2024_06_11/schedules.module.ts b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/schedules.module.ts new file mode 100644 index 00000000000000..abd2f7cf985a9f --- /dev/null +++ b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/schedules.module.ts @@ -0,0 +1,22 @@ +import { SchedulesController_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/controllers/schedules.controller"; +import { SchedulesRepository_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/schedules.repository"; +import { InputSchedulesService_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/services/input-schedules.service"; +import { OutputSchedulesService_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/services/output-schedules.service"; +import { SchedulesService_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/services/schedules.service"; +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersModule } from "@/modules/users/users.module"; +import { Module } from "@nestjs/common"; + +@Module({ + imports: [PrismaModule, UsersModule, TokensModule], + providers: [ + SchedulesRepository_2024_06_11, + SchedulesService_2024_06_11, + InputSchedulesService_2024_06_11, + OutputSchedulesService_2024_06_11, + ], + controllers: [SchedulesController_2024_06_11], + exports: [SchedulesService_2024_06_11, SchedulesRepository_2024_06_11, OutputSchedulesService_2024_06_11], +}) +export class SchedulesModule_2024_06_11 {} diff --git a/apps/api/v2/src/ee/schedules/schedules_2024_06_11/schedules.repository.ts b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/schedules.repository.ts new file mode 100644 index 00000000000000..ad9cecc3a137e8 --- /dev/null +++ b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/schedules.repository.ts @@ -0,0 +1,208 @@ +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { Injectable } from "@nestjs/common"; +import { Prisma } from "@prisma/client"; + +import type { CreateScheduleInput_2024_06_11 } from "@calcom/platform-types"; + +type InputScheduleAvailabilityTransformed = { + days: number[]; + startTime: Date; + endTime: Date; +}; + +type InputScheduleOverrideTransformed = { + date: Date; + startTime: Date; + endTime: Date; +}; + +type InputScheduleTransformed = Omit & { + availability: InputScheduleAvailabilityTransformed[]; + overrides: InputScheduleOverrideTransformed[]; +}; + +@Injectable() +export class SchedulesRepository_2024_06_11 { + constructor(private readonly dbRead: PrismaReadService, private readonly dbWrite: PrismaWriteService) {} + + async createSchedule(userId: number, schedule: Omit) { + const { availability, overrides } = schedule; + + const createScheduleData: Prisma.ScheduleCreateInput = { + user: { + connect: { + id: userId, + }, + }, + name: schedule.name, + timeZone: schedule.timeZone, + }; + + const availabilitiesAndOverrides: Prisma.AvailabilityCreateManyInput[] = []; + + if (availability && availability.length > 0) { + availability.forEach((availability) => { + availabilitiesAndOverrides.push({ + days: availability.days, + startTime: availability.startTime, + endTime: availability.endTime, + userId, + }); + }); + } + + if (overrides && overrides.length > 0) { + overrides.forEach((override) => { + availabilitiesAndOverrides.push({ + date: override.date, + startTime: override.startTime, + endTime: override.endTime, + userId, + }); + }); + } + + if (availabilitiesAndOverrides.length > 0) { + createScheduleData.availability = { + createMany: { + data: availabilitiesAndOverrides, + }, + }; + } + + const createdSchedule = await this.dbWrite.prisma.schedule.create({ + data: { + ...createScheduleData, + }, + include: { + availability: true, + }, + }); + + return createdSchedule; + } + + async getScheduleById(scheduleId: number) { + const schedule = await this.dbRead.prisma.schedule.findUnique({ + where: { + id: scheduleId, + }, + include: { + availability: true, + }, + }); + + return schedule; + } + + async updateSchedule( + userId: number, + scheduleId: number, + schedule: Partial> + ) { + const { availability, overrides } = schedule; + + const updateScheduleData: Prisma.ScheduleUpdateInput = { + name: schedule.name, + timeZone: schedule.timeZone, + }; + + const availabilitiesAndOverrides: Prisma.AvailabilityCreateManyInput[] = []; + + const deleteConditions = []; + if (availability) { + // note(Lauris): availabilities and overrides are stored in the same "Availability" table, + // but availabilities have "date" field as null, while overrides have it as not null, so delete + // condition below results in deleting only rows from Availability table that are availabilities. + deleteConditions.push({ + scheduleId: { equals: scheduleId }, + date: null, + }); + } + + if (overrides) { + // note(Lauris): availabilities and overrides are stored in the same "Availability" table, + // but overrides have "date" field as not-null, while availabilities have it as null, so delete + // condition below results in deleting only rows from Availability table that are overrides. + deleteConditions.push({ + scheduleId: { equals: scheduleId }, + NOT: { date: null }, + }); + } + + if (availability && availability.length > 0) { + availability.forEach((availability) => { + availabilitiesAndOverrides.push({ + days: availability.days, + startTime: availability.startTime, + endTime: availability.endTime, + userId, + }); + }); + } + + if (overrides && overrides.length > 0) { + overrides.forEach((override) => { + availabilitiesAndOverrides.push({ + date: override.date, + startTime: override.startTime, + endTime: override.endTime, + userId, + }); + }); + } + + if (availabilitiesAndOverrides.length > 0) { + updateScheduleData.availability = { + deleteMany: deleteConditions, + createMany: { + data: availabilitiesAndOverrides, + }, + }; + } + + const updatedSchedule = await this.dbWrite.prisma.schedule.update({ + where: { + id: scheduleId, + }, + data: { + ...updateScheduleData, + }, + include: { + availability: true, + }, + }); + + return updatedSchedule; + } + + async getSchedulesByUserId(userId: number) { + const schedules = await this.dbRead.prisma.schedule.findMany({ + where: { + userId, + }, + include: { + availability: true, + }, + }); + + return schedules; + } + + async deleteScheduleById(scheduleId: number) { + return this.dbWrite.prisma.schedule.delete({ + where: { + id: scheduleId, + }, + }); + } + + async getUserSchedulesCount(userId: number) { + return this.dbRead.prisma.schedule.count({ + where: { + userId, + }, + }); + } +} diff --git a/apps/api/v2/src/ee/schedules/schedules_2024_06_11/services/input-schedules.service.ts b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/services/input-schedules.service.ts new file mode 100644 index 00000000000000..fe8adc8b4c5eea --- /dev/null +++ b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/services/input-schedules.service.ts @@ -0,0 +1,43 @@ +import { Injectable } from "@nestjs/common"; + +import { + transformApiScheduleOverrides, + transformApiScheduleAvailability, +} from "@calcom/platform-libraries-0.0.19"; +import { CreateScheduleInput_2024_06_11, ScheduleAvailabilityInput_2024_06_11 } from "@calcom/platform-types"; +import { ScheduleOverrideInput_2024_06_11 } from "@calcom/platform-types"; + +@Injectable() +export class InputSchedulesService_2024_06_11 { + transformInputCreateSchedule(inputSchedule: CreateScheduleInput_2024_06_11) { + const defaultAvailability: ScheduleAvailabilityInput_2024_06_11[] = [ + { + days: ["Monday", "Tuesday", "Wednesday", "Thursday", "Friday"], + startTime: "09:00", + endTime: "17:00", + }, + ]; + const defaultOverrides: ScheduleOverrideInput_2024_06_11[] = []; + + const availability = this.transformInputScheduleAvailability( + inputSchedule.availability || defaultAvailability + ); + const overrides = this.transformInputOverrides(inputSchedule.overrides || defaultOverrides); + + const internalCreateSchedule = { + ...inputSchedule, + availability, + overrides, + }; + + return internalCreateSchedule; + } + + transformInputScheduleAvailability(inputAvailability: ScheduleAvailabilityInput_2024_06_11[]) { + return transformApiScheduleAvailability(inputAvailability); + } + + transformInputOverrides(inputOverrides: ScheduleOverrideInput_2024_06_11[]) { + return transformApiScheduleOverrides(inputOverrides); + } +} diff --git a/apps/api/v2/src/ee/schedules/schedules_2024_06_11/services/output-schedules.service.ts b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/services/output-schedules.service.ts new file mode 100644 index 00000000000000..222f423e7f6a87 --- /dev/null +++ b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/services/output-schedules.service.ts @@ -0,0 +1,78 @@ +import { UsersRepository } from "@/modules/users/users.repository"; +import { Injectable } from "@nestjs/common"; +import type { Availability, Schedule } from "@prisma/client"; + +import { WeekDay } from "@calcom/platform-types"; + +@Injectable() +export class OutputSchedulesService_2024_06_11 { + constructor(private readonly usersRepository: UsersRepository) {} + + async getResponseSchedule(databaseSchedule: Schedule & { availability: Availability[] }) { + if (!databaseSchedule.timeZone) { + throw new Error("Failed to create schedule because its timezone is not set."); + } + + const ownerDefaultScheduleId = await this.usersRepository.getUserScheduleDefaultId( + databaseSchedule.userId + ); + + const createdScheduleAvailabilities = databaseSchedule.availability.filter( + (availability) => !!availability.days.length + ); + const createdScheduleOverrides = databaseSchedule.availability.filter((override) => !!override.date); + + return { + id: databaseSchedule.id, + ownerId: databaseSchedule.userId, + name: databaseSchedule.name, + timeZone: databaseSchedule.timeZone, + availability: createdScheduleAvailabilities.map((availability) => ({ + days: availability.days.map(transformNumberToDay), + startTime: this.padHoursMinutesWithZeros( + availability.startTime.getUTCHours() + ":" + availability.startTime.getUTCMinutes() + ), + endTime: this.padHoursMinutesWithZeros( + availability.endTime.getUTCHours() + ":" + availability.endTime.getUTCMinutes() + ), + })), + isDefault: databaseSchedule.id === ownerDefaultScheduleId, + overrides: createdScheduleOverrides.map((override) => ({ + date: + override.date?.getUTCFullYear() + + "-" + + (override.date ? override.date.getUTCMonth() + 1 : "").toString().padStart(2, "0") + + "-" + + override.date?.getUTCDate().toString().padStart(2, "0"), + startTime: this.padHoursMinutesWithZeros( + override.startTime.getUTCHours() + ":" + override.startTime.getUTCMinutes() + ), + endTime: this.padHoursMinutesWithZeros( + override.endTime.getUTCHours() + ":" + override.endTime.getUTCMinutes() + ), + })), + }; + } + + padHoursMinutesWithZeros(hhMM: string) { + const [hours, minutes] = hhMM.split(":"); + + const formattedHours = hours.padStart(2, "0"); + const formattedMinutes = minutes.padStart(2, "0"); + + return `${formattedHours}:${formattedMinutes}`; + } +} + +function transformNumberToDay(day: number): WeekDay { + const weekMap: { [key: number]: WeekDay } = { + 0: "Sunday", + 1: "Monday", + 2: "Tuesday", + 3: "Wednesday", + 4: "Thursday", + 5: "Friday", + 6: "Saturday", + }; + return weekMap[day]; +} diff --git a/apps/api/v2/src/ee/schedules/schedules_2024_06_11/services/schedules.service.ts b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/services/schedules.service.ts new file mode 100644 index 00000000000000..d68400a5721d41 --- /dev/null +++ b/apps/api/v2/src/ee/schedules/schedules_2024_06_11/services/schedules.service.ts @@ -0,0 +1,123 @@ +import { SchedulesRepository_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/schedules.repository"; +import { InputSchedulesService_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/services/input-schedules.service"; +import { OutputSchedulesService_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/services/output-schedules.service"; +import { UsersRepository } from "@/modules/users/users.repository"; +import { BadRequestException, ForbiddenException, Injectable, NotFoundException } from "@nestjs/common"; +import { Schedule } from "@prisma/client"; + +import { CreateScheduleInput_2024_06_11, ScheduleOutput_2024_06_11 } from "@calcom/platform-types"; +import { UpdateScheduleInput_2024_06_11 } from "@calcom/platform-types"; + +@Injectable() +export class SchedulesService_2024_06_11 { + constructor( + private readonly schedulesRepository: SchedulesRepository_2024_06_11, + private readonly inputSchedulesService: InputSchedulesService_2024_06_11, + private readonly outputSchedulesService: OutputSchedulesService_2024_06_11, + private readonly usersRepository: UsersRepository + ) {} + + async createUserDefaultSchedule(userId: number, timeZone: string) { + const defaultSchedule = { + isDefault: true, + name: "Default schedule", + timeZone, + }; + + return this.createUserSchedule(userId, defaultSchedule); + } + + async createUserSchedule( + userId: number, + scheduleInput: CreateScheduleInput_2024_06_11 + ): Promise { + const schedule = this.inputSchedulesService.transformInputCreateSchedule(scheduleInput); + + const createdSchedule = await this.schedulesRepository.createSchedule(userId, schedule); + + if (schedule.isDefault) { + await this.usersRepository.setDefaultSchedule(userId, createdSchedule.id); + } + + return this.outputSchedulesService.getResponseSchedule(createdSchedule); + } + + async getUserScheduleDefault(userId: number) { + const user = await this.usersRepository.findById(userId); + + if (!user?.defaultScheduleId) return null; + + const defaultSchedule = await this.schedulesRepository.getScheduleById(user.defaultScheduleId); + + if (!defaultSchedule) return null; + return this.outputSchedulesService.getResponseSchedule(defaultSchedule); + } + + async getUserSchedule(userId: number, scheduleId: number) { + const existingSchedule = await this.schedulesRepository.getScheduleById(scheduleId); + + if (!existingSchedule) { + throw new NotFoundException(`Schedule with ID=${scheduleId} does not exist.`); + } + + this.checkUserOwnsSchedule(userId, existingSchedule); + + return this.outputSchedulesService.getResponseSchedule(existingSchedule); + } + + async getUserSchedules(userId: number) { + const schedules = await this.schedulesRepository.getSchedulesByUserId(userId); + return Promise.all( + schedules.map(async (schedule) => { + return this.outputSchedulesService.getResponseSchedule(schedule); + }) + ); + } + + async updateUserSchedule(userId: number, scheduleId: number, bodySchedule: UpdateScheduleInput_2024_06_11) { + const existingSchedule = await this.schedulesRepository.getScheduleById(scheduleId); + + if (!existingSchedule) { + throw new NotFoundException(`Schedule with ID=${scheduleId} does not exist.`); + } + + this.checkUserOwnsSchedule(userId, existingSchedule); + + const availability = bodySchedule.availability + ? this.inputSchedulesService.transformInputScheduleAvailability(bodySchedule.availability) + : undefined; + const overrides = bodySchedule.overrides + ? this.inputSchedulesService.transformInputOverrides(bodySchedule.overrides) + : undefined; + + if (bodySchedule.isDefault) { + await this.usersRepository.setDefaultSchedule(userId, scheduleId); + } + + const updatedSchedule = await this.schedulesRepository.updateSchedule(userId, scheduleId, { + ...bodySchedule, + availability, + overrides, + }); + + return this.outputSchedulesService.getResponseSchedule(updatedSchedule); + } + + async deleteUserSchedule(userId: number, scheduleId: number) { + const existingSchedule = await this.schedulesRepository.getScheduleById(scheduleId); + + if (!existingSchedule) { + throw new BadRequestException(`Schedule with ID=${scheduleId} does not exist.`); + } + + this.checkUserOwnsSchedule(userId, existingSchedule); + + return this.schedulesRepository.deleteScheduleById(scheduleId); + } + + checkUserOwnsSchedule(userId: number, schedule: Pick) { + if (userId !== schedule.userId) { + throw new ForbiddenException(`User with ID=${userId} does not own schedule with ID=${schedule.id}`); + } + } +} diff --git a/apps/api/v2/src/env.ts b/apps/api/v2/src/env.ts index d1840bf6a52b7c..85bd516582d0be 100644 --- a/apps/api/v2/src/env.ts +++ b/apps/api/v2/src/env.ts @@ -12,6 +12,13 @@ export type Environment = { SENTRY_DSN: string; LOG_LEVEL: keyof typeof logLevels; REDIS_URL: string; + STRIPE_API_KEY: string; + STRIPE_WEBHOOK_SECRET: string; + WEB_APP_URL: string; + IS_E2E: boolean; + CALCOM_LICENSE_KEY: string; + GET_LICENSE_KEY_URL: string; + API_KEY_PREFIX: string; }; export const getEnv = (key: K, fallback?: Environment[K]): Environment[K] => { diff --git a/apps/api/v2/src/filters/http-exception.filter.ts b/apps/api/v2/src/filters/http-exception.filter.ts index c47e1ff936c9df..2aa35ba002c67a 100644 --- a/apps/api/v2/src/filters/http-exception.filter.ts +++ b/apps/api/v2/src/filters/http-exception.filter.ts @@ -13,18 +13,22 @@ export class HttpExceptionFilter implements ExceptionFilter { const response = ctx.getResponse(); const request = ctx.getRequest(); const statusCode = exception.getStatus(); + const requestId = request.headers["X-Request-Id"]; + this.logger.error(`Http Exception Filter: ${exception?.message}`, { exception, body: request.body, headers: request.headers, url: request.url, method: request.method, + requestId, }); + response.status(statusCode).json({ status: ERROR_STATUS, timestamp: new Date().toISOString(), path: request.url, - error: { code: exception.name, message: exception.message }, + error: { code: exception.name, message: exception.message, details: exception.getResponse() }, }); } } diff --git a/apps/api/v2/src/filters/prisma-exception.filter.ts b/apps/api/v2/src/filters/prisma-exception.filter.ts index 4490a0de8c8ac1..9bd1f82d10b23a 100644 --- a/apps/api/v2/src/filters/prisma-exception.filter.ts +++ b/apps/api/v2/src/filters/prisma-exception.filter.ts @@ -33,12 +33,15 @@ export class PrismaExceptionFilter implements ExceptionFilter { const ctx = host.switchToHttp(); const response = ctx.getResponse(); const request = ctx.getRequest(); + const requestId = request.headers["X-Request-Id"]; + this.logger.error(`PrismaError: ${error.message}`, { error, body: request.body, headers: request.headers, url: request.url, method: request.method, + requestId, }); response.status(HttpStatus.INTERNAL_SERVER_ERROR).json({ status: ERROR_STATUS, diff --git a/apps/api/v2/src/filters/sentry-exception.filter.ts b/apps/api/v2/src/filters/sentry-exception.filter.ts deleted file mode 100644 index 479525ecf47c20..00000000000000 --- a/apps/api/v2/src/filters/sentry-exception.filter.ts +++ /dev/null @@ -1,37 +0,0 @@ -import { ArgumentsHost, Catch, Logger, HttpStatus } from "@nestjs/common"; -import { BaseExceptionFilter } from "@nestjs/core"; -import * as Sentry from "@sentry/node"; -import { Request } from "express"; - -import { ERROR_STATUS, INTERNAL_SERVER_ERROR } from "@calcom/platform-constants"; -import { Response } from "@calcom/platform-types"; - -@Catch() -export class SentryFilter extends BaseExceptionFilter { - private readonly logger = new Logger("SentryExceptionFilter"); - - handleUnknownError(exception: any, host: ArgumentsHost): void { - const ctx = host.switchToHttp(); - const response = ctx.getResponse(); - const request = ctx.getRequest(); - - this.logger.error(`Sentry Exception Filter: ${exception?.message}`, { - exception, - body: request.body, - headers: request.headers, - url: request.url, - method: request.method, - }); - - // capture if client has been init - if (Boolean(Sentry.getCurrentHub().getClient())) { - Sentry.captureException(exception); - } - response.status(HttpStatus.INTERNAL_SERVER_ERROR).json({ - status: ERROR_STATUS, - timestamp: new Date().toISOString(), - path: request.url, - error: { code: INTERNAL_SERVER_ERROR, message: "Internal server error." }, - }); - } -} diff --git a/apps/api/v2/src/filters/trpc-exception.filter.ts b/apps/api/v2/src/filters/trpc-exception.filter.ts index e65e94af1628c7..07360463eb46a5 100644 --- a/apps/api/v2/src/filters/trpc-exception.filter.ts +++ b/apps/api/v2/src/filters/trpc-exception.filter.ts @@ -2,7 +2,7 @@ import { ArgumentsHost, Catch, ExceptionFilter, Logger } from "@nestjs/common"; import { Request } from "express"; import { ERROR_STATUS } from "@calcom/platform-constants"; -import { TRPCError } from "@calcom/platform-libraries"; +import { TRPCError } from "@calcom/platform-libraries-0.0.19"; import { Response } from "@calcom/platform-types"; @Catch(TRPCError) @@ -41,12 +41,15 @@ export class TRPCExceptionFilter implements ExceptionFilter { break; } + const requestId = request.headers["X-Request-Id"]; + this.logger.error(`TRPC Exception Filter: ${exception?.message}`, { exception, body: request.body, headers: request.headers, url: request.url, method: request.method, + requestId, }); response.status(statusCode).json({ diff --git a/apps/api/v2/src/filters/zod-exception.filter.ts b/apps/api/v2/src/filters/zod-exception.filter.ts index eb962ff5fa001a..7a61b5c71b39ac 100644 --- a/apps/api/v2/src/filters/zod-exception.filter.ts +++ b/apps/api/v2/src/filters/zod-exception.filter.ts @@ -14,6 +14,7 @@ export class ZodExceptionFilter implements ExceptionFilter { const ctx = host.switchToHttp(); const response = ctx.getResponse(); const request = ctx.getRequest(); + const requestId = request.headers["X-Request-Id"]; this.logger.error(`ZodError: ${error.message}`, { error, @@ -21,6 +22,7 @@ export class ZodExceptionFilter implements ExceptionFilter { headers: request.headers, url: request.url, method: request.method, + requestId, }); response.status(HttpStatus.BAD_REQUEST).json({ diff --git a/apps/api/v2/src/instrument.ts b/apps/api/v2/src/instrument.ts new file mode 100644 index 00000000000000..77c172854e2057 --- /dev/null +++ b/apps/api/v2/src/instrument.ts @@ -0,0 +1,12 @@ +import { getEnv } from "@/env"; +import * as Sentry from "@sentry/node"; + +if (process.env.SENTRY_DSN) { + // Ensure to call this before requiring any other modules! + Sentry.init({ + dsn: getEnv("SENTRY_DSN"), + // Add Performance Monitoring by setting tracesSampleRate + // We recommend adjusting this value in production + // todo: Evaluate? tracesSampleRate: 1.0 + }); +} diff --git a/apps/api/v2/src/lib/api-key/index.ts b/apps/api/v2/src/lib/api-key/index.ts index d292bd06e8bdce..ad7ec0d2a9f3e7 100644 --- a/apps/api/v2/src/lib/api-key/index.ts +++ b/apps/api/v2/src/lib/api-key/index.ts @@ -1,3 +1,8 @@ import { createHash } from "crypto"; export const hashAPIKey = (apiKey: string): string => createHash("sha256").update(apiKey).digest("hex"); + +export const isApiKey = (authString: string, prefix: string): boolean => + authString?.startsWith(prefix ?? "cal_"); + +export const stripApiKey = (apiKey: string, prefix?: string): string => apiKey.replace(prefix ?? "cal_", ""); diff --git a/apps/api/v2/src/lib/api-versions.ts b/apps/api/v2/src/lib/api-versions.ts new file mode 100644 index 00000000000000..62a70a4b83a372 --- /dev/null +++ b/apps/api/v2/src/lib/api-versions.ts @@ -0,0 +1,17 @@ +import { VersionValue } from "@nestjs/common/interfaces"; + +import { + API_VERSIONS, + VERSION_2024_04_15, + VERSION_2024_06_11, + VERSION_2024_06_14, +} from "@calcom/platform-constants"; + +export const API_VERSIONS_VALUES: VersionValue = API_VERSIONS as unknown as VersionValue; +export const VERSION_2024_06_14_VALUE: VersionValue = VERSION_2024_06_14 as unknown as VersionValue; +export const VERSION_2024_06_11_VALUE: VersionValue = VERSION_2024_06_11 as unknown as VersionValue; +export const VERSION_2024_04_15_VALUE: VersionValue = VERSION_2024_04_15 as unknown as VersionValue; + +export { VERSION_2024_04_15 }; +export { VERSION_2024_06_11 }; +export { VERSION_2024_06_14 }; diff --git a/apps/api/v2/src/lib/enums/locales.ts b/apps/api/v2/src/lib/enums/locales.ts new file mode 100644 index 00000000000000..afa8b800731acc --- /dev/null +++ b/apps/api/v2/src/lib/enums/locales.ts @@ -0,0 +1,44 @@ +export enum Locales { + AR = "ar", + CA = "ca", + DE = "de", + ES = "es", + EU = "eu", + HE = "he", + ID = "id", + JA = "ja", + LV = "lv", + PL = "pl", + RO = "ro", + SR = "sr", + TH = "th", + VI = "vi", + AZ = "az", + CS = "cs", + EL = "el", + ES_419 = "es-419", + FI = "fi", + HR = "hr", + IT = "it", + KM = "km", + NL = "nl", + PT = "pt", + RU = "ru", + SV = "sv", + TR = "tr", + ZH_CN = "zh-CN", + BG = "bg", + DA = "da", + EN = "en", + ET = "et", + FR = "fr", + HU = "hu", + IW = "iw", + KO = "ko", + NO = "no", + PT_BR = "pt-BR", + SK = "sk", + TA = "ta", + UK = "uk", + ZH_TW = "zh-TW", +} diff --git a/apps/api/v2/src/lib/inputs/capitalize-timezone.spec.ts b/apps/api/v2/src/lib/inputs/capitalize-timezone.spec.ts new file mode 100644 index 00000000000000..4c4ce6b90f56b0 --- /dev/null +++ b/apps/api/v2/src/lib/inputs/capitalize-timezone.spec.ts @@ -0,0 +1,61 @@ +import { plainToClass } from "class-transformer"; +import { IsOptional, IsString } from "class-validator"; + +import { CapitalizeTimeZone } from "./capitalize-timezone"; + +class TestDto { + @IsOptional() + @IsString() + @CapitalizeTimeZone() + timeZone?: string; +} + +describe("CapitalizeTimeZone", () => { + it("should capitalize single part time zone correctly", () => { + const input = { timeZone: "egypt" }; + const output = plainToClass(TestDto, input); + expect(output.timeZone).toBe("Egypt"); + }); + + it("should capitalize one-part time zone correctly", () => { + const input = { timeZone: "europe/rome" }; + const output = plainToClass(TestDto, input); + expect(output.timeZone).toBe("Europe/Rome"); + }); + + it("should capitalize multi-part time zone correctly", () => { + const input = { timeZone: "america/new_york" }; + const output = plainToClass(TestDto, input); + expect(output.timeZone).toBe("America/New_York"); + }); + + it("should capitalize complex time zone correctly", () => { + const input = { timeZone: "europe/isle_of_man" }; + const output = plainToClass(TestDto, input); + expect(output.timeZone).toBe("Europe/Isle_Of_Man"); + }); + + it("should handle already capitalized time zones correctly", () => { + const input = { timeZone: "Asia/Tokyo" }; + const output = plainToClass(TestDto, input); + expect(output.timeZone).toBe("Asia/Tokyo"); + }); + + it("should handle missing time zone correctly", () => { + const input = {}; + const output = plainToClass(TestDto, input); + expect(output.timeZone).toBeUndefined(); + }); + + it("should capitalize EST at the end of the string", () => { + const input = { email: "test@example.com", timeZone: "utc/est" }; + const output = plainToClass(TestDto, input); + expect(output.timeZone).toBe("UTC/EST"); + }); + + it("should capitalize UTC when surrounded by non-alphabetical characters", () => { + const input = { email: "test@example.com", timeZone: "utc/gmt+3_est" }; + const output = plainToClass(TestDto, input); + expect(output.timeZone).toBe("UTC/GMT+3_EST"); + }); +}); diff --git a/apps/api/v2/src/lib/inputs/capitalize-timezone.ts b/apps/api/v2/src/lib/inputs/capitalize-timezone.ts new file mode 100644 index 00000000000000..c94a9dc4c4c9d3 --- /dev/null +++ b/apps/api/v2/src/lib/inputs/capitalize-timezone.ts @@ -0,0 +1,28 @@ +import { Transform } from "class-transformer"; + +export function CapitalizeTimeZone(): PropertyDecorator { + return Transform(({ value }) => { + if (typeof value === "string") { + const parts = value.split("/"); + const normalizedParts = parts.map((part) => + part + .split("_") + .map((word) => word.charAt(0).toUpperCase() + word.slice(1).toLowerCase()) + .join("_") + ); + let normalizedTimeZone = normalizedParts.join("/"); + + // note(Lauris): regex matching GMT, EST, UTC at the start, end, or surrounded by non-letters and capitalizing them + const specialCases = ["GMT", "EST", "UTC"]; + specialCases.forEach((specialCase) => { + const regex = new RegExp(`(^|[^a-zA-Z])(${specialCase})([^a-zA-Z]|$)`, "gi"); + normalizedTimeZone = normalizedTimeZone.replace(regex, (match, p1, p2, p3) => { + return `${p1}${specialCase}${p3}`; + }); + }); + + return normalizedTimeZone; + } + return value; + }); +} diff --git a/apps/api/v2/src/lib/roles/constants.ts b/apps/api/v2/src/lib/roles/constants.ts new file mode 100644 index 00000000000000..03a9db1840fea3 --- /dev/null +++ b/apps/api/v2/src/lib/roles/constants.ts @@ -0,0 +1,13 @@ +import { MembershipRole } from "@prisma/client"; + +export const SYSTEM_ADMIN_ROLE = "SYSADMIN"; +export const ORG_ROLES = [ + `ORG_${MembershipRole.OWNER}`, + `ORG_${MembershipRole.ADMIN}`, + `ORG_${MembershipRole.MEMBER}`, +] as const; +export const TEAM_ROLES = [ + `TEAM_${MembershipRole.OWNER}`, + `TEAM_${MembershipRole.ADMIN}`, + `TEAM_${MembershipRole.MEMBER}`, +] as const; diff --git a/apps/api/v2/src/main.ts b/apps/api/v2/src/main.ts index e149793395326c..a1aace491983fc 100644 --- a/apps/api/v2/src/main.ts +++ b/apps/api/v2/src/main.ts @@ -16,6 +16,7 @@ import { loggerConfig } from "./lib/logger"; const run = async () => { const app = await NestFactory.create(AppModule, { logger: WinstonModule.createLogger(loggerConfig()), + bodyParser: false, }); const logger = new Logger("App"); @@ -23,10 +24,11 @@ const run = async () => { try { bootstrap(app); const port = app.get(ConfigService).get("api.port", { infer: true }); - generateSwagger(app); + void generateSwagger(app); await app.listen(port); logger.log(`Application started on port: ${port}`); } catch (error) { + console.error(error); logger.error("Application crashed", { error, }); diff --git a/apps/api/v2/src/app.logger.middleware.ts b/apps/api/v2/src/middleware/app.logger.middleware.ts similarity index 100% rename from apps/api/v2/src/app.logger.middleware.ts rename to apps/api/v2/src/middleware/app.logger.middleware.ts diff --git a/apps/api/v2/src/app.rewrites.middleware.ts b/apps/api/v2/src/middleware/app.rewrites.middleware.ts similarity index 100% rename from apps/api/v2/src/app.rewrites.middleware.ts rename to apps/api/v2/src/middleware/app.rewrites.middleware.ts diff --git a/apps/api/v2/src/middleware/body/json.body.middleware.ts b/apps/api/v2/src/middleware/body/json.body.middleware.ts new file mode 100644 index 00000000000000..8f454090cf46c5 --- /dev/null +++ b/apps/api/v2/src/middleware/body/json.body.middleware.ts @@ -0,0 +1,10 @@ +import { Injectable, NestMiddleware } from "@nestjs/common"; +import * as bodyParser from "body-parser"; +import type { Request, Response } from "express"; + +@Injectable() +export class JsonBodyMiddleware implements NestMiddleware { + use(req: Request, res: Response, next: () => any) { + bodyParser.json()(req, res, next); + } +} diff --git a/apps/api/v2/src/middleware/body/raw.body.middleware.ts b/apps/api/v2/src/middleware/body/raw.body.middleware.ts new file mode 100644 index 00000000000000..6cdae2f61766a8 --- /dev/null +++ b/apps/api/v2/src/middleware/body/raw.body.middleware.ts @@ -0,0 +1,10 @@ +import { Injectable, NestMiddleware } from "@nestjs/common"; +import * as bodyParser from "body-parser"; +import type { Request, Response } from "express"; + +@Injectable() +export class RawBodyMiddleware implements NestMiddleware { + use(req: Request, res: Response, next: () => any) { + bodyParser.raw({ type: "*/*" })(req, res, next); + } +} diff --git a/apps/api/v2/src/middleware/request-ids/request-id.interceptor.ts b/apps/api/v2/src/middleware/request-ids/request-id.interceptor.ts new file mode 100644 index 00000000000000..b49d75d4564e88 --- /dev/null +++ b/apps/api/v2/src/middleware/request-ids/request-id.interceptor.ts @@ -0,0 +1,16 @@ +import { CallHandler, ExecutionContext, Injectable, NestInterceptor } from "@nestjs/common"; +import { Request, Response } from "express"; + +@Injectable() +export class ResponseInterceptor implements NestInterceptor { + intercept(context: ExecutionContext, next: CallHandler) { + const ctx = context.switchToHttp(); + const request = ctx.getRequest(); + const response = ctx.getResponse(); + + const requestId = request.headers["X-Request-Id"] ?? "unknown-request-id"; + response.setHeader("X-Request-Id", requestId.toString()); + + return next.handle(); + } +} diff --git a/apps/api/v2/src/middleware/request-ids/request-id.middleware.ts b/apps/api/v2/src/middleware/request-ids/request-id.middleware.ts new file mode 100644 index 00000000000000..2902dd8fb2b6fa --- /dev/null +++ b/apps/api/v2/src/middleware/request-ids/request-id.middleware.ts @@ -0,0 +1,11 @@ +import { Injectable, NestMiddleware } from "@nestjs/common"; +import { Request, Response, NextFunction } from "express"; +import { v4 as uuid } from "uuid"; + +@Injectable() +export class RequestIdMiddleware implements NestMiddleware { + use(req: Request, res: Response, next: NextFunction) { + req.headers["X-Request-Id"] = uuid(); + next(); + } +} diff --git a/apps/api/v2/src/modules/api-key/api-key-repository.ts b/apps/api/v2/src/modules/api-key/api-key-repository.ts new file mode 100644 index 00000000000000..66af5f68c45905 --- /dev/null +++ b/apps/api/v2/src/modules/api-key/api-key-repository.ts @@ -0,0 +1,16 @@ +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { Injectable } from "@nestjs/common"; + +@Injectable() +export class ApiKeyRepository { + constructor(private readonly dbRead: PrismaReadService, private readonly dbWrite: PrismaWriteService) {} + + async getApiKeyFromHash(hashedKey: string) { + return this.dbRead.prisma.apiKey.findUnique({ + where: { + hashedKey, + }, + }); + } +} diff --git a/apps/api/v2/src/modules/api-key/api-key.module.ts b/apps/api/v2/src/modules/api-key/api-key.module.ts index 6c3d86ba058c7c..993210e07af22d 100644 --- a/apps/api/v2/src/modules/api-key/api-key.module.ts +++ b/apps/api/v2/src/modules/api-key/api-key.module.ts @@ -1,10 +1,10 @@ -import { ApiKeyService } from "@/modules/api-key/api-key.service"; +import { ApiKeyRepository } from "@/modules/api-key/api-key-repository"; import { PrismaModule } from "@/modules/prisma/prisma.module"; import { Module } from "@nestjs/common"; @Module({ imports: [PrismaModule], - providers: [ApiKeyService], - exports: [ApiKeyService], + providers: [ApiKeyRepository], + exports: [ApiKeyRepository], }) export class ApiKeyModule {} diff --git a/apps/api/v2/src/modules/api-key/api-key.service.ts b/apps/api/v2/src/modules/api-key/api-key.service.ts deleted file mode 100644 index c381fa99be0dc6..00000000000000 --- a/apps/api/v2/src/modules/api-key/api-key.service.ts +++ /dev/null @@ -1,25 +0,0 @@ -import { hashAPIKey } from "@/lib/api-key"; -import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; -import { Injectable } from "@nestjs/common"; -import type { Request } from "express"; - -@Injectable() -export class ApiKeyService { - constructor(private readonly dbRead: PrismaReadService) {} - - async retrieveApiKey(request: Request) { - const apiKey = request.get("Authorization")?.replace("Bearer ", ""); - - if (!apiKey) { - return null; - } - - const hashedKey = hashAPIKey(apiKey.replace("cal_", "")); - - return this.dbRead.prisma.apiKey.findUniqueOrThrow({ - where: { - hashedKey, - }, - }); - } -} diff --git a/apps/api/v2/src/modules/auth/auth.module.ts b/apps/api/v2/src/modules/auth/auth.module.ts index aae58abb100e8a..b97a5aceb54978 100644 --- a/apps/api/v2/src/modules/auth/auth.module.ts +++ b/apps/api/v2/src/modules/auth/auth.module.ts @@ -1,26 +1,28 @@ import { ApiKeyModule } from "@/modules/api-key/api-key.module"; -import { AccessTokenGuard } from "@/modules/auth/guards/access-token/access-token.guard"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; import { NextAuthGuard } from "@/modules/auth/guards/next-auth/next-auth.guard"; -import { AccessTokenStrategy } from "@/modules/auth/strategies/access-token/access-token.strategy"; -import { ApiKeyAuthStrategy } from "@/modules/auth/strategies/api-key-auth/api-key-auth.strategy"; +import { ApiAuthStrategy } from "@/modules/auth/strategies/api-auth/api-auth.strategy"; import { NextAuthStrategy } from "@/modules/auth/strategies/next-auth/next-auth.strategy"; +import { DeploymentsModule } from "@/modules/deployments/deployments.module"; import { MembershipsModule } from "@/modules/memberships/memberships.module"; import { OAuthFlowService } from "@/modules/oauth-clients/services/oauth-flow.service"; +import { RedisModule } from "@/modules/redis/redis.module"; import { TokensModule } from "@/modules/tokens/tokens.module"; import { UsersModule } from "@/modules/users/users.module"; import { Module } from "@nestjs/common"; import { PassportModule } from "@nestjs/passport"; @Module({ - imports: [PassportModule, ApiKeyModule, UsersModule, MembershipsModule, TokensModule], - providers: [ - ApiKeyAuthStrategy, - NextAuthGuard, - NextAuthStrategy, - AccessTokenGuard, - AccessTokenStrategy, - OAuthFlowService, + imports: [ + PassportModule, + RedisModule, + ApiKeyModule, + UsersModule, + MembershipsModule, + TokensModule, + DeploymentsModule, ], - exports: [NextAuthGuard, AccessTokenGuard], + providers: [NextAuthGuard, NextAuthStrategy, ApiAuthGuard, ApiAuthStrategy, OAuthFlowService], + exports: [NextAuthGuard, ApiAuthGuard], }) export class AuthModule {} diff --git a/apps/api/v2/src/modules/auth/decorators/get-membership/get-membership.decorator.ts b/apps/api/v2/src/modules/auth/decorators/get-membership/get-membership.decorator.ts new file mode 100644 index 00000000000000..6dc57ed261fa2a --- /dev/null +++ b/apps/api/v2/src/modules/auth/decorators/get-membership/get-membership.decorator.ts @@ -0,0 +1,33 @@ +import { ExecutionContext } from "@nestjs/common"; +import { createParamDecorator } from "@nestjs/common"; + +import { Membership } from "@calcom/prisma/client"; + +export type GetMembershipReturnType = Membership; + +export const GetMembership = createParamDecorator< + keyof GetMembershipReturnType | (keyof GetMembershipReturnType)[], + ExecutionContext +>((data, ctx) => { + const request = ctx.switchToHttp().getRequest(); + const membership = request.membership as GetMembershipReturnType; + + if (!membership) { + throw new Error("GetMembership decorator : Membership not found"); + } + + if (Array.isArray(data)) { + return data.reduce((prev, curr) => { + return { + ...prev, + [curr]: membership[curr], + }; + }, {}); + } + + if (data) { + return membership[data]; + } + + return membership; +}); diff --git a/apps/api/v2/src/modules/auth/decorators/get-org/get-org.decorator.ts b/apps/api/v2/src/modules/auth/decorators/get-org/get-org.decorator.ts new file mode 100644 index 00000000000000..50d3bb543d4c31 --- /dev/null +++ b/apps/api/v2/src/modules/auth/decorators/get-org/get-org.decorator.ts @@ -0,0 +1,33 @@ +import { ExecutionContext } from "@nestjs/common"; +import { createParamDecorator } from "@nestjs/common"; + +import { Team } from "@calcom/prisma/client"; + +export type GetOrgReturnType = Team; + +export const GetOrg = createParamDecorator< + keyof GetOrgReturnType | (keyof GetOrgReturnType)[], + ExecutionContext +>((data, ctx) => { + const request = ctx.switchToHttp().getRequest(); + const organization = request.organization as GetOrgReturnType; + + if (!organization) { + throw new Error("GetOrg decorator : Org not found"); + } + + if (Array.isArray(data)) { + return data.reduce((prev, curr) => { + return { + ...prev, + [curr]: organization[curr], + }; + }, {}); + } + + if (data) { + return organization[data]; + } + + return organization; +}); diff --git a/apps/api/v2/src/modules/auth/decorators/get-team/get-team.decorator.ts b/apps/api/v2/src/modules/auth/decorators/get-team/get-team.decorator.ts new file mode 100644 index 00000000000000..80560f8aa7a95b --- /dev/null +++ b/apps/api/v2/src/modules/auth/decorators/get-team/get-team.decorator.ts @@ -0,0 +1,33 @@ +import { ExecutionContext } from "@nestjs/common"; +import { createParamDecorator } from "@nestjs/common"; + +import { Team } from "@calcom/prisma/client"; + +export type GetTeamReturnType = Team; + +export const GetTeam = createParamDecorator< + keyof GetTeamReturnType | (keyof GetTeamReturnType)[], + ExecutionContext +>((data, ctx) => { + const request = ctx.switchToHttp().getRequest(); + const team = request.team as GetTeamReturnType; + + if (!team) { + throw new Error("GetTeam decorator : Team not found"); + } + + if (Array.isArray(data)) { + return data.reduce((prev, curr) => { + return { + ...prev, + [curr]: team[curr], + }; + }, {}); + } + + if (data) { + return team[data]; + } + + return team; +}); diff --git a/apps/api/v2/src/modules/auth/decorators/get-user/get-user.decorator.ts b/apps/api/v2/src/modules/auth/decorators/get-user/get-user.decorator.ts index 28ec9d5e3a34ed..ebdd75e3952059 100644 --- a/apps/api/v2/src/modules/auth/decorators/get-user/get-user.decorator.ts +++ b/apps/api/v2/src/modules/auth/decorators/get-user/get-user.decorator.ts @@ -1,26 +1,33 @@ +import { UserWithProfile } from "@/modules/users/users.repository"; import { ExecutionContext } from "@nestjs/common"; import { createParamDecorator } from "@nestjs/common"; -import { User } from "@prisma/client"; -export const GetUser = createParamDecorator((data, ctx) => { +export type GetUserReturnType = UserWithProfile & { isSystemAdmin: boolean }; + +export const GetUser = createParamDecorator< + keyof GetUserReturnType | (keyof GetUserReturnType)[], + ExecutionContext +>((data, ctx) => { const request = ctx.switchToHttp().getRequest(); - const user = request.user as User; + const user = request.user as GetUserReturnType; if (!user) { throw new Error("GetUser decorator : User not found"); } + user.isSystemAdmin = user.role === "ADMIN"; + if (Array.isArray(data)) { return data.reduce((prev, curr) => { return { ...prev, - [curr]: request.user[curr], + [curr]: user[curr], }; }, {}); } if (data) { - return request.user[data]; + return user[data]; } return user; diff --git a/apps/api/v2/src/modules/auth/decorators/roles/membership-roles.decorator.ts b/apps/api/v2/src/modules/auth/decorators/roles/membership-roles.decorator.ts new file mode 100644 index 00000000000000..1165605374b347 --- /dev/null +++ b/apps/api/v2/src/modules/auth/decorators/roles/membership-roles.decorator.ts @@ -0,0 +1,4 @@ +import { Reflector } from "@nestjs/core"; +import { MembershipRole } from "@prisma/client"; + +export const MembershipRoles = Reflector.createDecorator(); diff --git a/apps/api/v2/src/modules/auth/decorators/roles/roles.decorator.ts b/apps/api/v2/src/modules/auth/decorators/roles/roles.decorator.ts index d1a4511770d1f0..1a0256b0803dce 100644 --- a/apps/api/v2/src/modules/auth/decorators/roles/roles.decorator.ts +++ b/apps/api/v2/src/modules/auth/decorators/roles/roles.decorator.ts @@ -1,4 +1,6 @@ +import { SYSTEM_ADMIN_ROLE, ORG_ROLES, TEAM_ROLES } from "@/lib/roles/constants"; import { Reflector } from "@nestjs/core"; -import { MembershipRole } from "@prisma/client"; -export const Roles = Reflector.createDecorator(); +export const Roles = Reflector.createDecorator< + (typeof ORG_ROLES)[number] | (typeof TEAM_ROLES)[number] | typeof SYSTEM_ADMIN_ROLE +>(); diff --git a/apps/api/v2/src/modules/auth/guards/access-token/access-token.guard.ts b/apps/api/v2/src/modules/auth/guards/api-auth/api-auth.guard.ts similarity index 56% rename from apps/api/v2/src/modules/auth/guards/access-token/access-token.guard.ts rename to apps/api/v2/src/modules/auth/guards/api-auth/api-auth.guard.ts index 2543c644549ae1..bfc6e240df1e34 100644 --- a/apps/api/v2/src/modules/auth/guards/access-token/access-token.guard.ts +++ b/apps/api/v2/src/modules/auth/guards/api-auth/api-auth.guard.ts @@ -1,6 +1,6 @@ import { AuthGuard } from "@nestjs/passport"; -export class AccessTokenGuard extends AuthGuard("access-token") { +export class ApiAuthGuard extends AuthGuard("api-auth") { constructor() { super(); } diff --git a/apps/api/v2/src/modules/auth/guards/access-token/token-expired.exception.ts b/apps/api/v2/src/modules/auth/guards/api-auth/token-expired.exception.ts similarity index 100% rename from apps/api/v2/src/modules/auth/guards/access-token/token-expired.exception.ts rename to apps/api/v2/src/modules/auth/guards/api-auth/token-expired.exception.ts diff --git a/apps/api/v2/src/modules/auth/guards/memberships/is-membership-in-org.guard.ts b/apps/api/v2/src/modules/auth/guards/memberships/is-membership-in-org.guard.ts new file mode 100644 index 00000000000000..56a3f3c48cde46 --- /dev/null +++ b/apps/api/v2/src/modules/auth/guards/memberships/is-membership-in-org.guard.ts @@ -0,0 +1,42 @@ +import { OrganizationsMembershipRepository } from "@/modules/organizations/repositories/organizations-membership.repository"; +import { + Injectable, + CanActivate, + ExecutionContext, + ForbiddenException, + NotFoundException, +} from "@nestjs/common"; +import { Request } from "express"; + +import { Membership } from "@calcom/prisma/client"; + +@Injectable() +export class IsMembershipInOrg implements CanActivate { + constructor(private organizationsMembershipRepository: OrganizationsMembershipRepository) {} + + async canActivate(context: ExecutionContext): Promise { + const request = context.switchToHttp().getRequest(); + const membershipId: string = request.params.membershipId; + const orgId: string = request.params.orgId; + + if (!orgId) { + throw new ForbiddenException("No org id found in request params."); + } + + if (!membershipId) { + throw new ForbiddenException("No membership id found in request params."); + } + + const membership = await this.organizationsMembershipRepository.findOrgMembership( + Number(orgId), + Number(membershipId) + ); + + if (!membership) { + throw new NotFoundException(`Membership (${membershipId}) not found.`); + } + + request.membership = membership; + return true; + } +} diff --git a/apps/api/v2/src/modules/auth/guards/organization-roles/organization-roles.guard.ts b/apps/api/v2/src/modules/auth/guards/organization-roles/organization-roles.guard.ts index c55702be8816e1..bb6eeffe5820a9 100644 --- a/apps/api/v2/src/modules/auth/guards/organization-roles/organization-roles.guard.ts +++ b/apps/api/v2/src/modules/auth/guards/organization-roles/organization-roles.guard.ts @@ -1,4 +1,4 @@ -import { Roles } from "@/modules/auth/decorators/roles/roles.decorator"; +import { MembershipRoles } from "@/modules/auth/decorators/roles/membership-roles.decorator"; import { MembershipsRepository } from "@/modules/memberships/memberships.repository"; import { OrganizationsService } from "@/modules/organizations/services/organizations.service"; import { UserWithProfile } from "@/modules/users/users.repository"; @@ -27,7 +27,7 @@ export class OrganizationRolesGuard implements CanActivate { await this.isPlatform(organizationId); const membership = await this.membershipRepository.findOrgUserMembership(organizationId, user.id); - const allowedRoles = this.reflector.get(Roles, context.getHandler()); + const allowedRoles = this.reflector.get(MembershipRoles, context.getHandler()); this.isMembershipAccepted(membership.accepted); this.isRoleAllowed(membership.role, allowedRoles); diff --git a/apps/api/v2/src/modules/auth/guards/organizations/is-org.guard.ts b/apps/api/v2/src/modules/auth/guards/organizations/is-org.guard.ts new file mode 100644 index 00000000000000..ce9143d36f1fa2 --- /dev/null +++ b/apps/api/v2/src/modules/auth/guards/organizations/is-org.guard.ts @@ -0,0 +1,58 @@ +import { OrganizationsRepository } from "@/modules/organizations/organizations.repository"; +import { RedisService } from "@/modules/redis/redis.service"; +import { Injectable, CanActivate, ExecutionContext, ForbiddenException } from "@nestjs/common"; +import { Request } from "express"; + +import { Team } from "@calcom/prisma/client"; + +type CachedData = { + org?: Team; + canAccess?: boolean; +}; + +@Injectable() +export class IsOrgGuard implements CanActivate { + constructor( + private organizationsRepository: OrganizationsRepository, + private readonly redisService: RedisService + ) {} + + async canActivate(context: ExecutionContext): Promise { + let canAccess = false; + const request = context.switchToHttp().getRequest(); + const organizationId: string = request.params.orgId; + + if (!organizationId) { + throw new ForbiddenException("No organization id found in request params."); + } + + const REDIS_CACHE_KEY = `apiv2:org:${organizationId}:guard:isOrg`; + const cachedData = await this.redisService.redis.get(REDIS_CACHE_KEY); + + if (cachedData) { + const { org: cachedOrg, canAccess: cachedCanAccess } = JSON.parse(cachedData) as CachedData; + if (cachedOrg?.id === Number(organizationId) && cachedCanAccess !== undefined) { + request.organization = cachedOrg; + return cachedCanAccess; + } + } + + const org = await this.organizationsRepository.findById(Number(organizationId)); + + if (org?.isOrganization) { + request.organization = org; + canAccess = true; + } + + if (org) { + await this.redisService.redis.set( + REDIS_CACHE_KEY, + JSON.stringify({ org: org, canAccess } satisfies CachedData), + "EX", + 300 + ); + } + + return canAccess; + } +} diff --git a/apps/api/v2/src/modules/auth/guards/permissions/permissions.guard.spec.ts b/apps/api/v2/src/modules/auth/guards/permissions/permissions.guard.spec.ts index 0bd07651deeb6f..a8869436ceccb5 100644 --- a/apps/api/v2/src/modules/auth/guards/permissions/permissions.guard.spec.ts +++ b/apps/api/v2/src/modules/auth/guards/permissions/permissions.guard.spec.ts @@ -1,6 +1,7 @@ import { TokensRepository } from "@/modules/tokens/tokens.repository"; import { createMock } from "@golevelup/ts-jest"; import { ExecutionContext } from "@nestjs/common"; +import { ConfigService } from "@nestjs/config"; import { Reflector } from "@nestjs/core"; import { APPS_WRITE, SCHEDULE_READ, SCHEDULE_WRITE } from "@calcom/platform-constants"; @@ -13,7 +14,20 @@ describe("PermissionsGuard", () => { beforeEach(async () => { reflector = new Reflector(); - guard = new PermissionsGuard(reflector, createMock()); + guard = new PermissionsGuard( + reflector, + createMock(), + createMock({ + get: jest.fn().mockImplementation((key: string) => { + switch (key) { + case "api.apiKeyPrefix": + return "cal_"; + default: + return null; + } + }), + }) + ); }); it("should be defined", () => { diff --git a/apps/api/v2/src/modules/auth/guards/permissions/permissions.guard.ts b/apps/api/v2/src/modules/auth/guards/permissions/permissions.guard.ts index 4fec7f87009d03..ee213059fca83c 100644 --- a/apps/api/v2/src/modules/auth/guards/permissions/permissions.guard.ts +++ b/apps/api/v2/src/modules/auth/guards/permissions/permissions.guard.ts @@ -1,13 +1,19 @@ +import { isApiKey } from "@/lib/api-key"; import { Permissions } from "@/modules/auth/decorators/permissions/permissions.decorator"; import { TokensRepository } from "@/modules/tokens/tokens.repository"; import { Injectable, CanActivate, ExecutionContext } from "@nestjs/common"; +import { ConfigService } from "@nestjs/config"; import { Reflector } from "@nestjs/core"; import { hasPermissions } from "@calcom/platform-utils"; @Injectable() export class PermissionsGuard implements CanActivate { - constructor(private reflector: Reflector, private tokensRepository: TokensRepository) {} + constructor( + private reflector: Reflector, + private tokensRepository: TokensRepository, + private readonly config: ConfigService + ) {} async canActivate(context: ExecutionContext): Promise { const requiredPermissions = this.reflector.get(Permissions, context.getHandler()); @@ -17,13 +23,18 @@ export class PermissionsGuard implements CanActivate { } const request = context.switchToHttp().getRequest(); - const accessToken = request.get("Authorization")?.replace("Bearer ", ""); + const authString = request.get("Authorization")?.replace("Bearer ", ""); - if (!accessToken) { + if (!authString) { return false; } - const oAuthClientPermissions = await this.getOAuthClientPermissions(accessToken); + // only check permissions for accessTokens attached to an oAuth Client + if (isApiKey(authString, this.config.get("api.apiKeyPrefix") ?? "cal_")) { + return true; + } + + const oAuthClientPermissions = await this.getOAuthClientPermissions(authString); if (!oAuthClientPermissions) { return false; diff --git a/apps/api/v2/src/modules/auth/guards/roles/roles.guard.ts b/apps/api/v2/src/modules/auth/guards/roles/roles.guard.ts new file mode 100644 index 00000000000000..4cf1c91a584314 --- /dev/null +++ b/apps/api/v2/src/modules/auth/guards/roles/roles.guard.ts @@ -0,0 +1,163 @@ +import { ORG_ROLES, TEAM_ROLES, SYSTEM_ADMIN_ROLE } from "@/lib/roles/constants"; +import { GetUserReturnType } from "@/modules/auth/decorators/get-user/get-user.decorator"; +import { Roles } from "@/modules/auth/decorators/roles/roles.decorator"; +import { MembershipsRepository } from "@/modules/memberships/memberships.repository"; +import { RedisService } from "@/modules/redis/redis.service"; +import { Injectable, CanActivate, ExecutionContext, ForbiddenException, Logger } from "@nestjs/common"; +import { Reflector } from "@nestjs/core"; +import { Request } from "express"; + +import { Team } from "@calcom/prisma/client"; + +@Injectable() +export class RolesGuard implements CanActivate { + private readonly logger = new Logger("RolesGuard Logger"); + constructor( + private reflector: Reflector, + private membershipRepository: MembershipsRepository, + private readonly redisService: RedisService + ) {} + + async canActivate(context: ExecutionContext): Promise { + const request = context.switchToHttp().getRequest(); + const teamId = request.params.teamId as string; + const orgId = request.params.orgId as string; + const user = request.user as GetUserReturnType; + const allowedRole = this.reflector.get(Roles, context.getHandler()); + const REDIS_CACHE_KEY = `apiv2:user:${user.id ?? "none"}:org:${orgId ?? "none"}:team:${ + teamId ?? "none" + }:guard:roles:${allowedRole}`; + const cachedAccess = JSON.parse((await this.redisService.redis.get(REDIS_CACHE_KEY)) ?? "false"); + + if (cachedAccess) { + return cachedAccess; + } + + let canAccess = false; + + // User is not authenticated + if (!user) { + this.logger.log("User is not authenticated, denying access."); + canAccess = false; + } + + // System admin can access everything + else if (user.isSystemAdmin) { + this.logger.log(`User (${user.id}) is system admin, allowing access.`); + canAccess = true; + } + + // if the required role is SYSTEM_ADMIN_ROLE but user is not system admin, return false + else if (allowedRole === SYSTEM_ADMIN_ROLE && !user.isSystemAdmin) { + this.logger.log(`User (${user.id}) is not system admin, denying access.`); + canAccess = false; + } + + // Checking the role of the user within the organization + else if (Boolean(orgId) && !Boolean(teamId)) { + const membership = await this.membershipRepository.findMembershipByOrgId(Number(orgId), user.id); + if (!membership) { + this.logger.log(`User (${user.id}) is not a member of the organization (${orgId}), denying access.`); + throw new ForbiddenException(`User is not a member of the organization.`); + } + + if (ORG_ROLES.includes(allowedRole as unknown as (typeof ORG_ROLES)[number])) { + canAccess = hasMinimumRole({ + checkRole: `ORG_${membership.role}`, + minimumRole: allowedRole, + roles: ORG_ROLES, + }); + } + } + + // Checking the role of the user within the team + else if (Boolean(teamId) && !Boolean(orgId)) { + const membership = await this.membershipRepository.findMembershipByTeamId(Number(teamId), user.id); + if (!membership) { + this.logger.log(`User (${user.id}) is not a member of the team (${teamId}), denying access.`); + throw new ForbiddenException(`User is not a member of the team.`); + } + if (TEAM_ROLES.includes(allowedRole as unknown as (typeof TEAM_ROLES)[number])) { + canAccess = hasMinimumRole({ + checkRole: `TEAM_${membership.role}`, + minimumRole: allowedRole, + roles: TEAM_ROLES, + }); + } + } + + // Checking the role for team and org, org is above team in term of permissions + else if (Boolean(teamId) && Boolean(orgId)) { + const teamMembership = await this.membershipRepository.findMembershipByTeamId(Number(teamId), user.id); + const orgMembership = await this.membershipRepository.findMembershipByOrgId(Number(orgId), user.id); + + if (!orgMembership) { + this.logger.log(`User (${user.id}) is not part of the organization (${orgId}), denying access.`); + throw new ForbiddenException(`User is not part of the organization.`); + } + + // if the role checked is a TEAM role + if (TEAM_ROLES.includes(allowedRole as unknown as (typeof TEAM_ROLES)[number])) { + // if the user is admin or owner of org, allow request because org > team + if (`ORG_${orgMembership.role}` === "ORG_ADMIN" || `ORG_${orgMembership.role}` === "ORG_OWNER") { + canAccess = true; + } else { + if (!teamMembership) { + this.logger.log( + `User (${user.id}) is not part of the team (${teamId}) and/or, is not an admin nor an owner of the organization (${orgId}).` + ); + throw new ForbiddenException( + "User is not part of the team and/or, is not an admin nor an owner of the organization." + ); + } + + // if user is not admin nor an owner of org, and is part of the team, then check user team membership role + canAccess = hasMinimumRole({ + checkRole: `TEAM_${teamMembership.role}`, + minimumRole: allowedRole, + roles: TEAM_ROLES, + }); + } + } + + // if allowed role is a ORG ROLE, check org membersip role + else if (ORG_ROLES.includes(allowedRole as unknown as (typeof ORG_ROLES)[number])) { + canAccess = hasMinimumRole({ + checkRole: `ORG_${orgMembership.role}`, + minimumRole: allowedRole, + roles: ORG_ROLES, + }); + } + } + await this.redisService.redis.set(REDIS_CACHE_KEY, String(canAccess), "EX", 300); + return canAccess; + } +} + +type Roles = (typeof ORG_ROLES)[number] | (typeof TEAM_ROLES)[number]; + +type HasMinimumTeamRoleProp = { + checkRole: (typeof TEAM_ROLES)[number]; + minimumRole: string; + roles: typeof TEAM_ROLES; +}; + +type HasMinimumOrgRoleProp = { + checkRole: (typeof ORG_ROLES)[number]; + minimumRole: string; + roles: typeof ORG_ROLES; +}; + +type HasMinimumRoleProp = HasMinimumTeamRoleProp | HasMinimumOrgRoleProp; + +export function hasMinimumRole(props: HasMinimumRoleProp): boolean { + const checkedRoleIndex = props.roles.indexOf(props.checkRole as never); + const requiredRoleIndex = props.roles.indexOf(props.minimumRole as never); + + // minimum role given does not exist + if (checkedRoleIndex === -1 || requiredRoleIndex === -1) { + throw new Error("Invalid role"); + } + + return checkedRoleIndex <= requiredRoleIndex; +} diff --git a/apps/api/v2/src/modules/auth/guards/teams/is-team-in-org.guard.ts b/apps/api/v2/src/modules/auth/guards/teams/is-team-in-org.guard.ts new file mode 100644 index 00000000000000..eb90203845450f --- /dev/null +++ b/apps/api/v2/src/modules/auth/guards/teams/is-team-in-org.guard.ts @@ -0,0 +1,43 @@ +import { OrganizationsTeamsRepository } from "@/modules/organizations/repositories/organizations-teams.repository"; +import { + Injectable, + CanActivate, + ExecutionContext, + ForbiddenException, + NotFoundException, +} from "@nestjs/common"; +import { Request } from "express"; + +import { Team } from "@calcom/prisma/client"; + +@Injectable() +export class IsTeamInOrg implements CanActivate { + constructor(private organizationsTeamsRepository: OrganizationsTeamsRepository) {} + + async canActivate(context: ExecutionContext): Promise { + const request = context.switchToHttp().getRequest(); + const teamId: string = request.params.teamId; + const orgId: string = request.params.orgId; + + if (!orgId) { + throw new ForbiddenException("No org id found in request params."); + } + + if (!teamId) { + throw new ForbiddenException("No team id found in request params."); + } + + const team = await this.organizationsTeamsRepository.findOrgTeam(Number(orgId), Number(teamId)); + + if (team && !team.isOrganization && team.parentId === Number(orgId)) { + request.team = team; + return true; + } + + if (!team) { + throw new NotFoundException(`Team (${teamId}) not found.`); + } + + return false; + } +} diff --git a/apps/api/v2/src/modules/auth/guards/users/is-user-in-org.guard.ts b/apps/api/v2/src/modules/auth/guards/users/is-user-in-org.guard.ts new file mode 100644 index 00000000000000..e35bac45d5bb87 --- /dev/null +++ b/apps/api/v2/src/modules/auth/guards/users/is-user-in-org.guard.ts @@ -0,0 +1,33 @@ +import { OrganizationsRepository } from "@/modules/organizations/organizations.repository"; +import { Injectable, CanActivate, ExecutionContext, ForbiddenException } from "@nestjs/common"; +import { Request } from "express"; + +import { Team } from "@calcom/prisma/client"; + +@Injectable() +export class IsUserInOrg implements CanActivate { + constructor(private organizationsRepository: OrganizationsRepository) {} + + async canActivate(context: ExecutionContext): Promise { + const request = context.switchToHttp().getRequest(); + const orgId: string = request.params.orgId; + const userId: string = request.params.userId; + + if (!userId) { + throw new ForbiddenException("No user id found in request params."); + } + + if (!orgId) { + throw new ForbiddenException("No org id found in request params."); + } + + const user = await this.organizationsRepository.findOrgUser(Number(orgId), Number(userId)); + + if (user) { + request.user = user; + return true; + } + + return false; + } +} diff --git a/apps/api/v2/src/modules/auth/strategies/access-token/access-token.strategy.ts b/apps/api/v2/src/modules/auth/strategies/access-token/access-token.strategy.ts deleted file mode 100644 index 53e055d2d29fc3..00000000000000 --- a/apps/api/v2/src/modules/auth/strategies/access-token/access-token.strategy.ts +++ /dev/null @@ -1,58 +0,0 @@ -import { BaseStrategy } from "@/lib/passport/strategies/types"; -import { OAuthFlowService } from "@/modules/oauth-clients/services/oauth-flow.service"; -import { TokensRepository } from "@/modules/tokens/tokens.repository"; -import { UserWithProfile, UsersRepository } from "@/modules/users/users.repository"; -import { Injectable, UnauthorizedException } from "@nestjs/common"; -import { PassportStrategy } from "@nestjs/passport"; -import type { Request } from "express"; - -import { INVALID_ACCESS_TOKEN } from "@calcom/platform-constants"; - -@Injectable() -export class AccessTokenStrategy extends PassportStrategy(BaseStrategy, "access-token") { - constructor( - private readonly oauthFlowService: OAuthFlowService, - private readonly tokensRepository: TokensRepository, - private readonly userRepository: UsersRepository - ) { - super(); - } - - async authenticate(request: Request) { - try { - const accessToken = request.get("Authorization")?.replace("Bearer ", ""); - const requestOrigin = request.get("Origin"); - - if (!accessToken) { - throw new UnauthorizedException(INVALID_ACCESS_TOKEN); - } - - await this.oauthFlowService.validateAccessToken(accessToken); - - const client = await this.tokensRepository.getAccessTokenClient(accessToken); - if (!client) { - throw new UnauthorizedException("OAuth client not found given the access token"); - } - - if (requestOrigin && !client.redirectUris.some((uri) => uri.startsWith(requestOrigin))) { - throw new UnauthorizedException("Invalid request origin"); - } - - const ownerId = await this.tokensRepository.getAccessTokenOwnerId(accessToken); - - if (!ownerId) { - throw new UnauthorizedException(INVALID_ACCESS_TOKEN); - } - - const user: UserWithProfile | null = await this.userRepository.findByIdWithProfile(ownerId); - - if (!user) { - throw new UnauthorizedException(INVALID_ACCESS_TOKEN); - } - - return this.success(user); - } catch (error) { - if (error instanceof Error) return this.error(error); - } - } -} diff --git a/apps/api/v2/src/modules/auth/strategies/api-auth/api-auth.strategy.e2e-spec.ts b/apps/api/v2/src/modules/auth/strategies/api-auth/api-auth.strategy.e2e-spec.ts new file mode 100644 index 00000000000000..354c9e665cd510 --- /dev/null +++ b/apps/api/v2/src/modules/auth/strategies/api-auth/api-auth.strategy.e2e-spec.ts @@ -0,0 +1,180 @@ +import appConfig from "@/config/app"; +import { ApiKeyRepository } from "@/modules/api-key/api-key-repository"; +import { DeploymentsRepository } from "@/modules/deployments/deployments.repository"; +import { DeploymentsService } from "@/modules/deployments/deployments.service"; +import { JwtService } from "@/modules/jwt/jwt.service"; +import { OAuthClientRepository } from "@/modules/oauth-clients/oauth-client.repository"; +import { OAuthFlowService } from "@/modules/oauth-clients/services/oauth-flow.service"; +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { TokensRepository } from "@/modules/tokens/tokens.repository"; +import { UsersRepository } from "@/modules/users/users.repository"; +import { ExecutionContext, HttpException } from "@nestjs/common"; +import { ConfigService } from "@nestjs/config"; +import { ConfigModule } from "@nestjs/config"; +import { JwtService as NestJwtService } from "@nestjs/jwt"; +import { Test, TestingModule } from "@nestjs/testing"; +import { PlatformOAuthClient, Team, User } from "@prisma/client"; +import { ApiKeysRepositoryFixture } from "test/fixtures/repository/api-keys.repository.fixture"; +import { OAuthClientRepositoryFixture } from "test/fixtures/repository/oauth-client.repository.fixture"; +import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; +import { TokensRepositoryFixture } from "test/fixtures/repository/tokens.repository.fixture"; +import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; +import { MockedRedisService } from "test/mocks/mock-redis-service"; + +import { ApiAuthStrategy } from "./api-auth.strategy"; + +describe("ApiAuthStrategy", () => { + let strategy: ApiAuthStrategy; + let userRepositoryFixture: UserRepositoryFixture; + let tokensRepositoryFixture: TokensRepositoryFixture; + let teamRepositoryFixture: TeamRepositoryFixture; + let organization: Team; + let oAuthClient: PlatformOAuthClient; + let apiKeysRepositoryFixture: ApiKeysRepositoryFixture; + let oAuthClientRepositoryFixture: OAuthClientRepositoryFixture; + const validApiKeyEmail = "api-key-user-email@example.com"; + const validAccessTokenEmail = "access-token-user-email@example.com"; + let validApiKeyUser: User; + let validAccessTokenUser: User; + + beforeEach(async () => { + const module: TestingModule = await Test.createTestingModule({ + imports: [ + ConfigModule.forRoot({ + ignoreEnvFile: true, + isGlobal: true, + load: [appConfig], + }), + ], + providers: [ + MockedRedisService, + ApiAuthStrategy, + ConfigService, + OAuthFlowService, + UsersRepository, + ApiKeyRepository, + DeploymentsService, + OAuthClientRepository, + PrismaReadService, + PrismaWriteService, + TokensRepository, + JwtService, + DeploymentsRepository, + NestJwtService, + ], + }).compile(); + + strategy = module.get(ApiAuthStrategy); + userRepositoryFixture = new UserRepositoryFixture(module); + tokensRepositoryFixture = new TokensRepositoryFixture(module); + apiKeysRepositoryFixture = new ApiKeysRepositoryFixture(module); + teamRepositoryFixture = new TeamRepositoryFixture(module); + oAuthClientRepositoryFixture = new OAuthClientRepositoryFixture(module); + organization = await teamRepositoryFixture.create({ name: "organization" }); + validApiKeyUser = await userRepositoryFixture.create({ + email: validApiKeyEmail, + }); + validAccessTokenUser = await userRepositoryFixture.create({ + email: validAccessTokenEmail, + }); + const data = { + logo: "logo-url", + name: "name", + redirectUris: ["http://localhost:3000"], + permissions: 32, + }; + oAuthClient = await oAuthClientRepositoryFixture.create(organization.id, data, "secret"); + }); + + describe("authenticate with strategy", () => { + it("should return user associated with valid access token", async () => { + const { accessToken } = await tokensRepositoryFixture.createTokens( + validAccessTokenUser.id, + oAuthClient.id + ); + + const context: ExecutionContext = { + switchToHttp: () => ({ + getRequest: () => ({ + headers: { + authorization: `Bearer ${accessToken}`, + }, + get: (key: string) => + ({ Authorization: `Bearer ${accessToken}`, origin: "http://localhost:3000" }[key]), + }), + }), + } as ExecutionContext; + const request = context.switchToHttp().getRequest(); + + const user = await strategy.accessTokenStrategy(accessToken); + await expect(user).toBeDefined(); + if (user) await expect(user.id).toEqual(validAccessTokenUser.id); + }); + + it("should return user associated with valid api key", async () => { + const now = new Date(); + now.setDate(now.getDate() + 1); + const { keyString } = await apiKeysRepositoryFixture.createApiKey(validApiKeyUser.id, now); + + const context: ExecutionContext = { + switchToHttp: () => ({ + getRequest: () => ({ + headers: { + authorization: `Bearer cal_test_${keyString}`, + }, + get: (key: string) => + ({ Authorization: `Bearer cal_test_${keyString}`, origin: "http://localhost:3000" }[key]), + }), + }), + } as ExecutionContext; + const request = context.switchToHttp().getRequest(); + + const user = await strategy.apiKeyStrategy(keyString); + await expect(user).toBeDefined(); + if (user) expect(user.id).toEqual(validApiKeyUser.id); + }); + + it("should throw 401 if api key is invalid", async () => { + const context: ExecutionContext = { + switchToHttp: () => ({ + getRequest: () => ({ + headers: { + authorization: `Bearer cal_test_}`, + }, + get: (key: string) => + ({ Authorization: `Bearer cal_test_badkey1234`, origin: "http://localhost:3000" }[key]), + }), + }), + } as ExecutionContext; + const request = context.switchToHttp().getRequest(); + + try { + await strategy.authenticate(request); + } catch (error) { + if (error instanceof HttpException) { + expect(error.getStatus()).toEqual(401); + } + } + }); + + it("should throw 401 if Authorization header does not contain auth token", async () => { + const context: ExecutionContext = { + switchToHttp: () => ({ + getRequest: () => ({ + get: (key: string) => ({ Authorization: ``, origin: "http://localhost:3000" }[key]), + }), + }), + } as ExecutionContext; + const request = context.switchToHttp().getRequest(); + + try { + await strategy.authenticate(request); + } catch (error) { + if (error instanceof HttpException) { + expect(error.getStatus()).toEqual(401); + } + } + }); + }); +}); diff --git a/apps/api/v2/src/modules/auth/strategies/api-auth/api-auth.strategy.ts b/apps/api/v2/src/modules/auth/strategies/api-auth/api-auth.strategy.ts new file mode 100644 index 00000000000000..d05824382c25fa --- /dev/null +++ b/apps/api/v2/src/modules/auth/strategies/api-auth/api-auth.strategy.ts @@ -0,0 +1,109 @@ +import { hashAPIKey, isApiKey, stripApiKey } from "@/lib/api-key"; +import { BaseStrategy } from "@/lib/passport/strategies/types"; +import { ApiKeyRepository } from "@/modules/api-key/api-key-repository"; +import { DeploymentsService } from "@/modules/deployments/deployments.service"; +import { OAuthFlowService } from "@/modules/oauth-clients/services/oauth-flow.service"; +import { TokensRepository } from "@/modules/tokens/tokens.repository"; +import { UserWithProfile, UsersRepository } from "@/modules/users/users.repository"; +import { Injectable, InternalServerErrorException, UnauthorizedException } from "@nestjs/common"; +import { ConfigService } from "@nestjs/config"; +import { PassportStrategy } from "@nestjs/passport"; +import type { Request } from "express"; + +import { INVALID_ACCESS_TOKEN } from "@calcom/platform-constants"; + +@Injectable() +export class ApiAuthStrategy extends PassportStrategy(BaseStrategy, "api-auth") { + constructor( + private readonly deploymentsService: DeploymentsService, + private readonly config: ConfigService, + private readonly oauthFlowService: OAuthFlowService, + private readonly tokensRepository: TokensRepository, + private readonly userRepository: UsersRepository, + private readonly apiKeyRepository: ApiKeyRepository + ) { + super(); + } + + async authenticate(request: Request) { + const authString = request.get("Authorization")?.replace("Bearer ", ""); + if (!authString) { + return this.error(new UnauthorizedException("No Authorization header provided")); + } + + const requestOrigin = request.get("Origin"); + + try { + const user = isApiKey(authString, this.config.get("api.apiKeyPrefix") ?? "cal_") + ? await this.apiKeyStrategy(authString) + : await this.accessTokenStrategy(authString, requestOrigin); + + if (!user) { + return this.error(new UnauthorizedException("No user associated with the provided token")); + } + + return this.success(user); + } catch (err) { + if (err instanceof Error) { + return this.error(err); + } + return this.error( + new InternalServerErrorException("An error occurred while authenticating the request") + ); + } + } + + async apiKeyStrategy(apiKey: string) { + const isLicenseValid = await this.deploymentsService.checkLicense(); + if (!isLicenseValid) { + throw new UnauthorizedException("Invalid or missing CALCOM_LICENSE_KEY environment variable"); + } + const strippedApiKey = stripApiKey(apiKey, this.config.get("api.keyPrefix")); + const apiKeyHash = hashAPIKey(strippedApiKey); + const keyData = await this.apiKeyRepository.getApiKeyFromHash(apiKeyHash); + if (!keyData) { + throw new UnauthorizedException("Your api key is not valid"); + } + + const isKeyExpired = + keyData.expiresAt && new Date().setHours(0, 0, 0, 0) > keyData.expiresAt.setHours(0, 0, 0, 0); + if (isKeyExpired) { + throw new UnauthorizedException("Your api key is expired"); + } + + const apiKeyOwnerId = keyData.userId; + if (!apiKeyOwnerId) { + throw new UnauthorizedException("No user tied to this apiKey"); + } + + const user: UserWithProfile | null = await this.userRepository.findByIdWithProfile(apiKeyOwnerId); + return user; + } + + async accessTokenStrategy(accessToken: string, origin?: string) { + const accessTokenValid = await this.oauthFlowService.validateAccessToken(accessToken); + if (!accessTokenValid) { + throw new UnauthorizedException(INVALID_ACCESS_TOKEN); + } + + const client = await this.tokensRepository.getAccessTokenClient(accessToken); + if (!client) { + throw new UnauthorizedException("OAuth client not found given the access token"); + } + + if (origin && !client.redirectUris.some((uri) => uri.startsWith(origin))) { + throw new UnauthorizedException( + `Invalid request origin - please open https://app.cal.com/settings/platform and add the origin '${origin}' to the 'Redirect uris' of your OAuth client.` + ); + } + + const ownerId = await this.tokensRepository.getAccessTokenOwnerId(accessToken); + + if (!ownerId) { + throw new UnauthorizedException(INVALID_ACCESS_TOKEN); + } + + const user: UserWithProfile | null = await this.userRepository.findByIdWithProfile(ownerId); + return user; + } +} diff --git a/apps/api/v2/src/modules/auth/strategies/api-key-auth/api-key-auth.strategy.ts b/apps/api/v2/src/modules/auth/strategies/api-key-auth/api-key-auth.strategy.ts deleted file mode 100644 index 40c7f1c970ca00..00000000000000 --- a/apps/api/v2/src/modules/auth/strategies/api-key-auth/api-key-auth.strategy.ts +++ /dev/null @@ -1,39 +0,0 @@ -import { BaseStrategy } from "@/lib/passport/strategies/types"; -import { ApiKeyService } from "@/modules/api-key/api-key.service"; -import { UsersRepository } from "@/modules/users/users.repository"; -import { Injectable, NotFoundException, UnauthorizedException } from "@nestjs/common"; -import { PassportStrategy } from "@nestjs/passport"; -import type { Request } from "express"; - -@Injectable() -export class ApiKeyAuthStrategy extends PassportStrategy(BaseStrategy, "api-key") { - constructor( - private readonly apiKeyService: ApiKeyService, - private readonly userRepository: UsersRepository - ) { - super(); - } - - async authenticate(req: Request) { - try { - const apiKey = await this.apiKeyService.retrieveApiKey(req); - - if (!apiKey) { - throw new UnauthorizedException("Authorization token is missing."); - } - - if (apiKey.expiresAt && new Date() > apiKey.expiresAt) { - throw new UnauthorizedException("The API key is expired."); - } - - const user = await this.userRepository.findById(apiKey.userId); - if (!user) { - throw new NotFoundException("User not found."); - } - - this.success(user); - } catch (error) { - if (error instanceof Error) return this.error(error); - } - } -} diff --git a/apps/api/v2/src/modules/auth/strategies/next-auth/next-auth.strategy.ts b/apps/api/v2/src/modules/auth/strategies/next-auth/next-auth.strategy.ts index e6f7b572656865..a34b0608822af0 100644 --- a/apps/api/v2/src/modules/auth/strategies/next-auth/next-auth.strategy.ts +++ b/apps/api/v2/src/modules/auth/strategies/next-auth/next-auth.strategy.ts @@ -1,6 +1,6 @@ import { NextAuthPassportStrategy } from "@/lib/passport/strategies/types"; import { UsersRepository } from "@/modules/users/users.repository"; -import { Injectable, UnauthorizedException } from "@nestjs/common"; +import { Injectable, InternalServerErrorException, UnauthorizedException } from "@nestjs/common"; import { ConfigService } from "@nestjs/config"; import { PassportStrategy } from "@nestjs/passport"; import type { Request } from "express"; @@ -33,6 +33,9 @@ export class NextAuthStrategy extends PassportStrategy(NextAuthPassportStrategy, return this.success(user); } catch (error) { if (error instanceof Error) return this.error(error); + return this.error( + new InternalServerErrorException("An error occurred while authenticating the request") + ); } } } diff --git a/apps/api/v2/src/modules/availabilities/availabilities.module.ts b/apps/api/v2/src/modules/availabilities/availabilities.module.ts deleted file mode 100644 index f3fe35bf6a7314..00000000000000 --- a/apps/api/v2/src/modules/availabilities/availabilities.module.ts +++ /dev/null @@ -1,10 +0,0 @@ -import { AvailabilitiesService } from "@/modules/availabilities/availabilities.service"; -import { PrismaModule } from "@/modules/prisma/prisma.module"; -import { Module } from "@nestjs/common"; - -@Module({ - imports: [PrismaModule], - providers: [AvailabilitiesService], - exports: [AvailabilitiesService], -}) -export class AvailabilitiesModule {} diff --git a/apps/api/v2/src/modules/availabilities/availabilities.service.ts b/apps/api/v2/src/modules/availabilities/availabilities.service.ts deleted file mode 100644 index fc7dc14ec494c3..00000000000000 --- a/apps/api/v2/src/modules/availabilities/availabilities.service.ts +++ /dev/null @@ -1,16 +0,0 @@ -import { CreateAvailabilityInput } from "@/modules/availabilities/inputs/create-availability.input"; -import { Injectable } from "@nestjs/common"; - -@Injectable() -export class AvailabilitiesService { - getDefaultAvailabilityInput(): CreateAvailabilityInput { - const startTime = new Date(new Date().setUTCHours(9, 0, 0, 0)); - const endTime = new Date(new Date().setUTCHours(17, 0, 0, 0)); - - return { - days: [1, 2, 3, 4, 5], - startTime, - endTime, - }; - } -} diff --git a/apps/api/v2/src/modules/billing/billing.module.ts b/apps/api/v2/src/modules/billing/billing.module.ts new file mode 100644 index 00000000000000..e9dc616eb7d5f7 --- /dev/null +++ b/apps/api/v2/src/modules/billing/billing.module.ts @@ -0,0 +1,17 @@ +import { BillingRepository } from "@/modules/billing/billing.repository"; +import { BillingController } from "@/modules/billing/controllers/billing.controller"; +import { BillingConfigService } from "@/modules/billing/services/billing.config.service"; +import { BillingService } from "@/modules/billing/services/billing.service"; +import { MembershipsModule } from "@/modules/memberships/memberships.module"; +import { OrganizationsModule } from "@/modules/organizations/organizations.module"; +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { StripeModule } from "@/modules/stripe/stripe.module"; +import { Module } from "@nestjs/common"; + +@Module({ + imports: [PrismaModule, StripeModule, MembershipsModule, OrganizationsModule], + providers: [BillingConfigService, BillingService, BillingRepository], + exports: [BillingService, BillingRepository], + controllers: [BillingController], +}) +export class BillingModule {} diff --git a/apps/api/v2/src/modules/billing/billing.repository.ts b/apps/api/v2/src/modules/billing/billing.repository.ts new file mode 100644 index 00000000000000..54b8cf0b2a6129 --- /dev/null +++ b/apps/api/v2/src/modules/billing/billing.repository.ts @@ -0,0 +1,36 @@ +import { PlatformPlan } from "@/modules/billing/types"; +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { Injectable } from "@nestjs/common"; + +@Injectable() +export class BillingRepository { + constructor(private readonly dbRead: PrismaReadService, private readonly dbWrite: PrismaWriteService) {} + + getBillingForTeam = (teamId: number) => + this.dbRead.prisma.platformBilling.findUnique({ + where: { + id: teamId, + }, + }); + + async updateTeamBilling( + teamId: number, + billingStart: number, + billingEnd: number, + plan: PlatformPlan, + subscription?: string + ) { + return this.dbWrite.prisma.platformBilling.update({ + where: { + id: teamId, + }, + data: { + billingCycleStart: billingStart, + billingCycleEnd: billingEnd, + subscriptionId: subscription, + plan: plan.toString(), + }, + }); + } +} diff --git a/apps/api/v2/src/modules/billing/controllers/billing.controller.ts b/apps/api/v2/src/modules/billing/controllers/billing.controller.ts new file mode 100644 index 00000000000000..3317d0d1e31d16 --- /dev/null +++ b/apps/api/v2/src/modules/billing/controllers/billing.controller.ts @@ -0,0 +1,138 @@ +import { AppConfig } from "@/config/type"; +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; +import { MembershipRoles } from "@/modules/auth/decorators/roles/membership-roles.decorator"; +import { NextAuthGuard } from "@/modules/auth/guards/next-auth/next-auth.guard"; +import { OrganizationRolesGuard } from "@/modules/auth/guards/organization-roles/organization-roles.guard"; +import { SubscribeToPlanInput } from "@/modules/billing/controllers/inputs/subscribe-to-plan.input"; +import { CheckPlatformBillingResponseDto } from "@/modules/billing/controllers/outputs/CheckPlatformBillingResponse.dto"; +import { SubscribeTeamToBillingResponseDto } from "@/modules/billing/controllers/outputs/SubscribeTeamToBillingResponse.dto"; +import { BillingService } from "@/modules/billing/services/billing.service"; +import { PlatformPlan } from "@/modules/billing/types"; +import { + BadRequestException, + Body, + Controller, + Get, + Param, + Post, + Req, + UseGuards, + Headers, + HttpCode, + HttpStatus, + Logger, +} from "@nestjs/common"; +import { ConfigService } from "@nestjs/config"; +import { ApiExcludeController } from "@nestjs/swagger"; +import { Request } from "express"; +import { Stripe } from "stripe"; + +import { ApiResponse } from "@calcom/platform-types"; + +@Controller({ + path: "/v2/billing", + version: API_VERSIONS_VALUES, +}) +@ApiExcludeController(true) +export class BillingController { + private readonly stripeWhSecret: string; + private logger = new Logger("Billing Controller"); + + constructor( + private readonly billingService: BillingService, + private readonly configService: ConfigService + ) { + this.stripeWhSecret = configService.get("stripe.webhookSecret", { infer: true }) ?? ""; + } + + @Get("/:teamId/check") + @UseGuards(NextAuthGuard, OrganizationRolesGuard) + @MembershipRoles(["OWNER", "ADMIN", "MEMBER"]) + async checkTeamBilling( + @Param("teamId") teamId: number + ): Promise> { + const { status, plan } = await this.billingService.getBillingData(teamId); + + return { + status: "success", + data: { + valid: status === "valid", + plan, + }, + }; + } + + @Post("/:teamId/subscribe") + @UseGuards(NextAuthGuard, OrganizationRolesGuard) + @MembershipRoles(["OWNER", "ADMIN"]) + async subscribeTeamToStripe( + @Param("teamId") teamId: number, + @Body() input: SubscribeToPlanInput + ): Promise> { + const { status } = await this.billingService.getBillingData(teamId); + + if (status === "valid") { + throw new BadRequestException("This team is already subscribed to a plan."); + } + + const { action, url } = await this.billingService.createSubscriptionForTeam(teamId, input.plan); + if (action === "redirect") { + return { + status: "success", + data: { + action: "redirect", + url, + }, + }; + } + + return { + status: "success", + }; + } + + @Post("/webhook") + @HttpCode(HttpStatus.OK) + async stripeWebhook( + @Req() request: Request, + @Headers("stripe-signature") stripeSignature: string + ): Promise { + const event = await this.billingService.stripeService.stripe.webhooks.constructEventAsync( + request.body, + stripeSignature, + this.stripeWhSecret + ); + + if (event.type === "customer.subscription.created" || event.type === "customer.subscription.updated") { + const subscription = event.data.object as Stripe.Subscription; + if (!subscription.metadata?.teamId) { + return { + status: "success", + }; + } + + const teamId = Number.parseInt(subscription.metadata.teamId); + const plan = subscription.metadata.plan; + if (!plan || !teamId) { + this.logger.log("Webhook received but not pertaining to Platform, discarding."); + return { + status: "success", + }; + } + + await this.billingService.setSubscriptionForTeam( + teamId, + subscription, + PlatformPlan[plan.toUpperCase() as keyof typeof PlatformPlan] + ); + + return { + status: "success", + }; + } + + return { + status: "success", + }; + } +} diff --git a/apps/api/v2/src/modules/billing/controllers/inputs/subscribe-to-plan.input.ts b/apps/api/v2/src/modules/billing/controllers/inputs/subscribe-to-plan.input.ts new file mode 100644 index 00000000000000..0a4ee10ee2feef --- /dev/null +++ b/apps/api/v2/src/modules/billing/controllers/inputs/subscribe-to-plan.input.ts @@ -0,0 +1,7 @@ +import { PlatformPlan } from "@/modules/billing/types"; +import { IsEnum } from "class-validator"; + +export class SubscribeToPlanInput { + @IsEnum(PlatformPlan) + plan!: PlatformPlan; +} diff --git a/apps/api/v2/src/modules/billing/controllers/outputs/CheckPlatformBillingResponse.dto.ts b/apps/api/v2/src/modules/billing/controllers/outputs/CheckPlatformBillingResponse.dto.ts new file mode 100644 index 00000000000000..c510fe8c6bee17 --- /dev/null +++ b/apps/api/v2/src/modules/billing/controllers/outputs/CheckPlatformBillingResponse.dto.ts @@ -0,0 +1,5 @@ +export class CheckPlatformBillingResponseDto { + valid!: boolean; + + plan?: string; +} diff --git a/apps/api/v2/src/modules/billing/controllers/outputs/SubscribeTeamToBillingResponse.dto.ts b/apps/api/v2/src/modules/billing/controllers/outputs/SubscribeTeamToBillingResponse.dto.ts new file mode 100644 index 00000000000000..9bae0150dc8f79 --- /dev/null +++ b/apps/api/v2/src/modules/billing/controllers/outputs/SubscribeTeamToBillingResponse.dto.ts @@ -0,0 +1,4 @@ +export class SubscribeTeamToBillingResponseDto { + url?: string; + action?: "redirect"; +} diff --git a/apps/api/v2/src/modules/billing/services/billing.config.service.ts b/apps/api/v2/src/modules/billing/services/billing.config.service.ts new file mode 100644 index 00000000000000..a9a25e35b14101 --- /dev/null +++ b/apps/api/v2/src/modules/billing/services/billing.config.service.ts @@ -0,0 +1,23 @@ +import { PlatformPlan } from "@/modules/billing/types"; +import { Injectable } from "@nestjs/common"; + +@Injectable() +export class BillingConfigService { + private readonly config: Map; + + constructor() { + this.config = new Map(); + + const planKeys = Object.keys(PlatformPlan).filter((key) => isNaN(Number(key))); + for (const key of planKeys) { + this.config.set( + PlatformPlan[key.toUpperCase() as keyof typeof PlatformPlan], + process.env[`STRIPE_PRICE_ID_${key}`] ?? "" + ); + } + } + + get(plan: PlatformPlan): string | undefined { + return this.config.get(plan); + } +} diff --git a/apps/api/v2/src/modules/billing/services/billing.service.ts b/apps/api/v2/src/modules/billing/services/billing.service.ts new file mode 100644 index 00000000000000..d196cb00ec2919 --- /dev/null +++ b/apps/api/v2/src/modules/billing/services/billing.service.ts @@ -0,0 +1,144 @@ +import { AppConfig } from "@/config/type"; +import { BillingRepository } from "@/modules/billing/billing.repository"; +import { BillingConfigService } from "@/modules/billing/services/billing.config.service"; +import { PlatformPlan } from "@/modules/billing/types"; +import { OrganizationsRepository } from "@/modules/organizations/organizations.repository"; +import { StripeService } from "@/modules/stripe/stripe.service"; +import { Injectable, InternalServerErrorException, Logger } from "@nestjs/common"; +import { ConfigService } from "@nestjs/config"; +import { DateTime } from "luxon"; +import Stripe from "stripe"; + +@Injectable() +export class BillingService { + private logger = new Logger("BillingService"); + private readonly webAppUrl: string; + + constructor( + private readonly teamsRepository: OrganizationsRepository, + public readonly stripeService: StripeService, + private readonly billingRepository: BillingRepository, + private readonly configService: ConfigService, + private readonly billingConfigService: BillingConfigService + ) { + this.webAppUrl = configService.get("app.baseUrl", { infer: true }) ?? "https://app.cal.com"; + } + + async getBillingData(teamId: number) { + const teamWithBilling = await this.teamsRepository.findByIdIncludeBilling(teamId); + if (teamWithBilling?.platformBilling) { + if (!teamWithBilling?.platformBilling.subscriptionId) { + return { team: teamWithBilling, status: "no_subscription", plan: "none" }; + } + + return { team: teamWithBilling, status: "valid", plan: teamWithBilling.platformBilling.plan }; + } else { + return { team: teamWithBilling, status: "no_billing", plan: "none" }; + } + } + + async createSubscriptionForTeam(teamId: number, plan: PlatformPlan) { + const teamWithBilling = await this.teamsRepository.findByIdIncludeBilling(teamId); + let brandNewBilling = false; + + let customerId = teamWithBilling?.platformBilling?.customerId; + + if (!teamWithBilling?.platformBilling) { + brandNewBilling = true; + customerId = await this.teamsRepository.createNewBillingRelation(teamId); + + this.logger.log("Team had no Stripe Customer ID, created one for them.", { + id: teamId, + stripeId: customerId, + }); + } + + if (brandNewBilling || !teamWithBilling?.platformBilling?.subscriptionId) { + const { url } = await this.stripeService.stripe.checkout.sessions.create({ + customer: customerId, + line_items: [ + { + price: this.billingConfigService.get(plan), + quantity: 1, + }, + ], + success_url: `${this.webAppUrl}/settings/platform/`, + cancel_url: `${this.webAppUrl}/settings/platform/`, + mode: "subscription", + metadata: { + teamId: teamId.toString(), + plan: plan.toString(), + }, + subscription_data: { + metadata: { + teamId: teamId.toString(), + plan: plan.toString(), + }, + }, + allow_promotion_codes: true, + }); + + if (!url) throw new InternalServerErrorException("Failed to create Stripe session."); + + return { action: "redirect", url }; + } + + return { action: "none" }; + } + + async setSubscriptionForTeam(teamId: number, subscription: Stripe.Subscription, plan: PlatformPlan) { + const billingCycleStart = DateTime.now().get("day"); + const billingCycleEnd = DateTime.now().plus({ month: 1 }).get("day"); + + return this.billingRepository.updateTeamBilling( + teamId, + billingCycleStart, + billingCycleEnd, + plan, + subscription.id + ); + } + + async increaseUsageForTeam(teamId: number) { + try { + const billingSubscription = await this.billingRepository.getBillingForTeam(teamId); + if (!billingSubscription || !billingSubscription?.subscriptionId) { + this.logger.error("Team did not have stripe subscription associated to it", { + teamId, + }); + return void 0; + } + + const stripeSubscription = await this.stripeService.stripe.subscriptions.retrieve( + billingSubscription.subscriptionId + ); + const item = stripeSubscription.items.data[0]; + // legacy plans are licensed, we cannot create usage records against them + if (item.price?.recurring?.usage_type === "licensed") { + return void 0; + } + + await this.stripeService.stripe.subscriptionItems.createUsageRecord(item.id, { + action: "increment", + quantity: 1, + timestamp: "now", + }); + } catch (error) { + // don't fail the request, log it. + this.logger.error("Failed to increase usage for team", { + teamId: teamId, + error, + }); + } + } + + async increaseUsageByClientId(clientId: string) { + if (this.configService.get("e2e")) { + return void 0; + } + const team = await this.teamsRepository.findTeamIdFromClientId(clientId); + if (!team.id) return Promise.resolve(); // noop resolution. + + return this.increaseUsageForTeam(team?.id); + } +} diff --git a/apps/api/v2/src/modules/billing/types.ts b/apps/api/v2/src/modules/billing/types.ts new file mode 100644 index 00000000000000..3cce957fa84bad --- /dev/null +++ b/apps/api/v2/src/modules/billing/types.ts @@ -0,0 +1,6 @@ +export enum PlatformPlan { + STARTER = "STARTER", + ESSENTIALS = "ESSENTIALS", + SCALE = "SCALE", + ENTERPRISE = "ENTERPRISE", +} diff --git a/apps/api/v2/src/modules/deployments/deployments.module.ts b/apps/api/v2/src/modules/deployments/deployments.module.ts new file mode 100644 index 00000000000000..1017f72c7eb81e --- /dev/null +++ b/apps/api/v2/src/modules/deployments/deployments.module.ts @@ -0,0 +1,13 @@ +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { RedisService } from "@/modules/redis/redis.service"; +import { Module } from "@nestjs/common"; + +import { DeploymentsRepository } from "./deployments.repository"; +import { DeploymentsService } from "./deployments.service"; + +@Module({ + imports: [PrismaModule], + providers: [DeploymentsRepository, DeploymentsService, RedisService], + exports: [DeploymentsRepository, DeploymentsService], +}) +export class DeploymentsModule {} diff --git a/apps/api/v2/src/modules/deployments/deployments.repository.ts b/apps/api/v2/src/modules/deployments/deployments.repository.ts new file mode 100644 index 00000000000000..ec5168e3e8136a --- /dev/null +++ b/apps/api/v2/src/modules/deployments/deployments.repository.ts @@ -0,0 +1,12 @@ +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { Injectable } from "@nestjs/common"; + +@Injectable() +export class DeploymentsRepository { + constructor(private readonly dbRead: PrismaReadService, private readonly dbWrite: PrismaWriteService) {} + + async getDeployment() { + return this.dbRead.prisma.deployment.findFirst({ where: { id: 1 } }); + } +} diff --git a/apps/api/v2/src/modules/deployments/deployments.service.ts b/apps/api/v2/src/modules/deployments/deployments.service.ts new file mode 100644 index 00000000000000..361f901c9390d0 --- /dev/null +++ b/apps/api/v2/src/modules/deployments/deployments.service.ts @@ -0,0 +1,47 @@ +import { DeploymentsRepository } from "@/modules/deployments/deployments.repository"; +import { RedisService } from "@/modules/redis/redis.service"; +import { Injectable } from "@nestjs/common"; +import { ConfigService } from "@nestjs/config"; + +const CACHING_TIME = 86400000; // 24 hours in milliseconds + +const getLicenseCacheKey = (key: string) => `api-v2-license-key-url-${key}`; + +type LicenseCheckResponse = { + valid: boolean; +}; +@Injectable() +export class DeploymentsService { + constructor( + private readonly deploymentsRepository: DeploymentsRepository, + private readonly configService: ConfigService, + private readonly redisService: RedisService + ) {} + + async checkLicense() { + if (this.configService.get("e2e")) { + return true; + } + let licenseKey = this.configService.get("api.licenseKey"); + + if (!licenseKey) { + /** We try to check on DB only if env is undefined */ + const deployment = await this.deploymentsRepository.getDeployment(); + licenseKey = deployment?.licenseKey ?? undefined; + } + + if (!licenseKey) { + return false; + } + const licenseKeyUrl = this.configService.get("api.licenseKeyUrl") + `?key=${licenseKey}`; + const cachedData = await this.redisService.redis.get(getLicenseCacheKey(licenseKey)); + if (cachedData) { + return (JSON.parse(cachedData) as LicenseCheckResponse)?.valid; + } + const response = await fetch(licenseKeyUrl, { mode: "cors" }); + const data = (await response.json()) as LicenseCheckResponse; + const cacheKey = getLicenseCacheKey(licenseKey); + this.redisService.redis.set(cacheKey, JSON.stringify(data), "EX", CACHING_TIME); + return data.valid; + } +} diff --git a/apps/api/v2/src/modules/email/email.module.ts b/apps/api/v2/src/modules/email/email.module.ts new file mode 100644 index 00000000000000..f8e63b2b93e125 --- /dev/null +++ b/apps/api/v2/src/modules/email/email.module.ts @@ -0,0 +1,11 @@ +import { Global, Module } from "@nestjs/common"; + +import { EmailService } from "./email.service"; + +@Global() +@Module({ + imports: [], + providers: [EmailService], + exports: [EmailService], +}) +export class EmailModule {} diff --git a/apps/api/v2/src/modules/email/email.service.ts b/apps/api/v2/src/modules/email/email.service.ts new file mode 100644 index 00000000000000..0e004974ad3970 --- /dev/null +++ b/apps/api/v2/src/modules/email/email.service.ts @@ -0,0 +1,31 @@ +import { Injectable } from "@nestjs/common"; + +import { sendSignupToOrganizationEmail, getTranslation } from "@calcom/platform-libraries-0.0.19"; + +@Injectable() +export class EmailService { + public async sendSignupToOrganizationEmail({ + usernameOrEmail, + orgName, + orgId, + locale, + inviterName, + }: { + usernameOrEmail: string; + orgName: string; + orgId: number; + locale: string | null; + inviterName: string; + }) { + const translation = await getTranslation(locale || "en", "common"); + + await sendSignupToOrganizationEmail({ + usernameOrEmail, + team: { name: orgName, parent: null }, + inviterName: inviterName, + isOrg: true, + teamId: orgId, + translation, + }); + } +} diff --git a/apps/api/v2/src/modules/endpoints.module.ts b/apps/api/v2/src/modules/endpoints.module.ts index de9be4b261ee4b..3134bd2bd50abb 100644 --- a/apps/api/v2/src/modules/endpoints.module.ts +++ b/apps/api/v2/src/modules/endpoints.module.ts @@ -1,11 +1,14 @@ import { PlatformEndpointsModule } from "@/ee/platform-endpoints-module"; +import { BillingModule } from "@/modules/billing/billing.module"; import { OAuthClientModule } from "@/modules/oauth-clients/oauth-client.module"; import { TimezoneModule } from "@/modules/timezones/timezones.module"; import type { MiddlewareConsumer, NestModule } from "@nestjs/common"; import { Module } from "@nestjs/common"; +import { UsersModule } from "./users/users.module"; + @Module({ - imports: [OAuthClientModule, PlatformEndpointsModule, TimezoneModule], + imports: [OAuthClientModule, BillingModule, PlatformEndpointsModule, TimezoneModule, UsersModule], }) export class EndpointsModule implements NestModule { // eslint-disable-next-line @typescript-eslint/no-unused-vars diff --git a/apps/api/v2/src/modules/memberships/memberships.repository.ts b/apps/api/v2/src/modules/memberships/memberships.repository.ts index 2a8e7d1a47598e..98d495f07c2445 100644 --- a/apps/api/v2/src/modules/memberships/memberships.repository.ts +++ b/apps/api/v2/src/modules/memberships/memberships.repository.ts @@ -1,6 +1,8 @@ import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; import { Injectable } from "@nestjs/common"; +import { MembershipRole } from "@calcom/prisma/client"; + @Injectable() export class MembershipsRepository { constructor(private readonly dbRead: PrismaReadService) {} @@ -18,6 +20,23 @@ export class MembershipsRepository { return membership; } + async findMembershipByTeamId(teamId: number, userId: number) { + const membership = await this.dbRead.prisma.membership.findUnique({ + where: { + userId_teamId: { + userId: userId, + teamId: teamId, + }, + }, + }); + + return membership; + } + + async findMembershipByOrgId(orgId: number, userId: number) { + return this.findMembershipByTeamId(orgId, userId); + } + async isUserOrganizationAdmin(userId: number, organizationId: number) { const adminMembership = await this.dbRead.prisma.membership.findFirst({ where: { @@ -30,4 +49,16 @@ export class MembershipsRepository { return !!adminMembership; } + + async createMembership(teamId: number, userId: number, role: MembershipRole) { + const membership = await this.dbRead.prisma.membership.create({ + data: { + role, + teamId, + userId, + }, + }); + + return membership; + } } diff --git a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/oauth-client-users.controller.e2e-spec.ts b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/oauth-client-users.controller.e2e-spec.ts index 5af5207662d6a7..392a11db999b36 100644 --- a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/oauth-client-users.controller.e2e-spec.ts +++ b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/oauth-client-users.controller.e2e-spec.ts @@ -1,8 +1,9 @@ import { bootstrap } from "@/app"; import { AppModule } from "@/app.module"; -import { DEFAULT_EVENT_TYPES } from "@/ee/event-types/constants/constants"; +import { DEFAULT_EVENT_TYPES } from "@/ee/event-types/event-types_2024_04_15/constants/constants"; import { HttpExceptionFilter } from "@/filters/http-exception.filter"; import { PrismaExceptionFilter } from "@/filters/prisma-exception.filter"; +import { Locales } from "@/lib/enums/locales"; import { CreateUserResponse, UserReturned, @@ -17,6 +18,7 @@ import { PlatformOAuthClient, Team, User } from "@prisma/client"; import * as request from "supertest"; import { EventTypesRepositoryFixture } from "test/fixtures/repository/event-types.repository.fixture"; import { OAuthClientRepositoryFixture } from "test/fixtures/repository/oauth-client.repository.fixture"; +import { SchedulesRepositoryFixture } from "test/fixtures/repository/schedules.repository.fixture"; import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; @@ -75,10 +77,12 @@ describe("OAuth Client Users Endpoints", () => { let oauthClientRepositoryFixture: OAuthClientRepositoryFixture; let teamRepositoryFixture: TeamRepositoryFixture; let eventTypesRepositoryFixture: EventTypesRepositoryFixture; + let schedulesRepositoryFixture: SchedulesRepositoryFixture; let postResponseData: CreateUserResponse; const userEmail = "oauth-client-user@gmail.com"; + const userTimeZone = "Europe/Rome"; beforeAll(async () => { const moduleRef = await Test.createTestingModule({ @@ -93,6 +97,7 @@ describe("OAuth Client Users Endpoints", () => { userRepositoryFixture = new UserRepositoryFixture(moduleRef); teamRepositoryFixture = new TeamRepositoryFixture(moduleRef); eventTypesRepositoryFixture = new EventTypesRepositoryFixture(moduleRef); + schedulesRepositoryFixture = new SchedulesRepositoryFixture(moduleRef); organization = await teamRepositoryFixture.create({ name: "organization" }); oAuthClient = await createOAuthClient(organization.id); @@ -134,6 +139,10 @@ describe("OAuth Client Users Endpoints", () => { it(`/POST`, async () => { const requestBody: CreateManagedUserInput = { email: userEmail, + timeZone: userTimeZone, + weekStart: "Monday", + timeFormat: 24, + locale: Locales.FR, }; const response = await request(app.getHttpServer()) @@ -153,11 +162,16 @@ describe("OAuth Client Users Endpoints", () => { expect(responseBody.status).toEqual(SUCCESS_STATUS); expect(responseBody.data).toBeDefined(); expect(responseBody.data.user.email).toEqual(getOAuthUserEmail(oAuthClient.id, requestBody.email)); + expect(responseBody.data.user.timeZone).toEqual(requestBody.timeZone); + expect(responseBody.data.user.weekStart).toEqual(requestBody.weekStart); + expect(responseBody.data.user.timeFormat).toEqual(requestBody.timeFormat); + expect(responseBody.data.user.locale).toEqual(requestBody.locale); expect(responseBody.data.accessToken).toBeDefined(); expect(responseBody.data.refreshToken).toBeDefined(); await userConnectedToOAuth(responseBody.data.user.email); await userHasDefaultEventTypes(responseBody.data.user.id); + await userHasDefaultSchedule(responseBody.data.user.id, responseBody.data.user.defaultScheduleId); }); async function userConnectedToOAuth(userEmail: string) { @@ -181,6 +195,17 @@ describe("OAuth Client Users Endpoints", () => { ).toBeTruthy(); } + async function userHasDefaultSchedule(userId: number, scheduleId: number | null) { + expect(scheduleId).toBeDefined(); + expect(scheduleId).not.toBeNull(); + + const user = await userRepositoryFixture.get(userId); + expect(user?.defaultScheduleId).toEqual(scheduleId); + + const schedule = scheduleId ? await schedulesRepositoryFixture.getById(scheduleId) : null; + expect(schedule?.userId).toEqual(userId); + } + it(`/GET: return list of managed users`, async () => { const response = await request(app.getHttpServer()) .get(`/api/v2/oauth-clients/${oAuthClient.id}/users?limit=10&offset=0`) @@ -212,7 +237,7 @@ describe("OAuth Client Users Endpoints", () => { it(`/PUT/:id`, async () => { const userUpdatedEmail = "pineapple-pizza@gmail.com"; - const body: UpdateManagedUserInput = { email: userUpdatedEmail }; + const body: UpdateManagedUserInput = { email: userUpdatedEmail, locale: Locales.PT_BR }; const response = await request(app.getHttpServer()) .patch(`/api/v2/oauth-clients/${oAuthClient.id}/users/${postResponseData.user.id}`) @@ -226,6 +251,7 @@ describe("OAuth Client Users Endpoints", () => { expect(responseBody.status).toEqual(SUCCESS_STATUS); expect(responseBody.data).toBeDefined(); expect(responseBody.data.email).toEqual(getOAuthUserEmail(oAuthClient.id, userUpdatedEmail)); + expect(responseBody.data.locale).toEqual(Locales.PT_BR); }); it(`/DELETE/:id`, () => { diff --git a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/oauth-client-users.controller.ts b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/oauth-client-users.controller.ts index 12345efa5fcbc9..f6968b831af766 100644 --- a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/oauth-client-users.controller.ts +++ b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/oauth-client-users.controller.ts @@ -1,3 +1,5 @@ +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; +import { Locales } from "@/lib/enums/locales"; import { CreateManagedUserOutput } from "@/modules/oauth-clients/controllers/oauth-client-users/outputs/create-managed-user.output"; import { GetManagedUserOutput } from "@/modules/oauth-clients/controllers/oauth-client-users/outputs/get-managed-user.output"; import { GetManagedUsersOutput } from "@/modules/oauth-clients/controllers/oauth-client-users/outputs/get-managed-users.output"; @@ -21,7 +23,6 @@ import { HttpStatus, Param, Patch, - BadRequestException, Delete, Query, NotFoundException, @@ -33,8 +34,8 @@ import { SUCCESS_STATUS } from "@calcom/platform-constants"; import { Pagination } from "@calcom/platform-types"; @Controller({ - path: "oauth-clients/:clientId/users", - version: "2", + path: "/v2/oauth-clients/:clientId/users", + version: API_VERSIONS_VALUES, }) @UseGuards(OAuthClientCredentialsGuard) @DocsTags("Managed users") @@ -91,6 +92,7 @@ export class OAuthClientUsersController { data: { user: this.getResponseUser(user), accessToken: tokens.accessToken, + accessTokenExpiresAt: tokens.accessTokenExpiresAt.valueOf(), refreshToken: tokens.refreshToken, }, }; @@ -155,7 +157,7 @@ export class OAuthClientUsersController { const { id } = await this.validateManagedUserOwnership(oAuthClientId, userId); - const { accessToken, refreshToken } = await this.tokensRepository.createOAuthTokens( + const { accessToken, refreshToken, accessTokenExpiresAt } = await this.tokensRepository.createOAuthTokens( oAuthClientId, id, true @@ -166,6 +168,7 @@ export class OAuthClientUsersController { data: { accessToken, refreshToken, + accessTokenExpiresAt: accessTokenExpiresAt.valueOf(), }, }; } @@ -189,6 +192,7 @@ export class OAuthClientUsersController { createdDate: user.createdDate, timeFormat: user.timeFormat, defaultScheduleId: user.defaultScheduleId, + locale: user.locale as Locales, }; } } diff --git a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/outputs/create-managed-user.output.ts b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/outputs/create-managed-user.output.ts index 4528068fc31d7a..a34bab773cff58 100644 --- a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/outputs/create-managed-user.output.ts +++ b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/outputs/create-managed-user.output.ts @@ -1,7 +1,7 @@ import { ManagedUserOutput } from "@/modules/oauth-clients/controllers/oauth-client-users/outputs/managed-user.output"; import { ApiProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; -import { IsEnum, IsString, ValidateNested } from "class-validator"; +import { IsEnum, IsNumber, IsString, ValidateNested } from "class-validator"; import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; @@ -18,6 +18,9 @@ class CreateManagedUserData { @IsString() refreshToken!: string; + + @IsNumber() + accessTokenExpiresAt!: number; } export class CreateManagedUserOutput { diff --git a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/outputs/managed-user.output.ts b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/outputs/managed-user.output.ts index 3f7ee80738273d..5dc46fd4a43c28 100644 --- a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/outputs/managed-user.output.ts +++ b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-client-users/outputs/managed-user.output.ts @@ -1,5 +1,7 @@ +import { Locales } from "@/lib/enums/locales"; import { ApiProperty } from "@nestjs/swagger"; import { Transform } from "class-transformer"; +import { IsEnum, IsOptional } from "class-validator"; export class ManagedUserOutput { @ApiProperty({ example: 1 }) @@ -26,4 +28,9 @@ export class ManagedUserOutput { @ApiProperty({ example: null }) defaultScheduleId!: number | null; + + @IsEnum(Locales) + @IsOptional() + @ApiProperty({ example: Locales.EN, enum: Locales }) + locale?: Locales; } diff --git a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-clients/oauth-clients.controller.e2e-spec.ts b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-clients/oauth-clients.controller.e2e-spec.ts index c94e0328fba4e1..e291156c475daa 100644 --- a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-clients/oauth-clients.controller.e2e-spec.ts +++ b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-clients/oauth-clients.controller.e2e-spec.ts @@ -13,6 +13,7 @@ import { NestExpressApplication } from "@nestjs/platform-express"; import { Test } from "@nestjs/testing"; import { Membership, PlatformOAuthClient, Team, User } from "@prisma/client"; import * as request from "supertest"; +import { PlatformBillingRepositoryFixture } from "test/fixtures/repository/billing.repository.fixture"; import { MembershipRepositoryFixture } from "test/fixtures/repository/membership.repository.fixture"; import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; @@ -62,6 +63,8 @@ describe("OAuth Clients Endpoints", () => { let usersFixtures: UserRepositoryFixture; let membershipFixtures: MembershipRepositoryFixture; let teamFixtures: TeamRepositoryFixture; + let platformBillingRepositoryFixture: PlatformBillingRepositoryFixture; + let user: User; let org: Team; let app: INestApplication; @@ -80,11 +83,14 @@ describe("OAuth Clients Endpoints", () => { usersFixtures = new UserRepositoryFixture(moduleRef); membershipFixtures = new MembershipRepositoryFixture(moduleRef); teamFixtures = new TeamRepositoryFixture(moduleRef); + platformBillingRepositoryFixture = new PlatformBillingRepositoryFixture(moduleRef); + user = await usersFixtures.create({ email: userEmail, }); org = await teamFixtures.create({ name: "apiOrg", + isOrganization: true, metadata: { isOrganization: true, orgAutoAcceptEmail: "api.com", @@ -94,6 +100,7 @@ describe("OAuth Clients Endpoints", () => { isPlatform: false, }); await membershipFixtures.addUserToOrg(user, org, "ADMIN", true); + await platformBillingRepositoryFixture.create(org.id); app = moduleRef.createNestApplication(); bootstrap(app as NestExpressApplication); await app.init(); @@ -114,6 +121,8 @@ describe("OAuth Clients Endpoints", () => { let usersFixtures: UserRepositoryFixture; let membershipFixtures: MembershipRepositoryFixture; let teamFixtures: TeamRepositoryFixture; + let platformBillingRepositoryFixture: PlatformBillingRepositoryFixture; + let user: User; let org: Team; let app: INestApplication; @@ -132,11 +141,14 @@ describe("OAuth Clients Endpoints", () => { usersFixtures = new UserRepositoryFixture(moduleRef); membershipFixtures = new MembershipRepositoryFixture(moduleRef); teamFixtures = new TeamRepositoryFixture(moduleRef); + platformBillingRepositoryFixture = new PlatformBillingRepositoryFixture(moduleRef); + user = await usersFixtures.create({ email: userEmail, }); org = await teamFixtures.create({ name: "apiOrg", + isOrganization: true, metadata: { isOrganization: true, orgAutoAcceptEmail: "api.com", @@ -145,6 +157,7 @@ describe("OAuth Clients Endpoints", () => { }, isPlatform: true, }); + await platformBillingRepositoryFixture.create(org.id); app = moduleRef.createNestApplication(); bootstrap(app as NestExpressApplication); await app.init(); diff --git a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-clients/oauth-clients.controller.ts b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-clients/oauth-clients.controller.ts index a0dd99e1227f59..f80dccf14a949b 100644 --- a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-clients/oauth-clients.controller.ts +++ b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-clients/oauth-clients.controller.ts @@ -1,17 +1,23 @@ import { getEnv } from "@/env"; +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; -import { Roles } from "@/modules/auth/decorators/roles/roles.decorator"; +import { MembershipRoles } from "@/modules/auth/decorators/roles/membership-roles.decorator"; import { NextAuthGuard } from "@/modules/auth/guards/next-auth/next-auth.guard"; import { OrganizationRolesGuard } from "@/modules/auth/guards/organization-roles/organization-roles.guard"; +import { GetManagedUsersOutput } from "@/modules/oauth-clients/controllers/oauth-client-users/outputs/get-managed-users.output"; +import { ManagedUserOutput } from "@/modules/oauth-clients/controllers/oauth-client-users/outputs/managed-user.output"; import { CreateOAuthClientResponseDto } from "@/modules/oauth-clients/controllers/oauth-clients/responses/CreateOAuthClientResponse.dto"; import { GetOAuthClientResponseDto } from "@/modules/oauth-clients/controllers/oauth-clients/responses/GetOAuthClientResponse.dto"; import { GetOAuthClientsResponseDto } from "@/modules/oauth-clients/controllers/oauth-clients/responses/GetOAuthClientsResponse.dto"; import { UpdateOAuthClientInput } from "@/modules/oauth-clients/inputs/update-oauth-client.input"; import { OAuthClientRepository } from "@/modules/oauth-clients/oauth-client.repository"; +import { OrganizationsRepository } from "@/modules/organizations/organizations.repository"; import { UserWithProfile } from "@/modules/users/users.repository"; +import { UsersRepository } from "@/modules/users/users.repository"; import { Body, Controller, + Query, Get, Post, Patch, @@ -22,6 +28,7 @@ import { Logger, UseGuards, NotFoundException, + BadRequestException, } from "@nestjs/common"; import { ApiTags as DocsTags, @@ -30,16 +37,18 @@ import { ApiCreatedResponse as DocsCreatedResponse, } from "@nestjs/swagger"; import { MembershipRole } from "@prisma/client"; +import { User } from "@prisma/client"; import { SUCCESS_STATUS } from "@calcom/platform-constants"; import { CreateOAuthClientInput } from "@calcom/platform-types"; +import { Pagination } from "@calcom/platform-types"; const AUTH_DOCUMENTATION = `⚠️ First, this endpoint requires \`Cookie: next-auth.session-token=eyJhbGciOiJ\` header. Log into Cal web app using owner of organization that was created after visiting \`/settings/organizations/new\`, refresh swagger docs, and the cookie will be added to requests automatically to pass the NextAuthGuard. Second, make sure that the logged in user has organizationId set to pass the OrganizationRolesGuard guard.`; @Controller({ - path: "oauth-clients", - version: "2", + path: "/v2/oauth-clients", + version: API_VERSIONS_VALUES, }) @UseGuards(NextAuthGuard, OrganizationRolesGuard) @DocsExcludeController(getEnv("NODE_ENV") === "production") @@ -47,11 +56,15 @@ Second, make sure that the logged in user has organizationId set to pass the Org export class OAuthClientsController { private readonly logger = new Logger("OAuthClientController"); - constructor(private readonly oauthClientRepository: OAuthClientRepository) {} + constructor( + private readonly oauthClientRepository: OAuthClientRepository, + private readonly userRepository: UsersRepository, + private readonly teamsRepository: OrganizationsRepository + ) {} @Post("/") @HttpCode(HttpStatus.CREATED) - @Roles([MembershipRole.ADMIN, MembershipRole.OWNER]) + @MembershipRoles([MembershipRole.ADMIN, MembershipRole.OWNER]) @DocsOperation({ description: AUTH_DOCUMENTATION }) @DocsCreatedResponse({ description: "Create an OAuth client", @@ -65,6 +78,12 @@ export class OAuthClientsController { this.logger.log( `For organisation ${organizationId} creating OAuth Client with data: ${JSON.stringify(body)}` ); + + const organization = await this.teamsRepository.findByIdIncludeBilling(organizationId); + if (!organization?.platformBilling || !organization?.platformBilling?.subscriptionId) { + throw new BadRequestException("Team is not subscribed, cannot create an OAuth Client."); + } + const { id, secret } = await this.oauthClientRepository.createOAuthClient(organizationId, body); return { status: SUCCESS_STATUS, @@ -77,7 +96,7 @@ export class OAuthClientsController { @Get("/") @HttpCode(HttpStatus.OK) - @Roles([MembershipRole.ADMIN, MembershipRole.OWNER, MembershipRole.MEMBER]) + @MembershipRoles([MembershipRole.ADMIN, MembershipRole.OWNER, MembershipRole.MEMBER]) @DocsOperation({ description: AUTH_DOCUMENTATION }) async getOAuthClients(@GetUser() user: UserWithProfile): Promise { const organizationId = (user.movedToProfile?.organizationId ?? user.organizationId) as number; @@ -88,7 +107,7 @@ export class OAuthClientsController { @Get("/:clientId") @HttpCode(HttpStatus.OK) - @Roles([MembershipRole.ADMIN, MembershipRole.OWNER, MembershipRole.MEMBER]) + @MembershipRoles([MembershipRole.ADMIN, MembershipRole.OWNER, MembershipRole.MEMBER]) @DocsOperation({ description: AUTH_DOCUMENTATION }) async getOAuthClientById(@Param("clientId") clientId: string): Promise { const client = await this.oauthClientRepository.getOAuthClient(clientId); @@ -98,9 +117,27 @@ export class OAuthClientsController { return { status: SUCCESS_STATUS, data: client }; } + @Get("/:clientId/managed-users") + @HttpCode(HttpStatus.OK) + @MembershipRoles([MembershipRole.ADMIN, MembershipRole.OWNER, MembershipRole.MEMBER]) + @DocsOperation({ description: AUTH_DOCUMENTATION }) + async getOAuthClientManagedUsersById( + @Param("clientId") clientId: string, + @Query() queryParams: Pagination + ): Promise { + const { offset, limit } = queryParams; + const existingManagedUsers = await this.userRepository.findManagedUsersByOAuthClientId( + clientId, + offset ?? 0, + limit ?? 50 + ); + + return { status: SUCCESS_STATUS, data: existingManagedUsers.map((user) => this.getResponseUser(user)) }; + } + @Patch("/:clientId") @HttpCode(HttpStatus.OK) - @Roles([MembershipRole.ADMIN, MembershipRole.OWNER]) + @MembershipRoles([MembershipRole.ADMIN, MembershipRole.OWNER]) @DocsOperation({ description: AUTH_DOCUMENTATION }) async updateOAuthClient( @Param("clientId") clientId: string, @@ -113,11 +150,24 @@ export class OAuthClientsController { @Delete("/:clientId") @HttpCode(HttpStatus.OK) - @Roles([MembershipRole.ADMIN, MembershipRole.OWNER]) + @MembershipRoles([MembershipRole.ADMIN, MembershipRole.OWNER]) @DocsOperation({ description: AUTH_DOCUMENTATION }) async deleteOAuthClient(@Param("clientId") clientId: string): Promise { this.logger.log(`Deleting OAuth Client with ID: ${clientId}`); const client = await this.oauthClientRepository.deleteOAuthClient(clientId); return { status: SUCCESS_STATUS, data: client }; } + + private getResponseUser(user: User): ManagedUserOutput { + return { + id: user.id, + email: user.email, + username: user.username, + timeZone: user.timeZone, + weekStart: user.weekStart, + createdDate: user.createdDate, + timeFormat: user.timeFormat, + defaultScheduleId: user.defaultScheduleId, + }; + } } diff --git a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-clients/responses/CreateOAuthClientResponse.dto.ts b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-clients/responses/CreateOAuthClientResponse.dto.ts index fcee72c195ceea..c7eaee25846ae6 100644 --- a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-clients/responses/CreateOAuthClientResponse.dto.ts +++ b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-clients/responses/CreateOAuthClientResponse.dto.ts @@ -2,7 +2,7 @@ import { ApiProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; import { IsIn, ValidateNested, IsNotEmptyObject, IsString } from "class-validator"; -import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; +import { SUCCESS_STATUS, ERROR_STATUS, REDIRECT_STATUS } from "@calcom/platform-constants"; class DataDto { @ApiProperty({ @@ -34,3 +34,9 @@ export class CreateOAuthClientResponseDto { @Type(() => DataDto) data!: DataDto; } + +export class CreateOauthClientRedirect { + status!: typeof REDIRECT_STATUS; + + url!: string; +} diff --git a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-flow/oauth-flow.controller.e2e-spec.ts b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-flow/oauth-flow.controller.e2e-spec.ts index 2081240bbe0c5e..128d31b6182382 100644 --- a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-flow/oauth-flow.controller.e2e-spec.ts +++ b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-flow/oauth-flow.controller.e2e-spec.ts @@ -113,7 +113,7 @@ describe("OAuthFlow Endpoints", () => { const REDIRECT_STATUS = 302; const response = await request(app.getHttpServer()) - .post(`/oauth/${oAuthClient.id}/authorize`) + .post(`/v2/oauth/${oAuthClient.id}/authorize`) .send(body) .expect(REDIRECT_STATUS); @@ -133,7 +133,7 @@ describe("OAuthFlow Endpoints", () => { }; const response = await request(app.getHttpServer()) - .post(`/oauth/${oAuthClient.id}/exchange`) + .post(`/v2/oauth/${oAuthClient.id}/exchange`) .set("Authorization", authorizationToken) .send(body) .expect(200); @@ -153,7 +153,7 @@ describe("OAuthFlow Endpoints", () => { }; return request(app.getHttpServer()) - .post(`/oauth/${oAuthClient.id}/refresh`) + .post(`/v2/oauth/${oAuthClient.id}/refresh`) .set("x-cal-secret-key", secretKey) .send(body) .expect(200) diff --git a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-flow/oauth-flow.controller.ts b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-flow/oauth-flow.controller.ts index c7d82b69be6d61..96be69b9a8c025 100644 --- a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-flow/oauth-flow.controller.ts +++ b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-flow/oauth-flow.controller.ts @@ -1,4 +1,5 @@ import { getEnv } from "@/env"; +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; import { NextAuthGuard } from "@/modules/auth/guards/next-auth/next-auth.guard"; import { KeysResponseDto } from "@/modules/oauth-clients/controllers/oauth-flow/responses/KeysResponse.dto"; @@ -33,8 +34,8 @@ import { Response as ExpressResponse } from "express"; import { SUCCESS_STATUS, X_CAL_SECRET_KEY } from "@calcom/platform-constants"; @Controller({ - path: "oauth/:clientId", - version: "2", + path: "/v2/oauth/:clientId", + version: API_VERSIONS_VALUES, }) @DocsExcludeController(getEnv("NODE_ENV") === "production") @DocsTags("OAuth - development only") @@ -117,16 +118,18 @@ export class OAuthFlowController { throw new BadRequestException("Missing 'Bearer' Authorization header."); } - const { accessToken, refreshToken } = await this.oAuthFlowService.exchangeAuthorizationToken( - authorizeEndpointCode, - clientId, - body.clientSecret - ); + const { accessToken, refreshToken, accessTokenExpiresAt } = + await this.oAuthFlowService.exchangeAuthorizationToken( + authorizeEndpointCode, + clientId, + body.clientSecret + ); return { status: SUCCESS_STATUS, data: { accessToken, + accessTokenExpiresAt: accessTokenExpiresAt.valueOf(), refreshToken, }, }; @@ -140,7 +143,7 @@ export class OAuthFlowController { @Headers(X_CAL_SECRET_KEY) secretKey: string, @Body() body: RefreshTokenInput ): Promise { - const { accessToken, refreshToken } = await this.oAuthFlowService.refreshToken( + const { accessToken, refreshToken, accessTokenExpiresAt } = await this.oAuthFlowService.refreshToken( clientId, secretKey, body.refreshToken @@ -150,6 +153,7 @@ export class OAuthFlowController { status: SUCCESS_STATUS, data: { accessToken: accessToken, + accessTokenExpiresAt: accessTokenExpiresAt.valueOf(), refreshToken: refreshToken, }, }; diff --git a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-flow/responses/KeysResponse.dto.ts b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-flow/responses/KeysResponse.dto.ts index ba5c85b51e5a9b..9a5f5f4bcbc05e 100644 --- a/apps/api/v2/src/modules/oauth-clients/controllers/oauth-flow/responses/KeysResponse.dto.ts +++ b/apps/api/v2/src/modules/oauth-clients/controllers/oauth-flow/responses/KeysResponse.dto.ts @@ -1,6 +1,6 @@ import { ApiProperty } from "@nestjs/swagger"; import { Type } from "class-transformer"; -import { ValidateNested, IsEnum, IsString, IsNotEmptyObject } from "class-validator"; +import { ValidateNested, IsEnum, IsString, IsNotEmptyObject, IsNumber } from "class-validator"; import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; @@ -16,6 +16,9 @@ class KeysDto { }) @IsString() refreshToken!: string; + + @IsNumber() + accessTokenExpiresAt!: number; } export class KeysResponseDto { diff --git a/apps/api/v2/src/modules/oauth-clients/oauth-client.module.ts b/apps/api/v2/src/modules/oauth-clients/oauth-client.module.ts index 74a1b554ae48ce..8ec2c656ecf2b9 100644 --- a/apps/api/v2/src/modules/oauth-clients/oauth-client.module.ts +++ b/apps/api/v2/src/modules/oauth-clients/oauth-client.module.ts @@ -1,5 +1,7 @@ -import { EventTypesModule } from "@/ee/event-types/event-types.module"; +import { EventTypesModule_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/event-types.module"; +import { SchedulesModule_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/schedules.module"; import { AuthModule } from "@/modules/auth/auth.module"; +import { BillingModule } from "@/modules/billing/billing.module"; import { MembershipsModule } from "@/modules/memberships/memberships.module"; import { OAuthClientUsersController } from "@/modules/oauth-clients/controllers/oauth-client-users/oauth-client-users.controller"; import { OAuthClientsController } from "@/modules/oauth-clients/controllers/oauth-clients/oauth-clients.controller"; @@ -10,6 +12,8 @@ import { OAuthClientUsersService } from "@/modules/oauth-clients/services/oauth- import { OAuthFlowService } from "@/modules/oauth-clients/services/oauth-flow.service"; import { OrganizationsModule } from "@/modules/organizations/organizations.module"; import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { RedisModule } from "@/modules/redis/redis.module"; +import { StripeModule } from "@/modules/stripe/stripe.module"; import { TokensModule } from "@/modules/tokens/tokens.module"; import { TokensRepository } from "@/modules/tokens/tokens.repository"; import { UsersModule } from "@/modules/users/users.module"; @@ -19,12 +23,16 @@ import { Global, Module } from "@nestjs/common"; @Module({ imports: [ PrismaModule, + RedisModule, AuthModule, UsersModule, TokensModule, MembershipsModule, - EventTypesModule, + EventTypesModule_2024_04_15, OrganizationsModule, + StripeModule, + BillingModule, + SchedulesModule_2024_04_15, ], providers: [ OAuthClientRepository, diff --git a/apps/api/v2/src/modules/oauth-clients/oauth-client.repository.ts b/apps/api/v2/src/modules/oauth-clients/oauth-client.repository.ts index 6dc399e2e4aead..ed356afaf1108f 100644 --- a/apps/api/v2/src/modules/oauth-clients/oauth-client.repository.ts +++ b/apps/api/v2/src/modules/oauth-clients/oauth-client.repository.ts @@ -59,7 +59,7 @@ export class OAuthClientRepository { } async getOAuthClientWithRefreshSecret(clientId: string, clientSecret: string, refreshToken: string) { - return await this.dbRead.prisma.platformOAuthClient.findFirst({ + return this.dbRead.prisma.platformOAuthClient.findFirst({ where: { id: clientId, secret: clientSecret, diff --git a/apps/api/v2/src/modules/oauth-clients/services/oauth-clients-users.service.ts b/apps/api/v2/src/modules/oauth-clients/services/oauth-clients-users.service.ts index d4fd46fb5ea940..0577fe3e36e10f 100644 --- a/apps/api/v2/src/modules/oauth-clients/services/oauth-clients-users.service.ts +++ b/apps/api/v2/src/modules/oauth-clients/services/oauth-clients-users.service.ts @@ -1,4 +1,5 @@ -import { EventTypesService } from "@/ee/event-types/services/event-types.service"; +import { EventTypesService_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/services/event-types.service"; +import { SchedulesService_2024_04_15 } from "@/ee/schedules/schedules_2024_04_15/services/schedules.service"; import { TokensRepository } from "@/modules/tokens/tokens.repository"; import { CreateManagedUserInput } from "@/modules/users/inputs/create-managed-user.input"; import { UpdateManagedUserInput } from "@/modules/users/inputs/update-managed-user.input"; @@ -6,15 +7,15 @@ import { UsersRepository } from "@/modules/users/users.repository"; import { BadRequestException, Injectable } from "@nestjs/common"; import { User } from "@prisma/client"; -import { createNewUsersConnectToOrgIfExists } from "@calcom/platform-libraries"; -import { slugify } from "@calcom/platform-libraries"; +import { createNewUsersConnectToOrgIfExists, slugify } from "@calcom/platform-libraries-0.0.19"; @Injectable() export class OAuthClientUsersService { constructor( private readonly userRepository: UsersRepository, private readonly tokensRepository: TokensRepository, - private readonly eventTypesService: EventTypesService + private readonly eventTypesService: EventTypesService_2024_04_15, + private readonly schedulesService: SchedulesService_2024_04_15 ) {} async createOauthClientUser( @@ -35,39 +36,53 @@ export class OAuthClientUsersService { const email = this.getOAuthUserEmail(oAuthClientId, body.email); user = ( await createNewUsersConnectToOrgIfExists({ - usernamesOrEmails: [email], - input: { - teamId: organizationId, - role: "MEMBER", - usernameOrEmail: [email], - isOrg: true, - language: "en", - }, + invitations: [ + { + usernameOrEmail: email, + role: "MEMBER", + }, + ], + teamId: organizationId, + isOrg: true, parentId: null, autoAcceptEmailDomain: "never-auto-accept-email-domain-for-managed-users", - connectionInfoMap: { + orgConnectInfoByUsernameOrEmail: { [email]: { orgId: organizationId, autoAccept: true, }, }, isPlatformManaged, + timeFormat: body.timeFormat, + weekStart: body.weekStart, + timeZone: body.timeZone, }) )[0]; await this.userRepository.addToOAuthClient(user.id, oAuthClientId); - await this.userRepository.update(user.id, { name: body.name ?? user.username ?? undefined }); + const updatedUser = await this.userRepository.update(user.id, { + name: body.name ?? user.username ?? undefined, + locale: body.locale, + }); + user.locale = updatedUser.locale; } - const { accessToken, refreshToken } = await this.tokensRepository.createOAuthTokens( + const { accessToken, refreshToken, accessTokenExpiresAt } = await this.tokensRepository.createOAuthTokens( oAuthClientId, user.id ); + await this.eventTypesService.createUserDefaultEventTypes(user.id); + if (body.timeZone) { + const defaultSchedule = await this.schedulesService.createUserDefaultSchedule(user.id, body.timeZone); + user.defaultScheduleId = defaultSchedule.id; + } + return { user, tokens: { accessToken, + accessTokenExpiresAt, refreshToken, }, }; @@ -92,8 +107,6 @@ export class OAuthClientUsersService { getOAuthUserEmail(oAuthClientId: string, userEmail: string) { const [username, emailDomain] = userEmail.split("@"); - const email = `${username}+${oAuthClientId}@${emailDomain}`; - - return email; + return `${username}+${oAuthClientId}@${emailDomain}`; } } diff --git a/apps/api/v2/src/modules/oauth-clients/services/oauth-flow.service.ts b/apps/api/v2/src/modules/oauth-clients/services/oauth-flow.service.ts index 24490dbfb7b207..ac0791ea2b590a 100644 --- a/apps/api/v2/src/modules/oauth-clients/services/oauth-flow.service.ts +++ b/apps/api/v2/src/modules/oauth-clients/services/oauth-flow.service.ts @@ -1,33 +1,70 @@ -import { TokenExpiredException } from "@/modules/auth/guards/access-token/token-expired.exception"; +import { TokenExpiredException } from "@/modules/auth/guards/api-auth/token-expired.exception"; import { OAuthClientRepository } from "@/modules/oauth-clients/oauth-client.repository"; +import { RedisService } from "@/modules/redis/redis.service"; import { TokensRepository } from "@/modules/tokens/tokens.repository"; -import { BadRequestException, Injectable, UnauthorizedException } from "@nestjs/common"; +import { BadRequestException, Injectable, Logger, UnauthorizedException } from "@nestjs/common"; +import { DateTime } from "luxon"; import { INVALID_ACCESS_TOKEN } from "@calcom/platform-constants"; @Injectable() export class OAuthFlowService { + private logger = new Logger("OAuthFlowService"); + constructor( private readonly tokensRepository: TokensRepository, - private readonly oAuthClientRepository: OAuthClientRepository //private readonly redisService: RedisIOService + private readonly oAuthClientRepository: OAuthClientRepository, + private readonly redisService: RedisService ) {} - // eslint-disable-next-line @typescript-eslint/no-unused-vars async propagateAccessToken(accessToken: string) { - // this.logger.log("Propagating access token to redis", accessToken); - // TODO propagate - //this.redisService.redis.hset("access_tokens", accessToken,) - return void 0; + try { + const ownerId = await this.tokensRepository.getAccessTokenOwnerId(accessToken); + let expiry = await this.tokensRepository.getAccessTokenExpiryDate(accessToken); + + if (!expiry) { + this.logger.warn(`Token for ${ownerId} had no expiry time, assuming it's new.`); + expiry = DateTime.now().plus({ minute: 60 }).startOf("minute").toJSDate(); + } + + const cacheKey = this._generateActKey(accessToken); + await this.redisService.redis.hmset(cacheKey, { + ownerId: ownerId, + expiresAt: expiry?.toJSON(), + }); + + await this.redisService.redis.expireat(cacheKey, Math.floor(expiry.getTime() / 1000)); + } catch (err) { + this.logger.error("Access Token Propagation Failed, falling back to DB...", err); + } } async getOwnerId(accessToken: string) { - return this.tokensRepository.getAccessTokenOwnerId(accessToken); + const cacheKey = this._generateOwnerIdKey(accessToken); + + try { + const ownerId = await this.redisService.redis.get(cacheKey); + if (ownerId) { + return Number.parseInt(ownerId); + } + } catch (err) { + this.logger.warn("Cache#getOwnerId fetch failed, falling back to DB..."); + } + + const ownerIdFromDb = await this.tokensRepository.getAccessTokenOwnerId(accessToken); + + if (!ownerIdFromDb) throw new Error("Invalid Access Token, not present in Redis or DB"); + + // await in case of race conditions, but void it's return since cache writes shouldn't halt execution. + void (await this.redisService.redis.setex(cacheKey, 3600, ownerIdFromDb)); // expires in 1 hour + + return ownerIdFromDb; } async validateAccessToken(secret: string) { // status can be "CACHE_HIT" or "CACHE_MISS", MISS will most likely mean the token has expired // but we need to check the SQL db for it anyways. - const { status } = await this.readFromCache(secret); + const { status, cacheKey } = await this.readFromCache(secret); if (status === "CACHE_HIT") { return true; @@ -43,19 +80,30 @@ export class OAuthFlowService { throw new TokenExpiredException(); } + // we can't use a Promise#all or similar here because we care about execution order + // however we can't allow caches to fail a validation hence the results are voided. + void (await this.redisService.redis.hmset(cacheKey, { expiresAt: tokenExpiresAt.toJSON() })); + void (await this.redisService.redis.expireat(cacheKey, Math.floor(tokenExpiresAt.getTime() / 1000))); + return true; } - // eslint-disable-next-line @typescript-eslint/no-unused-vars private async readFromCache(secret: string) { - return { status: "CACHE_MISS" }; + const cacheKey = this._generateActKey(secret); + const tokenData = await this.redisService.redis.hgetall(cacheKey); + + if (tokenData && new Date() < new Date(tokenData.expiresAt)) { + return { status: "CACHE_HIT", cacheKey }; + } + + return { status: "CACHE_MISS", cacheKey }; } async exchangeAuthorizationToken( tokenId: string, clientId: string, clientSecret: string - ): Promise<{ accessToken: string; refreshToken: string }> { + ): Promise<{ accessToken: string; refreshToken: string; accessTokenExpiresAt: Date }> { const oauthClient = await this.oAuthClientRepository.getOAuthClientWithAuthTokens( tokenId, clientId, @@ -72,15 +120,16 @@ export class OAuthFlowService { throw new BadRequestException("Invalid Authorization Token."); } - const { accessToken, refreshToken } = await this.tokensRepository.createOAuthTokens( + const { accessToken, refreshToken, accessTokenExpiresAt } = await this.tokensRepository.createOAuthTokens( clientId, authorizationToken.owner.id ); await this.tokensRepository.invalidateAuthorizationToken(authorizationToken.id); - void this.propagateAccessToken(accessToken); // voided as we don't need to await + void this.propagateAccessToken(accessToken); // void result, ignored. return { accessToken, + accessTokenExpiresAt, refreshToken, }; } @@ -110,7 +159,16 @@ export class OAuthFlowService { return { accessToken: accessToken.secret, + accessTokenExpiresAt: accessToken.expiresAt, refreshToken: refreshToken.secret, }; } + + private _generateActKey(accessToken: string) { + return `act_${accessToken}`; + } + + private _generateOwnerIdKey(accessToken: string) { + return `owner_${accessToken}`; + } } diff --git a/apps/api/v2/src/modules/organizations/controllers/event-types/organizations-event-types.controller.ts b/apps/api/v2/src/modules/organizations/controllers/event-types/organizations-event-types.controller.ts new file mode 100644 index 00000000000000..f2008a31a11ce6 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/event-types/organizations-event-types.controller.ts @@ -0,0 +1,156 @@ +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; +import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; +import { Roles } from "@/modules/auth/decorators/roles/roles.decorator"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; +import { IsOrgGuard } from "@/modules/auth/guards/organizations/is-org.guard"; +import { RolesGuard } from "@/modules/auth/guards/roles/roles.guard"; +import { IsTeamInOrg } from "@/modules/auth/guards/teams/is-team-in-org.guard"; +import { CreateTeamEventTypeOutput } from "@/modules/organizations/controllers/event-types/outputs/teams/create-team-event-type.output"; +import { DeleteTeamEventTypeOutput } from "@/modules/organizations/controllers/event-types/outputs/teams/delete-team-event-type.output"; +import { GetTeamEventTypeOutput } from "@/modules/organizations/controllers/event-types/outputs/teams/get-team-event-type.output"; +import { GetTeamEventTypesOutput } from "@/modules/organizations/controllers/event-types/outputs/teams/get-team-event-types.output"; +import { UpdateTeamEventTypeOutput } from "@/modules/organizations/controllers/event-types/outputs/teams/update-team-event-type.output"; +import { OrganizationsEventTypesService } from "@/modules/organizations/services/event-types/organizations-event-types.service"; +import { UserWithProfile } from "@/modules/users/users.repository"; +import { + Controller, + UseGuards, + Get, + Post, + Param, + ParseIntPipe, + Body, + Patch, + Delete, + HttpCode, + HttpStatus, + NotFoundException, + Query, +} from "@nestjs/common"; +import { ApiTags as DocsTags } from "@nestjs/swagger"; + +import { SUCCESS_STATUS } from "@calcom/platform-constants"; +import { + CreateTeamEventTypeInput_2024_06_14, + SkipTakePagination, + UpdateTeamEventTypeInput_2024_06_14, +} from "@calcom/platform-types"; + +@Controller({ + path: "/v2/organizations/:orgId", + version: API_VERSIONS_VALUES, +}) +@UseGuards(ApiAuthGuard, IsOrgGuard, RolesGuard) +@DocsTags("Organizations Event Types") +export class OrganizationsEventTypesController { + constructor(private readonly organizationsEventTypesService: OrganizationsEventTypesService) {} + + @Roles("TEAM_ADMIN") + @UseGuards(IsTeamInOrg) + @Post("/teams/:teamId/event-types") + async createTeamEventType( + @GetUser() user: UserWithProfile, + @Param("teamId", ParseIntPipe) teamId: number, + @Param("orgId", ParseIntPipe) orgId: number, + @Body() bodyEventType: CreateTeamEventTypeInput_2024_06_14 + ): Promise { + const eventType = await this.organizationsEventTypesService.createTeamEventType( + user, + teamId, + orgId, + bodyEventType + ); + + return { + status: SUCCESS_STATUS, + data: eventType, + }; + } + + @Roles("TEAM_ADMIN") + @UseGuards(IsTeamInOrg) + @Get("/teams/:teamId/event-types/:eventTypeId") + async getTeamEventType( + @Param("teamId", ParseIntPipe) teamId: number, + @Param("eventTypeId") eventTypeId: number + ): Promise { + const eventType = await this.organizationsEventTypesService.getTeamEventType(teamId, eventTypeId); + + if (!eventType) { + throw new NotFoundException(`Event type with id ${eventTypeId} not found`); + } + + return { + status: SUCCESS_STATUS, + data: eventType, + }; + } + + @Roles("TEAM_ADMIN") + @UseGuards(IsTeamInOrg) + @Get("/teams/:teamId/event-types") + async getTeamEventTypes(@Param("teamId", ParseIntPipe) teamId: number): Promise { + const eventTypes = await this.organizationsEventTypesService.getTeamEventTypes(teamId); + + return { + status: SUCCESS_STATUS, + data: eventTypes, + }; + } + + @Roles("TEAM_ADMIN") + @Get("/teams/event-types") + async getTeamsEventTypes( + @Param("orgId", ParseIntPipe) orgId: number, + @Query() queryParams: SkipTakePagination + ): Promise { + const { skip, take } = queryParams; + const eventTypes = await this.organizationsEventTypesService.getTeamsEventTypes(orgId, skip, take); + + return { + status: SUCCESS_STATUS, + data: eventTypes, + }; + } + + @Roles("TEAM_ADMIN") + @UseGuards(IsTeamInOrg) + @Patch("/teams/:teamId/event-types/:eventTypeId") + async updateTeamEventType( + @Param("teamId", ParseIntPipe) teamId: number, + @Param("eventTypeId") eventTypeId: number, + @GetUser() user: UserWithProfile, + @Body() bodyEventType: UpdateTeamEventTypeInput_2024_06_14 + ): Promise { + const eventType = await this.organizationsEventTypesService.updateTeamEventType( + eventTypeId, + teamId, + bodyEventType, + user + ); + + return { + status: SUCCESS_STATUS, + data: eventType, + }; + } + + @Roles("TEAM_ADMIN") + @UseGuards(IsTeamInOrg) + @Delete("/teams/:teamId/event-types/:eventTypeId") + @HttpCode(HttpStatus.OK) + async deleteTeamEventType( + @Param("teamId", ParseIntPipe) teamId: number, + @Param("eventTypeId") eventTypeId: number + ): Promise { + const eventType = await this.organizationsEventTypesService.deleteTeamEventType(teamId, eventTypeId); + + return { + status: SUCCESS_STATUS, + data: { + id: eventTypeId, + title: eventType.title, + }, + }; + } +} diff --git a/apps/api/v2/src/modules/organizations/controllers/event-types/organizations-event-types.e2e-spec.ts b/apps/api/v2/src/modules/organizations/controllers/event-types/organizations-event-types.e2e-spec.ts new file mode 100644 index 00000000000000..0f18a9b4a6f6ef --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/event-types/organizations-event-types.e2e-spec.ts @@ -0,0 +1,595 @@ +import { bootstrap } from "@/app"; +import { AppModule } from "@/app.module"; +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersModule } from "@/modules/users/users.module"; +import { INestApplication } from "@nestjs/common"; +import { NestExpressApplication } from "@nestjs/platform-express"; +import { Test } from "@nestjs/testing"; +import { User } from "@prisma/client"; +import * as request from "supertest"; +import { EventTypesRepositoryFixture } from "test/fixtures/repository/event-types.repository.fixture"; +import { MembershipRepositoryFixture } from "test/fixtures/repository/membership.repository.fixture"; +import { ProfileRepositoryFixture } from "test/fixtures/repository/profiles.repository.fixture"; +import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; +import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; +import { withApiAuth } from "test/utils/withApiAuth"; + +import { SUCCESS_STATUS } from "@calcom/platform-constants"; +import { + ApiSuccessResponse, + CreateTeamEventTypeInput_2024_06_14, + Host, + TeamEventTypeOutput_2024_06_14, + UpdateTeamEventTypeInput_2024_06_14, +} from "@calcom/platform-types"; +import { Team } from "@calcom/prisma/client"; + +describe("Organizations Event Types Endpoints", () => { + describe("User Authentication - User is Org Admin", () => { + let app: INestApplication; + + let userRepositoryFixture: UserRepositoryFixture; + let organizationsRepositoryFixture: TeamRepositoryFixture; + let teamsRepositoryFixture: TeamRepositoryFixture; + let membershipsRepositoryFixture: MembershipRepositoryFixture; + let profileRepositoryFixture: ProfileRepositoryFixture; + let eventTypesRepositoryFixture: EventTypesRepositoryFixture; + + let org: Team; + let team: Team; + let falseTestOrg: Team; + let falseTestTeam: Team; + + const userEmail = "org-admin-event-types-controller-e222e@api.com"; + let userAdmin: User; + + const teammate1Email = "teammate111@team.com"; + const teammate2Email = "teammate221@team.com"; + const falseTestUserEmail = "false-user@false-team.com"; + let teammate1: User; + let teammate2: User; + let falseTestUser: User; + + let collectiveEventType: TeamEventTypeOutput_2024_06_14; + let managedEventType: TeamEventTypeOutput_2024_06_14; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + imports: [AppModule, PrismaModule, UsersModule, TokensModule], + }) + ).compile(); + + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + organizationsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + teamsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + membershipsRepositoryFixture = new MembershipRepositoryFixture(moduleRef); + profileRepositoryFixture = new ProfileRepositoryFixture(moduleRef); + eventTypesRepositoryFixture = new EventTypesRepositoryFixture(moduleRef); + + userAdmin = await userRepositoryFixture.create({ + email: userEmail, + username: userEmail, + role: "ADMIN", + }); + + teammate1 = await userRepositoryFixture.create({ + email: teammate1Email, + username: teammate1Email, + }); + + teammate2 = await userRepositoryFixture.create({ + email: teammate2Email, + username: teammate2Email, + }); + + falseTestUser = await userRepositoryFixture.create({ + email: falseTestUserEmail, + username: falseTestUserEmail, + }); + + org = await organizationsRepositoryFixture.create({ + name: "Test Organization", + isOrganization: true, + }); + + falseTestOrg = await organizationsRepositoryFixture.create({ + name: "False test org", + isOrganization: true, + }); + + team = await teamsRepositoryFixture.create({ + name: "Test org team", + isOrganization: false, + parent: { connect: { id: org.id } }, + }); + + falseTestTeam = await teamsRepositoryFixture.create({ + name: "Outside org team", + isOrganization: false, + parent: { connect: { id: falseTestOrg.id } }, + }); + + await profileRepositoryFixture.create({ + uid: `usr-${userAdmin.id}`, + username: userEmail, + organization: { + connect: { + id: org.id, + }, + }, + user: { + connect: { + id: userAdmin.id, + }, + }, + }); + + await membershipsRepositoryFixture.create({ + role: "ADMIN", + user: { connect: { id: userAdmin.id } }, + team: { connect: { id: org.id } }, + accepted: true, + }); + + await membershipsRepositoryFixture.create({ + role: "MEMBER", + user: { connect: { id: teammate1.id } }, + team: { connect: { id: team.id } }, + accepted: true, + }); + + await membershipsRepositoryFixture.create({ + role: "MEMBER", + user: { connect: { id: teammate2.id } }, + team: { connect: { id: team.id } }, + accepted: true, + }); + + await membershipsRepositoryFixture.create({ + role: "MEMBER", + user: { connect: { id: falseTestUser.id } }, + team: { connect: { id: falseTestTeam.id } }, + accepted: true, + }); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + await app.init(); + }); + + it("should be defined", () => { + expect(userRepositoryFixture).toBeDefined(); + expect(organizationsRepositoryFixture).toBeDefined(); + expect(userAdmin).toBeDefined(); + expect(org).toBeDefined(); + }); + + it("should not be able to create event-type for team outside org", async () => { + const body: CreateTeamEventTypeInput_2024_06_14 = { + title: "Coding consultation", + slug: "coding-consultation", + description: "Our team will review your codebase.", + lengthInMinutes: 60, + locations: [ + { + type: "integration", + integration: "cal-video", + }, + ], + schedulingType: "COLLECTIVE", + hosts: [ + { + userId: teammate1.id, + mandatory: true, + priority: "high", + }, + ], + }; + + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/teams/${falseTestTeam.id}/event-types`) + .send(body) + .expect(404); + }); + + it("should not be able to create event-type for user outside org", async () => { + const userId = falseTestUser.id; + + const body: CreateTeamEventTypeInput_2024_06_14 = { + title: "Coding consultation", + slug: "coding-consultation", + description: "Our team will review your codebase.", + lengthInMinutes: 60, + locations: [ + { + type: "integration", + integration: "cal-video", + }, + ], + schedulingType: "COLLECTIVE", + hosts: [ + { + userId, + mandatory: true, + priority: "high", + }, + ], + }; + + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/teams/${team.id}/event-types`) + .send(body) + .expect(404); + }); + + it("should create a collective team event-type", async () => { + const body: CreateTeamEventTypeInput_2024_06_14 = { + title: "Coding consultation collective", + slug: "coding-consultation collective", + description: "Our team will review your codebase.", + lengthInMinutes: 60, + locations: [ + { + type: "integration", + integration: "cal-video", + }, + ], + bookingFields: [ + { + type: "select", + label: "select which language is your codebase in", + slug: "select-language", + required: true, + placeholder: "select language", + options: ["javascript", "python", "cobol"], + }, + ], + schedulingType: "COLLECTIVE", + hosts: [ + { + userId: teammate1.id, + mandatory: true, + priority: "high", + }, + { + userId: teammate2.id, + mandatory: false, + priority: "low", + }, + ], + }; + + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/teams/${team.id}/event-types`) + .send(body) + .expect(201) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + + const data = responseBody.data; + expect(data.title).toEqual(body.title); + expect(data.hosts.length).toEqual(2); + evaluateHost(body.hosts[0], data.hosts[0]); + evaluateHost(body.hosts[1], data.hosts[1]); + + collectiveEventType = responseBody.data; + }); + }); + + it("should create a managed team event-type", async () => { + const body: CreateTeamEventTypeInput_2024_06_14 = { + title: "Coding consultation managed", + slug: "coding-consultation-managed", + description: "Our team will review your codebase.", + lengthInMinutes: 60, + locations: [ + { + type: "integration", + integration: "cal-video", + }, + ], + schedulingType: "MANAGED", + hosts: [ + { + userId: teammate1.id, + mandatory: true, + priority: "high", + }, + { + userId: teammate2.id, + mandatory: false, + priority: "low", + }, + ], + }; + + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/teams/${team.id}/event-types`) + .send(body) + .expect(201) + .then(async (response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + + const data = responseBody.data; + expect(data.length).toEqual(3); + + const teammate1EventTypes = await eventTypesRepositoryFixture.getAllUserEventTypes(teammate1.id); + const teammate2EventTypes = await eventTypesRepositoryFixture.getAllUserEventTypes(teammate2.id); + const teamEventTypes = await eventTypesRepositoryFixture.getAllTeamEventTypes(team.id); + + expect(teammate1EventTypes.length).toEqual(1); + expect(teammate2EventTypes.length).toEqual(1); + expect(teamEventTypes.filter((eventType) => eventType.schedulingType === "MANAGED").length).toEqual( + 1 + ); + + const responseTeamEvent = responseBody.data[0]; + expect(responseTeamEvent?.teamId).toEqual(team.id); + + const responseTeammate1Event = responseBody.data[1]; + expect(responseTeammate1Event?.ownerId).toEqual(teammate1.id); + expect(responseTeammate1Event?.parentEventTypeId).toEqual(responseTeamEvent?.id); + + const responseTeammate2Event = responseBody.data[2]; + expect(responseTeammate2Event?.ownerId).toEqual(teammate2.id); + expect(responseTeammate2Event?.parentEventTypeId).toEqual(responseTeamEvent?.id); + + managedEventType = responseTeamEvent; + }); + }); + + it("should not get an event-type of team outside org", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${falseTestTeam.id}/event-types/${collectiveEventType.id}`) + .expect(404); + }); + + it("should not get a non existing event-type", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${team.id}/event-types/999999`) + .expect(404); + }); + + it("should get a team event-type", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${team.id}/event-types/${collectiveEventType.id}`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + + const data = responseBody.data; + expect(data.title).toEqual(collectiveEventType.title); + expect(data.hosts.length).toEqual(2); + evaluateHost(collectiveEventType.hosts[0], data.hosts[0]); + evaluateHost(collectiveEventType.hosts[1], data.hosts[1]); + + collectiveEventType = responseBody.data; + }); + }); + + it("should not get event-types of team outside org", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${falseTestTeam.id}/event-types`) + .expect(404); + }); + + it("should get team event-types", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${team.id}/event-types`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + + const data = responseBody.data; + console.log("asap responseBody.data", JSON.stringify(responseBody.data, null, 2)); + expect(data.length).toEqual(2); + + const eventTypeCollective = data.find((eventType) => eventType.schedulingType === "COLLECTIVE"); + const eventTypeManaged = data.find((eventType) => eventType.schedulingType === "MANAGED"); + + expect(eventTypeCollective?.title).toEqual(collectiveEventType.title); + expect(eventTypeCollective?.hosts.length).toEqual(2); + + expect(eventTypeManaged?.title).toEqual(managedEventType.title); + expect(eventTypeManaged?.hosts.length).toEqual(2); + evaluateHost(collectiveEventType.hosts[0], eventTypeCollective?.hosts[0]); + evaluateHost(collectiveEventType.hosts[1], eventTypeCollective?.hosts[1]); + }); + }); + + it("should not be able to update event-type for incorrect team", async () => { + const body: UpdateTeamEventTypeInput_2024_06_14 = { + title: "Clean code consultation", + }; + + return request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/teams/${falseTestTeam.id}/event-types/${collectiveEventType.id}`) + .send(body) + .expect(404); + }); + + it("should not be able to update non existing event-type", async () => { + const body: UpdateTeamEventTypeInput_2024_06_14 = { + title: "Clean code consultation", + }; + + return request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/teams/${team.id}/event-types/999999`) + .send(body) + .expect(404); + }); + + it("should update collective event-type", async () => { + const newHosts: UpdateTeamEventTypeInput_2024_06_14["hosts"] = [ + { + userId: teammate1.id, + mandatory: true, + priority: "medium", + }, + ]; + + const body: UpdateTeamEventTypeInput_2024_06_14 = { + hosts: newHosts, + }; + + return request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/teams/${team.id}/event-types/${collectiveEventType.id}`) + .send(body) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + + const eventType = responseBody.data; + expect(eventType.title).toEqual(collectiveEventType.title); + expect(eventType.hosts.length).toEqual(1); + evaluateHost(eventType.hosts[0], newHosts[0]); + }); + }); + + it("should update managed event-type", async () => { + const newTitle = "Coding consultation managed updated"; + const newHosts: UpdateTeamEventTypeInput_2024_06_14["hosts"] = [ + { + userId: teammate1.id, + mandatory: true, + priority: "medium", + }, + ]; + + const body: UpdateTeamEventTypeInput_2024_06_14 = { + title: newTitle, + hosts: newHosts, + }; + + return request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/teams/${team.id}/event-types/${managedEventType.id}`) + .send(body) + .expect(200) + .then(async (response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + + const data = responseBody.data; + expect(data.length).toEqual(2); + + const teammate1EventTypes = await eventTypesRepositoryFixture.getAllUserEventTypes(teammate1.id); + const teammate2EventTypes = await eventTypesRepositoryFixture.getAllUserEventTypes(teammate2.id); + const teamEventTypes = await eventTypesRepositoryFixture.getAllTeamEventTypes(team.id); + const managedTeamEventTypes = teamEventTypes.filter( + (eventType) => eventType.schedulingType === "MANAGED" + ); + + expect(teammate1EventTypes.length).toEqual(1); + expect(teammate2EventTypes.length).toEqual(0); + expect(managedTeamEventTypes.length).toEqual(1); + expect(managedTeamEventTypes[0].assignAllTeamMembers).toEqual(false); + + const responseTeamEvent = responseBody.data[0]; + expect(responseTeamEvent.title).toEqual(newTitle); + expect(responseTeamEvent.assignAllTeamMembers).toEqual(false); + + const responseTeammate1Event = responseBody.data[1]; + expect(responseTeammate1Event.title).toEqual(newTitle); + + expect(teammate1EventTypes[0].title).toEqual(newTitle); + expect( + teamEventTypes.filter((eventType) => eventType.schedulingType === "MANAGED")?.[0]?.title + ).toEqual(newTitle); + + managedEventType = responseBody.data[0]; + }); + }); + + it("should assign all members to managed event-type", async () => { + const body: UpdateTeamEventTypeInput_2024_06_14 = { + assignAllTeamMembers: true, + }; + + return request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/teams/${team.id}/event-types/${managedEventType.id}`) + .send(body) + .expect(200) + .then(async (response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + + const data = responseBody.data; + expect(data.length).toEqual(3); + + const teammate1EventTypes = await eventTypesRepositoryFixture.getAllUserEventTypes(teammate1.id); + const teammate2EventTypes = await eventTypesRepositoryFixture.getAllUserEventTypes(teammate2.id); + const teamEventTypes = await eventTypesRepositoryFixture.getAllTeamEventTypes(team.id); + const managedTeamEventTypes = teamEventTypes.filter( + (eventType) => eventType.schedulingType === "MANAGED" + ); + + expect(teammate1EventTypes.length).toEqual(1); + expect(teammate2EventTypes.length).toEqual(1); + expect(managedTeamEventTypes.length).toEqual(1); + expect(managedTeamEventTypes[0].assignAllTeamMembers).toEqual(true); + + const responseTeamEvent = responseBody.data[0]; + expect(responseTeamEvent?.teamId).toEqual(team.id); + expect(responseTeamEvent.assignAllTeamMembers).toEqual(true); + + const responseTeammate1Event = responseBody.data[1]; + expect(responseTeammate1Event?.ownerId).toEqual(teammate1.id); + expect(responseTeammate1Event?.parentEventTypeId).toEqual(responseTeamEvent?.id); + + const responseTeammate2Event = responseBody.data[2]; + expect(responseTeammate2Event?.ownerId).toEqual(teammate2.id); + expect(responseTeammate2Event?.parentEventTypeId).toEqual(responseTeamEvent?.id); + + managedEventType = responseTeamEvent; + }); + }); + + it("should not delete event-type of team outside org", async () => { + return request(app.getHttpServer()) + .delete(`/v2/organizations/${org.id}/teams/${falseTestTeam.id}/event-types/${collectiveEventType.id}`) + .expect(404); + }); + + it("should delete event-type not part of the team", async () => { + return request(app.getHttpServer()) + .delete(`/v2/organizations/${org.id}/teams/${team.id}/event-types/99999`) + .expect(404); + }); + + it("should delete collective event-type", async () => { + return request(app.getHttpServer()) + .delete(`/v2/organizations/${org.id}/teams/${team.id}/event-types/${collectiveEventType.id}`) + .expect(200); + }); + + it("should delete managed event-type", async () => { + return request(app.getHttpServer()) + .delete(`/v2/organizations/${org.id}/teams/${team.id}/event-types/${managedEventType.id}`) + .expect(200); + }); + + function evaluateHost(expected: Host, received: Host | undefined) { + expect(expected.userId).toEqual(received?.userId); + expect(expected.mandatory).toEqual(received?.mandatory); + expect(expected.priority).toEqual(received?.priority); + } + + afterAll(async () => { + await userRepositoryFixture.deleteByEmail(userAdmin.email); + await userRepositoryFixture.deleteByEmail(teammate1.email); + await userRepositoryFixture.deleteByEmail(teammate2.email); + await teamsRepositoryFixture.delete(team.id); + await organizationsRepositoryFixture.delete(org.id); + await app.close(); + }); + }); +}); diff --git a/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/create-team-event-type.output.ts b/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/create-team-event-type.output.ts new file mode 100644 index 00000000000000..960a7d84660ea7 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/create-team-event-type.output.ts @@ -0,0 +1,21 @@ +import { ApiProperty, getSchemaPath } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsNotEmptyObject, ValidateNested } from "class-validator"; + +import { ApiResponseWithoutData, TeamEventTypeOutput_2024_06_14 } from "@calcom/platform-types"; + +export class CreateTeamEventTypeOutput extends ApiResponseWithoutData { + @IsNotEmptyObject() + @ValidateNested() + @ApiProperty({ + oneOf: [ + { $ref: getSchemaPath(TeamEventTypeOutput_2024_06_14) }, + { + type: "array", + items: { $ref: getSchemaPath(TeamEventTypeOutput_2024_06_14) }, + }, + ], + }) + @Type(() => TeamEventTypeOutput_2024_06_14) + data!: TeamEventTypeOutput_2024_06_14 | TeamEventTypeOutput_2024_06_14[]; +} diff --git a/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/delete-team-event-type.output.ts b/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/delete-team-event-type.output.ts new file mode 100644 index 00000000000000..300728c55fb03a --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/delete-team-event-type.output.ts @@ -0,0 +1,10 @@ +import { Type } from "class-transformer"; +import { ValidateNested } from "class-validator"; + +import { ApiResponseWithoutData, TeamEventTypeOutput_2024_06_14 } from "@calcom/platform-types"; + +export class DeleteTeamEventTypeOutput extends ApiResponseWithoutData { + @ValidateNested() + @Type(() => TeamEventTypeOutput_2024_06_14) + data!: Pick; +} diff --git a/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/get-team-event-type.output.ts b/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/get-team-event-type.output.ts new file mode 100644 index 00000000000000..3206c66a584f7b --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/get-team-event-type.output.ts @@ -0,0 +1,10 @@ +import { Type } from "class-transformer"; +import { ValidateNested } from "class-validator"; + +import { ApiResponseWithoutData, TeamEventTypeOutput_2024_06_14 } from "@calcom/platform-types"; + +export class GetTeamEventTypeOutput extends ApiResponseWithoutData { + @ValidateNested() + @Type(() => TeamEventTypeOutput_2024_06_14) + data!: TeamEventTypeOutput_2024_06_14; +} diff --git a/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/get-team-event-types.output.ts b/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/get-team-event-types.output.ts new file mode 100644 index 00000000000000..939c74c369f11d --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/get-team-event-types.output.ts @@ -0,0 +1,10 @@ +import { Type } from "class-transformer"; +import { ValidateNested } from "class-validator"; + +import { ApiResponseWithoutData, TeamEventTypeOutput_2024_06_14 } from "@calcom/platform-types"; + +export class GetTeamEventTypesOutput extends ApiResponseWithoutData { + @ValidateNested({ each: true }) + @Type(() => TeamEventTypeOutput_2024_06_14) + data!: TeamEventTypeOutput_2024_06_14[]; +} diff --git a/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/update-team-event-type.output.ts b/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/update-team-event-type.output.ts new file mode 100644 index 00000000000000..403280b7a51aec --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/event-types/outputs/teams/update-team-event-type.output.ts @@ -0,0 +1,21 @@ +import { ApiProperty, getSchemaPath } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsNotEmptyObject, ValidateNested } from "class-validator"; + +import { ApiResponseWithoutData, TeamEventTypeOutput_2024_06_14 } from "@calcom/platform-types"; + +export class UpdateTeamEventTypeOutput extends ApiResponseWithoutData { + @IsNotEmptyObject() + @ValidateNested() + @ApiProperty({ + oneOf: [ + { $ref: getSchemaPath(TeamEventTypeOutput_2024_06_14) }, + { + type: "array", + items: { $ref: getSchemaPath(TeamEventTypeOutput_2024_06_14) }, + }, + ], + }) + @Type(() => TeamEventTypeOutput_2024_06_14) + data!: TeamEventTypeOutput_2024_06_14 | TeamEventTypeOutput_2024_06_14[]; +} diff --git a/apps/api/v2/src/modules/organizations/controllers/memberships/organizations-membership.controller.e2e-spec.ts b/apps/api/v2/src/modules/organizations/controllers/memberships/organizations-membership.controller.e2e-spec.ts new file mode 100644 index 00000000000000..f11c54f112804d --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/memberships/organizations-membership.controller.e2e-spec.ts @@ -0,0 +1,311 @@ +import { bootstrap } from "@/app"; +import { AppModule } from "@/app.module"; +import { CreateOrgMembershipDto } from "@/modules/organizations/inputs/create-organization-membership.input"; +import { UpdateOrgMembershipDto } from "@/modules/organizations/inputs/update-organization-membership.input"; +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersModule } from "@/modules/users/users.module"; +import { INestApplication } from "@nestjs/common"; +import { NestExpressApplication } from "@nestjs/platform-express"; +import { Test } from "@nestjs/testing"; +import { User } from "@prisma/client"; +import * as request from "supertest"; +import { MembershipRepositoryFixture } from "test/fixtures/repository/membership.repository.fixture"; +import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; +import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; +import { withApiAuth } from "test/utils/withApiAuth"; + +import { SUCCESS_STATUS } from "@calcom/platform-constants"; +import { ApiSuccessResponse } from "@calcom/platform-types"; +import { Membership, Team } from "@calcom/prisma/client"; + +describe("Organizations Memberships Endpoints", () => { + describe("User Authentication - User is Org Admin", () => { + let app: INestApplication; + + let userRepositoryFixture: UserRepositoryFixture; + let organizationsRepositoryFixture: TeamRepositoryFixture; + let membershipsRepositoryFixture: MembershipRepositoryFixture; + + let org: Team; + let membership: Membership; + let membership2: Membership; + let membershipCreatedViaApi: Membership; + + const userEmail = "org-admin-membership-controller-e2e@api.com"; + const userEmail2 = "org-member-membership-controller-e2e@api.com"; + + const invitedUserEmail = "org-member-invited-membership-controller-e2e@api.com"; + + let user: User; + let user2: User; + + let userToInviteViaApi: User; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + imports: [AppModule, PrismaModule, UsersModule, TokensModule], + }) + ).compile(); + + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + organizationsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + membershipsRepositoryFixture = new MembershipRepositoryFixture(moduleRef); + + user = await userRepositoryFixture.create({ + email: userEmail, + username: userEmail, + }); + user2 = await userRepositoryFixture.create({ + email: userEmail2, + username: userEmail2, + }); + + userToInviteViaApi = await userRepositoryFixture.create({ + email: invitedUserEmail, + username: invitedUserEmail, + }); + + org = await organizationsRepositoryFixture.create({ + name: "Test Organization", + isOrganization: true, + }); + + membership = await membershipsRepositoryFixture.create({ + role: "ADMIN", + user: { connect: { id: user.id } }, + team: { connect: { id: org.id } }, + }); + + membership2 = await membershipsRepositoryFixture.create({ + role: "MEMBER", + user: { connect: { id: user2.id } }, + team: { connect: { id: org.id } }, + }); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + await app.init(); + }); + + it("should be defined", () => { + expect(userRepositoryFixture).toBeDefined(); + expect(organizationsRepositoryFixture).toBeDefined(); + expect(user).toBeDefined(); + expect(org).toBeDefined(); + }); + + it("should get all the memberships of the org", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/memberships`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data[0].id).toEqual(membership.id); + expect(responseBody.data[1].id).toEqual(membership2.id); + }); + }); + + it("should get all the memberships of the org paginated", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/memberships?skip=1&take=1`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data[0].id).toEqual(membership2.id); + expect(responseBody.data[0].userId).toEqual(user2.id); + }); + }); + + it("should fail if org does not exist", async () => { + return request(app.getHttpServer()).get(`/v2/organizations/120494059/memberships`).expect(403); + }); + + it("should get the membership of the org", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/memberships/${membership.id}`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data.id).toEqual(membership.id); + expect(responseBody.data.userId).toEqual(user.id); + }); + }); + + it("should create the membership of the org", async () => { + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/memberships`) + .send({ + userId: userToInviteViaApi.id, + accepted: true, + role: "MEMBER", + } satisfies CreateOrgMembershipDto) + .expect(201) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + membershipCreatedViaApi = responseBody.data; + expect(membershipCreatedViaApi.teamId).toEqual(org.id); + expect(membershipCreatedViaApi.role).toEqual("MEMBER"); + expect(membershipCreatedViaApi.userId).toEqual(userToInviteViaApi.id); + }); + }); + + it("should update the membership of the org", async () => { + return request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/memberships/${membershipCreatedViaApi.id}`) + .send({ + role: "OWNER", + } satisfies UpdateOrgMembershipDto) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + membershipCreatedViaApi = responseBody.data; + expect(membershipCreatedViaApi.role).toEqual("OWNER"); + }); + }); + + it("should delete the membership of the org we created via api", async () => { + return request(app.getHttpServer()) + .delete(`/v2/organizations/${org.id}/memberships/${membershipCreatedViaApi.id}`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data.id).toEqual(membershipCreatedViaApi.id); + }); + }); + + it("should fail to get the membership of the org we just deleted", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/memberships/${membershipCreatedViaApi.id}`) + .expect(404); + }); + + it("should fail if the membership does not exist", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/memberships/123132145`) + .expect(404); + }); + + afterAll(async () => { + await userRepositoryFixture.deleteByEmail(user.email); + await userRepositoryFixture.deleteByEmail(user2.email); + await userRepositoryFixture.deleteByEmail(userToInviteViaApi.email); + await organizationsRepositoryFixture.delete(org.id); + await app.close(); + }); + }); +}); + +describe("Organizations Memberships Endpoints", () => { + describe("User Authentication - User is Org Member", () => { + let app: INestApplication; + + let userRepositoryFixture: UserRepositoryFixture; + let organizationsRepositoryFixture: TeamRepositoryFixture; + let membershipsRepositoryFixture: MembershipRepositoryFixture; + + let org: Team; + let membership: Membership; + + const userEmail = "org-member-memberships-controller-e2e@api.com"; + let user: User; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + imports: [AppModule, PrismaModule, UsersModule, TokensModule], + }) + ).compile(); + + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + organizationsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + membershipsRepositoryFixture = new MembershipRepositoryFixture(moduleRef); + + user = await userRepositoryFixture.create({ + email: userEmail, + username: userEmail, + }); + + org = await organizationsRepositoryFixture.create({ + name: "Test Organization", + isOrganization: true, + }); + + membership = await membershipsRepositoryFixture.create({ + role: "MEMBER", + user: { connect: { id: user.id } }, + team: { connect: { id: org.id } }, + }); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + await app.init(); + }); + + it("should be defined", () => { + expect(userRepositoryFixture).toBeDefined(); + expect(organizationsRepositoryFixture).toBeDefined(); + expect(user).toBeDefined(); + expect(org).toBeDefined(); + }); + + it("should deny get all the memberships of the org", async () => { + return request(app.getHttpServer()).get(`/v2/organizations/${org.id}/memberships`).expect(403); + }); + + it("should deny get all the memberships of the org paginated", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/memberships?skip=1&take=1`) + .expect(403); + }); + + it("should deny get the membership of the org", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/memberships/${membership.id}`) + .expect(403); + }); + + it("should deny create the membership for the org", async () => { + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/memberships`) + .send({ + role: "OWNER", + userId: user.id, + accepted: true, + } satisfies CreateOrgMembershipDto) + .expect(403); + }); + + it("should deny update the membership of the org", async () => { + return request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/memberships/${membership.id}`) + .send({ + role: "MEMBER", + } satisfies Partial) + .expect(403); + }); + + it("should deny delete the membership of the org we created via api", async () => { + return request(app.getHttpServer()) + .delete(`/v2/organizations/${org.id}/memberships/${membership.id}`) + .expect(403); + }); + + afterAll(async () => { + await userRepositoryFixture.deleteByEmail(user.email); + await organizationsRepositoryFixture.delete(org.id); + await app.close(); + }); + }); +}); diff --git a/apps/api/v2/src/modules/organizations/controllers/memberships/organizations-membership.controller.ts b/apps/api/v2/src/modules/organizations/controllers/memberships/organizations-membership.controller.ts new file mode 100644 index 00000000000000..fdf6bc0ec25275 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/memberships/organizations-membership.controller.ts @@ -0,0 +1,127 @@ +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; +import { GetMembership } from "@/modules/auth/decorators/get-membership/get-membership.decorator"; +import { Roles } from "@/modules/auth/decorators/roles/roles.decorator"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; +import { IsMembershipInOrg } from "@/modules/auth/guards/memberships/is-membership-in-org.guard"; +import { IsOrgGuard } from "@/modules/auth/guards/organizations/is-org.guard"; +import { RolesGuard } from "@/modules/auth/guards/roles/roles.guard"; +import { CreateOrgMembershipDto } from "@/modules/organizations/inputs/create-organization-membership.input"; +import { UpdateOrgMembershipDto } from "@/modules/organizations/inputs/update-organization-membership.input"; +import { CreateOrgMembershipOutput } from "@/modules/organizations/outputs/organization-membership/create-membership.output"; +import { DeleteOrgMembership } from "@/modules/organizations/outputs/organization-membership/delete-membership.output"; +import { GetAllOrgMemberships } from "@/modules/organizations/outputs/organization-membership/get-all-memberships.output"; +import { GetOrgMembership } from "@/modules/organizations/outputs/organization-membership/get-membership.output"; +import { OrgMembershipOutputDto } from "@/modules/organizations/outputs/organization-membership/membership.output"; +import { UpdateOrgMembership } from "@/modules/organizations/outputs/organization-membership/update-membership.output"; +import { OrganizationsMembershipService } from "@/modules/organizations/services/organizations-membership.service"; +import { + Controller, + UseGuards, + Get, + Param, + ParseIntPipe, + Query, + Delete, + Patch, + Post, + Body, + HttpCode, + HttpStatus, +} from "@nestjs/common"; +import { ApiTags as DocsTags } from "@nestjs/swagger"; +import { plainToClass } from "class-transformer"; + +import { SUCCESS_STATUS } from "@calcom/platform-constants"; +import { SkipTakePagination } from "@calcom/platform-types"; +import { Membership } from "@calcom/prisma/client"; + +@Controller({ + path: "/v2/organizations/:orgId/memberships", + version: API_VERSIONS_VALUES, +}) +@UseGuards(ApiAuthGuard, IsOrgGuard, RolesGuard) +@DocsTags("Organizations Memberships") +export class OrganizationsMembershipsController { + constructor(private organizationsMembershipService: OrganizationsMembershipService) {} + + @Roles("ORG_ADMIN") + @Get("/") + @HttpCode(HttpStatus.OK) + async getAllMemberships( + @Param("orgId", ParseIntPipe) orgId: number, + @Query() queryParams: SkipTakePagination + ): Promise { + const { skip, take } = queryParams; + const memberships = await this.organizationsMembershipService.getPaginatedOrgMemberships( + orgId, + skip ?? 0, + take ?? 250 + ); + return { + status: SUCCESS_STATUS, + data: memberships.map((membership) => + plainToClass(OrgMembershipOutputDto, membership, { strategy: "excludeAll" }) + ), + }; + } + + @Roles("ORG_ADMIN") + @Post("/") + @HttpCode(HttpStatus.CREATED) + async createMembership( + @Param("orgId", ParseIntPipe) orgId: number, + @Body() body: CreateOrgMembershipDto + ): Promise { + const membership = await this.organizationsMembershipService.createOrgMembership(orgId, body); + return { + status: SUCCESS_STATUS, + data: plainToClass(OrgMembershipOutputDto, membership, { strategy: "excludeAll" }), + }; + } + + @Roles("ORG_ADMIN") + @UseGuards(IsMembershipInOrg) + @Get("/:membershipId") + @HttpCode(HttpStatus.OK) + async getUserSchedule(@GetMembership() membership: Membership): Promise { + return { + status: SUCCESS_STATUS, + data: plainToClass(OrgMembershipOutputDto, membership, { strategy: "excludeAll" }), + }; + } + + @Roles("ORG_ADMIN") + @UseGuards(IsMembershipInOrg) + @Delete("/:membershipId") + @HttpCode(HttpStatus.OK) + async deleteMembership( + @Param("orgId", ParseIntPipe) orgId: number, + @Param("membershipId", ParseIntPipe) membershipId: number + ): Promise { + const membership = await this.organizationsMembershipService.deleteOrgMembership(orgId, membershipId); + return { + status: SUCCESS_STATUS, + data: plainToClass(OrgMembershipOutputDto, membership, { strategy: "excludeAll" }), + }; + } + + @UseGuards(IsMembershipInOrg) + @Roles("ORG_ADMIN") + @Patch("/:membershipId") + @HttpCode(HttpStatus.OK) + async updateMembership( + @Param("orgId", ParseIntPipe) orgId: number, + @Param("membershipId", ParseIntPipe) membershipId: number, + @Body() body: UpdateOrgMembershipDto + ): Promise { + const membership = await this.organizationsMembershipService.updateOrgMembership( + orgId, + membershipId, + body + ); + return { + status: SUCCESS_STATUS, + data: plainToClass(OrgMembershipOutputDto, membership, { strategy: "excludeAll" }), + }; + } +} diff --git a/apps/api/v2/src/modules/organizations/controllers/schedules/organizations-schedules.controller.ts b/apps/api/v2/src/modules/organizations/controllers/schedules/organizations-schedules.controller.ts new file mode 100644 index 00000000000000..9eb076e8a8c5c5 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/schedules/organizations-schedules.controller.ts @@ -0,0 +1,139 @@ +import { SchedulesService_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/services/schedules.service"; +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; +import { Roles } from "@/modules/auth/decorators/roles/roles.decorator"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; +import { IsOrgGuard } from "@/modules/auth/guards/organizations/is-org.guard"; +import { RolesGuard } from "@/modules/auth/guards/roles/roles.guard"; +import { IsUserInOrg } from "@/modules/auth/guards/users/is-user-in-org.guard"; +import { OrganizationsSchedulesService } from "@/modules/organizations/services/organizations-schedules.service"; +import { + Controller, + UseGuards, + Get, + Post, + Param, + ParseIntPipe, + Body, + Patch, + Delete, + HttpCode, + HttpStatus, + Query, +} from "@nestjs/common"; +import { ApiTags as DocsTags } from "@nestjs/swagger"; + +import { SUCCESS_STATUS } from "@calcom/platform-constants"; +import { + CreateScheduleInput_2024_06_11, + CreateScheduleOutput_2024_06_11, + DeleteScheduleOutput_2024_06_11, + GetScheduleOutput_2024_06_11, + GetSchedulesOutput_2024_06_11, + UpdateScheduleInput_2024_06_11, + UpdateScheduleOutput_2024_06_11, +} from "@calcom/platform-types"; +import { SkipTakePagination } from "@calcom/platform-types"; + +@Controller({ + path: "/v2/organizations/:orgId", + version: API_VERSIONS_VALUES, +}) +@UseGuards(ApiAuthGuard, IsOrgGuard, RolesGuard) +@DocsTags("Organizations Schedules") +export class OrganizationsSchedulesController { + constructor( + private schedulesService: SchedulesService_2024_06_11, + private organizationScheduleService: OrganizationsSchedulesService + ) {} + + @Roles("ORG_ADMIN") + @Get("/schedules") + async getOrganizationSchedules( + @Param("orgId", ParseIntPipe) orgId: number, + @Query() queryParams: SkipTakePagination + ): Promise { + const { skip, take } = queryParams; + + const schedules = await this.organizationScheduleService.getOrganizationSchedules(orgId, skip, take); + + return { + status: SUCCESS_STATUS, + data: schedules, + }; + } + + @Roles("ORG_ADMIN") + @UseGuards(IsUserInOrg) + @Post("/users/:userId/schedules") + async createUserSchedule( + @Param("userId", ParseIntPipe) userId: number, + @Body() bodySchedule: CreateScheduleInput_2024_06_11 + ): Promise { + const schedule = await this.schedulesService.createUserSchedule(userId, bodySchedule); + + return { + status: SUCCESS_STATUS, + data: schedule, + }; + } + + @Roles("ORG_ADMIN") + @UseGuards(IsUserInOrg) + @Get("/users/:userId/schedules/:scheduleId") + async getUserSchedule( + @Param("userId", ParseIntPipe) userId: number, + @Param("scheduleId") scheduleId: number + ): Promise { + const schedule = await this.schedulesService.getUserSchedule(userId, scheduleId); + + return { + status: SUCCESS_STATUS, + data: schedule, + }; + } + + @Roles("ORG_ADMIN") + @UseGuards(IsUserInOrg) + @Get("/users/:userId/schedules") + async getUserSchedules( + @Param("userId", ParseIntPipe) userId: number + ): Promise { + const schedules = await this.schedulesService.getUserSchedules(userId); + + return { + status: SUCCESS_STATUS, + data: schedules, + }; + } + + @Roles("ORG_ADMIN") + @UseGuards(IsUserInOrg) + @Patch("/users/:userId/schedules/:scheduleId") + async updateUserSchedule( + @Param("userId", ParseIntPipe) userId: number, + @Param("scheduleId", ParseIntPipe) scheduleId: number, + @Body() bodySchedule: UpdateScheduleInput_2024_06_11 + ): Promise { + const updatedSchedule = await this.schedulesService.updateUserSchedule(userId, scheduleId, bodySchedule); + + return { + status: SUCCESS_STATUS, + data: updatedSchedule, + }; + } + + @Roles("ORG_ADMIN") + @UseGuards(IsUserInOrg) + @Delete("/users/:userId/schedules/:scheduleId") + @HttpCode(HttpStatus.OK) + async deleteUserSchedule( + @Param("userId", ParseIntPipe) userId: number, + @Param("scheduleId", ParseIntPipe) scheduleId: number + ): Promise { + await this.schedulesService.deleteUserSchedule(userId, scheduleId); + + return { + status: SUCCESS_STATUS, + }; + } +} diff --git a/apps/api/v2/src/modules/organizations/controllers/schedules/organizations-schedules.e2e-spec.ts b/apps/api/v2/src/modules/organizations/controllers/schedules/organizations-schedules.e2e-spec.ts new file mode 100644 index 00000000000000..9b972baaa2e76c --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/schedules/organizations-schedules.e2e-spec.ts @@ -0,0 +1,338 @@ +import { bootstrap } from "@/app"; +import { AppModule } from "@/app.module"; +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersModule } from "@/modules/users/users.module"; +import { INestApplication } from "@nestjs/common"; +import { NestExpressApplication } from "@nestjs/platform-express"; +import { Test } from "@nestjs/testing"; +import * as request from "supertest"; +import { MembershipRepositoryFixture } from "test/fixtures/repository/membership.repository.fixture"; +import { ProfileRepositoryFixture } from "test/fixtures/repository/profiles.repository.fixture"; +import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; +import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; +import { withApiAuth } from "test/utils/withApiAuth"; + +import { SUCCESS_STATUS } from "@calcom/platform-constants"; +import { + CreateScheduleInput_2024_06_11, + CreateScheduleOutput_2024_06_11, + GetScheduleOutput_2024_06_11, + GetSchedulesOutput_2024_06_11, + ScheduleAvailabilityInput_2024_06_11, + ScheduleOutput_2024_06_11, + UpdateScheduleInput_2024_06_11, + UpdateScheduleOutput_2024_06_11, +} from "@calcom/platform-types"; +import { User, Team, Membership, Profile } from "@calcom/prisma/client"; + +describe("Organizations Schedules Endpoints", () => { + describe("User lacks required role", () => { + let app: INestApplication; + + let userRepositoryFixture: UserRepositoryFixture; + let organizationsRepositoryFixture: TeamRepositoryFixture; + let membershipFixtures: MembershipRepositoryFixture; + + const userEmail = "mr-robot@schedules-api.com"; + let user: User; + let org: Team; + let membership: Membership; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + imports: [AppModule, PrismaModule, UsersModule, TokensModule], + }) + ).compile(); + + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + organizationsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + membershipFixtures = new MembershipRepositoryFixture(moduleRef); + + org = await organizationsRepositoryFixture.create({ + name: "Ecorp", + isOrganization: true, + }); + + user = await userRepositoryFixture.create({ + email: userEmail, + username: userEmail, + organization: { connect: { id: org.id } }, + }); + + membership = await membershipFixtures.addUserToOrg(user, org, "MEMBER", true); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + await app.init(); + }); + + it("should be defined", () => { + expect(userRepositoryFixture).toBeDefined(); + expect(organizationsRepositoryFixture).toBeDefined(); + expect(user).toBeDefined(); + expect(org).toBeDefined(); + }); + + it("should not be able to create schedule for org user", async () => { + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/users/${user.id}/schedules`) + .send({ + name: "work", + timeZone: "Europe/Rome", + isDefault: true, + }) + .expect(403); + }); + + it("should not be able to get org schedules", async () => { + return request(app.getHttpServer()).get(`/v2/organizations/${org.id}/schedules`).expect(403); + }); + + it("should mot be able to get user schedules", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/users/${user.id}/schedules/`) + .expect(403); + }); + + afterAll(async () => { + await membershipFixtures.delete(membership.id); + await userRepositoryFixture.deleteByEmail(user.email); + await organizationsRepositoryFixture.delete(org.id); + await app.close(); + }); + }); + + describe("User has required role", () => { + let app: INestApplication; + + let userRepositoryFixture: UserRepositoryFixture; + let organizationsRepositoryFixture: TeamRepositoryFixture; + let membershipFixtures: MembershipRepositoryFixture; + let profileRepositoryFixture: ProfileRepositoryFixture; + + const userEmail = "mr-robot@schedules-api.com"; + const username = "mr-robot"; + let user: User; + let org: Team; + let profile: Profile; + let membership: Membership; + + let createdSchedule: ScheduleOutput_2024_06_11; + + const createScheduleInput: CreateScheduleInput_2024_06_11 = { + name: "work", + timeZone: "Europe/Rome", + isDefault: true, + }; + + const defaultAvailability: ScheduleAvailabilityInput_2024_06_11[] = [ + { + days: ["Monday", "Tuesday", "Wednesday", "Thursday", "Friday"], + startTime: "09:00", + endTime: "17:00", + }, + ]; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + imports: [AppModule, PrismaModule, UsersModule, TokensModule], + }) + ).compile(); + + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + organizationsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + membershipFixtures = new MembershipRepositoryFixture(moduleRef); + profileRepositoryFixture = new ProfileRepositoryFixture(moduleRef); + + org = await organizationsRepositoryFixture.create({ + name: "Ecorp", + isOrganization: true, + }); + + user = await userRepositoryFixture.create({ + email: userEmail, + username: userEmail, + organization: { connect: { id: org.id } }, + }); + + profile = await profileRepositoryFixture.create({ + uid: `usr-${user.id}`, + username: username, + organization: { + connect: { + id: org.id, + }, + }, + user: { + connect: { + id: user.id, + }, + }, + }); + + membership = await membershipFixtures.addUserToOrg(user, org, "ADMIN", true); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + await app.init(); + }); + + it("should be defined", () => { + expect(userRepositoryFixture).toBeDefined(); + expect(organizationsRepositoryFixture).toBeDefined(); + expect(user).toBeDefined(); + expect(org).toBeDefined(); + }); + + it("should create schedule for org user", async () => { + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/users/${user.id}/schedules`) + .send(createScheduleInput) + .expect(201) + .then(async (response) => { + const responseBody: CreateScheduleOutput_2024_06_11 = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + createdSchedule = response.body.data; + + const expectedSchedule = { + ...createScheduleInput, + availability: defaultAvailability, + overrides: [], + }; + outputScheduleMatchesExpected(createdSchedule, expectedSchedule, 1); + + const scheduleOwner = createdSchedule.ownerId + ? await userRepositoryFixture.get(createdSchedule.ownerId) + : null; + expect(scheduleOwner?.defaultScheduleId).toEqual(createdSchedule.id); + }); + }); + + function outputScheduleMatchesExpected( + outputSchedule: ScheduleOutput_2024_06_11 | null, + expected: CreateScheduleInput_2024_06_11 & { + availability: CreateScheduleInput_2024_06_11["availability"]; + } & { + overrides: CreateScheduleInput_2024_06_11["overrides"]; + }, + expectedAvailabilityLength: number + ) { + expect(outputSchedule).toBeTruthy(); + expect(outputSchedule?.name).toEqual(expected.name); + expect(outputSchedule?.timeZone).toEqual(expected.timeZone); + expect(outputSchedule?.isDefault).toEqual(expected.isDefault); + expect(outputSchedule?.availability.length).toEqual(expectedAvailabilityLength); + + const outputScheduleAvailability = outputSchedule?.availability[0]; + expect(outputScheduleAvailability).toBeDefined(); + expect(outputScheduleAvailability?.days).toEqual(expected.availability?.[0].days); + expect(outputScheduleAvailability?.startTime).toEqual(expected.availability?.[0].startTime); + expect(outputScheduleAvailability?.endTime).toEqual(expected.availability?.[0].endTime); + + expect(JSON.stringify(outputSchedule?.overrides)).toEqual(JSON.stringify(expected.overrides)); + } + + it("should get org schedules", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/schedules`) + .expect(200) + .then(async (response) => { + const responseBody: GetSchedulesOutput_2024_06_11 = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + const schedules = response.body.data; + expect(schedules.length).toEqual(1); + + const expectedSchedule = { + ...createScheduleInput, + availability: defaultAvailability, + overrides: [], + }; + + outputScheduleMatchesExpected(schedules[0], expectedSchedule, 1); + }); + }); + + it("should get org user schedule", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/users/${user.id}/schedules/${createdSchedule.id}`) + .expect(200) + .then(async (response) => { + const responseBody: GetScheduleOutput_2024_06_11 = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + const schedule = response.body.data; + + const expectedSchedule = { + ...createScheduleInput, + availability: defaultAvailability, + overrides: [], + }; + + outputScheduleMatchesExpected(schedule, expectedSchedule, 1); + }); + }); + + it("should get user schedules", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/users/${user.id}/schedules/`) + .expect(200) + .then(async (response) => { + const responseBody: GetSchedulesOutput_2024_06_11 = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + const schedules = response.body.data; + expect(schedules.length).toEqual(1); + + const expectedSchedule = { + ...createScheduleInput, + availability: defaultAvailability, + overrides: [], + }; + + outputScheduleMatchesExpected(schedules[0], expectedSchedule, 1); + }); + }); + + it("should update user schedule name", async () => { + const newScheduleName = "updated-schedule-name"; + + const body: UpdateScheduleInput_2024_06_11 = { + name: newScheduleName, + }; + + return request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/users/${user.id}/schedules/${createdSchedule.id}`) + .send(body) + .expect(200) + .then((response: any) => { + const responseData: UpdateScheduleOutput_2024_06_11 = response.body; + expect(responseData.status).toEqual(SUCCESS_STATUS); + const responseSchedule = responseData.data; + + const expectedSchedule = { ...createdSchedule, name: newScheduleName }; + outputScheduleMatchesExpected(responseSchedule, expectedSchedule, 1); + + createdSchedule = responseSchedule; + }); + }); + + it("should delete user schedule", async () => { + return request(app.getHttpServer()) + .delete(`/v2/organizations/${org.id}/users/${user.id}/schedules/${createdSchedule.id}`) + .expect(200); + }); + + afterAll(async () => { + await profileRepositoryFixture.delete(profile.id); + await membershipFixtures.delete(membership.id); + await userRepositoryFixture.deleteByEmail(user.email); + await organizationsRepositoryFixture.delete(org.id); + await app.close(); + }); + }); +}); diff --git a/apps/api/v2/src/modules/organizations/controllers/teams/memberships/organizations-teams-memberships.controller.e2e-spec.ts b/apps/api/v2/src/modules/organizations/controllers/teams/memberships/organizations-teams-memberships.controller.e2e-spec.ts new file mode 100644 index 00000000000000..01c774fb6abfe3 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/teams/memberships/organizations-teams-memberships.controller.e2e-spec.ts @@ -0,0 +1,342 @@ +import { bootstrap } from "@/app"; +import { AppModule } from "@/app.module"; +import { CreateOrgTeamMembershipDto } from "@/modules/organizations/inputs/create-organization-team-membership.input"; +import { UpdateOrgTeamMembershipDto } from "@/modules/organizations/inputs/update-organization-team-membership.input"; +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersModule } from "@/modules/users/users.module"; +import { INestApplication } from "@nestjs/common"; +import { NestExpressApplication } from "@nestjs/platform-express"; +import { Test } from "@nestjs/testing"; +import { User } from "@prisma/client"; +import * as request from "supertest"; +import { MembershipRepositoryFixture } from "test/fixtures/repository/membership.repository.fixture"; +import { ProfileRepositoryFixture } from "test/fixtures/repository/profiles.repository.fixture"; +import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; +import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; +import { withApiAuth } from "test/utils/withApiAuth"; + +import { SUCCESS_STATUS } from "@calcom/platform-constants"; +import { ApiSuccessResponse } from "@calcom/platform-types"; +import { Membership, Team } from "@calcom/prisma/client"; + +describe("Organizations Teams Memberships Endpoints", () => { + describe("User Authentication - User is Org Admin", () => { + let app: INestApplication; + + let userRepositoryFixture: UserRepositoryFixture; + let organizationsRepositoryFixture: TeamRepositoryFixture; + let teamsRepositoryFixture: TeamRepositoryFixture; + let profileRepositoryFixture: ProfileRepositoryFixture; + + let membershipsRepositoryFixture: MembershipRepositoryFixture; + + let org: Team; + let orgTeam: Team; + let nonOrgTeam: Team; + let membership: Membership; + let membership2: Membership; + let membershipCreatedViaApi: Membership; + + const userEmail = "org-admin-membership-teams-controller-e2e@api.com"; + const userEmail2 = "org-member-membership-teams-controller-e2e@api.com"; + const nonOrgUserEmail = "non-org-member-membership-teams-controller-e2e@api.com"; + + const invitedUserEmail = "org-member-invited-membership-teams-controller-e2e@api.com"; + + let user: User; + let user2: User; + let nonOrgUser: User; + + let userToInviteViaApi: User; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + imports: [AppModule, PrismaModule, UsersModule, TokensModule], + }) + ).compile(); + + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + organizationsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + teamsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + profileRepositoryFixture = new ProfileRepositoryFixture(moduleRef); + + membershipsRepositoryFixture = new MembershipRepositoryFixture(moduleRef); + + user = await userRepositoryFixture.create({ + email: userEmail, + username: userEmail, + }); + user2 = await userRepositoryFixture.create({ + email: userEmail2, + username: userEmail2, + }); + + nonOrgUser = await userRepositoryFixture.create({ + email: nonOrgUserEmail, + username: nonOrgUserEmail, + }); + + userToInviteViaApi = await userRepositoryFixture.create({ + email: invitedUserEmail, + username: invitedUserEmail, + }); + + org = await organizationsRepositoryFixture.create({ + name: "Test Organization", + isOrganization: true, + }); + + orgTeam = await teamsRepositoryFixture.create({ + name: "Org Team", + isOrganization: false, + parent: { connect: { id: org.id } }, + }); + + nonOrgTeam = await teamsRepositoryFixture.create({ + name: "Non Org Team", + isOrganization: false, + }); + + membership = await membershipsRepositoryFixture.create({ + role: "ADMIN", + user: { connect: { id: user.id } }, + team: { connect: { id: orgTeam.id } }, + }); + + membership2 = await membershipsRepositoryFixture.create({ + role: "MEMBER", + user: { connect: { id: user2.id } }, + team: { connect: { id: orgTeam.id } }, + }); + + await membershipsRepositoryFixture.create({ + role: "ADMIN", + user: { connect: { id: user.id } }, + team: { connect: { id: org.id } }, + }); + + await membershipsRepositoryFixture.create({ + role: "MEMBER", + user: { connect: { id: user2.id } }, + team: { connect: { id: org.id } }, + }); + + await membershipsRepositoryFixture.create({ + role: "MEMBER", + user: { connect: { id: userToInviteViaApi.id } }, + team: { connect: { id: org.id } }, + }); + + await membershipsRepositoryFixture.create({ + role: "MEMBER", + user: { connect: { id: nonOrgUser.id } }, + team: { connect: { id: nonOrgTeam.id } }, + }); + + await profileRepositoryFixture.create({ + uid: `usr-${user.id}`, + username: userEmail, + organization: { + connect: { + id: org.id, + }, + }, + user: { + connect: { + id: user.id, + }, + }, + }); + + await profileRepositoryFixture.create({ + uid: `usr-${user2.id}`, + username: userEmail2, + organization: { + connect: { + id: org.id, + }, + }, + user: { + connect: { + id: user2.id, + }, + }, + }); + + await profileRepositoryFixture.create({ + uid: `usr-${userToInviteViaApi.id}`, + username: invitedUserEmail, + organization: { + connect: { + id: org.id, + }, + }, + user: { + connect: { + id: userToInviteViaApi.id, + }, + }, + }); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + await app.init(); + }); + + it("should be defined", () => { + expect(userRepositoryFixture).toBeDefined(); + expect(organizationsRepositoryFixture).toBeDefined(); + expect(user).toBeDefined(); + expect(org).toBeDefined(); + }); + + it("should get all the memberships of the org's team", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${orgTeam.id}/memberships`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data[0].id).toEqual(membership.id); + expect(responseBody.data[1].id).toEqual(membership2.id); + expect(responseBody.data.length).toEqual(2); + }); + }); + + it("should fail to get all the memberships of team which is not in the org", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${nonOrgTeam.id}/memberships`) + .expect(404); + }); + + it("should get all the memberships of the org's team paginated", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${orgTeam.id}/memberships?skip=1&take=1`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data[0].id).toEqual(membership2.id); + expect(responseBody.data[0].userId).toEqual(user2.id); + expect(responseBody.data.length).toEqual(1); + }); + }); + + it("should fail if org does not exist", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/120494059/teams/${orgTeam.id}/memberships`) + .expect(403); + }); + + it("should get the membership of the org's team", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${orgTeam.id}/memberships/${membership.id}`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data.id).toEqual(membership.id); + expect(responseBody.data.userId).toEqual(user.id); + }); + }); + + it("should fail to get the membership of a team not in the org", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${nonOrgTeam.id}/memberships/${membership.id}`) + .expect(404); + }); + + it("should fail to create the membership of a team not in the org", async () => { + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/teams/${nonOrgTeam.id}/memberships`) + .send({ + userId: userToInviteViaApi.id, + accepted: true, + role: "MEMBER", + } satisfies CreateOrgTeamMembershipDto) + .expect(404); + }); + + it("should create the membership of the org's team", async () => { + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/teams/${orgTeam.id}/memberships`) + .send({ + userId: userToInviteViaApi.id, + accepted: true, + role: "MEMBER", + } satisfies CreateOrgTeamMembershipDto) + .expect(201) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + membershipCreatedViaApi = responseBody.data; + expect(membershipCreatedViaApi.teamId).toEqual(orgTeam.id); + expect(membershipCreatedViaApi.role).toEqual("MEMBER"); + expect(membershipCreatedViaApi.userId).toEqual(userToInviteViaApi.id); + }); + }); + + it("should fail to create the membership of the org's team for a non org user", async () => { + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/teams/${orgTeam.id}/memberships`) + .send({ + userId: nonOrgUser.id, + accepted: true, + role: "MEMBER", + } satisfies CreateOrgTeamMembershipDto) + .expect(422); + }); + + it("should update the membership of the org's team", async () => { + return request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/teams/${orgTeam.id}/memberships/${membershipCreatedViaApi.id}`) + .send({ + role: "OWNER", + } satisfies UpdateOrgTeamMembershipDto) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + membershipCreatedViaApi = responseBody.data; + expect(membershipCreatedViaApi.role).toEqual("OWNER"); + }); + }); + + it("should delete the membership of the org's team we created via api", async () => { + return request(app.getHttpServer()) + .delete(`/v2/organizations/${org.id}/teams/${orgTeam.id}/memberships/${membershipCreatedViaApi.id}`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data.id).toEqual(membershipCreatedViaApi.id); + }); + }); + + it("should fail to get the membership of the org's team we just deleted", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${orgTeam.id}/memberships/${membershipCreatedViaApi.id}`) + .expect(404); + }); + + it("should fail if the membership does not exist", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${orgTeam.id}/memberships/123132145`) + .expect(404); + }); + + afterAll(async () => { + await userRepositoryFixture.deleteByEmail(user.email); + await userRepositoryFixture.deleteByEmail(userToInviteViaApi.email); + await userRepositoryFixture.deleteByEmail(nonOrgUser.email); + await userRepositoryFixture.deleteByEmail(user2.email); + await organizationsRepositoryFixture.delete(org.id); + await organizationsRepositoryFixture.delete(nonOrgTeam.id); + await app.close(); + }); + }); +}); diff --git a/apps/api/v2/src/modules/organizations/controllers/teams/memberships/organizations-teams-memberships.controller.ts b/apps/api/v2/src/modules/organizations/controllers/teams/memberships/organizations-teams-memberships.controller.ts new file mode 100644 index 00000000000000..7a8a5e90b13a82 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/teams/memberships/organizations-teams-memberships.controller.ts @@ -0,0 +1,158 @@ +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; +import { Roles } from "@/modules/auth/decorators/roles/roles.decorator"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; +import { IsOrgGuard } from "@/modules/auth/guards/organizations/is-org.guard"; +import { RolesGuard } from "@/modules/auth/guards/roles/roles.guard"; +import { IsTeamInOrg } from "@/modules/auth/guards/teams/is-team-in-org.guard"; +import { CreateOrgTeamMembershipDto } from "@/modules/organizations/inputs/create-organization-team-membership.input"; +import { UpdateOrgTeamMembershipDto } from "@/modules/organizations/inputs/update-organization-team-membership.input"; +import { OrganizationsRepository } from "@/modules/organizations/organizations.repository"; +import { + OrgTeamMembershipOutputDto, + OrgTeamMembershipsOutputResponseDto, + OrgTeamMembershipOutputResponseDto, +} from "@/modules/organizations/outputs/organization-teams-memberships.output"; +import { OrganizationsTeamsMembershipsService } from "@/modules/organizations/services/organizations-teams-memberships.service"; +import { + Controller, + UseGuards, + Get, + Param, + ParseIntPipe, + Query, + Delete, + Patch, + Post, + Body, + HttpStatus, + HttpCode, + UnprocessableEntityException, +} from "@nestjs/common"; +import { ApiOperation, ApiTags as DocsTags } from "@nestjs/swagger"; +import { plainToClass } from "class-transformer"; + +import { SUCCESS_STATUS } from "@calcom/platform-constants"; +import { SkipTakePagination } from "@calcom/platform-types"; + +@Controller({ + path: "/v2/organizations/:orgId/teams/:teamId/memberships", + version: API_VERSIONS_VALUES, +}) +@UseGuards(ApiAuthGuard, IsOrgGuard, RolesGuard, IsTeamInOrg) +@DocsTags("Organizations Teams") +export class OrganizationsTeamsMembershipsController { + constructor( + private organizationsTeamsMembershipsService: OrganizationsTeamsMembershipsService, + private readonly organizationsRepository: OrganizationsRepository + ) {} + + @Get("/") + @ApiOperation({ summary: "Get all the memberships of a team of an organization." }) + @UseGuards() + @Roles("TEAM_ADMIN") + @HttpCode(HttpStatus.OK) + async getAllOrgTeamMemberships( + @Param("orgId", ParseIntPipe) orgId: number, + @Param("teamId", ParseIntPipe) teamId: number, + @Query() queryParams: SkipTakePagination + ): Promise { + const { skip, take } = queryParams; + const orgTeamMemberships = await this.organizationsTeamsMembershipsService.getPaginatedOrgTeamMemberships( + orgId, + teamId, + skip ?? 0, + take ?? 250 + ); + return { + status: SUCCESS_STATUS, + data: orgTeamMemberships.map((membership) => + plainToClass(OrgTeamMembershipOutputDto, membership, { strategy: "excludeAll" }) + ), + }; + } + + @Get("/:membershipId") + @ApiOperation({ summary: "Get the membership of an organization's team by ID" }) + @UseGuards() + @Roles("TEAM_ADMIN") + @HttpCode(HttpStatus.OK) + async getOrgTeamMembership( + @Param("orgId", ParseIntPipe) orgId: number, + @Param("teamId", ParseIntPipe) teamId: number, + @Param("membershipId", ParseIntPipe) membershipId: number + ): Promise { + const orgTeamMembership = await this.organizationsTeamsMembershipsService.getOrgTeamMembership( + orgId, + teamId, + membershipId + ); + return { + status: SUCCESS_STATUS, + data: plainToClass(OrgTeamMembershipOutputDto, orgTeamMembership, { strategy: "excludeAll" }), + }; + } + + @Roles("TEAM_ADMIN") + @Delete("/:membershipId") + @HttpCode(HttpStatus.OK) + @ApiOperation({ summary: "Delete the membership of an organization's team by ID" }) + async deleteOrgTeamMembership( + @Param("orgId", ParseIntPipe) orgId: number, + @Param("teamId", ParseIntPipe) teamId: number, + @Param("membershipId", ParseIntPipe) membershipId: number + ): Promise { + const membership = await this.organizationsTeamsMembershipsService.deleteOrgTeamMembership( + orgId, + teamId, + membershipId + ); + return { + status: SUCCESS_STATUS, + data: plainToClass(OrgTeamMembershipOutputDto, membership, { strategy: "excludeAll" }), + }; + } + + @Roles("TEAM_ADMIN") + @Patch("/:membershipId") + @HttpCode(HttpStatus.OK) + @ApiOperation({ summary: "Update the membership of an organization's team by ID" }) + async updateOrgTeamMembership( + @Param("orgId", ParseIntPipe) orgId: number, + @Param("teamId", ParseIntPipe) teamId: number, + @Param("membershipId", ParseIntPipe) membershipId: number, + @Body() data: UpdateOrgTeamMembershipDto + ): Promise { + const membership = await this.organizationsTeamsMembershipsService.updateOrgTeamMembership( + orgId, + teamId, + membershipId, + data + ); + return { + status: SUCCESS_STATUS, + data: plainToClass(OrgTeamMembershipOutputDto, membership, { strategy: "excludeAll" }), + }; + } + + @Roles("TEAM_ADMIN") + @Post("/") + @HttpCode(HttpStatus.CREATED) + @ApiOperation({ summary: "Create a membership of an organization's team" }) + async createOrgTeamMembership( + @Param("orgId", ParseIntPipe) orgId: number, + @Param("teamId", ParseIntPipe) teamId: number, + @Body() data: CreateOrgTeamMembershipDto + ): Promise { + const user = await this.organizationsRepository.findOrgUser(Number(orgId), Number(data.userId)); + + if (!user) { + throw new UnprocessableEntityException("User is not part of the Organization"); + } + + const membership = await this.organizationsTeamsMembershipsService.createOrgTeamMembership(teamId, data); + return { + status: SUCCESS_STATUS, + data: plainToClass(OrgTeamMembershipOutputDto, membership, { strategy: "excludeAll" }), + }; + } +} diff --git a/apps/api/v2/src/modules/organizations/controllers/teams/organizations-teams.controller.e2e-spec.ts b/apps/api/v2/src/modules/organizations/controllers/teams/organizations-teams.controller.e2e-spec.ts new file mode 100644 index 00000000000000..6cc9713ab9a98a --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/teams/organizations-teams.controller.e2e-spec.ts @@ -0,0 +1,438 @@ +import { bootstrap } from "@/app"; +import { AppModule } from "@/app.module"; +import { CreateOrgTeamDto } from "@/modules/organizations/inputs/create-organization-team.input"; +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersModule } from "@/modules/users/users.module"; +import { INestApplication } from "@nestjs/common"; +import { NestExpressApplication } from "@nestjs/platform-express"; +import { Test } from "@nestjs/testing"; +import { User } from "@prisma/client"; +import * as request from "supertest"; +import { MembershipRepositoryFixture } from "test/fixtures/repository/membership.repository.fixture"; +import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; +import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; +import { withApiAuth } from "test/utils/withApiAuth"; + +import { SUCCESS_STATUS } from "@calcom/platform-constants"; +import { ApiSuccessResponse } from "@calcom/platform-types"; +import { Team } from "@calcom/prisma/client"; + +describe("Organizations Team Endpoints", () => { + describe("User Authentication - User is Org Admin", () => { + let app: INestApplication; + + let userRepositoryFixture: UserRepositoryFixture; + let organizationsRepositoryFixture: TeamRepositoryFixture; + let teamsRepositoryFixture: TeamRepositoryFixture; + let membershipsRepositoryFixture: MembershipRepositoryFixture; + + let org: Team; + let team: Team; + let team2: Team; + let teamCreatedViaApi: Team; + + const userEmail = "org-admin-teams-controller-e2e@api.com"; + let user: User; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + imports: [AppModule, PrismaModule, UsersModule, TokensModule], + }) + ).compile(); + + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + organizationsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + teamsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + membershipsRepositoryFixture = new MembershipRepositoryFixture(moduleRef); + + user = await userRepositoryFixture.create({ + email: userEmail, + username: userEmail, + }); + + org = await organizationsRepositoryFixture.create({ + name: "Test Organization", + isOrganization: true, + }); + + await membershipsRepositoryFixture.create({ + role: "ADMIN", + user: { connect: { id: user.id } }, + team: { connect: { id: org.id } }, + }); + + team = await teamsRepositoryFixture.create({ + name: "Test org team", + isOrganization: false, + parent: { connect: { id: org.id } }, + }); + + team2 = await teamsRepositoryFixture.create({ + name: "Test org team 2", + isOrganization: false, + parent: { connect: { id: org.id } }, + }); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + await app.init(); + }); + + it("should be defined", () => { + expect(userRepositoryFixture).toBeDefined(); + expect(organizationsRepositoryFixture).toBeDefined(); + expect(user).toBeDefined(); + expect(org).toBeDefined(); + }); + + it("should get all the teams of the org", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data[0].id).toEqual(team.id); + expect(responseBody.data[1].id).toEqual(team2.id); + }); + }); + + it("should get all the teams of the org paginated", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams?skip=1&take=1`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data[0].id).toEqual(team2.id); + }); + }); + + it("should fail if org does not exist", async () => { + return request(app.getHttpServer()).get(`/v2/organizations/120494059/teams`).expect(403); + }); + + it("should get the team of the org", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${team.id}`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data.id).toEqual(team.id); + expect(responseBody.data.parentId).toEqual(team.parentId); + }); + }); + + it("should create the team of the org", async () => { + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/teams`) + .send({ + name: "Team created via API", + } satisfies CreateOrgTeamDto) + .expect(201) + .then(async (response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + teamCreatedViaApi = responseBody.data; + expect(teamCreatedViaApi.name).toEqual("Team created via API"); + expect(teamCreatedViaApi.parentId).toEqual(org.id); + const membership = await membershipsRepositoryFixture.getUserMembershipByTeamId( + user.id, + teamCreatedViaApi.id + ); + expect(membership?.role ?? "").toEqual("OWNER"); + }); + }); + + it("should update the team of the org", async () => { + return request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/teams/${teamCreatedViaApi.id}`) + .send({ + name: "Team created via API Updated", + } satisfies CreateOrgTeamDto) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + teamCreatedViaApi = responseBody.data; + expect(teamCreatedViaApi.name).toEqual("Team created via API Updated"); + expect(teamCreatedViaApi.parentId).toEqual(org.id); + }); + }); + + it("should delete the team of the org we created via api", async () => { + return request(app.getHttpServer()) + .delete(`/v2/organizations/${org.id}/teams/${teamCreatedViaApi.id}`) + .expect(200) + .then((response) => { + const responseBody: ApiSuccessResponse = response.body; + expect(responseBody.status).toEqual(SUCCESS_STATUS); + expect(responseBody.data.id).toEqual(teamCreatedViaApi.id); + expect(responseBody.data.parentId).toEqual(teamCreatedViaApi.parentId); + }); + }); + + it("should fail to get the team of the org we just deleted", async () => { + return request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/teams/${teamCreatedViaApi.id}`) + .expect(404); + }); + + it("should fail if the team does not exist", async () => { + return request(app.getHttpServer()).get(`/v2/organizations/${org.id}/teams/123132145`).expect(404); + }); + + afterAll(async () => { + await userRepositoryFixture.deleteByEmail(user.email); + await teamsRepositoryFixture.delete(team.id); + await teamsRepositoryFixture.delete(team2.id); + await organizationsRepositoryFixture.delete(org.id); + await app.close(); + }); + }); +}); + +describe("Organizations Team Endpoints", () => { + describe("User Authentication - User is Org Member", () => { + let app: INestApplication; + + let userRepositoryFixture: UserRepositoryFixture; + let organizationsRepositoryFixture: TeamRepositoryFixture; + let teamsRepositoryFixture: TeamRepositoryFixture; + let membershipsRepositoryFixture: MembershipRepositoryFixture; + + let org: Team; + let team: Team; + let team2: Team; + + const userEmail = "org-member-teams-controller-e2e@api.com"; + let user: User; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + imports: [AppModule, PrismaModule, UsersModule, TokensModule], + }) + ).compile(); + + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + organizationsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + teamsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + membershipsRepositoryFixture = new MembershipRepositoryFixture(moduleRef); + + user = await userRepositoryFixture.create({ + email: userEmail, + username: userEmail, + }); + + org = await organizationsRepositoryFixture.create({ + name: "Test Organization", + isOrganization: true, + }); + + await membershipsRepositoryFixture.create({ + role: "MEMBER", + user: { connect: { id: user.id } }, + team: { connect: { id: org.id } }, + }); + + team = await teamsRepositoryFixture.create({ + name: "Test org team", + isOrganization: false, + parent: { connect: { id: org.id } }, + }); + + team2 = await teamsRepositoryFixture.create({ + name: "Test org team 2", + isOrganization: false, + parent: { connect: { id: org.id } }, + }); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + await app.init(); + }); + + it("should be defined", () => { + expect(userRepositoryFixture).toBeDefined(); + expect(organizationsRepositoryFixture).toBeDefined(); + expect(user).toBeDefined(); + expect(org).toBeDefined(); + }); + + it("should deny get all the teams of the org", async () => { + return request(app.getHttpServer()).get(`/v2/organizations/${org.id}/teams`).expect(403); + }); + + it("should deny get all the teams of the org paginated", async () => { + return request(app.getHttpServer()).get(`/v2/organizations/${org.id}/teams?skip=1&take=1`).expect(403); + }); + + it("should deny get the team of the org", async () => { + return request(app.getHttpServer()).get(`/v2/organizations/${org.id}/teams/${team.id}`).expect(403); + }); + + it("should deny create the team of the org", async () => { + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/teams`) + .send({ + name: "Team created via API", + } satisfies CreateOrgTeamDto) + .expect(403); + }); + + it("should deny update the team of the org", async () => { + return request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/teams/${team.id}`) + .send({ + name: "Team created via API Updated", + } satisfies CreateOrgTeamDto) + .expect(403); + }); + + it("should deny delete the team of the org we created via api", async () => { + return request(app.getHttpServer()).delete(`/v2/organizations/${org.id}/teams/${team2.id}`).expect(403); + }); + + afterAll(async () => { + await userRepositoryFixture.deleteByEmail(user.email); + await teamsRepositoryFixture.delete(team.id); + await teamsRepositoryFixture.delete(team2.id); + await organizationsRepositoryFixture.delete(org.id); + await app.close(); + }); + }); +}); + +describe("Organizations Team Endpoints", () => { + describe("User Authentication - User is Team Owner", () => { + let app: INestApplication; + + let userRepositoryFixture: UserRepositoryFixture; + let organizationsRepositoryFixture: TeamRepositoryFixture; + let teamsRepositoryFixture: TeamRepositoryFixture; + let membershipsRepositoryFixture: MembershipRepositoryFixture; + + let org: Team; + let team: Team; + let team2: Team; + + const userEmail = "org-member-teams-owner-controller-e2e@api.com"; + let user: User; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + imports: [AppModule, PrismaModule, UsersModule, TokensModule], + }) + ).compile(); + + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + organizationsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + teamsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + membershipsRepositoryFixture = new MembershipRepositoryFixture(moduleRef); + + user = await userRepositoryFixture.create({ + email: userEmail, + username: userEmail, + }); + + org = await organizationsRepositoryFixture.create({ + name: "Test Organization", + isOrganization: true, + }); + + await membershipsRepositoryFixture.create({ + role: "MEMBER", + user: { connect: { id: user.id } }, + team: { connect: { id: org.id } }, + }); + + team = await teamsRepositoryFixture.create({ + name: "Test org team", + isOrganization: false, + parent: { connect: { id: org.id } }, + }); + + team2 = await teamsRepositoryFixture.create({ + name: "Test org team 2", + isOrganization: false, + parent: { connect: { id: org.id } }, + }); + + await membershipsRepositoryFixture.create({ + role: "OWNER", + user: { connect: { id: user.id } }, + team: { connect: { id: team.id } }, + }); + + await membershipsRepositoryFixture.create({ + role: "OWNER", + user: { connect: { id: user.id } }, + team: { connect: { id: team2.id } }, + }); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + await app.init(); + }); + + it("should be defined", () => { + expect(userRepositoryFixture).toBeDefined(); + expect(organizationsRepositoryFixture).toBeDefined(); + expect(user).toBeDefined(); + expect(org).toBeDefined(); + }); + + it("should deny get all the teams of the org", async () => { + return request(app.getHttpServer()).get(`/v2/organizations/${org.id}/teams`).expect(403); + }); + + it("should deny get all the teams of the org paginated", async () => { + return request(app.getHttpServer()).get(`/v2/organizations/${org.id}/teams?skip=1&take=1`).expect(403); + }); + + it("should get the team of the org for which the user is team owner", async () => { + return request(app.getHttpServer()).get(`/v2/organizations/${org.id}/teams/${team.id}`).expect(200); + }); + + it("should deny create the team of the org", async () => { + return request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/teams`) + .send({ + name: "Team created via API", + } satisfies CreateOrgTeamDto) + .expect(403); + }); + + it("should deny update the team of the org", async () => { + return request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/teams/${team.id}`) + .send({ + name: "Team created via API Updated", + } satisfies CreateOrgTeamDto) + .expect(403); + }); + + it("should deny delete the team of the org we created via api", async () => { + return request(app.getHttpServer()).delete(`/v2/organizations/${org.id}/teams/${team2.id}`).expect(403); + }); + + afterAll(async () => { + await userRepositoryFixture.deleteByEmail(user.email); + await teamsRepositoryFixture.delete(team.id); + await teamsRepositoryFixture.delete(team2.id); + await organizationsRepositoryFixture.delete(org.id); + await app.close(); + }); + }); +}); diff --git a/apps/api/v2/src/modules/organizations/controllers/teams/organizations-teams.controller.ts b/apps/api/v2/src/modules/organizations/controllers/teams/organizations-teams.controller.ts new file mode 100644 index 00000000000000..8da15a4b4da6d8 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/teams/organizations-teams.controller.ts @@ -0,0 +1,117 @@ +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; +import { GetTeam } from "@/modules/auth/decorators/get-team/get-team.decorator"; +import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; +import { Roles } from "@/modules/auth/decorators/roles/roles.decorator"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; +import { IsOrgGuard } from "@/modules/auth/guards/organizations/is-org.guard"; +import { RolesGuard } from "@/modules/auth/guards/roles/roles.guard"; +import { IsTeamInOrg } from "@/modules/auth/guards/teams/is-team-in-org.guard"; +import { CreateOrgTeamDto } from "@/modules/organizations/inputs/create-organization-team.input"; +import { + OrgTeamOutputDto, + OrgTeamOutputResponseDto, + OrgTeamsOutputResponseDto, +} from "@/modules/organizations/outputs/organization-team.output"; +import { OrganizationsTeamsService } from "@/modules/organizations/services/organizations-teams.service"; +import { UserWithProfile } from "@/modules/users/users.repository"; +import { + Controller, + UseGuards, + Get, + Param, + ParseIntPipe, + Query, + Delete, + Patch, + Post, + Body, +} from "@nestjs/common"; +import { ApiOperation, ApiTags as DocsTags } from "@nestjs/swagger"; +import { plainToClass } from "class-transformer"; + +import { SUCCESS_STATUS } from "@calcom/platform-constants"; +import { SkipTakePagination } from "@calcom/platform-types"; +import { Team } from "@calcom/prisma/client"; + +@Controller({ + path: "/v2/organizations/:orgId/teams", + version: API_VERSIONS_VALUES, +}) +@UseGuards(ApiAuthGuard, IsOrgGuard, RolesGuard) +@DocsTags("Organizations Teams") +export class OrganizationsTeamsController { + constructor(private organizationsTeamsService: OrganizationsTeamsService) {} + + @Get() + @ApiOperation({ summary: "Get all the teams of an organization." }) + @UseGuards() + @Roles("ORG_ADMIN") + async getAllTeams( + @Param("orgId", ParseIntPipe) orgId: number, + @Query() queryParams: SkipTakePagination + ): Promise { + const { skip, take } = queryParams; + const teams = await this.organizationsTeamsService.getPaginatedOrgTeams(orgId, skip ?? 0, take ?? 250); + return { + status: SUCCESS_STATUS, + data: teams.map((team) => plainToClass(OrgTeamOutputDto, team, { strategy: "excludeAll" })), + }; + } + + @UseGuards(IsTeamInOrg) + @Roles("TEAM_ADMIN") + @Get("/:teamId") + @ApiOperation({ summary: "Get a team of the organization by ID." }) + async getTeam(@GetTeam() team: Team): Promise { + return { + status: SUCCESS_STATUS, + data: plainToClass(OrgTeamOutputDto, team, { strategy: "excludeAll" }), + }; + } + + @UseGuards(IsTeamInOrg) + @Roles("ORG_ADMIN") + @Delete("/:teamId") + @ApiOperation({ summary: "Delete a team of the organization by ID." }) + async deleteTeam( + @Param("orgId", ParseIntPipe) orgId: number, + @Param("teamId", ParseIntPipe) teamId: number + ): Promise { + const team = await this.organizationsTeamsService.deleteOrgTeam(orgId, teamId); + return { + status: SUCCESS_STATUS, + data: plainToClass(OrgTeamOutputDto, team, { strategy: "excludeAll" }), + }; + } + + @UseGuards(IsTeamInOrg) + @Roles("ORG_ADMIN") + @Patch("/:teamId") + @ApiOperation({ summary: "Update a team of the organization by ID." }) + async updateTeam( + @Param("orgId", ParseIntPipe) orgId: number, + @Param("teamId", ParseIntPipe) teamId: number, + @Body() body: CreateOrgTeamDto + ): Promise { + const team = await this.organizationsTeamsService.updateOrgTeam(orgId, teamId, body); + return { + status: SUCCESS_STATUS, + data: plainToClass(OrgTeamOutputDto, team, { strategy: "excludeAll" }), + }; + } + + @Post() + @Roles("ORG_ADMIN") + @ApiOperation({ summary: "Create a team for an organization." }) + async createTeam( + @Param("orgId", ParseIntPipe) orgId: number, + @Body() body: CreateOrgTeamDto, + @GetUser() user: UserWithProfile + ): Promise { + const team = await this.organizationsTeamsService.createOrgTeam(orgId, body, user); + return { + status: SUCCESS_STATUS, + data: plainToClass(OrgTeamOutputDto, team, { strategy: "excludeAll" }), + }; + } +} diff --git a/apps/api/v2/src/modules/organizations/controllers/users/organizations-users.controller.ts b/apps/api/v2/src/modules/organizations/controllers/users/organizations-users.controller.ts new file mode 100644 index 00000000000000..d3dcd572f099f7 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/users/organizations-users.controller.ts @@ -0,0 +1,115 @@ +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; +import { GetOrg } from "@/modules/auth/decorators/get-org/get-org.decorator"; +import { GetUser } from "@/modules/auth/decorators/get-user/get-user.decorator"; +import { Roles } from "@/modules/auth/decorators/roles/roles.decorator"; +import { ApiAuthGuard } from "@/modules/auth/guards/api-auth/api-auth.guard"; +import { IsOrgGuard } from "@/modules/auth/guards/organizations/is-org.guard"; +import { RolesGuard } from "@/modules/auth/guards/roles/roles.guard"; +import { IsUserInOrg } from "@/modules/auth/guards/users/is-user-in-org.guard"; +import { CreateOrganizationUserInput } from "@/modules/organizations/inputs/create-organization-user.input"; +import { GetOrganizationsUsersInput } from "@/modules/organizations/inputs/get-organization-users.input"; +import { UpdateOrganizationUserInput } from "@/modules/organizations/inputs/update-organization-user.input"; +import { GetOrganizationUsersOutput } from "@/modules/organizations/outputs/get-organization-users.output"; +import { GetOrganizationUserOutput } from "@/modules/organizations/outputs/get-organization-users.output"; +import { OrganizationsUsersService } from "@/modules/organizations/services/organizations-users-service"; +import { GetUserOutput } from "@/modules/users/outputs/get-users.output"; +import { UserWithProfile } from "@/modules/users/users.repository"; +import { + Controller, + UseGuards, + Get, + Post, + Patch, + Delete, + Param, + ParseIntPipe, + Body, + UseInterceptors, + Query, +} from "@nestjs/common"; +import { ClassSerializerInterceptor } from "@nestjs/common"; +import { ApiTags as DocsTags } from "@nestjs/swagger"; +import { plainToInstance } from "class-transformer"; + +import { SUCCESS_STATUS } from "@calcom/platform-constants"; +import { Team } from "@calcom/prisma/client"; + +@Controller({ + path: "/v2/organizations/:orgId/users", + version: API_VERSIONS_VALUES, +}) +@UseInterceptors(ClassSerializerInterceptor) +@UseGuards(ApiAuthGuard, IsOrgGuard, RolesGuard) +@UseGuards(IsOrgGuard) +@DocsTags("Organizations Users") +export class OrganizationsUsersController { + constructor(private readonly organizationsUsersService: OrganizationsUsersService) {} + + @Get() + @Roles("ORG_ADMIN") + async getOrganizationsUsers( + @Param("orgId", ParseIntPipe) orgId: number, + @Query() query: GetOrganizationsUsersInput + ): Promise { + const users = await this.organizationsUsersService.getUsers( + orgId, + query.emails, + query.skip ?? 0, + query.take ?? 250 + ); + + return { + status: SUCCESS_STATUS, + data: users.map((user) => plainToInstance(GetUserOutput, user, { strategy: "excludeAll" })), + }; + } + + @Post() + @Roles("ORG_ADMIN") + async createOrganizationUser( + @Param("orgId", ParseIntPipe) orgId: number, + @GetOrg() org: Team, + @Body() input: CreateOrganizationUserInput, + @GetUser() inviter: UserWithProfile + ): Promise { + const user = await this.organizationsUsersService.createUser( + org, + input, + inviter.name ?? inviter.username ?? inviter.email + ); + return { + status: SUCCESS_STATUS, + data: plainToInstance(GetUserOutput, user, { strategy: "excludeAll" }), + }; + } + + @Patch("/:userId") + @Roles("ORG_ADMIN") + @UseGuards(IsUserInOrg) + async updateOrganizationUser( + @Param("orgId", ParseIntPipe) orgId: number, + @Param("userId", ParseIntPipe) userId: number, + @GetOrg() org: Team, + @Body() input: UpdateOrganizationUserInput + ): Promise { + const user = await this.organizationsUsersService.updateUser(orgId, userId, input); + return { + status: SUCCESS_STATUS, + data: plainToInstance(GetUserOutput, user, { strategy: "excludeAll" }), + }; + } + + @Delete("/:userId") + @Roles("ORG_ADMIN") + @UseGuards(IsUserInOrg) + async deleteOrganizationUser( + @Param("orgId", ParseIntPipe) orgId: number, + @Param("userId", ParseIntPipe) userId: number + ): Promise { + const user = await this.organizationsUsersService.deleteUser(orgId, userId); + return { + status: SUCCESS_STATUS, + data: plainToInstance(GetUserOutput, user, { strategy: "excludeAll" }), + }; + } +} diff --git a/apps/api/v2/src/modules/organizations/controllers/users/organizations-users.e2e-spec.ts b/apps/api/v2/src/modules/organizations/controllers/users/organizations-users.e2e-spec.ts new file mode 100644 index 00000000000000..2dad8a9e5bcbfa --- /dev/null +++ b/apps/api/v2/src/modules/organizations/controllers/users/organizations-users.e2e-spec.ts @@ -0,0 +1,347 @@ +import { bootstrap } from "@/app"; +import { AppModule } from "@/app.module"; +import { EmailService } from "@/modules/email/email.service"; +import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersModule } from "@/modules/users/users.module"; +import { INestApplication } from "@nestjs/common"; +import { NestExpressApplication } from "@nestjs/platform-express"; +import { Test } from "@nestjs/testing"; +import * as request from "supertest"; +import { MembershipRepositoryFixture } from "test/fixtures/repository/membership.repository.fixture"; +import { ProfileRepositoryFixture } from "test/fixtures/repository/profiles.repository.fixture"; +import { TeamRepositoryFixture } from "test/fixtures/repository/team.repository.fixture"; +import { UserRepositoryFixture } from "test/fixtures/repository/users.repository.fixture"; +import { withApiAuth } from "test/utils/withApiAuth"; + +import { SUCCESS_STATUS } from "@calcom/platform-constants"; +import { User, Team, Membership } from "@calcom/prisma/client"; + +describe("Organizations Users Endpoints", () => { + describe("Member role", () => { + let app: INestApplication; + + let userRepositoryFixture: UserRepositoryFixture; + let organizationsRepositoryFixture: TeamRepositoryFixture; + let membershipFixtures: MembershipRepositoryFixture; + let profileRepositoryFixture: ProfileRepositoryFixture; + + const userEmail = "member1@org.com"; + let user: User; + let org: Team; + let membership: Membership; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + imports: [AppModule, PrismaModule, UsersModule, TokensModule], + }) + ).compile(); + + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + organizationsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + membershipFixtures = new MembershipRepositoryFixture(moduleRef); + profileRepositoryFixture = new ProfileRepositoryFixture(moduleRef); + + org = await organizationsRepositoryFixture.create({ + name: "Test org 3", + isOrganization: true, + }); + + user = await userRepositoryFixture.create({ + email: userEmail, + username: userEmail, + organization: { connect: { id: org.id } }, + }); + + await profileRepositoryFixture.create({ + uid: `usr-${user.id}`, + username: userEmail, + organization: { + connect: { + id: org.id, + }, + }, + user: { + connect: { + id: user.id, + }, + }, + }); + + membership = await membershipFixtures.addUserToOrg(user, org, "MEMBER", true); + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + await app.init(); + }); + + it("should be defined", () => { + expect(userRepositoryFixture).toBeDefined(); + expect(organizationsRepositoryFixture).toBeDefined(); + expect(user).toBeDefined(); + expect(org).toBeDefined(); + }); + + it("should not be able to find org users", async () => { + return request(app.getHttpServer()).get(`/v2/organizations/${org.id}/users`).expect(403); + }); + + it("should not be able to create a new org user", async () => { + return request(app.getHttpServer()).post(`/v2/organizations/${org.id}/users`).expect(403); + }); + + it("should not be able to update an org user", async () => { + return request(app.getHttpServer()).patch(`/v2/organizations/${org.id}/users/${user.id}`).expect(403); + }); + + it("should not be able to delete an org user", async () => { + return request(app.getHttpServer()).delete(`/v2/organizations/${org.id}/users/${user.id}`).expect(403); + }); + + afterAll(async () => { + // await membershipFixtures.delete(membership.id); + await Promise.all([userRepositoryFixture.deleteByEmail(user.email)]); + await organizationsRepositoryFixture.delete(org.id); + await app.close(); + + await app.close(); + }); + }); + describe("Admin role", () => { + let app: INestApplication; + let profileRepositoryFixture: ProfileRepositoryFixture; + let userRepositoryFixture: UserRepositoryFixture; + let organizationsRepositoryFixture: TeamRepositoryFixture; + let membershipFixtures: MembershipRepositoryFixture; + + const userEmail = "admin1@org.com"; + const nonMemberEmail = "non-member@test.com"; + let user: User; + let org: Team; + let createdUser: User; + + const orgMembersData = [ + { + email: "member1@org.com", + username: "member1@org.com", + }, + { + email: "member2@org.com", + username: "member2@org.com", + }, + { + email: "member3@org.com", + username: "member3@org.com", + }, + ]; + + beforeAll(async () => { + const moduleRef = await withApiAuth( + userEmail, + Test.createTestingModule({ + imports: [AppModule, PrismaModule, UsersModule, TokensModule], + }) + ).compile(); + + userRepositoryFixture = new UserRepositoryFixture(moduleRef); + profileRepositoryFixture = new ProfileRepositoryFixture(moduleRef); + + organizationsRepositoryFixture = new TeamRepositoryFixture(moduleRef); + membershipFixtures = new MembershipRepositoryFixture(moduleRef); + + org = await organizationsRepositoryFixture.create({ + name: "Test org 2", + isOrganization: true, + }); + + await userRepositoryFixture.create({ + email: nonMemberEmail, + username: "non-member", + }); + + const orgMembers = await Promise.all( + orgMembersData.map((member) => + userRepositoryFixture.create({ + email: member.email, + username: member.username, + organization: { connect: { id: org.id } }, + }) + ) + ); + // create profiles of orgMember like they would be when being invied to the org + await Promise.all( + orgMembers.map((member) => + profileRepositoryFixture.create({ + uid: `usr-${member.id}`, + username: member.username ?? `usr-${member.id}`, + organization: { + connect: { + id: org.id, + }, + }, + user: { + connect: { + id: member.id, + }, + }, + }) + ) + ); + + user = await userRepositoryFixture.create({ + email: userEmail, + username: userEmail, + organization: { connect: { id: org.id } }, + }); + + await profileRepositoryFixture.create({ + uid: `usr-${user.id}`, + username: userEmail, + organization: { + connect: { + id: org.id, + }, + }, + user: { + connect: { + id: user.id, + }, + }, + }); + + await membershipFixtures.addUserToOrg(user, org, "ADMIN", true); + await Promise.all( + orgMembers.map((member) => membershipFixtures.addUserToOrg(member, org, "MEMBER", true)) + ); + + app = moduleRef.createNestApplication(); + bootstrap(app as NestExpressApplication); + + await app.init(); + }); + + it("should be defined", () => { + expect(userRepositoryFixture).toBeDefined(); + expect(organizationsRepositoryFixture).toBeDefined(); + expect(user).toBeDefined(); + expect(org).toBeDefined(); + }); + + it("should get all org users", async () => { + const { body } = await request(app.getHttpServer()).get(`/v2/organizations/${org.id}/users`); + + const userData = body.data; + + expect(body.status).toBe(SUCCESS_STATUS); + expect(userData.length).toBe(4); + + expect(userData.filter((user: { email: string }) => user.email === nonMemberEmail).length).toBe(0); + }); + + it("should only get users with the specified email", async () => { + const { body } = await request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/users`) + .query({ + emails: userEmail, + }) + .set("Content-Type", "application/json") + .set("Accept", "application/json"); + + const userData = body.data; + + expect(body.status).toBe(SUCCESS_STATUS); + expect(userData.length).toBe(1); + + expect(userData.filter((user: { email: string }) => user.email === userEmail).length).toBe(1); + }); + + it("should get users within the specified emails array", async () => { + const orgMemberEmail = orgMembersData[0].email; + + const { body } = await request(app.getHttpServer()) + .get(`/v2/organizations/${org.id}/users`) + .query({ + emails: [userEmail, orgMemberEmail], + }) + .set("Content-Type", "application/json") + .set("Accept", "application/json"); + + const userData = body.data; + + expect(body.status).toBe(SUCCESS_STATUS); + expect(userData.length).toBe(2); + + expect(userData.filter((user: { email: string }) => user.email === userEmail).length).toBe(1); + expect(userData.filter((user: { email: string }) => user.email === orgMemberEmail).length).toBe(1); + }); + + it("should update an org user", async () => { + const { body } = await request(app.getHttpServer()) + .patch(`/v2/organizations/${org.id}/users/${user.id}`) + .send({ + theme: "light", + }) + .set("Content-Type", "application/json") + .set("Accept", "application/json"); + + const userData = body.data as User; + expect(body.status).toBe(SUCCESS_STATUS); + expect(userData.theme).toBe("light"); + }); + + it("should create a new org user", async () => { + const newOrgUser = { + email: "new-org-member-b@org.com", + organizationRole: "MEMBER", + autoAccept: true, + }; + + const emailSpy = jest + .spyOn(EmailService.prototype, "sendSignupToOrganizationEmail") + .mockImplementation(() => Promise.resolve()); + const { body } = await request(app.getHttpServer()) + .post(`/v2/organizations/${org.id}/users`) + .send({ + email: newOrgUser.email, + }) + .set("Content-Type", "application/json") + .set("Accept", "application/json"); + + const userData = body.data; + expect(body.status).toBe(SUCCESS_STATUS); + expect(userData.email).toBe(newOrgUser.email); + expect(emailSpy).toHaveBeenCalledWith({ + usernameOrEmail: newOrgUser.email, + orgName: org.name, + orgId: org.id, + inviterName: "admin1@org.com", + locale: null, + }); + createdUser = userData; + }); + + it("should delete an org user", async () => { + const { body } = await request(app.getHttpServer()) + .delete(`/v2/organizations/${org.id}/users/${createdUser.id}`) + .set("Content-Type", "application/json") + .set("Accept", "application/json"); + + const userData = body.data as User; + expect(body.status).toBe(SUCCESS_STATUS); + expect(userData.id).toBe(createdUser.id); + }); + + afterAll(async () => { + // await membershipFixtures.delete(membership.id); + await Promise.all([ + userRepositoryFixture.deleteByEmail(user.email), + userRepositoryFixture.deleteByEmail(nonMemberEmail), + ...orgMembersData.map((member) => userRepositoryFixture.deleteByEmail(member.email)), + ]); + await organizationsRepositoryFixture.delete(org.id); + await app.close(); + }); + }); +}); diff --git a/apps/api/v2/src/modules/organizations/inputs/create-organization-membership.input.ts b/apps/api/v2/src/modules/organizations/inputs/create-organization-membership.input.ts new file mode 100644 index 00000000000000..b2e75985a43caa --- /dev/null +++ b/apps/api/v2/src/modules/organizations/inputs/create-organization-membership.input.ts @@ -0,0 +1,20 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { MembershipRole } from "@prisma/client"; +import { IsBoolean, IsOptional, IsEnum, IsInt } from "class-validator"; + +export class CreateOrgMembershipDto { + @IsInt() + readonly userId!: number; + + @IsOptional() + @IsBoolean() + readonly accepted?: boolean = false; + + @IsEnum(MembershipRole) + @ApiProperty({ enum: ["MEMBER", "OWNER", "ADMIN"] }) + readonly role: MembershipRole = MembershipRole.MEMBER; + + @IsOptional() + @IsBoolean() + readonly disableImpersonation?: boolean = false; +} diff --git a/apps/api/v2/src/modules/organizations/inputs/create-organization-team-membership.input.ts b/apps/api/v2/src/modules/organizations/inputs/create-organization-team-membership.input.ts new file mode 100644 index 00000000000000..f7f1e81dfb988f --- /dev/null +++ b/apps/api/v2/src/modules/organizations/inputs/create-organization-team-membership.input.ts @@ -0,0 +1,20 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { MembershipRole } from "@prisma/client"; +import { IsBoolean, IsOptional, IsEnum, IsInt } from "class-validator"; + +export class CreateOrgTeamMembershipDto { + @IsInt() + readonly userId!: number; + + @IsOptional() + @IsBoolean() + readonly accepted?: boolean = false; + + @IsEnum(MembershipRole) + @ApiProperty({ enum: ["MEMBER", "OWNER", "ADMIN"] }) + readonly role: MembershipRole = MembershipRole.MEMBER; + + @IsOptional() + @IsBoolean() + readonly disableImpersonation?: boolean = false; +} diff --git a/apps/api/v2/src/modules/organizations/inputs/create-organization-team.input.ts b/apps/api/v2/src/modules/organizations/inputs/create-organization-team.input.ts new file mode 100644 index 00000000000000..2167b95c500cff --- /dev/null +++ b/apps/api/v2/src/modules/organizations/inputs/create-organization-team.input.ts @@ -0,0 +1,75 @@ +import { IsBoolean, IsOptional, IsString, IsUrl, Length } from "class-validator"; + +export class CreateOrgTeamDto { + @IsString() + @Length(1) + readonly name!: string; + + @IsOptional() + @IsString() + readonly slug?: string; + + @IsOptional() + @IsUrl() + readonly logoUrl?: string; + + @IsOptional() + @IsUrl() + readonly calVideoLogo?: string; + + @IsOptional() + @IsUrl() + readonly appLogo?: string; + + @IsOptional() + @IsUrl() + readonly appIconLogo?: string; + + @IsOptional() + @IsString() + readonly bio?: string; + + @IsOptional() + @IsBoolean() + readonly hideBranding?: boolean = false; + + @IsOptional() + @IsBoolean() + readonly isPrivate?: boolean; + + @IsOptional() + @IsBoolean() + readonly hideBookATeamMember?: boolean; + + @IsOptional() + @IsString() + readonly metadata?: string; // Assuming metadata is a JSON string. Adjust accordingly if it's a nested object. + + @IsOptional() + @IsString() + readonly theme?: string; + + @IsOptional() + @IsString() + readonly brandColor?: string; + + @IsOptional() + @IsString() + readonly darkBrandColor?: string; + + @IsOptional() + @IsUrl() + readonly bannerUrl?: string; + + @IsOptional() + @IsString() + readonly timeFormat?: number; + + @IsOptional() + @IsString() + readonly timeZone?: string = "Europe/London"; + + @IsOptional() + @IsString() + readonly weekStart?: string = "Sunday"; +} diff --git a/apps/api/v2/src/modules/organizations/inputs/create-organization-user.input.ts b/apps/api/v2/src/modules/organizations/inputs/create-organization-user.input.ts new file mode 100644 index 00000000000000..b2bd5cf3900400 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/inputs/create-organization-user.input.ts @@ -0,0 +1,17 @@ +import { CreateUserInput } from "@/modules/users/inputs/create-user.input"; +import { MembershipRole } from "@prisma/client"; +import { IsString, IsOptional, IsBoolean, IsEnum } from "class-validator"; + +export class CreateOrganizationUserInput extends CreateUserInput { + @IsOptional() + @IsString() + locale = "en"; + + @IsOptional() + @IsEnum(MembershipRole) + organizationRole: MembershipRole = MembershipRole.MEMBER; + + @IsOptional() + @IsBoolean() + autoAccept = true; +} diff --git a/apps/api/v2/src/modules/organizations/inputs/get-organization-users.input.ts b/apps/api/v2/src/modules/organizations/inputs/get-organization-users.input.ts new file mode 100644 index 00000000000000..6dfc79f57e9710 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/inputs/get-organization-users.input.ts @@ -0,0 +1,3 @@ +import { GetUsersInput } from "@/modules/users/inputs/get-users.input"; + +export class GetOrganizationsUsersInput extends GetUsersInput {} diff --git a/apps/api/v2/src/modules/organizations/inputs/update-organization-membership.input.ts b/apps/api/v2/src/modules/organizations/inputs/update-organization-membership.input.ts new file mode 100644 index 00000000000000..ef1e75a1e07a5f --- /dev/null +++ b/apps/api/v2/src/modules/organizations/inputs/update-organization-membership.input.ts @@ -0,0 +1,17 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { MembershipRole } from "@prisma/client"; +import { IsBoolean, IsOptional, IsEnum } from "class-validator"; + +export class UpdateOrgMembershipDto { + @IsOptional() + @IsBoolean() + readonly accepted?: boolean = false; + + @IsEnum(MembershipRole) + @ApiProperty({ enum: ["MEMBER", "OWNER", "ADMIN"] }) + readonly role?: MembershipRole = MembershipRole.MEMBER; + + @IsOptional() + @IsBoolean() + readonly disableImpersonation?: boolean = false; +} diff --git a/apps/api/v2/src/modules/organizations/inputs/update-organization-team-membership.input.ts b/apps/api/v2/src/modules/organizations/inputs/update-organization-team-membership.input.ts new file mode 100644 index 00000000000000..2784ca48b28d41 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/inputs/update-organization-team-membership.input.ts @@ -0,0 +1,17 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { MembershipRole } from "@prisma/client"; +import { IsBoolean, IsOptional, IsEnum } from "class-validator"; + +export class UpdateOrgTeamMembershipDto { + @IsOptional() + @IsBoolean() + readonly accepted?: boolean = false; + + @IsEnum(MembershipRole) + @ApiProperty({ enum: ["MEMBER", "OWNER", "ADMIN"] }) + readonly role?: MembershipRole = MembershipRole.MEMBER; + + @IsOptional() + @IsBoolean() + readonly disableImpersonation?: boolean = false; +} diff --git a/apps/api/v2/src/modules/organizations/inputs/update-organization-user.input.ts b/apps/api/v2/src/modules/organizations/inputs/update-organization-user.input.ts new file mode 100644 index 00000000000000..1cba9543ca7a65 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/inputs/update-organization-user.input.ts @@ -0,0 +1,3 @@ +import { UpdateUserInput } from "@/modules/users/inputs/update-user.input"; + +export class UpdateOrganizationUserInput extends UpdateUserInput {} diff --git a/apps/api/v2/src/modules/organizations/organizations.module.ts b/apps/api/v2/src/modules/organizations/organizations.module.ts index 0ec5c5d73fc36c..a2eed9969a0d75 100644 --- a/apps/api/v2/src/modules/organizations/organizations.module.ts +++ b/apps/api/v2/src/modules/organizations/organizations.module.ts @@ -1,11 +1,84 @@ +import { EventTypesModule_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/event-types.module"; +import { SchedulesModule_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/schedules.module"; +import { EmailModule } from "@/modules/email/email.module"; +import { EmailService } from "@/modules/email/email.service"; +import { MembershipsRepository } from "@/modules/memberships/memberships.repository"; +import { OrganizationsEventTypesController } from "@/modules/organizations/controllers/event-types/organizations-event-types.controller"; +import { OrganizationsMembershipsController } from "@/modules/organizations/controllers/memberships/organizations-membership.controller"; +import { OrganizationsSchedulesController } from "@/modules/organizations/controllers/schedules/organizations-schedules.controller"; +import { OrganizationsTeamsMembershipsController } from "@/modules/organizations/controllers/teams/memberships/organizations-teams-memberships.controller"; +import { OrganizationsTeamsController } from "@/modules/organizations/controllers/teams/organizations-teams.controller"; +import { OrganizationsUsersController } from "@/modules/organizations/controllers/users/organizations-users.controller"; import { OrganizationsRepository } from "@/modules/organizations/organizations.repository"; +import { OrganizationsEventTypesRepository } from "@/modules/organizations/repositories/organizations-event-types.repository"; +import { OrganizationsMembershipRepository } from "@/modules/organizations/repositories/organizations-membership.repository"; +import { OrganizationSchedulesRepository } from "@/modules/organizations/repositories/organizations-schedules.repository"; +import { OrganizationsTeamsMembershipsRepository } from "@/modules/organizations/repositories/organizations-teams-memberships.repository"; +import { OrganizationsTeamsRepository } from "@/modules/organizations/repositories/organizations-teams.repository"; +import { OrganizationsUsersRepository } from "@/modules/organizations/repositories/organizations-users.repository"; +import { InputOrganizationsEventTypesService } from "@/modules/organizations/services/event-types/input.service"; +import { OrganizationsEventTypesService } from "@/modules/organizations/services/event-types/organizations-event-types.service"; +import { OutputOrganizationsEventTypesService } from "@/modules/organizations/services/event-types/output.service"; +import { OrganizationsMembershipService } from "@/modules/organizations/services/organizations-membership.service"; +import { OrganizationsSchedulesService } from "@/modules/organizations/services/organizations-schedules.service"; +import { OrganizationsTeamsMembershipsService } from "@/modules/organizations/services/organizations-teams-memberships.service"; +import { OrganizationsTeamsService } from "@/modules/organizations/services/organizations-teams.service"; +import { OrganizationsUsersService } from "@/modules/organizations/services/organizations-users-service"; import { OrganizationsService } from "@/modules/organizations/services/organizations.service"; import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { RedisModule } from "@/modules/redis/redis.module"; +import { StripeModule } from "@/modules/stripe/stripe.module"; +import { UsersModule } from "@/modules/users/users.module"; import { Module } from "@nestjs/common"; @Module({ - imports: [PrismaModule], - providers: [OrganizationsRepository, OrganizationsService], - exports: [OrganizationsService], + imports: [ + PrismaModule, + StripeModule, + SchedulesModule_2024_06_11, + UsersModule, + RedisModule, + EmailModule, + EventTypesModule_2024_06_14, + ], + providers: [ + OrganizationsRepository, + OrganizationsTeamsRepository, + OrganizationsService, + OrganizationsTeamsService, + MembershipsRepository, + OrganizationsSchedulesService, + OrganizationSchedulesRepository, + OrganizationsUsersRepository, + OrganizationsUsersService, + EmailService, + OrganizationsMembershipRepository, + OrganizationsMembershipService, + OrganizationsEventTypesService, + InputOrganizationsEventTypesService, + OutputOrganizationsEventTypesService, + OrganizationsEventTypesRepository, + OrganizationsTeamsMembershipsRepository, + OrganizationsTeamsMembershipsService, + ], + exports: [ + OrganizationsService, + OrganizationsRepository, + OrganizationsTeamsRepository, + OrganizationsUsersRepository, + OrganizationsUsersService, + OrganizationsMembershipRepository, + OrganizationsMembershipService, + OrganizationsTeamsMembershipsRepository, + OrganizationsTeamsMembershipsService, + ], + controllers: [ + OrganizationsTeamsController, + OrganizationsSchedulesController, + OrganizationsUsersController, + OrganizationsMembershipsController, + OrganizationsEventTypesController, + OrganizationsTeamsMembershipsController, + ], }) export class OrganizationsModule {} diff --git a/apps/api/v2/src/modules/organizations/organizations.repository.ts b/apps/api/v2/src/modules/organizations/organizations.repository.ts index 98dfa20159a708..0d43c0956095f0 100644 --- a/apps/api/v2/src/modules/organizations/organizations.repository.ts +++ b/apps/api/v2/src/modules/organizations/organizations.repository.ts @@ -1,14 +1,84 @@ +import { PlatformPlan } from "@/modules/billing/types"; import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { StripeService } from "@/modules/stripe/stripe.service"; import { Injectable } from "@nestjs/common"; @Injectable() export class OrganizationsRepository { - constructor(private readonly dbRead: PrismaReadService) {} + constructor( + private readonly dbRead: PrismaReadService, + private readonly dbWrite: PrismaWriteService, + private readonly stripeService: StripeService + ) {} async findById(organizationId: number) { return this.dbRead.prisma.team.findUnique({ where: { id: organizationId, + isOrganization: true, + }, + }); + } + + async findByIdIncludeBilling(orgId: number) { + return this.dbRead.prisma.team.findUnique({ + where: { + id: orgId, + }, + include: { + platformBilling: true, + }, + }); + } + + async createNewBillingRelation(orgId: number, plan?: PlatformPlan) { + const { id } = await this.stripeService.stripe.customers.create({ + metadata: { + createdBy: "oauth_client_no_csid", // mark in case this is needed in the future. + }, + }); + + await this.dbWrite.prisma.team.update({ + where: { + id: orgId, + }, + data: { + platformBilling: { + create: { + customerId: id, + plan: plan ? plan.toString() : "none", + }, + }, + }, + }); + + return id; + } + + async findTeamIdFromClientId(clientId: string) { + return this.dbRead.prisma.team.findFirstOrThrow({ + where: { + platformOAuthClient: { + some: { + id: clientId, + }, + }, + }, + select: { + id: true, + }, + }); + } + async findOrgUser(organizationId: number, userId: number) { + return this.dbRead.prisma.user.findUnique({ + where: { + id: userId, + profiles: { + some: { + organizationId, + }, + }, }, }); } diff --git a/apps/api/v2/src/modules/organizations/outputs/get-organization-users.output.ts b/apps/api/v2/src/modules/organizations/outputs/get-organization-users.output.ts new file mode 100644 index 00000000000000..0b0b53a3f93773 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/outputs/get-organization-users.output.ts @@ -0,0 +1,20 @@ +import { GetUserOutput } from "@/modules/users/outputs/get-users.output"; +import { ApiProperty } from "@nestjs/swagger"; +import { IsEnum } from "class-validator"; + +import { ERROR_STATUS } from "@calcom/platform-constants"; +import { SUCCESS_STATUS } from "@calcom/platform-constants"; + +export class GetOrganizationUsersOutput { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + data!: GetUserOutput[]; +} + +export class GetOrganizationUserOutput { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + data!: GetUserOutput; +} diff --git a/apps/api/v2/src/modules/organizations/outputs/organization-membership/create-membership.output.ts b/apps/api/v2/src/modules/organizations/outputs/organization-membership/create-membership.output.ts new file mode 100644 index 00000000000000..5a129c98246878 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/outputs/organization-membership/create-membership.output.ts @@ -0,0 +1,20 @@ +import { OrgMembershipOutputDto } from "@/modules/organizations/outputs/organization-membership/membership.output"; +import { ApiProperty } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsEnum, IsNotEmptyObject, ValidateNested } from "class-validator"; + +import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; + +export class CreateOrgMembershipOutput { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @ApiProperty({ + type: OrgMembershipOutputDto, + }) + @IsNotEmptyObject() + @ValidateNested() + @Type(() => OrgMembershipOutputDto) + data!: OrgMembershipOutputDto; +} diff --git a/apps/api/v2/src/modules/organizations/outputs/organization-membership/delete-membership.output.ts b/apps/api/v2/src/modules/organizations/outputs/organization-membership/delete-membership.output.ts new file mode 100644 index 00000000000000..2f3005ba950e28 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/outputs/organization-membership/delete-membership.output.ts @@ -0,0 +1,13 @@ +import { OrgMembershipOutputDto } from "@/modules/organizations/outputs/organization-membership/membership.output"; +import { ApiProperty } from "@nestjs/swagger"; +import { IsEnum } from "class-validator"; + +import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; + +export class DeleteOrgMembership { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + data!: OrgMembershipOutputDto; +} diff --git a/apps/api/v2/src/modules/organizations/outputs/organization-membership/get-all-memberships.output.ts b/apps/api/v2/src/modules/organizations/outputs/organization-membership/get-all-memberships.output.ts new file mode 100644 index 00000000000000..3114c2c899fa31 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/outputs/organization-membership/get-all-memberships.output.ts @@ -0,0 +1,21 @@ +import { OrgMembershipOutputDto } from "@/modules/organizations/outputs/organization-membership/membership.output"; +import { ApiProperty } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsEnum, IsNotEmptyObject, ValidateNested, IsArray } from "class-validator"; + +import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; + +export class GetAllOrgMemberships { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @ApiProperty({ + type: OrgMembershipOutputDto, + }) + @IsNotEmptyObject() + @ValidateNested({ each: true }) + @Type(() => OrgMembershipOutputDto) + @IsArray() + data!: OrgMembershipOutputDto[]; +} diff --git a/apps/api/v2/src/modules/organizations/outputs/organization-membership/get-membership.output.ts b/apps/api/v2/src/modules/organizations/outputs/organization-membership/get-membership.output.ts new file mode 100644 index 00000000000000..416a3a6bb4a95b --- /dev/null +++ b/apps/api/v2/src/modules/organizations/outputs/organization-membership/get-membership.output.ts @@ -0,0 +1,20 @@ +import { OrgMembershipOutputDto } from "@/modules/organizations/outputs/organization-membership/membership.output"; +import { ApiProperty } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsEnum, IsNotEmptyObject, ValidateNested } from "class-validator"; + +import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; + +export class GetOrgMembership { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @ApiProperty({ + type: OrgMembershipOutputDto, + }) + @IsNotEmptyObject() + @ValidateNested() + @Type(() => OrgMembershipOutputDto) + data!: OrgMembershipOutputDto; +} diff --git a/apps/api/v2/src/modules/organizations/outputs/organization-membership/membership.output.ts b/apps/api/v2/src/modules/organizations/outputs/organization-membership/membership.output.ts new file mode 100644 index 00000000000000..4557ec9457dad2 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/outputs/organization-membership/membership.output.ts @@ -0,0 +1,32 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { MembershipRole } from "@prisma/client"; +import { Expose } from "class-transformer"; +import { IsBoolean, IsInt, IsOptional, IsString } from "class-validator"; + +export class OrgMembershipOutputDto { + @IsInt() + @Expose() + readonly id!: number; + + @IsInt() + @Expose() + readonly userId!: number; + + @IsInt() + @Expose() + readonly teamId!: number; + + @IsBoolean() + @Expose() + readonly accepted!: boolean; + + @IsString() + @ApiProperty({ enum: ["MEMBER", "OWNER", "ADMIN"] }) + @Expose() + readonly role!: MembershipRole; + + @IsOptional() + @IsBoolean() + @Expose() + readonly disableImpersonation?: boolean; +} diff --git a/apps/api/v2/src/modules/organizations/outputs/organization-membership/update-membership.output.ts b/apps/api/v2/src/modules/organizations/outputs/organization-membership/update-membership.output.ts new file mode 100644 index 00000000000000..d9718221699771 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/outputs/organization-membership/update-membership.output.ts @@ -0,0 +1,20 @@ +import { OrgMembershipOutputDto } from "@/modules/organizations/outputs/organization-membership/membership.output"; +import { ApiProperty } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { IsEnum, IsNotEmptyObject, ValidateNested } from "class-validator"; + +import { SUCCESS_STATUS, ERROR_STATUS } from "@calcom/platform-constants"; + +export class UpdateOrgMembership { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @ApiProperty({ + type: OrgMembershipOutputDto, + }) + @IsNotEmptyObject() + @ValidateNested() + @Type(() => OrgMembershipOutputDto) + data!: OrgMembershipOutputDto; +} diff --git a/apps/api/v2/src/modules/organizations/outputs/organization-team.output.ts b/apps/api/v2/src/modules/organizations/outputs/organization-team.output.ts new file mode 100644 index 00000000000000..32c2134ba5c5ec --- /dev/null +++ b/apps/api/v2/src/modules/organizations/outputs/organization-team.output.ts @@ -0,0 +1,141 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { Expose, Type } from "class-transformer"; +import { + IsBoolean, + IsEnum, + IsInt, + IsOptional, + IsString, + IsUrl, + Length, + ValidateNested, +} from "class-validator"; + +import { ERROR_STATUS, SUCCESS_STATUS } from "@calcom/platform-constants"; + +export class OrgTeamOutputDto { + @IsInt() + @Expose() + readonly id!: number; + + @IsInt() + @IsOptional() + @Expose() + readonly parentId?: number; + + @IsString() + @Length(1) + @Expose() + readonly name!: string; + + @IsOptional() + @IsString() + @Expose() + readonly slug?: string; + + @IsOptional() + @IsUrl() + @Expose() + readonly logoUrl?: string; + + @IsOptional() + @IsUrl() + @Expose() + readonly calVideoLogo?: string; + + @IsOptional() + @IsUrl() + @Expose() + readonly appLogo?: string; + + @IsOptional() + @IsUrl() + @Expose() + readonly appIconLogo?: string; + + @IsOptional() + @IsString() + @Expose() + readonly bio?: string; + + @IsOptional() + @IsBoolean() + @Expose() + readonly hideBranding?: boolean; + + @IsBoolean() + @Expose() + readonly isOrganization?: boolean; + + @IsOptional() + @IsBoolean() + @Expose() + readonly isPrivate?: boolean; + + @IsOptional() + @IsBoolean() + @Expose() + readonly hideBookATeamMember?: boolean = false; + + @IsOptional() + @IsString() + @Expose() + readonly metadata?: string; + + @IsOptional() + @IsString() + @Expose() + readonly theme?: string; + + @IsOptional() + @IsString() + @Expose() + readonly brandColor?: string; + + @IsOptional() + @IsString() + @Expose() + readonly darkBrandColor?: string; + + @IsOptional() + @IsUrl() + @Expose() + readonly bannerUrl?: string; + + @IsOptional() + @IsString() + @Expose() + readonly timeFormat?: number; + + @IsOptional() + @IsString() + @Expose() + readonly timeZone?: string = "Europe/London"; + + @IsOptional() + @IsString() + @Expose() + readonly weekStart?: string = "Sunday"; +} + +export class OrgTeamsOutputResponseDto { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @Expose() + @ValidateNested() + @Type(() => OrgTeamOutputDto) + data!: OrgTeamOutputDto[]; +} + +export class OrgTeamOutputResponseDto { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @Expose() + @ValidateNested() + @Type(() => OrgTeamOutputDto) + data!: OrgTeamOutputDto; +} diff --git a/apps/api/v2/src/modules/organizations/outputs/organization-teams-memberships.output.ts b/apps/api/v2/src/modules/organizations/outputs/organization-teams-memberships.output.ts new file mode 100644 index 00000000000000..ceff7066cc7c0c --- /dev/null +++ b/apps/api/v2/src/modules/organizations/outputs/organization-teams-memberships.output.ts @@ -0,0 +1,57 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { MembershipRole } from "@prisma/client"; +import { Expose, Type } from "class-transformer"; +import { IsArray, IsBoolean, IsEnum, IsInt, IsOptional, IsString, ValidateNested } from "class-validator"; + +import { ERROR_STATUS, SUCCESS_STATUS } from "@calcom/platform-constants"; + +export class OrgTeamMembershipOutputDto { + @IsInt() + @Expose() + readonly id!: number; + + @IsInt() + @Expose() + readonly userId!: number; + + @IsInt() + @Expose() + readonly teamId!: number; + + @IsBoolean() + @Expose() + readonly accepted!: boolean; + + @IsString() + @ApiProperty({ enum: ["MEMBER", "OWNER", "ADMIN"] }) + @Expose() + readonly role!: MembershipRole; + + @IsOptional() + @IsBoolean() + @Expose() + readonly disableImpersonation?: boolean; +} + +export class OrgTeamMembershipsOutputResponseDto { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @Expose() + @ValidateNested() + @Type(() => OrgTeamMembershipOutputDto) + @IsArray() + data!: OrgTeamMembershipOutputDto[]; +} + +export class OrgTeamMembershipOutputResponseDto { + @ApiProperty({ example: SUCCESS_STATUS, enum: [SUCCESS_STATUS, ERROR_STATUS] }) + @IsEnum([SUCCESS_STATUS, ERROR_STATUS]) + status!: typeof SUCCESS_STATUS | typeof ERROR_STATUS; + + @Expose() + @ValidateNested() + @Type(() => OrgTeamMembershipOutputDto) + data!: OrgTeamMembershipOutputDto; +} diff --git a/apps/api/v2/src/modules/organizations/repositories/organizations-event-types.repository.ts b/apps/api/v2/src/modules/organizations/repositories/organizations-event-types.repository.ts new file mode 100644 index 00000000000000..b71d77fa215f96 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/repositories/organizations-event-types.repository.ts @@ -0,0 +1,61 @@ +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { Injectable } from "@nestjs/common"; + +@Injectable() +export class OrganizationsEventTypesRepository { + constructor(private readonly dbRead: PrismaReadService, private readonly dbWrite: PrismaWriteService) {} + + async getTeamEventType(teamId: number, eventTypeId: number) { + return this.dbRead.prisma.eventType.findUnique({ + where: { + id: eventTypeId, + teamId, + }, + include: { users: true, schedule: true, hosts: true }, + }); + } + + async getTeamEventTypes(teamId: number) { + return this.dbRead.prisma.eventType.findMany({ + where: { + teamId, + }, + include: { users: true, schedule: true, hosts: true }, + }); + } + + async getEventTypeById(eventTypeId: number) { + return this.dbRead.prisma.eventType.findUnique({ + where: { id: eventTypeId }, + include: { users: true, schedule: true, hosts: true }, + }); + } + + async getEventTypeChildren(eventTypeId: number) { + return this.dbRead.prisma.eventType.findMany({ + where: { parentId: eventTypeId }, + include: { users: true, schedule: true, hosts: true }, + }); + } + + async getTeamsEventTypes(orgId: number, skip: number, take: number) { + return this.dbRead.prisma.eventType.findMany({ + where: { + team: { + parentId: orgId, + }, + }, + skip, + take, + include: { users: true, schedule: true, hosts: true }, + }); + } + + async getEventTypeByIdWithChildren(eventTypeId: number) { + return this.dbRead.prisma.eventType.findUnique({ + where: { id: eventTypeId }, + include: { children: true }, + }); + } +} diff --git a/apps/api/v2/src/modules/organizations/repositories/organizations-membership.repository.ts b/apps/api/v2/src/modules/organizations/repositories/organizations-membership.repository.ts new file mode 100644 index 00000000000000..2f2d3dd9488161 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/repositories/organizations-membership.repository.ts @@ -0,0 +1,52 @@ +import { CreateOrgMembershipDto } from "@/modules/organizations/inputs/create-organization-membership.input"; +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { Injectable } from "@nestjs/common"; + +import { UpdateOrgMembershipDto } from "../inputs/update-organization-membership.input"; + +@Injectable() +export class OrganizationsMembershipRepository { + constructor(private readonly dbRead: PrismaReadService, private readonly dbWrite: PrismaWriteService) {} + + async findOrgMembership(organizationId: number, membershipId: number) { + return this.dbRead.prisma.membership.findUnique({ + where: { + id: membershipId, + teamId: organizationId, + }, + }); + } + + async deleteOrgMembership(organizationId: number, membershipId: number) { + return this.dbWrite.prisma.membership.delete({ + where: { + id: membershipId, + teamId: organizationId, + }, + }); + } + + async createOrgMembership(organizationId: number, data: CreateOrgMembershipDto) { + return this.dbWrite.prisma.membership.create({ + data: { ...data, teamId: organizationId }, + }); + } + + async updateOrgMembership(organizationId: number, membershipId: number, data: UpdateOrgMembershipDto) { + return this.dbWrite.prisma.membership.update({ + data: { ...data }, + where: { id: membershipId, teamId: organizationId }, + }); + } + + async findOrgMembershipsPaginated(organizationId: number, skip: number, take: number) { + return this.dbRead.prisma.membership.findMany({ + where: { + teamId: organizationId, + }, + skip, + take, + }); + } +} diff --git a/apps/api/v2/src/modules/organizations/repositories/organizations-schedules.repository.ts b/apps/api/v2/src/modules/organizations/repositories/organizations-schedules.repository.ts new file mode 100644 index 00000000000000..e652a85df79654 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/repositories/organizations-schedules.repository.ts @@ -0,0 +1,23 @@ +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { Injectable } from "@nestjs/common"; + +@Injectable() +export class OrganizationSchedulesRepository { + constructor(private readonly dbRead: PrismaReadService, private readonly dbWrite: PrismaWriteService) {} + + async getSchedulesByUserIds(userIds: number[], skip: number, take: number) { + return this.dbRead.prisma.schedule.findMany({ + where: { + userId: { + in: userIds, + }, + }, + include: { + availability: true, + }, + skip, + take, + }); + } +} diff --git a/apps/api/v2/src/modules/organizations/repositories/organizations-teams-memberships.repository.ts b/apps/api/v2/src/modules/organizations/repositories/organizations-teams-memberships.repository.ts new file mode 100644 index 00000000000000..470bab239f8aae --- /dev/null +++ b/apps/api/v2/src/modules/organizations/repositories/organizations-teams-memberships.repository.ts @@ -0,0 +1,70 @@ +import { CreateOrgTeamMembershipDto } from "@/modules/organizations/inputs/create-organization-team-membership.input"; +import { UpdateOrgTeamMembershipDto } from "@/modules/organizations/inputs/update-organization-team-membership.input"; +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { Injectable } from "@nestjs/common"; + +@Injectable() +export class OrganizationsTeamsMembershipsRepository { + constructor(private readonly dbRead: PrismaReadService, private readonly dbWrite: PrismaWriteService) {} + + async findOrgTeamMembershipsPaginated(organizationId: number, teamId: number, skip: number, take: number) { + return this.dbRead.prisma.membership.findMany({ + where: { + teamId: teamId, + team: { + parentId: organizationId, + }, + }, + skip, + take, + }); + } + + async findOrgTeamMembership(organizationId: number, teamId: number, membershipId: number) { + return this.dbRead.prisma.membership.findUnique({ + where: { + id: membershipId, + teamId: teamId, + team: { + parentId: organizationId, + }, + }, + }); + } + async deleteOrgTeamMembershipById(organizationId: number, teamId: number, membershipId: number) { + return this.dbWrite.prisma.membership.delete({ + where: { + id: membershipId, + teamId: teamId, + team: { + parentId: organizationId, + }, + }, + }); + } + + async updateOrgTeamMembershipById( + organizationId: number, + teamId: number, + membershipId: number, + data: UpdateOrgTeamMembershipDto + ) { + return this.dbWrite.prisma.membership.update({ + data: { ...data }, + where: { + id: membershipId, + teamId: teamId, + team: { + parentId: organizationId, + }, + }, + }); + } + + async createOrgTeamMembership(teamId: number, data: CreateOrgTeamMembershipDto) { + return this.dbWrite.prisma.membership.create({ + data: { ...data, teamId: teamId }, + }); + } +} diff --git a/apps/api/v2/src/modules/organizations/repositories/organizations-teams.repository.ts b/apps/api/v2/src/modules/organizations/repositories/organizations-teams.repository.ts new file mode 100644 index 00000000000000..3b130127185bf9 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/repositories/organizations-teams.repository.ts @@ -0,0 +1,67 @@ +import { CreateOrgTeamDto } from "@/modules/organizations/inputs/create-organization-team.input"; +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { Injectable } from "@nestjs/common"; + +@Injectable() +export class OrganizationsTeamsRepository { + constructor(private readonly dbRead: PrismaReadService) {} + + async findOrgTeam(organizationId: number, teamId: number) { + return this.dbRead.prisma.team.findUnique({ + where: { + id: teamId, + isOrganization: false, + parentId: organizationId, + }, + }); + } + + async deleteOrgTeam(organizationId: number, teamId: number) { + return this.dbRead.prisma.team.delete({ + where: { + id: teamId, + isOrganization: false, + parentId: organizationId, + }, + }); + } + + async createOrgTeam(organizationId: number, data: CreateOrgTeamDto) { + return this.dbRead.prisma.team.create({ + data: { ...data, parentId: organizationId }, + }); + } + + async updateOrgTeam(organizationId: number, teamId: number, data: CreateOrgTeamDto) { + return this.dbRead.prisma.team.update({ + data: { ...data }, + where: { id: teamId, parentId: organizationId, isOrganization: false }, + }); + } + + async findOrgTeamsPaginated(organizationId: number, skip: number, take: number) { + return this.dbRead.prisma.team.findMany({ + where: { + parentId: organizationId, + }, + skip, + take, + }); + } + + async getTeamMembersIds(teamId: number) { + const team = await this.dbRead.prisma.team.findUnique({ + where: { + id: teamId, + }, + include: { + members: true, + }, + }); + if (!team) { + return []; + } + + return team.members.map((member) => member.userId); + } +} diff --git a/apps/api/v2/src/modules/organizations/repositories/organizations-users.repository.ts b/apps/api/v2/src/modules/organizations/repositories/organizations-users.repository.ts new file mode 100644 index 00000000000000..5612972e5c7f8e --- /dev/null +++ b/apps/api/v2/src/modules/organizations/repositories/organizations-users.repository.ts @@ -0,0 +1,76 @@ +import { CreateOrganizationUserInput } from "@/modules/organizations/inputs/create-organization-user.input"; +import { UpdateOrganizationUserInput } from "@/modules/organizations/inputs/update-organization-user.input"; +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { Injectable } from "@nestjs/common"; + +@Injectable() +export class OrganizationsUsersRepository { + constructor(private readonly dbRead: PrismaReadService, private readonly dbWrite: PrismaWriteService) {} + + private filterOnOrgMembership(orgId: number) { + return { + profiles: { + some: { + organizationId: orgId, + }, + }, + }; + } + + async getOrganizationUsersByEmails(orgId: number, emailArray?: string[], skip?: number, take?: number) { + return await this.dbRead.prisma.user.findMany({ + where: { + ...this.filterOnOrgMembership(orgId), + ...(emailArray && emailArray.length ? { email: { in: emailArray } } : {}), + }, + skip, + take, + }); + } + + async getOrganizationUserByUsername(orgId: number, username: string) { + return await this.dbRead.prisma.user.findFirst({ + where: { + username, + ...this.filterOnOrgMembership(orgId), + }, + }); + } + + async getOrganizationUserByEmail(orgId: number, email: string) { + return await this.dbRead.prisma.user.findFirst({ + where: { + email, + ...this.filterOnOrgMembership(orgId), + }, + }); + } + + async createOrganizationUser(orgId: number, createUserBody: CreateOrganizationUserInput) { + const createdUser = await this.dbWrite.prisma.user.create({ + data: createUserBody, + }); + + return createdUser; + } + + async updateOrganizationUser(orgId: number, userId: number, updateUserBody: UpdateOrganizationUserInput) { + return await this.dbWrite.prisma.user.update({ + where: { + id: userId, + organizationId: orgId, + }, + data: updateUserBody, + }); + } + + async deleteUser(orgId: number, userId: number) { + return await this.dbWrite.prisma.user.delete({ + where: { + id: userId, + organizationId: orgId, + }, + }); + } +} diff --git a/apps/api/v2/src/modules/organizations/services/event-types/input.service.ts b/apps/api/v2/src/modules/organizations/services/event-types/input.service.ts new file mode 100644 index 00000000000000..766cf64c42a96b --- /dev/null +++ b/apps/api/v2/src/modules/organizations/services/event-types/input.service.ts @@ -0,0 +1,162 @@ +import { InputEventTypesService_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/services/input-event-types.service"; +import { OrganizationsEventTypesRepository } from "@/modules/organizations/repositories/organizations-event-types.repository"; +import { OrganizationsTeamsRepository } from "@/modules/organizations/repositories/organizations-teams.repository"; +import { UsersRepository } from "@/modules/users/users.repository"; +import { Injectable } from "@nestjs/common"; + +import { + CreateTeamEventTypeInput_2024_06_14, + UpdateTeamEventTypeInput_2024_06_14, + HostPriority, +} from "@calcom/platform-types"; + +@Injectable() +export class InputOrganizationsEventTypesService { + constructor( + private readonly inputEventTypesService: InputEventTypesService_2024_06_14, + private readonly organizationsTeamsRepository: OrganizationsTeamsRepository, + private readonly usersRepository: UsersRepository, + private readonly orgEventTypesRepository: OrganizationsEventTypesRepository + ) {} + async transformInputCreateTeamEventType( + teamId: number, + inputEventType: CreateTeamEventTypeInput_2024_06_14 + ) { + const { hosts, assignAllTeamMembers, ...rest } = inputEventType; + + const eventType = this.inputEventTypesService.transformInputCreateEventType(rest); + + const metadata = rest.schedulingType === "MANAGED" ? { managedEventConfig: {} } : undefined; + + const teamEventType = { + ...eventType, + hosts: assignAllTeamMembers ? await this.getAllTeamMembers(teamId) : this.transformInputHosts(hosts), + assignAllTeamMembers, + metadata, + }; + + return teamEventType; + } + + async transformInputUpdateTeamEventType( + eventTypeId: number, + teamId: number, + inputEventType: UpdateTeamEventTypeInput_2024_06_14 + ) { + const { hosts, assignAllTeamMembers, ...rest } = inputEventType; + + const eventType = this.inputEventTypesService.transformInputUpdateEventType(rest); + + const children = await this.getChildEventTypesForManagedEventType(eventTypeId, inputEventType, teamId); + const teamEventType = { + ...eventType, + // note(Lauris): we don't populate hosts for managed event-types because they are handled by the children + hosts: !children + ? assignAllTeamMembers + ? await this.getAllTeamMembers(teamId) + : this.transformInputHosts(hosts) + : undefined, + assignAllTeamMembers, + children, + }; + + return teamEventType; + } + + async getChildEventTypesForManagedEventType( + eventTypeId: number, + inputEventType: UpdateTeamEventTypeInput_2024_06_14, + teamId: number + ) { + const eventType = await this.orgEventTypesRepository.getEventTypeByIdWithChildren(eventTypeId); + + if (!eventType || eventType.schedulingType !== "MANAGED") { + return undefined; + } + + const ownersIds = await this.getOwnersIdsForManagedEventType(teamId, inputEventType, eventType); + const owners = await this.getOwnersForManagedEventType(ownersIds); + + return owners.map((owner) => { + return { + hidden: false, + owner, + }; + }); + } + + async getOwnersIdsForManagedEventType( + teamId: number, + inputEventType: UpdateTeamEventTypeInput_2024_06_14, + eventType: { children: { userId: number | null }[] } + ) { + if (inputEventType.assignAllTeamMembers) { + return await this.organizationsTeamsRepository.getTeamMembersIds(teamId); + } + + // note(Lauris): when API user updates managed event type users + if (inputEventType.hosts) { + return inputEventType.hosts.map((host) => host.userId); + } + + // note(Lauris): when API user DOES NOT update managed event type users, but we still need existing managed event type users to know which event-types to update + return eventType.children.map((child) => child.userId).filter((id) => !!id) as number[]; + } + + async getOwnersForManagedEventType(userIds: number[]) { + const users = await this.usersRepository.findByIdsWithEventTypes(userIds); + + return users.map((user) => { + const nonManagedEventTypes = user.eventTypes.filter((eventType) => !eventType.parentId); + return { + id: user.id, + name: user.name || user.email, + email: user.email, + // note(Lauris): managed event types slugs have to be excluded otherwise checkExistentEventTypes within handleChildrenEventTypes.ts will incorrectly delete managed user event type. + eventTypeSlugs: nonManagedEventTypes.map((eventType) => eventType.slug), + }; + }); + } + + async getAllTeamMembers(teamId: number) { + const membersIds = await this.organizationsTeamsRepository.getTeamMembersIds(teamId); + + return membersIds.map((id) => ({ + userId: id, + isFixed: false, + priority: 2, + })); + } + + transformInputHosts(inputHosts: CreateTeamEventTypeInput_2024_06_14["hosts"] | undefined) { + if (!inputHosts) { + return undefined; + } + + const defaultMandatory = false; + const defaultPriority = "medium"; + + return inputHosts.map((host) => ({ + userId: host.userId, + isFixed: host.mandatory || defaultMandatory, + priority: getPriorityValue(host.priority || defaultPriority), + })); + } +} + +function getPriorityValue(priority: keyof typeof HostPriority): number { + switch (priority) { + case "lowest": + return 0; + case "low": + return 1; + case "medium": + return 2; + case "high": + return 3; + case "highest": + return 4; + default: + throw new Error("Invalid HostPriority label"); + } +} diff --git a/apps/api/v2/src/modules/organizations/services/event-types/organizations-event-types.service.ts b/apps/api/v2/src/modules/organizations/services/event-types/organizations-event-types.service.ts new file mode 100644 index 00000000000000..5ddcafe750f3cf --- /dev/null +++ b/apps/api/v2/src/modules/organizations/services/event-types/organizations-event-types.service.ts @@ -0,0 +1,179 @@ +import { EventTypesRepository_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/event-types.repository"; +import { EventTypesService_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/services/event-types.service"; +import { MembershipsRepository } from "@/modules/memberships/memberships.repository"; +import { OrganizationsEventTypesRepository } from "@/modules/organizations/repositories/organizations-event-types.repository"; +import { OrganizationsTeamsRepository } from "@/modules/organizations/repositories/organizations-teams.repository"; +import { InputOrganizationsEventTypesService } from "@/modules/organizations/services/event-types/input.service"; +import { OutputOrganizationsEventTypesService } from "@/modules/organizations/services/event-types/output.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { UserWithProfile } from "@/modules/users/users.repository"; +import { Injectable, NotFoundException } from "@nestjs/common"; + +import { createEventType, updateEventType } from "@calcom/platform-libraries-0.0.19"; +import { + CreateTeamEventTypeInput_2024_06_14, + UpdateTeamEventTypeInput_2024_06_14, +} from "@calcom/platform-types"; + +@Injectable() +export class OrganizationsEventTypesService { + constructor( + private readonly inputService: InputOrganizationsEventTypesService, + private readonly eventTypesService: EventTypesService_2024_06_14, + private readonly dbWrite: PrismaWriteService, + private readonly organizationEventTypesRepository: OrganizationsEventTypesRepository, + private readonly eventTypesRepository: EventTypesRepository_2024_06_14, + private readonly outputService: OutputOrganizationsEventTypesService, + private readonly membershipsRepository: MembershipsRepository, + private readonly organizationsTeamsRepository: OrganizationsTeamsRepository + ) {} + + async createTeamEventType( + user: UserWithProfile, + teamId: number, + orgId: number, + body: CreateTeamEventTypeInput_2024_06_14 + ) { + await this.validateHosts(teamId, body.hosts); + const eventTypeUser = await this.getUserToCreateTeamEvent(user, orgId); + // eslint-disable-next-line @typescript-eslint/no-unused-vars + const { hosts, assignAllTeamMembers, ...rest } = + await this.inputService.transformInputCreateTeamEventType(teamId, body); + const { eventType: eventTypeCreated } = await createEventType({ + input: { teamId: teamId, ...rest }, + ctx: { + user: eventTypeUser, + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + // @ts-ignore + prisma: this.dbWrite.prisma, + }, + }); + + return await this.updateTeamEventType( + eventTypeCreated.id, + teamId, + { hosts: body.hosts, assignAllTeamMembers }, + user + ); + } + + async validateHosts(teamId: number, hosts: CreateTeamEventTypeInput_2024_06_14["hosts"] | undefined) { + if (hosts && hosts.length) { + const membersIds = await this.organizationsTeamsRepository.getTeamMembersIds(teamId); + const invalidHosts = hosts.filter((host) => !membersIds.includes(host.userId)); + if (invalidHosts.length) { + throw new NotFoundException(`Invalid hosts: ${invalidHosts.join(", ")}`); + } + } + } + + async validateEventTypeExists(teamId: number, eventTypeId: number) { + const eventType = await this.organizationEventTypesRepository.getTeamEventType(teamId, eventTypeId); + + if (!eventType) { + throw new NotFoundException(`Event type with id ${eventTypeId} not found`); + } + } + + async getUserToCreateTeamEvent(user: UserWithProfile, organizationId: number) { + const isOrgAdmin = await this.membershipsRepository.isUserOrganizationAdmin(user.id, organizationId); + const profileId = user.movedToProfileId || null; + return { + id: user.id, + role: user.role, + organizationId: user.organizationId, + organization: { isOrgAdmin }, + profile: { id: profileId }, + metadata: user.metadata, + }; + } + + async getTeamEventType(teamId: number, eventTypeId: number) { + const eventType = await this.organizationEventTypesRepository.getTeamEventType(teamId, eventTypeId); + + if (!eventType) { + return null; + } + + return this.outputService.getResponseTeamEventType(eventType); + } + + async getTeamEventTypes(teamId: number) { + const eventTypes = await this.organizationEventTypesRepository.getTeamEventTypes(teamId); + + const eventTypePromises = eventTypes.map(async (eventType) => { + return await this.outputService.getResponseTeamEventType(eventType); + }); + + return await Promise.all(eventTypePromises); + } + + async getTeamsEventTypes(orgId: number, skip = 0, take = 250) { + const eventTypes = await this.organizationEventTypesRepository.getTeamsEventTypes(orgId, skip, take); + + const eventTypePromises = eventTypes.map(async (eventType) => { + return await this.outputService.getResponseTeamEventType(eventType); + }); + + return await Promise.all(eventTypePromises); + } + + async updateTeamEventType( + eventTypeId: number, + teamId: number, + body: UpdateTeamEventTypeInput_2024_06_14, + user: UserWithProfile + ) { + await this.validateEventTypeExists(teamId, eventTypeId); + await this.validateHosts(teamId, body.hosts); + const eventTypeUser = await this.eventTypesService.getUserToUpdateEvent(user); + const bodyTransformed = await this.inputService.transformInputUpdateTeamEventType( + eventTypeId, + teamId, + body + ); + + await updateEventType({ + input: { id: eventTypeId, ...bodyTransformed }, + ctx: { + user: eventTypeUser, + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + // @ts-ignore + prisma: this.dbWrite.prisma, + }, + }); + + const eventType = await this.organizationEventTypesRepository.getEventTypeById(eventTypeId); + + if (!eventType) { + throw new NotFoundException(`Event type with id ${eventTypeId} not found`); + } + + if (eventType.schedulingType !== "MANAGED") { + return this.outputService.getResponseTeamEventType(eventType); + } + + const children = await this.organizationEventTypesRepository.getEventTypeChildren(eventType.id); + + const eventTypes = [eventType, ...children]; + + const eventTypePromises = eventTypes.map(async (e) => { + return await this.outputService.getResponseTeamEventType(e); + }); + + return await Promise.all(eventTypePromises); + } + + async deleteTeamEventType(teamId: number, eventTypeId: number) { + const existingEventType = await this.organizationEventTypesRepository.getTeamEventType( + teamId, + eventTypeId + ); + + if (!existingEventType) { + throw new NotFoundException(`Event type with ID=${eventTypeId} does not exist.`); + } + + return this.eventTypesRepository.deleteEventType(eventTypeId); + } +} diff --git a/apps/api/v2/src/modules/organizations/services/event-types/output.service.ts b/apps/api/v2/src/modules/organizations/services/event-types/output.service.ts new file mode 100644 index 00000000000000..3eaf5eb0091517 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/services/event-types/output.service.ts @@ -0,0 +1,114 @@ +import { OutputEventTypesService_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/services/output-event-types.service"; +import { OrganizationsEventTypesRepository } from "@/modules/organizations/repositories/organizations-event-types.repository"; +import { Injectable } from "@nestjs/common"; +import type { EventType, User, Schedule, Host } from "@prisma/client"; + +import { HostPriority } from "@calcom/platform-types"; + +type EventTypeRelations = { users: User[]; schedule: Schedule | null; hosts: Host[] }; +type DatabaseEventType = EventType & EventTypeRelations; + +type Input = Pick< + DatabaseEventType, + | "id" + | "length" + | "title" + | "description" + | "disableGuests" + | "slotInterval" + | "minimumBookingNotice" + | "beforeEventBuffer" + | "afterEventBuffer" + | "slug" + | "schedulingType" + | "requiresConfirmation" + | "price" + | "currency" + | "lockTimeZoneToggleOnBookingPage" + | "seatsPerTimeSlot" + | "forwardParamsSuccessRedirect" + | "successRedirectUrl" + | "seatsShowAvailabilityCount" + | "isInstantEvent" + | "locations" + | "bookingFields" + | "recurringEvent" + | "metadata" + | "users" + | "schedule" + | "hosts" + | "teamId" + | "userId" + | "parentId" + | "assignAllTeamMembers" +>; + +@Injectable() +export class OutputOrganizationsEventTypesService { + constructor( + private readonly outputEventTypesService: OutputEventTypesService_2024_06_14, + private readonly organizationEventTypesRepository: OrganizationsEventTypesRepository + ) {} + + async getResponseTeamEventType(databaseEventType: Input) { + const { teamId, userId, parentId, assignAllTeamMembers } = databaseEventType; + // eslint-disable-next-line @typescript-eslint/no-unused-vars + const { ownerId, users, ...rest } = await this.outputEventTypesService.getResponseEventType( + 0, + databaseEventType + ); + const hosts = + databaseEventType.schedulingType === "MANAGED" + ? await this.getManagedEventTypeHosts(databaseEventType.id) + : this.transformHosts(databaseEventType.hosts); + + return { + ...rest, + hosts, + teamId, + ownerId: userId, + parentEventTypeId: parentId, + assignAllTeamMembers: teamId ? assignAllTeamMembers : undefined, + }; + } + + async getManagedEventTypeHosts(eventTypeId: number) { + const children = await this.organizationEventTypesRepository.getEventTypeChildren(eventTypeId); + const hostsIds: number[] = []; + for (const child of children) { + if (child.userId) { + hostsIds.push(child.userId); + } + } + return hostsIds.map((userId) => ({ userId })); + } + + transformHosts(hosts: Host[]) { + if (!hosts) return []; + + return hosts.map((host) => { + return { + userId: host.userId, + mandatory: host.isFixed, + priority: getPriorityLabel(host.priority || 2), + }; + }); + } +} + +function getPriorityLabel(priority: number): keyof typeof HostPriority { + switch (priority) { + case 0: + return "lowest"; + case 1: + return "low"; + case 2: + return "medium"; + case 3: + return "high"; + case 4: + return "highest"; + default: + throw new Error("Invalid HostPriority value"); + } +} diff --git a/apps/api/v2/src/modules/organizations/services/organizations-membership.service.ts b/apps/api/v2/src/modules/organizations/services/organizations-membership.service.ts new file mode 100644 index 00000000000000..c1a393dbda73d0 --- /dev/null +++ b/apps/api/v2/src/modules/organizations/services/organizations-membership.service.ts @@ -0,0 +1,49 @@ +import { CreateOrgMembershipDto } from "@/modules/organizations/inputs/create-organization-membership.input"; +import { OrganizationsMembershipRepository } from "@/modules/organizations/repositories/organizations-membership.repository"; +import { Injectable } from "@nestjs/common"; + +import { UpdateOrgMembershipDto } from "../inputs/update-organization-membership.input"; + +@Injectable() +export class OrganizationsMembershipService { + constructor(private readonly organizationsMembershipRepository: OrganizationsMembershipRepository) {} + + async getOrgMembership(organizationId: number, membershipId: number) { + const membership = await this.organizationsMembershipRepository.findOrgMembership( + organizationId, + membershipId + ); + return membership; + } + + async getPaginatedOrgMemberships(organizationId: number, skip = 0, take = 250) { + const memberships = await this.organizationsMembershipRepository.findOrgMembershipsPaginated( + organizationId, + skip, + take + ); + return memberships; + } + + async deleteOrgMembership(organizationId: number, membershipId: number) { + const membership = await this.organizationsMembershipRepository.deleteOrgMembership( + organizationId, + membershipId + ); + return membership; + } + + async updateOrgMembership(organizationId: number, membershipId: number, data: UpdateOrgMembershipDto) { + const membership = await this.organizationsMembershipRepository.updateOrgMembership( + organizationId, + membershipId, + data + ); + return membership; + } + + async createOrgMembership(organizationId: number, data: CreateOrgMembershipDto) { + const membership = await this.organizationsMembershipRepository.createOrgMembership(organizationId, data); + return membership; + } +} diff --git a/apps/api/v2/src/modules/organizations/services/organizations-schedules.service.ts b/apps/api/v2/src/modules/organizations/services/organizations-schedules.service.ts new file mode 100644 index 00000000000000..7dfd39f0330f1c --- /dev/null +++ b/apps/api/v2/src/modules/organizations/services/organizations-schedules.service.ts @@ -0,0 +1,30 @@ +import { OutputSchedulesService_2024_06_11 } from "@/ee/schedules/schedules_2024_06_11/services/output-schedules.service"; +import { OrganizationSchedulesRepository } from "@/modules/organizations/repositories/organizations-schedules.repository"; +import { UsersRepository } from "@/modules/users/users.repository"; +import { Injectable } from "@nestjs/common"; + +import { ScheduleOutput_2024_06_11 } from "@calcom/platform-types"; + +@Injectable() +export class OrganizationsSchedulesService { + constructor( + private readonly organizationSchedulesService: OrganizationSchedulesRepository, + private readonly outputSchedulesService: OutputSchedulesService_2024_06_11, + private readonly usersRepository: UsersRepository + ) {} + + async getOrganizationSchedules(organizationId: number, skip = 0, take = 250) { + const users = await this.usersRepository.getOrganizationUsers(organizationId); + const usersIds = users.map((user) => user.id); + + const schedules = await this.organizationSchedulesService.getSchedulesByUserIds(usersIds, skip, take); + + const responseSchedules: ScheduleOutput_2024_06_11[] = []; + + for (const schedule of schedules) { + responseSchedules.push(await this.outputSchedulesService.getResponseSchedule(schedule)); + } + + return responseSchedules; + } +} diff --git a/apps/api/v2/src/modules/organizations/services/organizations-teams-memberships.service.ts b/apps/api/v2/src/modules/organizations/services/organizations-teams-memberships.service.ts new file mode 100644 index 00000000000000..8eb65f30cc7cfb --- /dev/null +++ b/apps/api/v2/src/modules/organizations/services/organizations-teams-memberships.service.ts @@ -0,0 +1,68 @@ +import { CreateOrgTeamMembershipDto } from "@/modules/organizations/inputs/create-organization-team-membership.input"; +import { UpdateOrgTeamMembershipDto } from "@/modules/organizations/inputs/update-organization-team-membership.input"; +import { OrganizationsTeamsMembershipsRepository } from "@/modules/organizations/repositories/organizations-teams-memberships.repository"; +import { Injectable, NotFoundException } from "@nestjs/common"; + +@Injectable() +export class OrganizationsTeamsMembershipsService { + constructor( + private readonly organizationsTeamsMembershipsRepository: OrganizationsTeamsMembershipsRepository + ) {} + + async createOrgTeamMembership(teamId: number, data: CreateOrgTeamMembershipDto) { + const teamMembership = await this.organizationsTeamsMembershipsRepository.createOrgTeamMembership( + teamId, + data + ); + return teamMembership; + } + + async getPaginatedOrgTeamMemberships(organizationId: number, teamId: number, skip = 0, take = 250) { + const teamMemberships = + await this.organizationsTeamsMembershipsRepository.findOrgTeamMembershipsPaginated( + organizationId, + teamId, + skip, + take + ); + return teamMemberships; + } + + async getOrgTeamMembership(organizationId: number, teamId: number, membershipId: number) { + const teamMemberships = await this.organizationsTeamsMembershipsRepository.findOrgTeamMembership( + organizationId, + teamId, + membershipId + ); + + if (!teamMemberships) { + throw new NotFoundException("Organization's Team membership not found"); + } + + return teamMemberships; + } + + async updateOrgTeamMembership( + organizationId: number, + teamId: number, + membershipId: number, + data: UpdateOrgTeamMembershipDto + ) { + const teamMembership = await this.organizationsTeamsMembershipsRepository.updateOrgTeamMembershipById( + organizationId, + teamId, + membershipId, + data + ); + return teamMembership; + } + + async deleteOrgTeamMembership(organizationId: number, teamId: number, membershipId: number) { + const teamMembership = await this.organizationsTeamsMembershipsRepository.deleteOrgTeamMembershipById( + organizationId, + teamId, + membershipId + ); + return teamMembership; + } +} diff --git a/apps/api/v2/src/modules/organizations/services/organizations-teams.service.ts b/apps/api/v2/src/modules/organizations/services/organizations-teams.service.ts new file mode 100644 index 00000000000000..13975e7614b40f --- /dev/null +++ b/apps/api/v2/src/modules/organizations/services/organizations-teams.service.ts @@ -0,0 +1,36 @@ +import { MembershipsRepository } from "@/modules/memberships/memberships.repository"; +import { CreateOrgTeamDto } from "@/modules/organizations/inputs/create-organization-team.input"; +import { OrganizationsTeamsRepository } from "@/modules/organizations/repositories/organizations-teams.repository"; +import { UserWithProfile } from "@/modules/users/users.repository"; +import { Injectable } from "@nestjs/common"; + +@Injectable() +export class OrganizationsTeamsService { + constructor( + private readonly organizationsTeamRepository: OrganizationsTeamsRepository, + private readonly membershipsRepository: MembershipsRepository + ) {} + + async getPaginatedOrgTeams(organizationId: number, skip = 0, take = 250) { + const teams = await this.organizationsTeamRepository.findOrgTeamsPaginated(organizationId, skip, take); + return teams; + } + + async deleteOrgTeam(organizationId: number, teamId: number) { + const team = await this.organizationsTeamRepository.deleteOrgTeam(organizationId, teamId); + return team; + } + + async updateOrgTeam(organizationId: number, teamId: number, data: CreateOrgTeamDto) { + const team = await this.organizationsTeamRepository.updateOrgTeam(organizationId, teamId, data); + return team; + } + + async createOrgTeam(organizationId: number, data: CreateOrgTeamDto, user: UserWithProfile) { + const team = await this.organizationsTeamRepository.createOrgTeam(organizationId, data); + if (user.role !== "ADMIN") { + await this.membershipsRepository.createMembership(team.id, user.id, "OWNER"); + } + return team; + } +} diff --git a/apps/api/v2/src/modules/organizations/services/organizations-users-service.ts b/apps/api/v2/src/modules/organizations/services/organizations-users-service.ts new file mode 100644 index 00000000000000..4c6a964cc05f4d --- /dev/null +++ b/apps/api/v2/src/modules/organizations/services/organizations-users-service.ts @@ -0,0 +1,118 @@ +import { EmailService } from "@/modules/email/email.service"; +import { CreateOrganizationUserInput } from "@/modules/organizations/inputs/create-organization-user.input"; +import { UpdateOrganizationUserInput } from "@/modules/organizations/inputs/update-organization-user.input"; +import { OrganizationsUsersRepository } from "@/modules/organizations/repositories/organizations-users.repository"; +import { CreateUserInput } from "@/modules/users/inputs/create-user.input"; +import { Injectable, ConflictException } from "@nestjs/common"; +import { plainToInstance } from "class-transformer"; + +import { createNewUsersConnectToOrgIfExists } from "@calcom/platform-libraries-0.0.19"; +import { Team } from "@calcom/prisma/client"; + +@Injectable() +export class OrganizationsUsersService { + constructor( + private readonly organizationsUsersRepository: OrganizationsUsersRepository, + private readonly emailService: EmailService + ) {} + + async getUsers(orgId: number, emailInput?: string[], skip?: number, take?: number) { + const emailArray = !emailInput ? [] : emailInput; + + const users = await this.organizationsUsersRepository.getOrganizationUsersByEmails( + orgId, + emailArray, + skip, + take + ); + + return users; + } + + async createUser(org: Team, userCreateBody: CreateOrganizationUserInput, inviterName: string) { + // Check if email exists in the system + const userEmailCheck = await this.organizationsUsersRepository.getOrganizationUserByEmail( + org.id, + userCreateBody.email + ); + + if (userEmailCheck) throw new ConflictException("A user already exists with that email"); + + // Check if username is already in use in the org + if (userCreateBody.username) { + await this.checkForUsernameConflicts(org.id, userCreateBody.username); + } + + const usernameOrEmail = userCreateBody.username ? userCreateBody.username : userCreateBody.email; + + // Create new org user + const createdUserCall = await createNewUsersConnectToOrgIfExists({ + invitations: [ + { + usernameOrEmail: usernameOrEmail, + role: userCreateBody.organizationRole, + }, + ], + teamId: org.id, + isOrg: true, + parentId: null, + autoAcceptEmailDomain: "not-required-for-this-endpoint", + orgConnectInfoByUsernameOrEmail: { + [usernameOrEmail]: { + orgId: org.id, + autoAccept: userCreateBody.autoAccept, + }, + }, + }); + + const createdUser = createdUserCall[0]; + + // Update user fields that weren't included in createNewUsersConnectToOrgIfExists + const updateUserBody = plainToInstance(CreateUserInput, userCreateBody, { strategy: "excludeAll" }); + + // Update new user with other userCreateBody params + const user = await this.organizationsUsersRepository.updateOrganizationUser( + org.id, + createdUser.id, + updateUserBody + ); + + // Need to send email to new user to create password + await this.emailService.sendSignupToOrganizationEmail({ + usernameOrEmail, + orgName: org.name, + orgId: org.id, + locale: user?.locale, + inviterName, + }); + + return user; + } + + async updateUser(orgId: number, userId: number, userUpdateBody: UpdateOrganizationUserInput) { + if (userUpdateBody.username) { + await this.checkForUsernameConflicts(orgId, userUpdateBody.username); + } + + const user = await this.organizationsUsersRepository.updateOrganizationUser( + orgId, + userId, + userUpdateBody + ); + return user; + } + + async deleteUser(orgId: number, userId: number) { + const user = await this.organizationsUsersRepository.deleteUser(orgId, userId); + return user; + } + + async checkForUsernameConflicts(orgId: number, username: string) { + const isUsernameTaken = await this.organizationsUsersRepository.getOrganizationUserByUsername( + orgId, + username + ); + + if (isUsernameTaken) throw new ConflictException("Username is already taken"); + } +} diff --git a/apps/api/v2/src/modules/proxy/proxy.guard.ts b/apps/api/v2/src/modules/proxy/proxy.guard.ts new file mode 100644 index 00000000000000..16074913d46d3c --- /dev/null +++ b/apps/api/v2/src/modules/proxy/proxy.guard.ts @@ -0,0 +1,10 @@ +import { Injectable } from "@nestjs/common"; +import { ThrottlerGuard } from "@nestjs/throttler"; + +@Injectable() +export class ThrottlerBehindProxyGuard extends ThrottlerGuard { + // TODO: adapt if required for CF / AWS / FlightControl proxying. + protected async getTracker(req: Record): Promise { + return req.ips.length ? req.ips[0] : req.ip; + } +} diff --git a/apps/api/v2/src/modules/redis/redis.module.ts b/apps/api/v2/src/modules/redis/redis.module.ts new file mode 100644 index 00000000000000..bbe6472fc50b4d --- /dev/null +++ b/apps/api/v2/src/modules/redis/redis.module.ts @@ -0,0 +1,8 @@ +import { RedisService } from "@/modules/redis/redis.service"; +import { Module } from "@nestjs/common"; + +@Module({ + providers: [RedisService], + exports: [RedisService], +}) +export class RedisModule {} diff --git a/apps/api/v2/src/modules/redis/redis.service.ts b/apps/api/v2/src/modules/redis/redis.service.ts new file mode 100644 index 00000000000000..ea55ec4638687e --- /dev/null +++ b/apps/api/v2/src/modules/redis/redis.service.ts @@ -0,0 +1,20 @@ +import { AppConfig } from "@/config/type"; +import { Injectable, OnModuleDestroy } from "@nestjs/common"; +import { ConfigService } from "@nestjs/config"; +import { Redis } from "ioredis"; + +@Injectable() +export class RedisService implements OnModuleDestroy { + public redis: Redis; + + constructor(readonly configService: ConfigService) { + const dbUrl = configService.get("db.redisUrl", { infer: true }); + if (!dbUrl) throw new Error("Misconfigured Redis, halting."); + + this.redis = new Redis(dbUrl); + } + + async onModuleDestroy() { + await this.redis.disconnect(); + } +} diff --git a/apps/api/v2/src/modules/slots/controllers/slots.controller.ts b/apps/api/v2/src/modules/slots/controllers/slots.controller.ts index b8fcf941cdafba..f661ef6f8b56f1 100644 --- a/apps/api/v2/src/modules/slots/controllers/slots.controller.ts +++ b/apps/api/v2/src/modules/slots/controllers/slots.controller.ts @@ -1,18 +1,18 @@ -import { AccessTokenGuard } from "@/modules/auth/guards/access-token/access-token.guard"; +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; import { SlotsService } from "@/modules/slots/services/slots.service"; -import { Query, Body, Controller, Get, Delete, Post, Req, Res, UseGuards } from "@nestjs/common"; +import { Query, Body, Controller, Get, Delete, Post, Req, Res } from "@nestjs/common"; import { ApiTags as DocsTags } from "@nestjs/swagger"; import { Response as ExpressResponse, Request as ExpressRequest } from "express"; import { SUCCESS_STATUS } from "@calcom/platform-constants"; -import { getAvailableSlots } from "@calcom/platform-libraries"; -import type { AvailableSlotsType } from "@calcom/platform-libraries"; +import { getAvailableSlots } from "@calcom/platform-libraries-0.0.19"; +import type { AvailableSlotsType } from "@calcom/platform-libraries-0.0.19"; import { RemoveSelectedSlotInput, ReserveSlotInput } from "@calcom/platform-types"; import { ApiResponse, GetAvailableSlotsInput } from "@calcom/platform-types"; @Controller({ - path: "slots", - version: "2", + path: "/v2/slots", + version: API_VERSIONS_VALUES, }) @DocsTags("Slots") export class SlotsController { diff --git a/apps/api/v2/src/modules/slots/services/slots.service.ts b/apps/api/v2/src/modules/slots/services/slots.service.ts index 1d17340ec8df52..4ba2e2c37c5ee3 100644 --- a/apps/api/v2/src/modules/slots/services/slots.service.ts +++ b/apps/api/v2/src/modules/slots/services/slots.service.ts @@ -1,4 +1,4 @@ -import { EventTypesRepository } from "@/ee/event-types/event-types.repository"; +import { EventTypesRepository_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/event-types.repository"; import { SlotsRepository } from "@/modules/slots/slots.repository"; import { Injectable, NotFoundException } from "@nestjs/common"; import { v4 as uuid } from "uuid"; @@ -8,7 +8,7 @@ import { ReserveSlotInput } from "@calcom/platform-types"; @Injectable() export class SlotsService { constructor( - private readonly eventTypeRepo: EventTypesRepository, + private readonly eventTypeRepo: EventTypesRepository_2024_04_15, private readonly slotsRepo: SlotsRepository ) {} diff --git a/apps/api/v2/src/modules/slots/slots.module.ts b/apps/api/v2/src/modules/slots/slots.module.ts index 94e7c0d27fe2a9..e85b49af6ada27 100644 --- a/apps/api/v2/src/modules/slots/slots.module.ts +++ b/apps/api/v2/src/modules/slots/slots.module.ts @@ -1,4 +1,4 @@ -import { EventTypesModule } from "@/ee/event-types/event-types.module"; +import { EventTypesModule_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/event-types.module"; import { PrismaModule } from "@/modules/prisma/prisma.module"; import { SlotsController } from "@/modules/slots/controllers/slots.controller"; import { SlotsService } from "@/modules/slots/services/slots.service"; @@ -6,7 +6,7 @@ import { SlotsRepository } from "@/modules/slots/slots.repository"; import { Module } from "@nestjs/common"; @Module({ - imports: [PrismaModule, EventTypesModule], + imports: [PrismaModule, EventTypesModule_2024_04_15], providers: [SlotsRepository, SlotsService], controllers: [SlotsController], exports: [SlotsService], diff --git a/apps/api/v2/src/modules/slots/slots.repository.ts b/apps/api/v2/src/modules/slots/slots.repository.ts index 8ef589f9f87515..9b96fb303f7187 100644 --- a/apps/api/v2/src/modules/slots/slots.repository.ts +++ b/apps/api/v2/src/modules/slots/slots.repository.ts @@ -3,7 +3,7 @@ import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; import { Injectable } from "@nestjs/common"; import { DateTime } from "luxon"; -import { MINUTES_TO_BOOK } from "@calcom/platform-libraries"; +import { MINUTES_TO_BOOK } from "@calcom/platform-libraries-0.0.19"; import { ReserveSlotInput } from "@calcom/platform-types"; @Injectable() diff --git a/apps/api/v2/src/modules/stripe/stripe.module.ts b/apps/api/v2/src/modules/stripe/stripe.module.ts new file mode 100644 index 00000000000000..2452e10b6e1f47 --- /dev/null +++ b/apps/api/v2/src/modules/stripe/stripe.module.ts @@ -0,0 +1,10 @@ +import { StripeService } from "@/modules/stripe/stripe.service"; +import { Module } from "@nestjs/common"; +import { ConfigModule } from "@nestjs/config"; + +@Module({ + imports: [ConfigModule], + exports: [StripeService], + providers: [StripeService], +}) +export class StripeModule {} diff --git a/apps/api/v2/src/modules/stripe/stripe.service.ts b/apps/api/v2/src/modules/stripe/stripe.service.ts new file mode 100644 index 00000000000000..b93f9f5e9a8beb --- /dev/null +++ b/apps/api/v2/src/modules/stripe/stripe.service.ts @@ -0,0 +1,15 @@ +import { AppConfig } from "@/config/type"; +import { Injectable } from "@nestjs/common"; +import { ConfigService } from "@nestjs/config"; +import Stripe from "stripe"; + +@Injectable() +export class StripeService { + public stripe: Stripe; + + constructor(configService: ConfigService) { + this.stripe = new Stripe(configService.get("stripe.apiKey", { infer: true }) ?? "", { + apiVersion: "2020-08-27", + }); + } +} diff --git a/apps/api/v2/src/modules/timezones/controllers/timezones.controller.ts b/apps/api/v2/src/modules/timezones/controllers/timezones.controller.ts index 4882e154f390e3..e3661f7605a9c1 100644 --- a/apps/api/v2/src/modules/timezones/controllers/timezones.controller.ts +++ b/apps/api/v2/src/modules/timezones/controllers/timezones.controller.ts @@ -1,14 +1,15 @@ +import { API_VERSIONS_VALUES } from "@/lib/api-versions"; import { TimezonesService } from "@/modules/timezones/services/timezones.service"; import { Controller, Get } from "@nestjs/common"; import { ApiTags as DocsTags } from "@nestjs/swagger"; import { SUCCESS_STATUS } from "@calcom/platform-constants"; -import type { CityTimezones } from "@calcom/platform-libraries"; +import type { CityTimezones } from "@calcom/platform-libraries-0.0.19"; import { ApiResponse } from "@calcom/platform-types"; @Controller({ - path: "timezones", - version: "2", + path: "/v2/timezones", + version: API_VERSIONS_VALUES, }) @DocsTags("Timezones") export class TimezonesController { diff --git a/apps/api/v2/src/modules/timezones/services/timezones.service.ts b/apps/api/v2/src/modules/timezones/services/timezones.service.ts index b13c00f6bf4c5a..9abd98c8a63f03 100644 --- a/apps/api/v2/src/modules/timezones/services/timezones.service.ts +++ b/apps/api/v2/src/modules/timezones/services/timezones.service.ts @@ -1,10 +1,24 @@ +import { RedisService } from "@/modules/redis/redis.service"; import { Injectable } from "@nestjs/common"; -import { cityTimezonesHandler } from "@calcom/platform-libraries"; +import { cityTimezonesHandler } from "@calcom/platform-libraries-0.0.19"; +import type { CityTimezones } from "@calcom/platform-libraries-0.0.19"; @Injectable() export class TimezonesService { - async getCityTimeZones() { - return cityTimezonesHandler(); + private cacheKey = "cityTimezones"; + + constructor(private readonly redisService: RedisService) {} + + async getCityTimeZones(): Promise { + const cachedTimezones = await this.redisService.redis.get(this.cacheKey); + if (!cachedTimezones) { + const timezones = await cityTimezonesHandler(); + await this.redisService.redis.set(this.cacheKey, JSON.stringify(timezones), "EX", 60 * 60 * 24); + + return timezones; + } else { + return JSON.parse(cachedTimezones) as CityTimezones; + } } } diff --git a/apps/api/v2/src/modules/timezones/timezones.module.ts b/apps/api/v2/src/modules/timezones/timezones.module.ts index 4447da80c1481f..e5089ac2252c0f 100644 --- a/apps/api/v2/src/modules/timezones/timezones.module.ts +++ b/apps/api/v2/src/modules/timezones/timezones.module.ts @@ -1,9 +1,10 @@ +import { RedisModule } from "@/modules/redis/redis.module"; import { TimezonesController } from "@/modules/timezones/controllers/timezones.controller"; import { TimezonesService } from "@/modules/timezones/services/timezones.service"; import { Module } from "@nestjs/common"; @Module({ - imports: [], + imports: [RedisModule], providers: [TimezonesService], controllers: [TimezonesController], exports: [TimezonesService], diff --git a/apps/api/v2/src/modules/tokens/tokens.repository.ts b/apps/api/v2/src/modules/tokens/tokens.repository.ts index 46b90a2ddc6370..448b5fde64b3ec 100644 --- a/apps/api/v2/src/modules/tokens/tokens.repository.ts +++ b/apps/api/v2/src/modules/tokens/tokens.repository.ts @@ -65,6 +65,7 @@ export class TokensRepository { // discard. } } + const accessExpiry = DateTime.now().plus({ minute: 60 }).startOf("minute").toJSDate(); const refreshExpiry = DateTime.now().plus({ year: 1 }).startOf("day").toJSDate(); const [accessToken, refreshToken] = await this.dbWrite.prisma.$transaction([ @@ -88,6 +89,7 @@ export class TokensRepository { return { accessToken: accessToken.secret, + accessTokenExpiresAt: accessToken.expiresAt, refreshToken: refreshToken.secret, }; } diff --git a/apps/api/v2/src/modules/users/inputs/create-managed-user.input.ts b/apps/api/v2/src/modules/users/inputs/create-managed-user.input.ts index 7e66b9a749d46b..fdfa6d25f3ca14 100644 --- a/apps/api/v2/src/modules/users/inputs/create-managed-user.input.ts +++ b/apps/api/v2/src/modules/users/inputs/create-managed-user.input.ts @@ -1,8 +1,10 @@ -import { IsTimeFormat } from "@/modules/users/inputs/validators/is-time-format"; -import { IsWeekStart } from "@/modules/users/inputs/validators/is-week-start"; +import { Locales } from "@/lib/enums/locales"; +import { CapitalizeTimeZone } from "@/lib/inputs/capitalize-timezone"; import { ApiProperty } from "@nestjs/swagger"; -import { IsNumber, IsOptional, IsTimeZone, IsString, Validate } from "class-validator"; +import { IsOptional, IsTimeZone, IsString, IsEnum } from "class-validator"; +export type WeekDay = "Monday" | "Tuesday" | "Wednesday" | "Thursday" | "Friday" | "Saturday" | "Sunday"; +export type TimeFormat = 12 | 24; export class CreateManagedUserInput { @IsString() @ApiProperty({ example: "alice@example.com" }) @@ -12,20 +14,26 @@ export class CreateManagedUserInput { @IsOptional() name?: string; - @IsNumber() @IsOptional() - @Validate(IsTimeFormat) - @ApiProperty({ example: 12 }) - timeFormat?: number; + @ApiProperty({ example: 12, enum: [12, 24], description: "Must be 12 or 24" }) + timeFormat?: TimeFormat; - @IsString() @IsOptional() - @Validate(IsWeekStart) - @ApiProperty({ example: "Sunday" }) - weekStart?: string; + @IsString() + @ApiProperty({ + example: "Monday", + enum: ["Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday", "Sunday"], + }) + weekStart?: WeekDay; @IsTimeZone() @IsOptional() + @CapitalizeTimeZone() @ApiProperty({ example: "America/New_York" }) timeZone?: string; + + @IsEnum(Locales) + @IsOptional() + @ApiProperty({ example: Locales.EN, enum: Locales }) + locale?: Locales; } diff --git a/apps/api/v2/src/modules/users/inputs/create-user.input.ts b/apps/api/v2/src/modules/users/inputs/create-user.input.ts new file mode 100644 index 00000000000000..03c7a27054fa2d --- /dev/null +++ b/apps/api/v2/src/modules/users/inputs/create-user.input.ts @@ -0,0 +1,131 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { Expose, Transform } from "class-transformer"; +import { + IsBoolean, + IsEmail, + IsHexColor, + IsNumber, + IsOptional, + IsString, + Validate, + Min, +} from "class-validator"; + +import { AvatarValidator } from "../validators/avatarValidator"; +import { LocaleValidator } from "../validators/localeValidator"; +import { ThemeValidator } from "../validators/themeValidator"; +import { TimeFormatValidator } from "../validators/timeFormatValidator"; +import { TimeZoneValidator } from "../validators/timeZoneValidator"; +import { WeekdayValidator } from "../validators/weekdayValidator"; + +export class CreateUserInput { + @ApiProperty({ type: String, description: "User email address", example: "user@example.com" }) + @IsEmail() + @Transform(({ value }) => { + if (typeof value === "string") { + return value.toLowerCase(); + } + }) + @Expose() + email!: string; + + @ApiProperty({ type: String, required: false, description: "Username", example: "user123" }) + @IsOptional() + @IsString() + @Transform(({ value }) => { + if (typeof value === "string") { + return value.toLowerCase(); + } + }) + @Expose() + username?: string; + + @ApiProperty({ type: String, required: false, description: "Preferred weekday", example: "Monday" }) + @IsOptional() + @IsString() + @Validate(WeekdayValidator) + @Expose() + weekday?: string; + + @ApiProperty({ + type: String, + required: false, + description: "Brand color in HEX format", + example: "#FFFFFF", + }) + @IsOptional() + @IsHexColor() + @Expose() + brandColor?: string; + + @ApiProperty({ + type: String, + required: false, + description: "Dark brand color in HEX format", + example: "#000000", + }) + @IsOptional() + @IsHexColor() + @Expose() + darkBrandColor?: string; + + @ApiProperty({ type: Boolean, required: false, description: "Hide branding", example: false }) + @IsOptional() + @IsBoolean() + @Expose() + hideBranding?: boolean; + + @ApiProperty({ type: String, required: false, description: "Time zone", example: "America/New_York" }) + @IsOptional() + @IsString() + @Validate(TimeZoneValidator) + @Expose() + timeZone?: string; + + @ApiProperty({ type: String, required: false, description: "Theme", example: "dark" }) + @IsOptional() + @IsString() + @Validate(ThemeValidator) + @Expose() + theme?: string | null; + + @ApiProperty({ type: String, required: false, description: "Application theme", example: "light" }) + @IsOptional() + @IsString() + @Validate(ThemeValidator) + @Expose() + appTheme?: string | null; + + @ApiProperty({ type: Number, required: false, description: "Time format", example: 24 }) + @IsOptional() + @IsNumber() + @Validate(TimeFormatValidator) + @Expose() + timeFormat?: number; + + @ApiProperty({ type: Number, required: false, description: "Default schedule ID", example: 1, minimum: 0 }) + @IsOptional() + @IsNumber() + @Min(0) + @Expose() + defaultScheduleId?: number; + + @ApiProperty({ type: String, required: false, description: "Locale", example: "en", default: "en" }) + @IsOptional() + @IsString() + @Validate(LocaleValidator) + @Expose() + locale?: string | null = "en"; + + @ApiProperty({ + type: String, + required: false, + description: "Avatar URL", + example: "https://example.com/avatar.jpg", + }) + @IsOptional() + @IsString() + @Validate(AvatarValidator) + @Expose() + avatarUrl?: string; +} diff --git a/apps/api/v2/src/modules/users/inputs/get-users.input.ts b/apps/api/v2/src/modules/users/inputs/get-users.input.ts new file mode 100644 index 00000000000000..dae816f9448245 --- /dev/null +++ b/apps/api/v2/src/modules/users/inputs/get-users.input.ts @@ -0,0 +1,19 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { Transform } from "class-transformer"; +import { IsOptional, Validate } from "class-validator"; + +import { SkipTakePagination } from "@calcom/platform-types"; + +import { IsEmailStringOrArray } from "../validators/isEmailStringOrArray"; + +export class GetUsersInput extends SkipTakePagination { + @IsOptional() + @Validate(IsEmailStringOrArray) + @Transform(({ value }: { value: string | string[] }) => { + return typeof value === "string" ? [value] : value; + }) + @ApiProperty({ + description: "The email address or an array of email addresses to filter by", + }) + emails?: string[]; +} diff --git a/apps/api/v2/src/modules/users/inputs/update-managed-user.input.ts b/apps/api/v2/src/modules/users/inputs/update-managed-user.input.ts index 4f3df48960a731..c1b7a10b602e97 100644 --- a/apps/api/v2/src/modules/users/inputs/update-managed-user.input.ts +++ b/apps/api/v2/src/modules/users/inputs/update-managed-user.input.ts @@ -1,6 +1,8 @@ -import { IsTimeFormat } from "@/modules/users/inputs/validators/is-time-format"; -import { IsWeekStart } from "@/modules/users/inputs/validators/is-week-start"; -import { IsNumber, IsOptional, IsString, IsTimeZone, Validate } from "class-validator"; +import { Locales } from "@/lib/enums/locales"; +import { CapitalizeTimeZone } from "@/lib/inputs/capitalize-timezone"; +import { TimeFormat, WeekDay } from "@/modules/users/inputs/create-managed-user.input"; +import { ApiProperty } from "@nestjs/swagger"; +import { IsEnum, IsIn, IsNumber, IsOptional, IsString, IsTimeZone } from "class-validator"; export class UpdateManagedUserInput { @IsString() @@ -11,21 +13,31 @@ export class UpdateManagedUserInput { @IsOptional() name?: string; - @IsNumber() @IsOptional() - @Validate(IsTimeFormat) - timeFormat?: number; + @IsIn(["12", "24"]) + @ApiProperty({ example: 12, enum: [12, 24], description: "Must be 12 or 24" }) + timeFormat?: TimeFormat; @IsNumber() @IsOptional() defaultScheduleId?: number; - @IsString() @IsOptional() - @Validate(IsWeekStart) - weekStart?: string; + @IsString() + @IsIn(["Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday", "Sunday"]) + @ApiProperty({ + example: "Monday", + enum: ["Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday", "Sunday"], + }) + weekStart?: WeekDay; @IsTimeZone() @IsOptional() + @CapitalizeTimeZone() timeZone?: string; + + @IsEnum(Locales) + @IsOptional() + @ApiProperty({ example: Locales.EN, enum: Locales }) + locale?: Locales; } diff --git a/apps/api/v2/src/modules/users/inputs/update-user.input.ts b/apps/api/v2/src/modules/users/inputs/update-user.input.ts new file mode 100644 index 00000000000000..501bd7e1d453d5 --- /dev/null +++ b/apps/api/v2/src/modules/users/inputs/update-user.input.ts @@ -0,0 +1,4 @@ +import { CreateUserInput } from "@/modules/users/inputs/create-user.input"; +import { PartialType } from "@nestjs/mapped-types"; + +export class UpdateUserInput extends PartialType(CreateUserInput) {} diff --git a/apps/api/v2/src/modules/users/inputs/validators/is-time-format.ts b/apps/api/v2/src/modules/users/inputs/validators/is-time-format.ts deleted file mode 100644 index 2271a7e4f74420..00000000000000 --- a/apps/api/v2/src/modules/users/inputs/validators/is-time-format.ts +++ /dev/null @@ -1,12 +0,0 @@ -import { ValidatorConstraint, ValidatorConstraintInterface } from "class-validator"; - -@ValidatorConstraint({ name: "isTimeFormat", async: false }) -export class IsTimeFormat implements ValidatorConstraintInterface { - validate(timeFormat: number) { - return timeFormat === 12 || timeFormat === 24; - } - - defaultMessage() { - return "timeFormat must be a number either 12 or 24"; - } -} diff --git a/apps/api/v2/src/modules/users/inputs/validators/is-week-start.ts b/apps/api/v2/src/modules/users/inputs/validators/is-week-start.ts deleted file mode 100644 index d21cf1271910ec..00000000000000 --- a/apps/api/v2/src/modules/users/inputs/validators/is-week-start.ts +++ /dev/null @@ -1,23 +0,0 @@ -import { ValidatorConstraint, ValidatorConstraintInterface } from "class-validator"; - -@ValidatorConstraint({ name: "isWeekStart", async: false }) -export class IsWeekStart implements ValidatorConstraintInterface { - validate(weekStart: string) { - if (!weekStart) return false; - - const lowerCaseWeekStart = weekStart.toLowerCase(); - return ( - lowerCaseWeekStart === "monday" || - lowerCaseWeekStart === "tuesday" || - lowerCaseWeekStart === "wednesday" || - lowerCaseWeekStart === "thursday" || - lowerCaseWeekStart === "friday" || - lowerCaseWeekStart === "saturday" || - lowerCaseWeekStart === "sunday" - ); - } - - defaultMessage() { - return "weekStart must be a string either Monday, Tuesday, Wednesday, Thursday, Friday, Saturday, or Sunday"; - } -} diff --git a/apps/api/v2/src/modules/users/outputs/get-users.output.ts b/apps/api/v2/src/modules/users/outputs/get-users.output.ts new file mode 100644 index 00000000000000..fdec53748b95a0 --- /dev/null +++ b/apps/api/v2/src/modules/users/outputs/get-users.output.ts @@ -0,0 +1,239 @@ +import { ApiProperty } from "@nestjs/swagger"; +import { Type } from "class-transformer"; +import { Expose } from "class-transformer"; +import { IsBoolean, IsDateString, IsInt, IsString, ValidateNested, IsArray } from "class-validator"; + +export class GetUserOutput { + @IsInt() + @Expose() + @ApiProperty({ type: Number, required: true, description: "The ID of the user", example: 1 }) + id!: number; + + @IsString() + @Expose() + @ApiProperty({ + type: String, + nullable: true, + required: false, + description: "The username of the user", + example: "john_doe", + }) + username!: string | null; + + @IsString() + @Expose() + @ApiProperty({ + type: String, + nullable: true, + required: false, + description: "The name of the user", + example: "John Doe", + }) + name!: string | null; + + @IsString() + @Expose() + @ApiProperty({ + type: String, + required: true, + description: "The email of the user", + example: "john@example.com", + }) + email!: string; + + @IsDateString() + @Expose() + @ApiProperty({ + type: Date, + nullable: true, + required: false, + description: "The date when the email was verified", + example: "2022-01-01T00:00:00Z", + }) + emailVerified!: Date | null; + + @IsString() + @Expose() + @ApiProperty({ + type: String, + nullable: true, + required: false, + description: "The bio of the user", + example: "I am a software developer", + }) + bio!: string | null; + + @IsString() + @Expose() + @ApiProperty({ + type: String, + nullable: true, + required: false, + description: "The URL of the user's avatar", + example: "https://example.com/avatar.jpg", + }) + avatarUrl!: string | null; + + @IsString() + @Expose() + @ApiProperty({ + type: String, + required: true, + description: "The time zone of the user", + example: "America/New_York", + }) + timeZone!: string; + + @IsString() + @Expose() + @ApiProperty({ + type: String, + required: true, + description: "The week start day of the user", + example: "Monday", + }) + weekStart!: string; + + @IsString() + @Expose() + @ApiProperty({ + type: String, + nullable: true, + required: false, + description: "The app theme of the user", + example: "light", + }) + appTheme!: string | null; + + @IsString() + @Expose() + @ApiProperty({ + type: String, + nullable: true, + required: false, + description: "The theme of the user", + example: "default", + }) + theme!: string | null; + + @IsInt() + @Expose() + @ApiProperty({ + type: Number, + nullable: true, + required: false, + description: "The ID of the default schedule for the user", + example: 1, + }) + defaultScheduleId!: number | null; + + @IsString() + @Expose() + @ApiProperty({ + type: String, + nullable: true, + required: false, + description: "The locale of the user", + example: "en-US", + }) + locale!: string | null; + + @IsInt() + @Expose() + @ApiProperty({ + type: Number, + nullable: true, + required: false, + description: "The time format of the user", + example: 12, + }) + timeFormat!: number | null; + + @IsBoolean() + @Expose() + @ApiProperty({ + type: Boolean, + required: true, + description: "Whether to hide branding for the user", + example: false, + }) + hideBranding!: boolean; + + @IsString() + @Expose() + @ApiProperty({ + type: String, + nullable: true, + required: false, + description: "The brand color of the user", + example: "#ffffff", + }) + brandColor!: string | null; + + @IsString() + @Expose() + @ApiProperty({ + type: String, + nullable: true, + required: false, + description: "The dark brand color of the user", + example: "#000000", + }) + darkBrandColor!: string | null; + + @IsBoolean() + @Expose() + @ApiProperty({ + type: Boolean, + nullable: true, + required: false, + description: "Whether dynamic booking is allowed for the user", + example: true, + }) + allowDynamicBooking!: boolean | null; + + @IsDateString() + @Expose() + @ApiProperty({ + type: Date, + required: true, + description: "The date when the user was created", + example: "2022-01-01T00:00:00Z", + }) + createdDate!: Date; + + @IsBoolean() + @Expose() + @ApiProperty({ + type: Boolean, + nullable: true, + required: false, + description: "Whether the user is verified", + example: true, + }) + verified!: boolean | null; + + @IsInt() + @Expose() + @ApiProperty({ + type: Number, + nullable: true, + required: false, + description: "The ID of the user who invited this user", + example: 1, + }) + invitedTo!: number | null; +} + +export class GetUsersOutput { + @ValidateNested() + @Type(() => GetUserOutput) + @IsArray() + @ApiProperty({ + type: [GetUserOutput], + required: true, + description: "The list of users", + example: [{ id: 1, username: "john_doe", name: "John Doe", email: "john@example.com" }], + }) + users!: GetUserOutput[]; +} diff --git a/apps/api/v2/src/modules/users/services/users.service.ts b/apps/api/v2/src/modules/users/services/users.service.ts new file mode 100644 index 00000000000000..c8fbb44c6b6b20 --- /dev/null +++ b/apps/api/v2/src/modules/users/services/users.service.ts @@ -0,0 +1,24 @@ +import { UsersRepository } from "@/modules/users/users.repository"; +import { Injectable } from "@nestjs/common"; + +import { User } from "@calcom/prisma/client"; + +@Injectable() +export class UsersService { + constructor(private readonly usersRepository: UsersRepository) {} + + async getByUsernames(usernames: string[]) { + const users = await Promise.all( + usernames.map((username) => this.usersRepository.findByUsername(username)) + ); + const usersFiltered: User[] = []; + + for (const user of users) { + if (user) { + usersFiltered.push(user); + } + } + + return users; + } +} diff --git a/apps/api/v2/src/modules/users/users.module.ts b/apps/api/v2/src/modules/users/users.module.ts index 932f4e0ea9c606..a7eed6c99de5cc 100644 --- a/apps/api/v2/src/modules/users/users.module.ts +++ b/apps/api/v2/src/modules/users/users.module.ts @@ -1,10 +1,13 @@ +import { EventTypesModule_2024_06_14 } from "@/ee/event-types/event-types_2024_06_14/event-types.module"; import { PrismaModule } from "@/modules/prisma/prisma.module"; +import { TokensModule } from "@/modules/tokens/tokens.module"; +import { UsersService } from "@/modules/users/services/users.service"; import { UsersRepository } from "@/modules/users/users.repository"; import { Module } from "@nestjs/common"; @Module({ - imports: [PrismaModule], - providers: [UsersRepository], - exports: [UsersRepository], + imports: [PrismaModule, EventTypesModule_2024_06_14, TokensModule], + providers: [UsersRepository, UsersService], + exports: [UsersRepository, UsersService], }) export class UsersModule {} diff --git a/apps/api/v2/src/modules/users/users.repository.ts b/apps/api/v2/src/modules/users/users.repository.ts index e0239ed07b9689..a60c648de45986 100644 --- a/apps/api/v2/src/modules/users/users.repository.ts +++ b/apps/api/v2/src/modules/users/users.repository.ts @@ -77,6 +77,19 @@ export class UsersRepository { }); } + async findByIdsWithEventTypes(userIds: number[]) { + return this.dbRead.prisma.user.findMany({ + where: { + id: { + in: userIds, + }, + }, + include: { + eventTypes: true, + }, + }); + } + async findByIdWithCalendars(userId: number) { return this.dbRead.prisma.user.findUnique({ where: { @@ -157,11 +170,7 @@ export class UsersRepository { formatInput(userInput: CreateManagedUserInput | UpdateManagedUserInput) { if (userInput.weekStart) { - userInput.weekStart = capitalize(userInput.weekStart); - } - - if (userInput.timeZone) { - userInput.timeZone = capitalizeTimezone(userInput.timeZone); + userInput.weekStart = userInput.weekStart; } } @@ -173,18 +182,24 @@ export class UsersRepository { }, }); } -} -function capitalizeTimezone(timezone: string) { - const segments = timezone.split("/"); + async getUserScheduleDefaultId(userId: number) { + const user = await this.findById(userId); - const capitalizedSegments = segments.map((segment) => { - return capitalize(segment); - }); + if (!user?.defaultScheduleId) return null; - return capitalizedSegments.join("/"); -} + return user?.defaultScheduleId; + } -function capitalize(str: string) { - return str.charAt(0).toUpperCase() + str.slice(1).toLowerCase(); + async getOrganizationUsers(organizationId: number) { + const profiles = await this.dbRead.prisma.profile.findMany({ + where: { + organizationId, + }, + include: { + user: true, + }, + }); + return profiles.map((profile) => profile.user); + } } diff --git a/apps/api/v2/src/modules/users/validators/avatarValidator.ts b/apps/api/v2/src/modules/users/validators/avatarValidator.ts new file mode 100644 index 00000000000000..d6b01e91671ca8 --- /dev/null +++ b/apps/api/v2/src/modules/users/validators/avatarValidator.ts @@ -0,0 +1,11 @@ +import { ValidatorConstraint } from "class-validator"; +import type { ValidatorConstraintInterface } from "class-validator"; + +@ValidatorConstraint({ name: "avatarValidator", async: false }) +export class AvatarValidator implements ValidatorConstraintInterface { + validate(avatarString: string) { + // Checks if avatar string is a valid base 64 image + const regex = /^data:image\/[^;]+;base64,(?:[A-Za-z0-9+/]{4})*(?:[A-Za-z0-9+/]{2}==|[A-Za-z0-9+/]{3}=)?$/; + return regex.test(avatarString); + } +} diff --git a/apps/api/v2/src/modules/users/validators/isEmailStringOrArray.ts b/apps/api/v2/src/modules/users/validators/isEmailStringOrArray.ts new file mode 100644 index 00000000000000..b4156be4b642ef --- /dev/null +++ b/apps/api/v2/src/modules/users/validators/isEmailStringOrArray.ts @@ -0,0 +1,24 @@ +import { ValidatorConstraint } from "class-validator"; +import type { ValidatorConstraintInterface } from "class-validator"; + +@ValidatorConstraint({ name: "IsEmailStringOrArray", async: false }) +export class IsEmailStringOrArray implements ValidatorConstraintInterface { + validate(value: any): boolean { + if (typeof value === "string") { + return this.validateEmail(value); + } else if (Array.isArray(value)) { + return value.every((item) => this.validateEmail(item)); + } + return false; + } + + validateEmail(email: string): boolean { + const regex = + /^(([^<>()[\]\\.,;:\s@"]+(\.[^<>()[\]\\.,;:\s@"]+)*)|(".+"))@((\[[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\])|(([a-zA-Z\-0-9]+\.)+[a-zA-Z]{2,}))$/; + return regex.test(email); + } + + defaultMessage() { + return "Please submit only valid email addresses"; + } +} diff --git a/apps/api/v2/src/modules/users/validators/localeValidator.ts b/apps/api/v2/src/modules/users/validators/localeValidator.ts new file mode 100644 index 00000000000000..18c25d0eab23d7 --- /dev/null +++ b/apps/api/v2/src/modules/users/validators/localeValidator.ts @@ -0,0 +1,39 @@ +import type { ValidatorConstraintInterface } from "class-validator"; +import { ValidatorConstraint } from "class-validator"; + +@ValidatorConstraint({ name: "localeValidator", async: false }) +export class LocaleValidator implements ValidatorConstraintInterface { + validate(locale: string) { + const localeValues = [ + "en", + "fr", + "it", + "ru", + "es", + "de", + "pt", + "ro", + "nl", + "pt-BR", + "ko", + "ja", + "pl", + "ar", + "iw", + "zh-CN", + "zh-TW", + "cs", + "sr", + "sv", + "vi", + ]; + + if (localeValues.includes(locale)) return true; + + return false; + } + + defaultMessage() { + return "Please include a valid locale"; + } +} diff --git a/apps/api/v2/src/modules/users/validators/themeValidator.ts b/apps/api/v2/src/modules/users/validators/themeValidator.ts new file mode 100644 index 00000000000000..7b6ce944b80733 --- /dev/null +++ b/apps/api/v2/src/modules/users/validators/themeValidator.ts @@ -0,0 +1,17 @@ +import type { ValidatorConstraintInterface } from "class-validator"; +import { ValidatorConstraint } from "class-validator"; + +@ValidatorConstraint({ name: "themeValidator", async: false }) +export class ThemeValidator implements ValidatorConstraintInterface { + validate(theme: string) { + const themeValues = ["dark", "light"]; + + if (themeValues.includes(theme)) return true; + + return false; + } + + defaultMessage() { + return "Please include either 'dark' or 'light"; + } +} diff --git a/apps/api/v2/src/modules/users/validators/timeFormatValidator.ts b/apps/api/v2/src/modules/users/validators/timeFormatValidator.ts new file mode 100644 index 00000000000000..c5b82ef111d253 --- /dev/null +++ b/apps/api/v2/src/modules/users/validators/timeFormatValidator.ts @@ -0,0 +1,17 @@ +import type { ValidatorConstraintInterface } from "class-validator"; +import { ValidatorConstraint } from "class-validator"; + +@ValidatorConstraint({ name: "timeFormatValidator", async: false }) +export class TimeFormatValidator implements ValidatorConstraintInterface { + validate(timeFormat: number) { + const timeFormatValues = [12, 24]; + + if (timeFormatValues.includes(timeFormat)) return true; + + return false; + } + + defaultMessage() { + return "Please include either 12 or 24"; + } +} diff --git a/apps/api/v2/src/modules/users/validators/timeZoneValidator.ts b/apps/api/v2/src/modules/users/validators/timeZoneValidator.ts new file mode 100644 index 00000000000000..448d79f0d0aa3c --- /dev/null +++ b/apps/api/v2/src/modules/users/validators/timeZoneValidator.ts @@ -0,0 +1,18 @@ +import type { ValidatorConstraintInterface } from "class-validator"; +import { ValidatorConstraint } from "class-validator"; +import tzdata from "tzdata"; + +@ValidatorConstraint({ name: "timezoneValidator", async: false }) +export class TimeZoneValidator implements ValidatorConstraintInterface { + validate(timeZone: string) { + const timeZoneList = Object.keys(tzdata.zones); + + if (timeZoneList.includes(timeZone)) return true; + + return false; + } + + defaultMessage() { + return "Please include a valid time zone"; + } +} diff --git a/apps/api/v2/src/modules/users/validators/weekdayValidator.ts b/apps/api/v2/src/modules/users/validators/weekdayValidator.ts new file mode 100644 index 00000000000000..8a53a649e7b202 --- /dev/null +++ b/apps/api/v2/src/modules/users/validators/weekdayValidator.ts @@ -0,0 +1,16 @@ +import type { ValidatorConstraintInterface } from "class-validator"; +import { ValidatorConstraint } from "class-validator"; + +@ValidatorConstraint({ name: "weekdayValidator", async: false }) +export class WeekdayValidator implements ValidatorConstraintInterface { + validate(weekday: string) { + const weekdays = ["Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday"]; + + if (weekdays.includes(weekday)) return true; + return false; + } + + defaultMessage() { + return "Please include a valid weekday"; + } +} diff --git a/apps/api/v2/swagger/documentation.json b/apps/api/v2/swagger/documentation.json index b822b36de23a41..ad8e6453f69ee6 100644 --- a/apps/api/v2/swagger/documentation.json +++ b/apps/api/v2/swagger/documentation.json @@ -33,6 +33,16 @@ "schema": { "type": "string" } + }, + { + "name": "limit", + "required": false, + "in": "query", + "description": "The number of items to return", + "example": 10, + "schema": { + "type": "number" + } } ], "responses": { @@ -404,6 +414,48 @@ ] } }, + "/v2/oauth-clients/{clientId}/managed-users": { + "get": { + "operationId": "OAuthClientsController_getOAuthClientManagedUsersById", + "summary": "", + "description": "⚠️ First, this endpoint requires `Cookie: next-auth.session-token=eyJhbGciOiJ` header. Log into Cal web app using owner of organization that was created after visiting `/settings/organizations/new`, refresh swagger docs, and the cookie will be added to requests automatically to pass the NextAuthGuard.\nSecond, make sure that the logged in user has organizationId set to pass the OrganizationRolesGuard guard.", + "parameters": [ + { + "name": "clientId", + "required": true, + "in": "path", + "schema": { + "type": "string" + } + }, + { + "name": "limit", + "required": false, + "in": "query", + "description": "The number of items to return", + "example": 10, + "schema": { + "type": "number" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/GetManagedUsersOutput" + } + } + } + } + }, + "tags": [ + "OAuth - development only" + ] + } + }, "/v2/oauth/{clientId}/authorize": { "post": { "operationId": "OAuthFlowController_authorize", @@ -545,14 +597,14 @@ }, "/v2/event-types": { "post": { - "operationId": "EventTypesController_createEventType", + "operationId": "EventTypesController_2024_04_15_createEventType", "parameters": [], "requestBody": { "required": true, "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/CreateEventTypeInput" + "$ref": "#/components/schemas/CreateEventTypeInput_2024_04_15" } } } @@ -574,7 +626,7 @@ ] }, "get": { - "operationId": "EventTypesController_getEventTypes", + "operationId": "EventTypesController_2024_04_15_getEventTypes", "parameters": [], "responses": { "200": { @@ -595,14 +647,14 @@ }, "/v2/event-types/{eventTypeId}": { "get": { - "operationId": "EventTypesController_getEventType", + "operationId": "EventTypesController_2024_04_15_getEventType", "parameters": [ { "name": "eventTypeId", "required": true, "in": "path", "schema": { - "type": "string" + "type": "number" } } ], @@ -623,7 +675,7 @@ ] }, "patch": { - "operationId": "EventTypesController_updateEventType", + "operationId": "EventTypesController_2024_04_15_updateEventType", "parameters": [ { "name": "eventTypeId", @@ -639,7 +691,7 @@ "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/UpdateEventTypeInput" + "$ref": "#/components/schemas/UpdateEventTypeInput_2024_04_15" } } } @@ -661,7 +713,7 @@ ] }, "delete": { - "operationId": "EventTypesController_deleteEventType", + "operationId": "EventTypesController_2024_04_15_deleteEventType", "parameters": [ { "name": "eventTypeId", @@ -691,7 +743,7 @@ }, "/v2/event-types/{username}/{eventSlug}/public": { "get": { - "operationId": "EventTypesController_getPublicEventType", + "operationId": "EventTypesController_2024_04_15_getPublicEventType", "parameters": [ { "name": "username", @@ -722,6 +774,7 @@ "required": false, "in": "query", "schema": { + "nullable": true, "type": "string" } } @@ -745,7 +798,7 @@ }, "/v2/event-types/{username}/public": { "get": { - "operationId": "EventTypesController_getPublicEventTypes", + "operationId": "EventTypesController_2024_04_15_getPublicEventTypes", "parameters": [ { "name": "username", @@ -773,16 +826,37 @@ ] } }, - "/v2/gcal/oauth/auth-url": { + "/v2/organizations/{orgId}/teams": { "get": { - "operationId": "GcalController_redirect", + "operationId": "OrganizationsTeamsController_getAllTeams", + "summary": "Get all the teams of an organization.", "parameters": [ { - "name": "Authorization", + "name": "orgId", "required": true, - "in": "header", + "in": "path", "schema": { - "type": "string" + "type": "number" + } + }, + { + "name": "take", + "required": false, + "in": "query", + "description": "The number of items to return", + "example": 10, + "schema": { + "type": "number" + } + }, + { + "name": "skip", + "required": false, + "in": "query", + "description": "The number of items to skip", + "example": 0, + "schema": { + "type": "number" } } ], @@ -792,58 +866,60 @@ "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/GcalAuthUrlOutput" + "$ref": "#/components/schemas/OrgTeamsOutputResponseDto" } } } } }, "tags": [ - "Google Calendar" + "Organizations Teams" ] - } - }, - "/v2/gcal/oauth/save": { - "get": { - "operationId": "GcalController_save", + }, + "post": { + "operationId": "OrganizationsTeamsController_createTeam", + "summary": "Create a team for an organization.", "parameters": [ { - "name": "state", - "required": true, - "in": "query", - "schema": { - "type": "string" - } - }, - { - "name": "code", + "name": "orgId", "required": true, - "in": "query", + "in": "path", "schema": { - "type": "string" + "type": "number" } } ], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/CreateOrgTeamDto" + } + } + } + }, "responses": { - "200": { + "201": { "description": "", "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/GcalSaveRedirectOutput" + "$ref": "#/components/schemas/OrgTeamOutputResponseDto" } } } } }, "tags": [ - "Google Calendar" + "Organizations Teams" ] } }, - "/v2/gcal/check": { + "/v2/organizations/{orgId}/teams/{teamId}": { "get": { - "operationId": "GcalController_check", + "operationId": "OrganizationsTeamsController_getTeam", + "summary": "Get a team of the organization by ID.", "parameters": [], "responses": { "200": { @@ -851,27 +927,34 @@ "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/GcalCheckOutput" + "$ref": "#/components/schemas/OrgTeamOutputResponseDto" } } } } }, "tags": [ - "Google Calendar" + "Organizations Teams" ] - } - }, - "/v2/provider/{clientId}": { - "get": { - "operationId": "CalProviderController_verifyClientId", + }, + "delete": { + "operationId": "OrganizationsTeamsController_deleteTeam", + "summary": "Delete a team of the organization by ID.", "parameters": [ { - "name": "clientId", + "name": "orgId", "required": true, "in": "path", "schema": { - "type": "string" + "type": "number" + } + }, + { + "name": "teamId", + "required": true, + "in": "path", + "schema": { + "type": "number" } } ], @@ -881,27 +964,94 @@ "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/ProviderVerifyClientOutput" + "$ref": "#/components/schemas/OrgTeamOutputResponseDto" } } } } }, "tags": [ - "Cal provider" + "Organizations Teams" + ] + }, + "patch": { + "operationId": "OrganizationsTeamsController_updateTeam", + "summary": "Update a team of the organization by ID.", + "parameters": [ + { + "name": "orgId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "teamId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/CreateOrgTeamDto" + } + } + } + }, + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/OrgTeamOutputResponseDto" + } + } + } + } + }, + "tags": [ + "Organizations Teams" ] } }, - "/v2/provider/{clientId}/access-token": { + "/v2/organizations/{orgId}/schedules": { "get": { - "operationId": "CalProviderController_verifyAccessToken", + "operationId": "OrganizationsSchedulesController_getOrganizationSchedules", "parameters": [ { - "name": "clientId", + "name": "orgId", "required": true, "in": "path", "schema": { - "type": "string" + "type": "number" + } + }, + { + "name": "take", + "required": false, + "in": "query", + "description": "The number of items to return", + "example": 10, + "schema": { + "type": "number" + } + }, + { + "name": "skip", + "required": false, + "in": "query", + "description": "The number of items to skip", + "example": 0, + "schema": { + "type": "number" } } ], @@ -911,27 +1061,36 @@ "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/ProviderVerifyAccessTokenOutput" + "$ref": "#/components/schemas/GetSchedulesOutput_2024_06_11" } } } } }, "tags": [ - "Cal provider" + "Organizations Schedules" ] } }, - "/v2/schedules": { + "/v2/organizations/{orgId}/users/{userId}/schedules": { "post": { - "operationId": "SchedulesController_createSchedule", - "parameters": [], + "operationId": "OrganizationsSchedulesController_createUserSchedule", + "parameters": [ + { + "name": "userId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], "requestBody": { "required": true, "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/CreateScheduleInput" + "$ref": "#/components/schemas/CreateScheduleInput_2024_06_11" } } } @@ -942,61 +1101,57 @@ "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/CreateScheduleOutput" + "$ref": "#/components/schemas/CreateScheduleOutput_2024_06_11" } } } } }, "tags": [ - "Schedules" + "Organizations Schedules" ] }, "get": { - "operationId": "SchedulesController_getSchedules", - "parameters": [], - "responses": { - "200": { - "description": "", - "content": { - "application/json": { - "schema": { - "$ref": "#/components/schemas/GetSchedulesOutput" - } - } + "operationId": "OrganizationsSchedulesController_getUserSchedules", + "parameters": [ + { + "name": "userId", + "required": true, + "in": "path", + "schema": { + "type": "number" } } - }, - "tags": [ - "Schedules" - ] - } - }, - "/v2/schedules/default": { - "get": { - "operationId": "SchedulesController_getDefaultSchedule", - "parameters": [], + ], "responses": { "200": { - "description": "Returns the default schedule", + "description": "", "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/GetDefaultScheduleOutput" + "$ref": "#/components/schemas/GetSchedulesOutput_2024_06_11" } } } } }, "tags": [ - "Schedules" + "Organizations Schedules" ] } }, - "/v2/schedules/{scheduleId}": { + "/v2/organizations/{orgId}/users/{userId}/schedules/{scheduleId}": { "get": { - "operationId": "SchedulesController_getSchedule", + "operationId": "OrganizationsSchedulesController_getUserSchedule", "parameters": [ + { + "name": "userId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, { "name": "scheduleId", "required": true, @@ -1012,25 +1167,33 @@ "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/GetScheduleOutput" + "$ref": "#/components/schemas/GetScheduleOutput_2024_06_11" } } } } }, "tags": [ - "Schedules" + "Organizations Schedules" ] }, "patch": { - "operationId": "SchedulesController_updateSchedule", + "operationId": "OrganizationsSchedulesController_updateUserSchedule", "parameters": [ + { + "name": "userId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, { "name": "scheduleId", "required": true, "in": "path", "schema": { - "type": "string" + "type": "number" } } ], @@ -1039,7 +1202,7 @@ "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/UpdateScheduleInput" + "$ref": "#/components/schemas/UpdateScheduleInput_2024_06_11" } } } @@ -1050,170 +1213,267 @@ "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/UpdateScheduleOutput" + "$ref": "#/components/schemas/UpdateScheduleOutput_2024_06_11" } } } } }, "tags": [ - "Schedules" + "Organizations Schedules" ] }, "delete": { - "operationId": "SchedulesController_deleteSchedule", + "operationId": "OrganizationsSchedulesController_deleteUserSchedule", "parameters": [ { - "name": "scheduleId", + "name": "userId", "required": true, "in": "path", "schema": { "type": "number" } - } - ], - "responses": { + }, + { + "name": "scheduleId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], + "responses": { "200": { "description": "", "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/DeleteScheduleOutput" + "$ref": "#/components/schemas/DeleteScheduleOutput_2024_06_11" } } } } }, "tags": [ - "Schedules" + "Organizations Schedules" ] } }, - "/v2/me": { + "/v2/organizations/{orgId}/users": { "get": { - "operationId": "MeController_getMe", - "parameters": [], + "operationId": "OrganizationsUsersController_getOrganizationsUsers", + "parameters": [ + { + "name": "orgId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "take", + "required": false, + "in": "query", + "description": "The number of items to return", + "example": 10, + "schema": { + "type": "number" + } + }, + { + "name": "skip", + "required": false, + "in": "query", + "description": "The number of items to skip", + "example": 0, + "schema": { + "type": "number" + } + }, + { + "name": "emails", + "required": false, + "in": "query", + "description": "The email address or an array of email addresses to filter by", + "schema": { + "type": "array", + "items": { + "type": "string" + } + } + } + ], "responses": { "200": { "description": "", "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/GetMeOutput" + "$ref": "#/components/schemas/GetOrganizationUsersOutput" } } } } }, "tags": [ - "Me" + "Organizations Users" ] }, - "patch": { - "operationId": "MeController_updateMe", - "parameters": [], + "post": { + "operationId": "OrganizationsUsersController_createOrganizationUser", + "parameters": [ + { + "name": "orgId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], "requestBody": { "required": true, "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/UpdateManagedUserInput" + "$ref": "#/components/schemas/CreateOrganizationUserInput" } } } }, "responses": { - "200": { + "201": { "description": "", "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/UpdateMeOutput" + "$ref": "#/components/schemas/GetOrganizationUserOutput" } } } } }, "tags": [ - "Me" + "Organizations Users" ] } }, - "/v2/calendars/busy-times": { - "get": { - "operationId": "CalendarsController_getBusyTimes", - "parameters": [], + "/v2/organizations/{orgId}/users/{userId}": { + "patch": { + "operationId": "OrganizationsUsersController_updateOrganizationUser", + "parameters": [ + { + "name": "orgId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "userId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/UpdateOrganizationUserInput" + } + } + } + }, "responses": { "200": { "description": "", "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/GetBusyTimesOutput" + "$ref": "#/components/schemas/GetOrganizationUserOutput" } } } } }, "tags": [ - "Calendars" + "Organizations Users" ] - } - }, - "/v2/calendars": { - "get": { - "operationId": "CalendarsController_getCalendars", - "parameters": [], + }, + "delete": { + "operationId": "OrganizationsUsersController_deleteOrganizationUser", + "parameters": [ + { + "name": "orgId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "userId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], "responses": { "200": { "description": "", "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/ConnectedCalendarsOutput" + "$ref": "#/components/schemas/GetOrganizationUserOutput" } } } } }, "tags": [ - "Calendars" + "Organizations Users" ] } }, - "/v2/bookings": { + "/v2/organizations/{orgId}/memberships": { "get": { - "operationId": "BookingsController_getBookings", + "operationId": "OrganizationsMembershipsController_getAllMemberships", "parameters": [ { - "name": "cursor", - "required": false, - "in": "query", + "name": "orgId", + "required": true, + "in": "path", "schema": { "type": "number" } }, { - "name": "limit", + "name": "take", "required": false, "in": "query", + "description": "The number of items to return", + "example": 10, "schema": { "type": "number" } }, { - "name": "filters[status]", - "required": true, + "name": "skip", + "required": false, "in": "query", + "description": "The number of items to skip", + "example": 0, "schema": { - "enum": [ - "upcoming", - "recurring", - "past", - "cancelled", - "unconfirmed" - ], - "type": "string" + "type": "number" } } ], @@ -1223,25 +1483,25 @@ "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/GetBookingsOutput" + "$ref": "#/components/schemas/GetAllOrgMemberships" } } } } }, "tags": [ - "Bookings" + "Organizations Memberships" ] }, "post": { - "operationId": "BookingsController_createBooking", + "operationId": "OrganizationsMembershipsController_createMembership", "parameters": [ { - "name": "x-cal-client-id", + "name": "orgId", "required": true, - "in": "header", + "in": "path", "schema": { - "type": "string" + "type": "number" } } ], @@ -1250,7 +1510,7 @@ "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/CreateBookingInput" + "$ref": "#/components/schemas/CreateOrgMembershipDto" } } } @@ -1261,57 +1521,54 @@ "content": { "application/json": { "schema": { - "type": "object" + "$ref": "#/components/schemas/CreateOrgMembershipOutput" } } } } }, "tags": [ - "Bookings" + "Organizations Memberships" ] } }, - "/v2/bookings/{bookingUid}": { + "/v2/organizations/{orgId}/memberships/{membershipId}": { "get": { - "operationId": "BookingsController_getBooking", - "parameters": [ - { - "name": "bookingUid", - "required": true, - "in": "path", - "schema": { - "type": "string" - } - } - ], + "operationId": "OrganizationsMembershipsController_getUserSchedule", + "parameters": [], "responses": { "200": { "description": "", "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/GetBookingOutput" + "$ref": "#/components/schemas/GetOrgMembership" } } } } }, "tags": [ - "Bookings" + "Organizations Memberships" ] - } - }, - "/v2/bookings/{bookingUid}/reschedule": { - "get": { - "operationId": "BookingsController_getBookingForReschedule", + }, + "delete": { + "operationId": "OrganizationsMembershipsController_deleteMembership", "parameters": [ { - "name": "bookingUid", + "name": "orgId", "required": true, "in": "path", "schema": { - "type": "string" + "type": "number" + } + }, + { + "name": "membershipId", + "required": true, + "in": "path", + "schema": { + "type": "number" } } ], @@ -1321,35 +1578,33 @@ "content": { "application/json": { "schema": { - "type": "object" + "$ref": "#/components/schemas/DeleteOrgMembership" } } } } }, "tags": [ - "Bookings" + "Organizations Memberships" ] - } - }, - "/v2/bookings/{bookingId}/cancel": { - "post": { - "operationId": "BookingsController_cancelBooking", + }, + "patch": { + "operationId": "OrganizationsMembershipsController_updateMembership", "parameters": [ { - "name": "bookingId", + "name": "orgId", "required": true, "in": "path", "schema": { - "type": "string" + "type": "number" } }, { - "name": "x-cal-client-id", + "name": "membershipId", "required": true, - "in": "header", + "in": "path", "schema": { - "type": "string" + "type": "number" } } ], @@ -1358,38 +1613,46 @@ "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/CancelBookingInput" + "$ref": "#/components/schemas/UpdateOrgMembershipDto" } } } }, "responses": { - "201": { + "200": { "description": "", "content": { "application/json": { "schema": { - "type": "object" + "$ref": "#/components/schemas/UpdateOrgMembership" } } } } }, "tags": [ - "Bookings" + "Organizations Memberships" ] } }, - "/v2/bookings/recurring": { + "/v2/organizations/{orgId}/teams/{teamId}/event-types": { "post": { - "operationId": "BookingsController_createRecurringBooking", + "operationId": "OrganizationsEventTypesController_createTeamEventType", "parameters": [ { - "name": "x-cal-client-id", + "name": "teamId", "required": true, - "in": "header", + "in": "path", "schema": { - "type": "string" + "type": "number" + } + }, + { + "name": "orgId", + "required": true, + "in": "path", + "schema": { + "type": "number" } } ], @@ -1398,10 +1661,7 @@ "content": { "application/json": { "schema": { - "type": "array", - "items": { - "type": "string" - } + "$ref": "#/components/schemas/CreateTeamEventTypeInput_2024_06_14" } } } @@ -1412,213 +1672,3490 @@ "content": { "application/json": { "schema": { - "type": "object" + "$ref": "#/components/schemas/CreateTeamEventTypeOutput" } } } } }, "tags": [ - "Bookings" + "Organizations Event Types" ] - } - }, - "/v2/bookings/instant": { - "post": { - "operationId": "BookingsController_createInstantBooking", + }, + "get": { + "operationId": "OrganizationsEventTypesController_getTeamEventTypes", "parameters": [ { - "name": "x-cal-client-id", + "name": "teamId", "required": true, - "in": "header", + "in": "path", "schema": { - "type": "string" + "type": "number" } } ], - "requestBody": { - "required": true, - "content": { - "application/json": { - "schema": { - "$ref": "#/components/schemas/CreateBookingInput" - } - } - } - }, "responses": { - "201": { + "200": { "description": "", "content": { "application/json": { "schema": { - "type": "object" + "$ref": "#/components/schemas/GetTeamEventTypesOutput" } } } } }, "tags": [ - "Bookings" + "Organizations Event Types" ] } }, - "/v2/slots/reserve": { - "post": { - "operationId": "SlotsController_reserveSlot", - "parameters": [], + "/v2/organizations/{orgId}/teams/{teamId}/event-types/{eventTypeId}": { + "get": { + "operationId": "OrganizationsEventTypesController_getTeamEventType", + "parameters": [ + { + "name": "teamId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "eventTypeId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/GetTeamEventTypeOutput" + } + } + } + } + }, + "tags": [ + "Organizations Event Types" + ] + }, + "patch": { + "operationId": "OrganizationsEventTypesController_updateTeamEventType", + "parameters": [ + { + "name": "teamId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "eventTypeId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], "requestBody": { "required": true, "content": { "application/json": { "schema": { - "$ref": "#/components/schemas/ReserveSlotInput" + "$ref": "#/components/schemas/UpdateTeamEventTypeInput_2024_06_14" } } } }, "responses": { - "201": { + "200": { "description": "", "content": { "application/json": { "schema": { - "type": "object" + "$ref": "#/components/schemas/UpdateTeamEventTypeOutput" } } } } }, "tags": [ - "Slots" + "Organizations Event Types" ] - } - }, - "/v2/slots/selected-slot": { + }, "delete": { - "operationId": "SlotsController_deleteSelectedSlot", - "parameters": [], + "operationId": "OrganizationsEventTypesController_deleteTeamEventType", + "parameters": [ + { + "name": "teamId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "eventTypeId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], "responses": { "200": { "description": "", "content": { "application/json": { "schema": { - "type": "object" + "$ref": "#/components/schemas/DeleteTeamEventTypeOutput" } } } } }, "tags": [ - "Slots" + "Organizations Event Types" ] } }, - "/v2/slots/available": { + "/v2/organizations/{orgId}/teams/event-types": { "get": { - "operationId": "SlotsController_getAvailableSlots", - "parameters": [], + "operationId": "OrganizationsEventTypesController_getTeamsEventTypes", + "parameters": [ + { + "name": "orgId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "take", + "required": false, + "in": "query", + "description": "The number of items to return", + "example": 10, + "schema": { + "type": "number" + } + }, + { + "name": "skip", + "required": false, + "in": "query", + "description": "The number of items to skip", + "example": 0, + "schema": { + "type": "number" + } + } + ], "responses": { "200": { "description": "", "content": { "application/json": { "schema": { - "type": "object" + "$ref": "#/components/schemas/GetTeamEventTypesOutput" } } } } }, "tags": [ - "Slots" + "Organizations Event Types" ] } }, - "/v2/timezones": { + "/v2/organizations/{orgId}/teams/{teamId}/memberships": { "get": { - "operationId": "TimezonesController_getTimeZones", - "parameters": [], + "operationId": "OrganizationsTeamsMembershipsController_getAllOrgTeamMemberships", + "summary": "Get all the memberships of a team of an organization.", + "parameters": [ + { + "name": "orgId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "teamId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "take", + "required": false, + "in": "query", + "description": "The number of items to return", + "example": 10, + "schema": { + "type": "number" + } + }, + { + "name": "skip", + "required": false, + "in": "query", + "description": "The number of items to skip", + "example": 0, + "schema": { + "type": "number" + } + } + ], "responses": { "200": { "description": "", "content": { "application/json": { "schema": { - "type": "object" + "$ref": "#/components/schemas/OrgTeamMembershipsOutputResponseDto" } } } } }, "tags": [ - "Timezones" + "Organizations Teams" ] - } - } - }, - "info": { - "title": "Cal.com v2 API", - "description": "", - "version": "1.0.0", - "contact": {} - }, - "tags": [], - "servers": [], - "components": { - "schemas": { - "ManagedUserOutput": { - "type": "object", - "properties": { - "id": { - "type": "number", - "example": 1 - }, - "email": { - "type": "string", - "example": "alice+cluo37fwd0001khkzqqynkpj3@example.com" - }, - "username": { - "type": "string", - "nullable": true, - "example": "alice" - }, - "timeZone": { - "type": "string", - "example": "America/New_York" - }, - "weekStart": { - "type": "string", - "example": "Sunday" - }, - "createdDate": { - "type": "string", - "example": "2024-04-01T00:00:00.000Z" - }, - "timeFormat": { - "type": "number", - "nullable": true, - "example": 12 + }, + "post": { + "operationId": "OrganizationsTeamsMembershipsController_createOrgTeamMembership", + "summary": "Create a membership of an organization's team", + "parameters": [ + { + "name": "orgId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } }, - "defaultScheduleId": { - "type": "number", - "nullable": true, - "example": null + { + "name": "teamId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/CreateOrgTeamMembershipDto" + } + } } }, - "required": [ - "id", - "email", - "username", + "responses": { + "201": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/OrgTeamMembershipOutputResponseDto" + } + } + } + } + }, + "tags": [ + "Organizations Teams" + ] + } + }, + "/v2/organizations/{orgId}/teams/{teamId}/memberships/{membershipId}": { + "get": { + "operationId": "OrganizationsTeamsMembershipsController_getOrgTeamMembership", + "summary": "Get the membership of an organization's team by ID", + "parameters": [ + { + "name": "orgId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "teamId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "membershipId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/OrgTeamMembershipOutputResponseDto" + } + } + } + } + }, + "tags": [ + "Organizations Teams" + ] + }, + "delete": { + "operationId": "OrganizationsTeamsMembershipsController_deleteOrgTeamMembership", + "summary": "Delete the membership of an organization's team by ID", + "parameters": [ + { + "name": "orgId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "teamId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "membershipId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/OrgTeamMembershipOutputResponseDto" + } + } + } + } + }, + "tags": [ + "Organizations Teams" + ] + }, + "patch": { + "operationId": "OrganizationsTeamsMembershipsController_updateOrgTeamMembership", + "summary": "Update the membership of an organization's team by ID", + "parameters": [ + { + "name": "orgId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "teamId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + }, + { + "name": "membershipId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/UpdateOrgTeamMembershipDto" + } + } + } + }, + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/OrgTeamMembershipOutputResponseDto" + } + } + } + } + }, + "tags": [ + "Organizations Teams" + ] + } + }, + "/v2/schedules": { + "post": { + "operationId": "SchedulesController_2024_04_15_createSchedule", + "parameters": [], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/CreateScheduleInput_2024_04_15" + } + } + } + }, + "responses": { + "201": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/CreateScheduleOutput_2024_04_15" + } + } + } + } + }, + "tags": [ + "Schedules" + ] + }, + "get": { + "operationId": "SchedulesController_2024_04_15_getSchedules", + "parameters": [], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/GetSchedulesOutput_2024_04_15" + } + } + } + } + }, + "tags": [ + "Schedules" + ] + } + }, + "/v2/schedules/default": { + "get": { + "operationId": "SchedulesController_2024_04_15_getDefaultSchedule", + "parameters": [], + "responses": { + "200": { + "description": "Returns the default schedule", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/GetDefaultScheduleOutput_2024_04_15" + } + } + } + } + }, + "tags": [ + "Schedules" + ] + } + }, + "/v2/schedules/{scheduleId}": { + "get": { + "operationId": "SchedulesController_2024_04_15_getSchedule", + "parameters": [ + { + "name": "scheduleId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/GetScheduleOutput_2024_04_15" + } + } + } + } + }, + "tags": [ + "Schedules" + ] + }, + "patch": { + "operationId": "SchedulesController_2024_04_15_updateSchedule", + "parameters": [ + { + "name": "scheduleId", + "required": true, + "in": "path", + "schema": { + "type": "string" + } + } + ], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/UpdateScheduleInput_2024_04_15" + } + } + } + }, + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/UpdateScheduleOutput_2024_04_15" + } + } + } + } + }, + "tags": [ + "Schedules" + ] + }, + "delete": { + "operationId": "SchedulesController_2024_04_15_deleteSchedule", + "parameters": [ + { + "name": "scheduleId", + "required": true, + "in": "path", + "schema": { + "type": "number" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/DeleteScheduleOutput_2024_04_15" + } + } + } + } + }, + "tags": [ + "Schedules" + ] + } + }, + "/v2/gcal/oauth/auth-url": { + "get": { + "operationId": "GcalController_redirect", + "parameters": [ + { + "name": "Authorization", + "required": true, + "in": "header", + "schema": { + "type": "string" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/GcalAuthUrlOutput" + } + } + } + } + }, + "tags": [ + "Google Calendar" + ] + } + }, + "/v2/gcal/oauth/save": { + "get": { + "operationId": "GcalController_save", + "parameters": [ + { + "name": "state", + "required": true, + "in": "query", + "schema": { + "type": "string" + } + }, + { + "name": "code", + "required": true, + "in": "query", + "schema": { + "type": "string" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/GcalSaveRedirectOutput" + } + } + } + } + }, + "tags": [ + "Google Calendar" + ] + } + }, + "/v2/gcal/check": { + "get": { + "operationId": "GcalController_check", + "parameters": [], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/GcalCheckOutput" + } + } + } + } + }, + "tags": [ + "Google Calendar" + ] + } + }, + "/v2/provider/{clientId}": { + "get": { + "operationId": "CalProviderController_verifyClientId", + "parameters": [ + { + "name": "clientId", + "required": true, + "in": "path", + "schema": { + "type": "string" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/ProviderVerifyClientOutput" + } + } + } + } + }, + "tags": [ + "Cal provider" + ] + } + }, + "/v2/provider/{clientId}/access-token": { + "get": { + "operationId": "CalProviderController_verifyAccessToken", + "parameters": [ + { + "name": "clientId", + "required": true, + "in": "path", + "schema": { + "type": "string" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/ProviderVerifyAccessTokenOutput" + } + } + } + } + }, + "tags": [ + "Cal provider" + ] + } + }, + "/v2/me": { + "get": { + "operationId": "MeController_getMe", + "parameters": [], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/GetMeOutput" + } + } + } + } + }, + "tags": [ + "Me" + ] + }, + "patch": { + "operationId": "MeController_updateMe", + "parameters": [], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/UpdateManagedUserInput" + } + } + } + }, + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/UpdateMeOutput" + } + } + } + } + }, + "tags": [ + "Me" + ] + } + }, + "/v2/calendars/busy-times": { + "get": { + "operationId": "CalendarsController_getBusyTimes", + "parameters": [], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/GetBusyTimesOutput" + } + } + } + } + }, + "tags": [ + "Calendars" + ] + } + }, + "/v2/calendars": { + "get": { + "operationId": "CalendarsController_getCalendars", + "parameters": [], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/ConnectedCalendarsOutput" + } + } + } + } + }, + "tags": [ + "Calendars" + ] + } + }, + "/v2/calendars/{calendar}/connect": { + "get": { + "operationId": "CalendarsController_redirect", + "parameters": [ + { + "name": "Authorization", + "required": true, + "in": "header", + "schema": { + "type": "string" + } + }, + { + "name": "calendar", + "required": true, + "in": "path", + "schema": { + "type": "string" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "type": "object" + } + } + } + } + }, + "tags": [ + "Calendars" + ] + } + }, + "/v2/calendars/{calendar}/save": { + "get": { + "operationId": "CalendarsController_save", + "parameters": [ + { + "name": "state", + "required": true, + "in": "query", + "schema": { + "type": "string" + } + }, + { + "name": "code", + "required": true, + "in": "query", + "schema": { + "type": "string" + } + }, + { + "name": "calendar", + "required": true, + "in": "path", + "schema": { + "type": "string" + } + } + ], + "responses": { + "200": { + "description": "" + } + }, + "tags": [ + "Calendars" + ] + } + }, + "/v2/calendars/{calendar}/credentials": { + "post": { + "operationId": "CalendarsController_syncCredentials", + "parameters": [ + { + "name": "calendar", + "required": true, + "in": "path", + "schema": { + "type": "string" + } + } + ], + "responses": { + "201": { + "description": "" + } + }, + "tags": [ + "Calendars" + ] + } + }, + "/v2/calendars/{calendar}/check": { + "get": { + "operationId": "CalendarsController_check", + "parameters": [ + { + "name": "calendar", + "required": true, + "in": "path", + "schema": { + "type": "string" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "type": "object" + } + } + } + } + }, + "tags": [ + "Calendars" + ] + } + }, + "/v2/bookings": { + "get": { + "operationId": "BookingsController_getBookings", + "parameters": [ + { + "name": "cursor", + "required": false, + "in": "query", + "schema": { + "type": "number" + } + }, + { + "name": "limit", + "required": false, + "in": "query", + "schema": { + "type": "number" + } + }, + { + "name": "filters[status]", + "required": true, + "in": "query", + "schema": { + "enum": [ + "upcoming", + "recurring", + "past", + "cancelled", + "unconfirmed" + ], + "type": "string" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/GetBookingsOutput" + } + } + } + } + }, + "tags": [ + "Bookings" + ] + }, + "post": { + "operationId": "BookingsController_createBooking", + "parameters": [ + { + "name": "x-cal-client-id", + "required": true, + "in": "header", + "schema": { + "type": "string" + } + } + ], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/CreateBookingInput" + } + } + } + }, + "responses": { + "201": { + "description": "", + "content": { + "application/json": { + "schema": { + "type": "object" + } + } + } + } + }, + "tags": [ + "Bookings" + ] + } + }, + "/v2/bookings/{bookingUid}": { + "get": { + "operationId": "BookingsController_getBooking", + "parameters": [ + { + "name": "bookingUid", + "required": true, + "in": "path", + "schema": { + "type": "string" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/GetBookingOutput" + } + } + } + } + }, + "tags": [ + "Bookings" + ] + } + }, + "/v2/bookings/{bookingUid}/reschedule": { + "get": { + "operationId": "BookingsController_getBookingForReschedule", + "parameters": [ + { + "name": "bookingUid", + "required": true, + "in": "path", + "schema": { + "type": "string" + } + } + ], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "type": "object" + } + } + } + } + }, + "tags": [ + "Bookings" + ] + } + }, + "/v2/bookings/{bookingId}/cancel": { + "post": { + "operationId": "BookingsController_cancelBooking", + "parameters": [ + { + "name": "bookingId", + "required": true, + "in": "path", + "schema": { + "type": "string" + } + }, + { + "name": "x-cal-client-id", + "required": true, + "in": "header", + "schema": { + "type": "string" + } + } + ], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/CancelBookingInput" + } + } + } + }, + "responses": { + "201": { + "description": "", + "content": { + "application/json": { + "schema": { + "type": "object" + } + } + } + } + }, + "tags": [ + "Bookings" + ] + } + }, + "/v2/bookings/{bookingUid}/mark-no-show": { + "post": { + "operationId": "BookingsController_markNoShow", + "parameters": [ + { + "name": "bookingUid", + "required": true, + "in": "path", + "schema": { + "type": "string" + } + } + ], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/MarkNoShowInput" + } + } + } + }, + "responses": { + "201": { + "description": "", + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/MarkNoShowOutput" + } + } + } + } + }, + "tags": [ + "Bookings" + ] + } + }, + "/v2/bookings/recurring": { + "post": { + "operationId": "BookingsController_createRecurringBooking", + "parameters": [ + { + "name": "x-cal-client-id", + "required": true, + "in": "header", + "schema": { + "type": "string" + } + } + ], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "type": "array", + "items": { + "type": "string" + } + } + } + } + }, + "responses": { + "201": { + "description": "", + "content": { + "application/json": { + "schema": { + "type": "object" + } + } + } + } + }, + "tags": [ + "Bookings" + ] + } + }, + "/v2/bookings/instant": { + "post": { + "operationId": "BookingsController_createInstantBooking", + "parameters": [ + { + "name": "x-cal-client-id", + "required": true, + "in": "header", + "schema": { + "type": "string" + } + } + ], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/CreateBookingInput" + } + } + } + }, + "responses": { + "201": { + "description": "", + "content": { + "application/json": { + "schema": { + "type": "object" + } + } + } + } + }, + "tags": [ + "Bookings" + ] + } + }, + "/v2/slots/reserve": { + "post": { + "operationId": "SlotsController_reserveSlot", + "parameters": [], + "requestBody": { + "required": true, + "content": { + "application/json": { + "schema": { + "$ref": "#/components/schemas/ReserveSlotInput" + } + } + } + }, + "responses": { + "201": { + "description": "", + "content": { + "application/json": { + "schema": { + "type": "object" + } + } + } + } + }, + "tags": [ + "Slots" + ] + } + }, + "/v2/slots/selected-slot": { + "delete": { + "operationId": "SlotsController_deleteSelectedSlot", + "parameters": [], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "type": "object" + } + } + } + } + }, + "tags": [ + "Slots" + ] + } + }, + "/v2/slots/available": { + "get": { + "operationId": "SlotsController_getAvailableSlots", + "parameters": [], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "type": "object" + } + } + } + } + }, + "tags": [ + "Slots" + ] + } + }, + "/v2/timezones": { + "get": { + "operationId": "TimezonesController_getTimeZones", + "parameters": [], + "responses": { + "200": { + "description": "", + "content": { + "application/json": { + "schema": { + "type": "object" + } + } + } + } + }, + "tags": [ + "Timezones" + ] + } + } + }, + "info": { + "title": "Cal.com v2 API", + "description": "", + "version": "1.0.0", + "contact": {} + }, + "tags": [], + "servers": [], + "components": { + "schemas": { + "ManagedUserOutput": { + "type": "object", + "properties": { + "id": { + "type": "number", + "example": 1 + }, + "email": { + "type": "string", + "example": "alice+cluo37fwd0001khkzqqynkpj3@example.com" + }, + "username": { + "type": "string", + "nullable": true, + "example": "alice" + }, + "timeZone": { + "type": "string", + "example": "America/New_York" + }, + "weekStart": { + "type": "string", + "example": "Sunday" + }, + "createdDate": { + "type": "string", + "example": "2024-04-01T00:00:00.000Z" + }, + "timeFormat": { + "type": "number", + "nullable": true, + "example": 12 + }, + "defaultScheduleId": { + "type": "number", + "nullable": true, + "example": null + }, + "locale": { + "enum": [ + "ar", + "ca", + "de", + "es", + "eu", + "he", + "id", + "ja", + "lv", + "pl", + "ro", + "sr", + "th", + "vi", + "az", + "cs", + "el", + "es-419", + "fi", + "hr", + "it", + "km", + "nl", + "pt", + "ru", + "sv", + "tr", + "zh-CN", + "bg", + "da", + "en", + "et", + "fr", + "hu", + "iw", + "ko", + "no", + "pt-BR", + "sk", + "ta", + "uk", + "zh-TW" + ], + "type": "string", + "example": "en" + } + }, + "required": [ + "id", + "email", + "username", + "timeZone", + "weekStart", + "createdDate", + "timeFormat", + "defaultScheduleId" + ] + }, + "GetManagedUsersOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "type": "array", + "items": { + "$ref": "#/components/schemas/ManagedUserOutput" + } + } + }, + "required": [ + "status", + "data" + ] + }, + "CreateManagedUserInput": { + "type": "object", + "properties": { + "email": { + "type": "string", + "example": "alice@example.com" + }, + "timeFormat": { + "type": "number", + "example": 12, + "enum": [ + 12, + 24 + ], + "description": "Must be 12 or 24" + }, + "weekStart": { + "type": "string", + "example": "Monday", + "enum": [ + "Monday", + "Tuesday", + "Wednesday", + "Thursday", + "Friday", + "Saturday", + "Sunday" + ] + }, + "timeZone": { + "type": "string", + "example": "America/New_York" + }, + "locale": { + "enum": [ + "ar", + "ca", + "de", + "es", + "eu", + "he", + "id", + "ja", + "lv", + "pl", + "ro", + "sr", + "th", + "vi", + "az", + "cs", + "el", + "es-419", + "fi", + "hr", + "it", + "km", + "nl", + "pt", + "ru", + "sv", + "tr", + "zh-CN", + "bg", + "da", + "en", + "et", + "fr", + "hu", + "iw", + "ko", + "no", + "pt-BR", + "sk", + "ta", + "uk", + "zh-TW" + ], + "type": "string", + "example": "en" + }, + "name": { + "type": "string" + } + }, + "required": [ + "email" + ] + }, + "CreateManagedUserData": { + "type": "object", + "properties": { + "user": { + "$ref": "#/components/schemas/ManagedUserOutput" + }, + "accessToken": { + "type": "string" + }, + "refreshToken": { + "type": "string" + }, + "accessTokenExpiresAt": { + "type": "number" + } + }, + "required": [ + "user", + "accessToken", + "refreshToken", + "accessTokenExpiresAt" + ] + }, + "CreateManagedUserOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/CreateManagedUserData" + } + }, + "required": [ + "status", + "data" + ] + }, + "GetManagedUserOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/ManagedUserOutput" + } + }, + "required": [ + "status", + "data" + ] + }, + "UpdateManagedUserInput": { + "type": "object", + "properties": { + "timeFormat": { + "type": "number", + "enum": [ + 12, + 24 + ], + "example": 12, + "description": "Must be 12 or 24" + }, + "weekStart": { + "type": "string", + "enum": [ + "Monday", + "Tuesday", + "Wednesday", + "Thursday", + "Friday", + "Saturday", + "Sunday" + ], + "example": "Monday" + }, + "locale": { + "enum": [ + "ar", + "ca", + "de", + "es", + "eu", + "he", + "id", + "ja", + "lv", + "pl", + "ro", + "sr", + "th", + "vi", + "az", + "cs", + "el", + "es-419", + "fi", + "hr", + "it", + "km", + "nl", + "pt", + "ru", + "sv", + "tr", + "zh-CN", + "bg", + "da", + "en", + "et", + "fr", + "hu", + "iw", + "ko", + "no", + "pt-BR", + "sk", + "ta", + "uk", + "zh-TW" + ], + "type": "string", + "example": "en" + }, + "email": { + "type": "string" + }, + "name": { + "type": "string" + }, + "defaultScheduleId": { + "type": "number" + }, + "timeZone": { + "type": "string" + } + } + }, + "KeysDto": { + "type": "object", + "properties": { + "accessToken": { + "type": "string", + "example": "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9" + }, + "refreshToken": { + "type": "string", + "example": "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9" + }, + "accessTokenExpiresAt": { + "type": "number" + } + }, + "required": [ + "accessToken", + "refreshToken", + "accessTokenExpiresAt" + ] + }, + "KeysResponseDto": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/KeysDto" + } + }, + "required": [ + "status", + "data" + ] + }, + "CreateOAuthClientInput": { + "type": "object", + "properties": {} + }, + "DataDto": { + "type": "object", + "properties": { + "clientId": { + "type": "string", + "example": "clsx38nbl0001vkhlwin9fmt0" + }, + "clientSecret": { + "type": "string", + "example": "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJuYW1lIjoib2F1dGgtY2xpZW50Iiwi" + } + }, + "required": [ + "clientId", + "clientSecret" + ] + }, + "CreateOAuthClientResponseDto": { + "type": "object", + "properties": { + "status": { + "type": "string", + "enum": [ + "success", + "error" + ], + "example": "success" + }, + "data": { + "example": { + "clientId": "clsx38nbl0001vkhlwin9fmt0", + "clientSecret": "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJuYW1lIjoib2F1dGgtY2xpZW50Iiwi" + }, + "allOf": [ + { + "$ref": "#/components/schemas/DataDto" + } + ] + } + }, + "required": [ + "status", + "data" + ] + }, + "PlatformOAuthClientDto": { + "type": "object", + "properties": { + "id": { + "type": "string", + "example": "clsx38nbl0001vkhlwin9fmt0" + }, + "name": { + "type": "string", + "example": "MyClient" + }, + "secret": { + "type": "string", + "example": "secretValue" + }, + "permissions": { + "type": "number", + "example": 3 + }, + "logo": { + "type": "string", + "nullable": true, + "example": "https://example.com/logo.png" + }, + "redirectUris": { + "example": [ + "https://example.com/callback" + ], + "type": "array", + "items": { + "type": "string" + } + }, + "organizationId": { + "type": "number", + "example": 1 + }, + "createdAt": { + "format": "date-time", + "type": "string", + "example": "2024-03-23T08:33:21.851Z" + } + }, + "required": [ + "id", + "name", + "secret", + "permissions", + "redirectUris", + "organizationId", + "createdAt" + ] + }, + "GetOAuthClientsResponseDto": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "type": "array", + "items": { + "$ref": "#/components/schemas/PlatformOAuthClientDto" + } + } + }, + "required": [ + "status", + "data" + ] + }, + "GetOAuthClientResponseDto": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/PlatformOAuthClientDto" + } + }, + "required": [ + "status", + "data" + ] + }, + "UpdateOAuthClientInput": { + "type": "object", + "properties": { + "logo": { + "type": "string" + }, + "name": { + "type": "string" + }, + "redirectUris": { + "default": [], + "type": "array", + "items": { + "type": "string" + } + }, + "bookingRedirectUri": { + "type": "string" + }, + "bookingCancelRedirectUri": { + "type": "string" + }, + "bookingRescheduleRedirectUri": { + "type": "string" + }, + "areEmailsEnabled": { + "type": "boolean" + } + } + }, + "OAuthAuthorizeInput": { + "type": "object", + "properties": { + "redirectUri": { + "type": "string" + } + }, + "required": [ + "redirectUri" + ] + }, + "ExchangeAuthorizationCodeInput": { + "type": "object", + "properties": { + "clientSecret": { + "type": "string" + } + }, + "required": [ + "clientSecret" + ] + }, + "RefreshTokenInput": { + "type": "object", + "properties": { + "refreshToken": { + "type": "string" + } + }, + "required": [ + "refreshToken" + ] + }, + "CreateEventTypeInput_2024_06_14": { + "type": "object", + "properties": { + "lengthInMinutes": { + "type": "number", + "example": 60 + }, + "title": { + "type": "string", + "example": "Learn the secrets of masterchief!" + }, + "description": { + "type": "string", + "example": "Discover the culinary wonders of the Argentina by making the best flan ever!" + } + }, + "required": [ + "lengthInMinutes", + "title", + "description" + ] + }, + "EventTypeOutput_2024_06_14": { + "type": "object", + "properties": { + "id": { + "type": "number", + "example": 1 + } + }, + "required": [ + "id" + ] + }, + "CreateEventTypeOutput_2024_06_14": { + "type": "object", + "properties": { + "status": { + "type": "string", + "enum": [ + "success", + "error" + ], + "example": "success" + }, + "data": { + "$ref": "#/components/schemas/EventTypeOutput_2024_06_14" + } + }, + "required": [ + "status", + "data" + ] + }, + "GetEventTypeOutput_2024_06_14": { + "type": "object", + "properties": { + "status": { + "type": "string", + "enum": [ + "success", + "error" + ], + "example": "success" + }, + "data": { + "nullable": true, + "allOf": [ + { + "$ref": "#/components/schemas/EventTypeOutput_2024_06_14" + } + ] + } + }, + "required": [ + "status", + "data" + ] + }, + "GetEventTypesOutput_2024_06_14": { + "type": "object", + "properties": { + "status": { + "type": "string", + "enum": [ + "success", + "error" + ], + "example": "success" + }, + "data": { + "type": "array", + "items": { + "$ref": "#/components/schemas/EventTypeOutput_2024_06_14" + } + } + }, + "required": [ + "status", + "data" + ] + }, + "UpdateEventTypeInput_2024_06_14": { + "type": "object", + "properties": {} + }, + "UpdateEventTypeOutput_2024_06_14": { + "type": "object", + "properties": { + "status": { + "type": "string", + "enum": [ + "success", + "error" + ], + "example": "success" + }, + "data": { + "$ref": "#/components/schemas/EventTypeOutput_2024_06_14" + } + }, + "required": [ + "status", + "data" + ] + }, + "DeleteData_2024_06_14": { + "type": "object", + "properties": { + "id": { + "type": "number", + "example": 1 + }, + "lengthInMinutes": { + "type": "number", + "example": 60 + }, + "title": { + "type": "string", + "example": "Learn the secrets of masterchief!" + }, + "slug": { + "type": "string" + } + }, + "required": [ + "id", + "lengthInMinutes", + "title", + "slug" + ] + }, + "DeleteEventTypeOutput_2024_06_14": { + "type": "object", + "properties": { + "status": { + "type": "string", + "enum": [ + "success", + "error" + ], + "example": "success" + }, + "data": { + "$ref": "#/components/schemas/DeleteData_2024_06_14" + } + }, + "required": [ + "status", + "data" + ] + }, + "EventTypeLocation_2024_04_15": { + "type": "object", + "properties": { + "type": { + "type": "string", + "example": "link" + }, + "link": { + "type": "string", + "example": "https://masterchief.com/argentina/flan/video/9129412" + } + }, + "required": [ + "type" + ] + }, + "CreateEventTypeInput_2024_04_15": { + "type": "object", + "properties": { + "length": { + "type": "number", + "minimum": 1, + "example": 60 + }, + "slug": { + "type": "string", + "example": "cooking-class" + }, + "title": { + "type": "string", + "example": "Learn the secrets of masterchief!" + }, + "description": { + "type": "string", + "example": "Discover the culinary wonders of the Argentina by making the best flan ever!" + }, + "locations": { + "type": "array", + "items": { + "$ref": "#/components/schemas/EventTypeLocation_2024_04_15" + } + }, + "disableGuests": { + "type": "boolean" + }, + "slotInterval": { + "type": "number", + "minimum": 0 + }, + "minimumBookingNotice": { + "type": "number", + "minimum": 0 + }, + "beforeEventBuffer": { + "type": "number", + "minimum": 0 + }, + "afterEventBuffer": { + "type": "number", + "minimum": 0 + } + }, + "required": [ + "length", + "slug", + "title" + ] + }, + "EventTypeOutput": { + "type": "object", + "properties": { + "id": { + "type": "number", + "example": 1 + }, + "length": { + "type": "number", + "example": 60 + }, + "slug": { + "type": "string", + "example": "cooking-class" + }, + "title": { + "type": "string", + "example": "Learn the secrets of masterchief!" + }, + "description": { + "type": "string", + "nullable": true, + "example": "Discover the culinary wonders of the Argentina by making the best flan ever!" + }, + "locations": { + "nullable": true, + "type": "array", + "items": { + "$ref": "#/components/schemas/EventTypeLocation_2024_04_15" + } + } + }, + "required": [ + "id", + "length", + "slug", + "title", + "description", + "locations" + ] + }, + "CreateEventTypeOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/EventTypeOutput" + } + }, + "required": [ + "status", + "data" + ] + }, + "Data": { + "type": "object", + "properties": { + "eventType": { + "$ref": "#/components/schemas/EventTypeOutput" + } + }, + "required": [ + "eventType" + ] + }, + "GetEventTypeOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/Data" + } + }, + "required": [ + "status", + "data" + ] + }, + "EventTypeGroup": { + "type": "object", + "properties": { + "eventTypes": { + "type": "array", + "items": { + "$ref": "#/components/schemas/EventTypeOutput" + } + } + }, + "required": [ + "eventTypes" + ] + }, + "GetEventTypesData": { + "type": "object", + "properties": { + "eventTypeGroups": { + "type": "array", + "items": { + "$ref": "#/components/schemas/EventTypeGroup" + } + } + }, + "required": [ + "eventTypeGroups" + ] + }, + "GetEventTypesOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/GetEventTypesData" + } + }, + "required": [ + "status", + "data" + ] + }, + "Location": { + "type": "object", + "properties": { + "type": { + "type": "string" + } + }, + "required": [ + "type" + ] + }, + "Source": { + "type": "object", + "properties": { + "id": { + "type": "string" + }, + "type": { + "type": "string" + }, + "label": { + "type": "string" + } + }, + "required": [ + "id", + "type", + "label" + ] + }, + "BookingField": { + "type": "object", + "properties": { + "name": { + "type": "string" + }, + "type": { + "type": "string" + }, + "defaultLabel": { + "type": "string" + }, + "label": { + "type": "string" + }, + "placeholder": { + "type": "string" + }, + "required": { + "type": "boolean" + }, + "getOptionsAt": { + "type": "string" + }, + "hideWhenJustOneOption": { + "type": "boolean" + }, + "editable": { + "type": "string" + }, + "sources": { + "type": "array", + "items": { + "$ref": "#/components/schemas/Source" + } + } + }, + "required": [ + "name", + "type" + ] + }, + "Organization": { + "type": "object", + "properties": { + "id": { + "type": "number" + }, + "slug": { + "type": "string", + "nullable": true + }, + "name": { + "type": "string" + }, + "metadata": { + "type": "object" + } + }, + "required": [ + "id", + "name", + "metadata" + ] + }, + "Profile": { + "type": "object", + "properties": { + "username": { + "type": "string", + "nullable": true + }, + "id": { + "type": "number", + "nullable": true + }, + "userId": { + "type": "number" + }, + "uid": { + "type": "string" + }, + "name": { + "type": "string" + }, + "organizationId": { + "type": "number", + "nullable": true + }, + "organization": { + "nullable": true, + "allOf": [ + { + "$ref": "#/components/schemas/Organization" + } + ] + }, + "upId": { + "type": "string" + }, + "image": { + "type": "string" + }, + "brandColor": { + "type": "string" + }, + "darkBrandColor": { + "type": "string" + }, + "theme": { + "type": "string" + }, + "bookerLayouts": { + "type": "object" + } + }, + "required": [ + "username", + "id", + "organizationId", + "upId" + ] + }, + "Owner": { + "type": "object", + "properties": { + "id": { + "type": "number" + }, + "avatarUrl": { + "type": "string", + "nullable": true + }, + "username": { + "type": "string", + "nullable": true + }, + "name": { + "type": "string", + "nullable": true + }, + "weekStart": { + "type": "string" + }, + "brandColor": { + "type": "string", + "nullable": true + }, + "darkBrandColor": { + "type": "string", + "nullable": true + }, + "theme": { + "type": "string", + "nullable": true + }, + "metadata": { + "type": "object" + }, + "defaultScheduleId": { + "type": "number", + "nullable": true + }, + "nonProfileUsername": { + "type": "string", + "nullable": true + }, + "profile": { + "$ref": "#/components/schemas/Profile" + } + }, + "required": [ + "id", + "username", + "name", + "weekStart", + "metadata", + "nonProfileUsername", + "profile" + ] + }, + "Schedule": { + "type": "object", + "properties": { + "id": { + "type": "number" + }, + "timeZone": { + "type": "string", + "nullable": true + } + }, + "required": [ + "id", + "timeZone" + ] + }, + "User": { + "type": "object", + "properties": { + "username": { + "type": "string", + "nullable": true + }, + "name": { + "type": "string", + "nullable": true + }, + "weekStart": { + "type": "string" + }, + "organizationId": { + "type": "number" + }, + "avatarUrl": { + "type": "string", + "nullable": true + }, + "profile": { + "$ref": "#/components/schemas/Profile" + }, + "bookerUrl": { + "type": "string" + } + }, + "required": [ + "username", + "name", + "weekStart", + "profile", + "bookerUrl" + ] + }, + "PublicEventTypeOutput": { + "type": "object", + "properties": { + "id": { + "type": "number" + }, + "title": { + "type": "string" + }, + "description": { + "type": "string" + }, + "eventName": { + "type": "string", + "nullable": true + }, + "slug": { + "type": "string" + }, + "isInstantEvent": { + "type": "boolean" + }, + "aiPhoneCallConfig": { + "type": "object" + }, + "schedulingType": { + "type": "object" + }, + "length": { + "type": "number" + }, + "locations": { + "type": "array", + "items": { + "$ref": "#/components/schemas/Location" + } + }, + "customInputs": { + "type": "array", + "items": { + "type": "object" + } + }, + "disableGuests": { + "type": "boolean" + }, + "metadata": { + "type": "object", + "nullable": true + }, + "lockTimeZoneToggleOnBookingPage": { + "type": "boolean" + }, + "requiresConfirmation": { + "type": "boolean" + }, + "requiresBookerEmailVerification": { + "type": "boolean" + }, + "recurringEvent": { + "type": "object" + }, + "price": { + "type": "number" + }, + "currency": { + "type": "string" + }, + "seatsPerTimeSlot": { + "type": "number", + "nullable": true + }, + "seatsShowAvailabilityCount": { + "type": "boolean", + "nullable": true + }, + "bookingFields": { + "type": "array", + "items": { + "$ref": "#/components/schemas/BookingField" + } + }, + "team": { + "type": "object" + }, + "successRedirectUrl": { + "type": "string", + "nullable": true + }, + "workflows": { + "type": "array", + "items": { + "type": "object" + } + }, + "hosts": { + "type": "array", + "items": { + "type": "object" + } + }, + "owner": { + "nullable": true, + "allOf": [ + { + "$ref": "#/components/schemas/Owner" + } + ] + }, + "schedule": { + "nullable": true, + "allOf": [ + { + "$ref": "#/components/schemas/Schedule" + } + ] + }, + "hidden": { + "type": "boolean" + }, + "assignAllTeamMembers": { + "type": "boolean" + }, + "bookerLayouts": { + "type": "object" + }, + "users": { + "type": "array", + "items": { + "$ref": "#/components/schemas/User" + } + }, + "entity": { + "type": "object" + }, + "isDynamic": { + "type": "boolean" + } + }, + "required": [ + "id", + "title", + "description", + "slug", + "isInstantEvent", + "length", + "locations", + "customInputs", + "disableGuests", + "metadata", + "lockTimeZoneToggleOnBookingPage", + "requiresConfirmation", + "requiresBookerEmailVerification", + "price", + "currency", + "seatsShowAvailabilityCount", + "bookingFields", + "workflows", + "hosts", + "owner", + "schedule", + "hidden", + "assignAllTeamMembers", + "users", + "entity", + "isDynamic" + ] + }, + "GetEventTypePublicOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "nullable": true, + "allOf": [ + { + "$ref": "#/components/schemas/PublicEventTypeOutput" + } + ] + } + }, + "required": [ + "status", + "data" + ] + }, + "PublicEventType": { + "type": "object", + "properties": { + "id": { + "type": "number", + "example": 1 + }, + "length": { + "type": "number", + "example": 60 + }, + "slug": { + "type": "string", + "example": "cooking-class" + }, + "title": { + "type": "string", + "example": "Learn the secrets of masterchief!" + }, + "description": { + "type": "string", + "nullable": true + } + }, + "required": [ + "id", + "length", + "slug", + "title" + ] + }, + "GetEventTypesPublicOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "type": "array", + "items": { + "$ref": "#/components/schemas/PublicEventType" + } + } + }, + "required": [ + "status", + "data" + ] + }, + "Option": { + "type": "object", + "properties": { + "value": { + "type": "string" + }, + "label": { + "type": "string" + } + }, + "required": [ + "value", + "label" + ] + }, + "VariantsConfig": { + "type": "object", + "properties": { + "variants": { + "type": "object" + } + }, + "required": [ + "variants" + ] + }, + "View": { + "type": "object", + "properties": { + "id": { + "type": "string" + }, + "label": { + "type": "string" + }, + "description": { + "type": "string" + } + }, + "required": [ + "id", + "label" + ] + }, + "BookingField_2024_04_15": { + "type": "object", + "properties": { + "type": { + "type": "string", + "enum": [ + "number", + "boolean", + "address", + "name", + "text", + "textarea", + "email", + "phone", + "multiemail", + "select", + "multiselect", + "checkbox", + "radio", + "radioInput" + ] + }, + "name": { + "type": "string" + }, + "options": { + "type": "array", + "items": { + "$ref": "#/components/schemas/Option" + } + }, + "label": { + "type": "string" + }, + "labelAsSafeHtml": { + "type": "string" + }, + "defaultLabel": { + "type": "string" + }, + "placeholder": { + "type": "string" + }, + "required": { + "type": "boolean" + }, + "getOptionsAt": { + "type": "string" + }, + "optionsInputs": { + "type": "object" + }, + "variant": { + "type": "string" + }, + "variantsConfig": { + "$ref": "#/components/schemas/VariantsConfig" + }, + "views": { + "type": "array", + "items": { + "$ref": "#/components/schemas/View" + } + }, + "hideWhenJustOneOption": { + "type": "boolean" + }, + "hidden": { + "type": "boolean" + }, + "editable": { + "type": "string", + "enum": [ + "system", + "system-but-optional", + "system-but-hidden", + "user", + "user-readonly" + ] + }, + "sources": { + "type": "array", + "items": { + "$ref": "#/components/schemas/Source" + } + } + }, + "required": [ + "type", + "name" + ] + }, + "UpdateEventTypeInput_2024_04_15": { + "type": "object", + "properties": { + "length": { + "type": "number", + "minimum": 1 + }, + "slug": { + "type": "string" + }, + "title": { + "type": "string" + }, + "description": { + "type": "string" + }, + "hidden": { + "type": "boolean" + }, + "locations": { + "type": "array", + "items": { + "$ref": "#/components/schemas/EventTypeLocation_2024_04_15" + } + }, + "bookingFields": { + "type": "array", + "items": { + "$ref": "#/components/schemas/BookingField_2024_04_15" + } + }, + "disableGuests": { + "type": "boolean" + }, + "minimumBookingNotice": { + "type": "number", + "minimum": 0 + }, + "beforeEventBuffer": { + "type": "number", + "minimum": 0 + }, + "afterEventBuffer": { + "type": "number", + "minimum": 0 + }, + "slotInterval": { + "type": "number", + "minimum": 0 + } + } + }, + "UpdateEventTypeOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/EventTypeOutput" + } + }, + "required": [ + "status", + "data" + ] + }, + "DeleteData": { + "type": "object", + "properties": { + "id": { + "type": "number", + "example": 1 + }, + "length": { + "type": "number", + "example": 60 + }, + "slug": { + "type": "string", + "example": "cooking-class" + }, + "title": { + "type": "string", + "example": "Learn the secrets of masterchief!" + } + }, + "required": [ + "id", + "length", + "slug", + "title" + ] + }, + "DeleteEventTypeOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/DeleteData" + } + }, + "required": [ + "status", + "data" + ] + }, + "OrgTeamOutputDto": { + "type": "object", + "properties": { + "id": { + "type": "number" + }, + "parentId": { + "type": "number" + }, + "name": { + "type": "string", + "minLength": 1 + }, + "slug": { + "type": "string" + }, + "logoUrl": { + "type": "string" + }, + "calVideoLogo": { + "type": "string" + }, + "appLogo": { + "type": "string" + }, + "appIconLogo": { + "type": "string" + }, + "bio": { + "type": "string" + }, + "hideBranding": { + "type": "boolean" + }, + "isOrganization": { + "type": "boolean" + }, + "isPrivate": { + "type": "boolean" + }, + "hideBookATeamMember": { + "type": "boolean", + "default": false + }, + "metadata": { + "type": "string" + }, + "theme": { + "type": "string" + }, + "brandColor": { + "type": "string" + }, + "darkBrandColor": { + "type": "string" + }, + "bannerUrl": { + "type": "string" + }, + "timeFormat": { + "type": "number" + }, + "timeZone": { + "type": "string", + "default": "Europe/London" + }, + "weekStart": { + "type": "string", + "default": "Sunday" + } + }, + "required": [ + "id", + "name" + ] + }, + "OrgTeamsOutputResponseDto": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "type": "array", + "items": { + "$ref": "#/components/schemas/OrgTeamOutputDto" + } + } + }, + "required": [ + "status", + "data" + ] + }, + "OrgTeamOutputResponseDto": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/OrgTeamOutputDto" + } + }, + "required": [ + "status", + "data" + ] + }, + "CreateOrgTeamDto": { + "type": "object", + "properties": { + "name": { + "type": "string", + "minLength": 1 + }, + "slug": { + "type": "string" + }, + "logoUrl": { + "type": "string" + }, + "calVideoLogo": { + "type": "string" + }, + "appLogo": { + "type": "string" + }, + "appIconLogo": { + "type": "string" + }, + "bio": { + "type": "string" + }, + "hideBranding": { + "type": "boolean", + "default": false + }, + "isPrivate": { + "type": "boolean" + }, + "hideBookATeamMember": { + "type": "boolean" + }, + "metadata": { + "type": "string" + }, + "theme": { + "type": "string" + }, + "brandColor": { + "type": "string" + }, + "darkBrandColor": { + "type": "string" + }, + "bannerUrl": { + "type": "string" + }, + "timeFormat": { + "type": "number" + }, + "timeZone": { + "type": "string", + "default": "Europe/London" + }, + "weekStart": { + "type": "string", + "default": "Sunday" + } + }, + "required": [ + "name" + ] + }, + "ScheduleAvailabilityInput_2024_06_11": { + "type": "object", + "properties": { + "days": { + "example": [ + "Monday", + "Tuesday" + ], + "type": "array", + "items": { + "type": "object" + } + }, + "startTime": { + "type": "string", + "pattern": "TIME_FORMAT_HH_MM", + "example": "09:00" + }, + "endTime": { + "type": "string", + "pattern": "TIME_FORMAT_HH_MM", + "example": "10:00" + } + }, + "required": [ + "days", + "startTime", + "endTime" + ] + }, + "ScheduleOverrideInput_2024_06_11": { + "type": "object", + "properties": { + "date": { + "type": "string", + "example": "2024-05-20" + }, + "startTime": { + "type": "string", + "pattern": "TIME_FORMAT_HH_MM", + "example": "12:00" + }, + "endTime": { + "type": "string", + "pattern": "TIME_FORMAT_HH_MM", + "example": "13:00" + } + }, + "required": [ + "date", + "startTime", + "endTime" + ] + }, + "ScheduleOutput_2024_06_11": { + "type": "object", + "properties": { + "id": { + "type": "number", + "example": 254 + }, + "ownerId": { + "type": "number", + "example": 478 + }, + "name": { + "type": "string", + "example": "One-on-one coaching" + }, + "timeZone": { + "type": "string", + "example": "Europe/Rome" + }, + "availability": { + "example": [ + { + "days": [ + "Monday", + "Tuesday" + ], + "startTime": "09:00", + "endTime": "10:00" + } + ], + "type": "array", + "items": { + "$ref": "#/components/schemas/ScheduleAvailabilityInput_2024_06_11" + } + }, + "isDefault": { + "type": "boolean", + "example": true + }, + "overrides": { + "example": [ + { + "date": "2024-05-20", + "startTime": "12:00", + "endTime": "13:00" + } + ], + "type": "array", + "items": { + "$ref": "#/components/schemas/ScheduleOverrideInput_2024_06_11" + } + } + }, + "required": [ + "id", + "ownerId", + "name", "timeZone", - "weekStart", - "createdDate", - "timeFormat", - "defaultScheduleId" + "availability", + "isDefault", + "overrides" ] }, - "GetManagedUsersOutput": { + "GetSchedulesOutput_2024_06_11": { "type": "object", "properties": { "status": { @@ -1632,8 +5169,11 @@ "data": { "type": "array", "items": { - "$ref": "#/components/schemas/ManagedUserOutput" + "$ref": "#/components/schemas/ScheduleOutput_2024_06_11" } + }, + "error": { + "type": "object" } }, "required": [ @@ -1641,53 +5181,58 @@ "data" ] }, - "CreateManagedUserInput": { + "CreateScheduleInput_2024_06_11": { "type": "object", "properties": { - "email": { - "type": "string", - "example": "alice@example.com" - }, - "timeFormat": { - "type": "number", - "example": 12 - }, - "weekStart": { + "name": { "type": "string", - "example": "Sunday" + "example": "One-on-one coaching" }, "timeZone": { "type": "string", - "example": "America/New_York" + "example": "Europe/Rome" }, - "name": { - "type": "string" - } - }, - "required": [ - "email" - ] - }, - "CreateManagedUserData": { - "type": "object", - "properties": { - "user": { - "$ref": "#/components/schemas/ManagedUserOutput" + "availability": { + "example": [ + { + "days": [ + "Monday", + "Tuesday" + ], + "startTime": "09:00", + "endTime": "10:00" + } + ], + "type": "array", + "items": { + "$ref": "#/components/schemas/ScheduleAvailabilityInput_2024_06_11" + } }, - "accessToken": { - "type": "string" + "isDefault": { + "type": "boolean", + "example": true }, - "refreshToken": { - "type": "string" + "overrides": { + "example": [ + { + "date": "2024-05-20", + "startTime": "12:00", + "endTime": "14:00" + } + ], + "type": "array", + "items": { + "$ref": "#/components/schemas/ScheduleOverrideInput_2024_06_11" + } } }, "required": [ - "user", - "accessToken", - "refreshToken" + "name", + "timeZone", + "isDefault" ] }, - "CreateManagedUserOutput": { + "CreateScheduleOutput_2024_06_11": { "type": "object", "properties": { "status": { @@ -1699,7 +5244,7 @@ ] }, "data": { - "$ref": "#/components/schemas/CreateManagedUserData" + "$ref": "#/components/schemas/ScheduleOutput_2024_06_11" } }, "required": [ @@ -1707,7 +5252,7 @@ "data" ] }, - "GetManagedUserOutput": { + "GetScheduleOutput_2024_06_11": { "type": "object", "properties": { "status": { @@ -1719,7 +5264,15 @@ ] }, "data": { - "$ref": "#/components/schemas/ManagedUserOutput" + "nullable": true, + "allOf": [ + { + "$ref": "#/components/schemas/ScheduleOutput_2024_06_11" + } + ] + }, + "error": { + "type": "object" } }, "required": [ @@ -1727,47 +5280,53 @@ "data" ] }, - "UpdateManagedUserInput": { + "UpdateScheduleInput_2024_06_11": { "type": "object", "properties": { - "email": { - "type": "string" - }, "name": { - "type": "string" + "type": "string", + "example": "One-on-one coaching" }, - "timeFormat": { - "type": "number" + "timeZone": { + "type": "string", + "example": "Europe/Rome" }, - "defaultScheduleId": { - "type": "number" + "availability": { + "example": [ + { + "days": [ + "Monday", + "Tuesday" + ], + "startTime": "09:00", + "endTime": "10:00" + } + ], + "type": "array", + "items": { + "$ref": "#/components/schemas/ScheduleAvailabilityInput_2024_06_11" + } }, - "weekStart": { - "type": "string" + "isDefault": { + "type": "boolean", + "example": true }, - "timeZone": { - "type": "string" + "overrides": { + "example": [ + { + "date": "2024-05-20", + "startTime": "12:00", + "endTime": "14:00" + } + ], + "type": "array", + "items": { + "$ref": "#/components/schemas/ScheduleOverrideInput_2024_06_11" + } } } }, - "KeysDto": { - "type": "object", - "properties": { - "accessToken": { - "type": "string", - "example": "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9" - }, - "refreshToken": { - "type": "string", - "example": "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9" - } - }, - "required": [ - "accessToken", - "refreshToken" - ] - }, - "KeysResponseDto": { + "UpdateScheduleOutput_2024_06_11": { "type": "object", "properties": { "status": { @@ -1779,7 +5338,10 @@ ] }, "data": { - "$ref": "#/components/schemas/KeysDto" + "$ref": "#/components/schemas/ScheduleOutput_2024_06_11" + }, + "error": { + "type": "object" } }, "required": [ @@ -1787,109 +5349,158 @@ "data" ] }, - "CreateOAuthClientInput": { - "type": "object", - "properties": {} - }, - "DataDto": { - "type": "object", - "properties": { - "clientId": { - "type": "string", - "example": "clsx38nbl0001vkhlwin9fmt0" - }, - "clientSecret": { - "type": "string", - "example": "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJuYW1lIjoib2F1dGgtY2xpZW50Iiwi" - } - }, - "required": [ - "clientId", - "clientSecret" - ] - }, - "CreateOAuthClientResponseDto": { + "DeleteScheduleOutput_2024_06_11": { "type": "object", "properties": { "status": { "type": "string", + "example": "success", "enum": [ "success", "error" - ], - "example": "success" - }, - "data": { - "example": { - "clientId": "clsx38nbl0001vkhlwin9fmt0", - "clientSecret": "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJuYW1lIjoib2F1dGgtY2xpZW50Iiwi" - }, - "allOf": [ - { - "$ref": "#/components/schemas/DataDto" - } ] } }, "required": [ - "status", - "data" + "status" ] }, - "PlatformOAuthClientDto": { + "GetUserOutput": { "type": "object", "properties": { "id": { + "type": "number", + "description": "The ID of the user", + "example": 1 + }, + "username": { "type": "string", - "example": "clsx38nbl0001vkhlwin9fmt0" + "nullable": true, + "description": "The username of the user", + "example": "john_doe" }, "name": { "type": "string", - "example": "MyClient" + "nullable": true, + "description": "The name of the user", + "example": "John Doe" }, - "secret": { + "email": { "type": "string", - "example": "secretValue" + "description": "The email of the user", + "example": "john@example.com" }, - "permissions": { - "type": "number", - "example": 3 + "emailVerified": { + "format": "date-time", + "type": "string", + "nullable": true, + "description": "The date when the email was verified", + "example": "2022-01-01T00:00:00Z" }, - "logo": { + "bio": { "type": "string", "nullable": true, - "example": "https://example.com/logo.png" + "description": "The bio of the user", + "example": "I am a software developer" }, - "redirectUris": { - "example": [ - "https://example.com/callback" - ], - "type": "array", - "items": { - "type": "string" - } + "avatarUrl": { + "type": "string", + "nullable": true, + "description": "The URL of the user's avatar", + "example": "https://example.com/avatar.jpg" }, - "organizationId": { + "timeZone": { + "type": "string", + "description": "The time zone of the user", + "example": "America/New_York" + }, + "weekStart": { + "type": "string", + "description": "The week start day of the user", + "example": "Monday" + }, + "appTheme": { + "type": "string", + "nullable": true, + "description": "The app theme of the user", + "example": "light" + }, + "theme": { + "type": "string", + "nullable": true, + "description": "The theme of the user", + "example": "default" + }, + "defaultScheduleId": { "type": "number", + "nullable": true, + "description": "The ID of the default schedule for the user", "example": 1 }, - "createdAt": { + "locale": { + "type": "string", + "nullable": true, + "description": "The locale of the user", + "example": "en-US" + }, + "timeFormat": { + "type": "number", + "nullable": true, + "description": "The time format of the user", + "example": 12 + }, + "hideBranding": { + "type": "boolean", + "description": "Whether to hide branding for the user", + "example": false + }, + "brandColor": { + "type": "string", + "nullable": true, + "description": "The brand color of the user", + "example": "#ffffff" + }, + "darkBrandColor": { + "type": "string", + "nullable": true, + "description": "The dark brand color of the user", + "example": "#000000" + }, + "allowDynamicBooking": { + "type": "boolean", + "nullable": true, + "description": "Whether dynamic booking is allowed for the user", + "example": true + }, + "createdDate": { "format": "date-time", "type": "string", - "example": "2024-03-23T08:33:21.851Z" + "description": "The date when the user was created", + "example": "2022-01-01T00:00:00Z" + }, + "verified": { + "type": "boolean", + "nullable": true, + "description": "Whether the user is verified", + "example": true + }, + "invitedTo": { + "type": "number", + "nullable": true, + "description": "The ID of the user who invited this user", + "example": 1 } - }, - "required": [ - "id", - "name", - "secret", - "permissions", - "redirectUris", - "organizationId", - "createdAt" + }, + "required": [ + "id", + "email", + "timeZone", + "weekStart", + "hideBranding", + "createdDate" ] }, - "GetOAuthClientsResponseDto": { + "GetOrganizationUsersOutput": { "type": "object", "properties": { "status": { @@ -1903,7 +5514,7 @@ "data": { "type": "array", "items": { - "$ref": "#/components/schemas/PlatformOAuthClientDto" + "$ref": "#/components/schemas/GetUserOutput" } } }, @@ -1912,180 +5523,154 @@ "data" ] }, - "GetOAuthClientResponseDto": { + "CreateOrganizationUserInput": { "type": "object", "properties": { - "status": { + "email": { "type": "string", - "example": "success", - "enum": [ - "success", - "error" - ] + "description": "User email address", + "example": "user@example.com" }, - "data": { - "$ref": "#/components/schemas/PlatformOAuthClientDto" - } - }, - "required": [ - "status", - "data" - ] - }, - "UpdateOAuthClientInput": { - "type": "object", - "properties": { - "logo": { - "type": "string" + "username": { + "type": "string", + "description": "Username", + "example": "user123" }, - "name": { - "type": "string" + "weekday": { + "type": "string", + "description": "Preferred weekday", + "example": "Monday" }, - "redirectUris": { - "default": [], - "type": "array", - "items": { - "type": "string" - } + "brandColor": { + "type": "string", + "description": "Brand color in HEX format", + "example": "#FFFFFF" }, - "bookingRedirectUri": { - "type": "string" + "darkBrandColor": { + "type": "string", + "description": "Dark brand color in HEX format", + "example": "#000000" }, - "bookingCancelRedirectUri": { - "type": "string" + "hideBranding": { + "type": "boolean", + "description": "Hide branding", + "example": false }, - "bookingRescheduleRedirectUri": { - "type": "string" + "timeZone": { + "type": "string", + "description": "Time zone", + "example": "America/New_York" }, - "areEmailsEnabled": { - "type": "boolean" - } - } - }, - "OAuthAuthorizeInput": { - "type": "object", - "properties": { - "redirectUri": { - "type": "string" - } - }, - "required": [ - "redirectUri" - ] - }, - "ExchangeAuthorizationCodeInput": { - "type": "object", - "properties": { - "clientSecret": { - "type": "string" - } - }, - "required": [ - "clientSecret" - ] - }, - "RefreshTokenInput": { - "type": "object", - "properties": { - "refreshToken": { - "type": "string" - } - }, - "required": [ - "refreshToken" - ] - }, - "EventTypeLocation": { - "type": "object", - "properties": { - "type": { + "theme": { "type": "string", - "example": "link" + "nullable": true, + "description": "Theme", + "example": "dark" }, - "link": { + "appTheme": { "type": "string", - "example": "https://masterchief.com/argentina/flan/video/9129412" + "nullable": true, + "description": "Application theme", + "example": "light" + }, + "timeFormat": { + "type": "number", + "description": "Time format", + "example": 24 + }, + "defaultScheduleId": { + "type": "number", + "minimum": 0, + "description": "Default schedule ID", + "example": 1 + }, + "locale": { + "type": "string", + "nullable": true, + "default": "en", + "description": "Locale", + "example": "en" + }, + "avatarUrl": { + "type": "string", + "description": "Avatar URL", + "example": "https://example.com/avatar.jpg" + }, + "organizationRole": { + "type": "object", + "default": "MEMBER" + }, + "autoAccept": { + "type": "object", + "default": true } }, "required": [ - "type" + "email", + "organizationRole", + "autoAccept" ] }, - "CreateEventTypeInput": { + "GetOrganizationUserOutput": { "type": "object", "properties": { - "length": { - "type": "number", - "minimum": 1, - "example": 60 - }, - "slug": { - "type": "string", - "example": "cooking-class" - }, - "title": { - "type": "string", - "example": "Learn the secrets of masterchief!" - }, - "description": { + "status": { "type": "string", - "example": "Discover the culinary wonders of the Argentina by making the best flan ever!" + "example": "success", + "enum": [ + "success", + "error" + ] }, - "locations": { - "type": "array", - "items": { - "$ref": "#/components/schemas/EventTypeLocation" - } + "data": { + "$ref": "#/components/schemas/GetUserOutput" } }, "required": [ - "length", - "slug", - "title" + "status", + "data" ] }, - "EventTypeOutput": { + "UpdateOrganizationUserInput": { + "type": "object", + "properties": {} + }, + "OrgMembershipOutputDto": { "type": "object", "properties": { - "id": { - "type": "number", - "example": 1 + "role": { + "type": "string", + "enum": [ + "MEMBER", + "OWNER", + "ADMIN" + ] }, - "length": { - "type": "number", - "example": 60 + "id": { + "type": "number" }, - "slug": { - "type": "string", - "example": "cooking-class" + "userId": { + "type": "number" }, - "title": { - "type": "string", - "example": "Learn the secrets of masterchief!" + "teamId": { + "type": "number" }, - "description": { - "type": "string", - "nullable": true, - "example": "Discover the culinary wonders of the Argentina by making the best flan ever!" + "accepted": { + "type": "boolean" }, - "locations": { - "nullable": true, - "type": "array", - "items": { - "$ref": "#/components/schemas/EventTypeLocation" - } + "disableImpersonation": { + "type": "boolean" } }, "required": [ + "role", "id", - "length", - "slug", - "title", - "description", - "locations" + "userId", + "teamId", + "accepted" ] }, - "CreateEventTypeOutput": { + "GetAllOrgMemberships": { "type": "object", "properties": { "status": { @@ -2097,7 +5682,7 @@ ] }, "data": { - "$ref": "#/components/schemas/EventTypeOutput" + "$ref": "#/components/schemas/OrgMembershipOutputDto" } }, "required": [ @@ -2105,18 +5690,36 @@ "data" ] }, - "Data": { + "CreateOrgMembershipDto": { "type": "object", "properties": { - "eventType": { - "$ref": "#/components/schemas/EventTypeOutput" + "role": { + "type": "string", + "default": "MEMBER", + "enum": [ + "MEMBER", + "OWNER", + "ADMIN" + ] + }, + "userId": { + "type": "number" + }, + "accepted": { + "type": "boolean", + "default": false + }, + "disableImpersonation": { + "type": "boolean", + "default": false } }, "required": [ - "eventType" + "role", + "userId" ] }, - "GetEventTypeOutput": { + "CreateOrgMembershipOutput": { "type": "object", "properties": { "status": { @@ -2128,7 +5731,7 @@ ] }, "data": { - "$ref": "#/components/schemas/Data" + "$ref": "#/components/schemas/OrgMembershipOutputDto" } }, "required": [ @@ -2136,35 +5739,27 @@ "data" ] }, - "EventTypeGroup": { - "type": "object", - "properties": { - "eventTypes": { - "type": "array", - "items": { - "$ref": "#/components/schemas/EventTypeOutput" - } - } - }, - "required": [ - "eventTypes" - ] - }, - "GetEventTypesData": { + "GetOrgMembership": { "type": "object", "properties": { - "eventTypeGroups": { - "type": "array", - "items": { - "$ref": "#/components/schemas/EventTypeGroup" - } + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/OrgMembershipOutputDto" } }, "required": [ - "eventTypeGroups" + "status", + "data" ] }, - "GetEventTypesOutput": { + "DeleteOrgMembership": { "type": "object", "properties": { "status": { @@ -2176,7 +5771,7 @@ ] }, "data": { - "$ref": "#/components/schemas/GetEventTypesData" + "$ref": "#/components/schemas/OrgMembershipOutputDto" } }, "required": [ @@ -2184,218 +5779,189 @@ "data" ] }, - "Location": { + "UpdateOrgMembershipDto": { "type": "object", "properties": { - "type": { - "type": "string" + "role": { + "type": "string", + "default": "MEMBER", + "enum": [ + "MEMBER", + "OWNER", + "ADMIN" + ] + }, + "accepted": { + "type": "boolean", + "default": false + }, + "disableImpersonation": { + "type": "boolean", + "default": false } - }, - "required": [ - "type" - ] + } }, - "Source": { + "UpdateOrgMembership": { "type": "object", "properties": { - "id": { - "type": "string" - }, - "type": { - "type": "string" + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] }, - "label": { - "type": "string" + "data": { + "$ref": "#/components/schemas/OrgMembershipOutputDto" } }, "required": [ - "id", - "type", - "label" + "status", + "data" ] }, - "BookingField": { + "CreateTeamEventTypeInput_2024_06_14": { "type": "object", "properties": { - "name": { - "type": "string" + "lengthInMinutes": { + "type": "number", + "example": 60 }, - "type": { - "type": "string" + "title": { + "type": "string", + "example": "Learn the secrets of masterchief!" }, - "defaultLabel": { - "type": "string" + "description": { + "type": "string", + "example": "Discover the culinary wonders of the Argentina by making the best flan ever!" }, - "label": { - "type": "string" + "locations": { + "type": "array", + "items": { + "type": "string" + } }, - "placeholder": { - "type": "string" + "bookingFields": { + "type": "array", + "items": { + "type": "string" + } }, - "required": { + "disableGuests": { "type": "boolean" }, - "getOptionsAt": { - "type": "string" + "slotInterval": { + "type": "number" }, - "hideWhenJustOneOption": { - "type": "boolean" + "minimumBookingNotice": { + "type": "number" }, - "editable": { - "type": "string" + "beforeEventBuffer": { + "type": "number" }, - "sources": { - "type": "array", - "items": { - "$ref": "#/components/schemas/Source" - } - } - }, - "required": [ - "name", - "type" - ] - }, - "Organization": { - "type": "object", - "properties": { - "id": { + "afterEventBuffer": { "type": "number" }, - "slug": { - "type": "string", - "nullable": true + "schedulingType": { + "type": "object" }, - "name": { - "type": "string" + "hosts": { + "type": "array", + "items": { + "type": "string" + } }, - "metadata": { - "type": "object" + "assignAllTeamMembers": { + "type": "boolean" } }, "required": [ - "id", - "name", - "metadata" + "lengthInMinutes", + "title", + "description", + "locations", + "bookingFields", + "disableGuests", + "slotInterval", + "minimumBookingNotice", + "beforeEventBuffer", + "afterEventBuffer", + "schedulingType", + "hosts", + "assignAllTeamMembers" ] }, - "Profile": { + "CreateTeamEventTypeOutput": { "type": "object", "properties": { - "username": { + "status": { "type": "string", - "nullable": true - }, - "id": { - "type": "number", - "nullable": true - }, - "userId": { - "type": "number" - }, - "uid": { - "type": "string" - }, - "name": { - "type": "string" - }, - "organizationId": { - "type": "number", - "nullable": true + "example": "success", + "enum": [ + "success", + "error" + ] }, - "organization": { - "nullable": true, - "allOf": [ + "data": { + "oneOf": [ { - "$ref": "#/components/schemas/Organization" + "$ref": "#/components/schemas/TeamEventTypeOutput_2024_06_14" + }, + { + "type": "array", + "items": { + "$ref": "#/components/schemas/TeamEventTypeOutput_2024_06_14" + } } ] - }, - "upId": { - "type": "string" - }, - "image": { - "type": "string" - }, - "brandColor": { - "type": "string" - }, - "darkBrandColor": { - "type": "string" - }, - "theme": { - "type": "string" - }, - "bookerLayouts": { - "type": "object" } }, "required": [ - "username", - "id", - "organizationId", - "upId" + "status", + "data" ] }, - "Owner": { + "RecurringEvent_2024_06_14": { "type": "object", "properties": { - "id": { - "type": "number" - }, - "avatarUrl": { - "type": "string", - "nullable": true - }, - "username": { - "type": "string", - "nullable": true - }, - "name": { - "type": "string", - "nullable": true - }, - "weekStart": { + "dtstart": { + "format": "date-time", "type": "string" }, - "brandColor": { - "type": "string", - "nullable": true - }, - "darkBrandColor": { - "type": "string", - "nullable": true - }, - "theme": { - "type": "string", - "nullable": true + "interval": { + "type": "number" }, - "metadata": { - "type": "object" + "count": { + "type": "number" }, - "defaultScheduleId": { + "freq": { "type": "number", - "nullable": true + "enum": [ + 0, + 1, + 2, + 3, + 4, + 5, + 6 + ] }, - "nonProfileUsername": { - "type": "string", - "nullable": true + "until": { + "format": "date-time", + "type": "string" }, - "profile": { - "$ref": "#/components/schemas/Profile" + "tzid": { + "type": "string" } }, "required": [ - "id", - "username", - "name", - "weekStart", - "metadata", - "nonProfileUsername", - "profile" + "interval", + "count", + "freq" ] }, - "Schedule": { + "Schedule_2024_06_14": { "type": "object", "properties": { "id": { @@ -2411,80 +5977,52 @@ "timeZone" ] }, - "User": { + "Host": { "type": "object", "properties": { - "username": { - "type": "string", - "nullable": true - }, - "name": { - "type": "string", - "nullable": true - }, - "weekStart": { - "type": "string" - }, - "organizationId": { + "userId": { "type": "number" }, - "avatarUrl": { - "type": "string", - "nullable": true - }, - "profile": { - "$ref": "#/components/schemas/Profile" + "mandatory": { + "type": "boolean", + "default": false }, - "bookerUrl": { - "type": "string" + "priority": { + "type": "object", + "default": "medium" } }, "required": [ - "username", - "name", - "weekStart", - "profile", - "bookerUrl" + "userId" ] }, - "PublicEventTypeOutput": { + "TeamEventTypeOutput_2024_06_14": { "type": "object", "properties": { "id": { - "type": "number" + "type": "number", + "example": 1 + }, + "lengthInMinutes": { + "type": "number", + "minimum": 1 }, "title": { "type": "string" }, - "description": { - "type": "string" - }, - "eventName": { - "type": "string", - "nullable": true - }, "slug": { "type": "string" }, - "isInstantEvent": { - "type": "boolean" - }, - "aiPhoneCallConfig": { - "type": "object" - }, - "schedulingType": { - "type": "object" - }, - "length": { - "type": "number" + "description": { + "type": "string" }, "locations": { "type": "array", "items": { - "$ref": "#/components/schemas/Location" + "type": "object" } }, - "customInputs": { + "bookingFields": { "type": "array", "items": { "type": "object" @@ -2493,129 +6031,122 @@ "disableGuests": { "type": "boolean" }, - "metadata": { - "type": "object", + "slotInterval": { + "type": "number", "nullable": true }, - "lockTimeZoneToggleOnBookingPage": { - "type": "boolean" + "minimumBookingNotice": { + "type": "number", + "minimum": 0 }, - "requiresConfirmation": { - "type": "boolean" + "beforeEventBuffer": { + "type": "number" }, - "requiresBookerEmailVerification": { - "type": "boolean" + "afterEventBuffer": { + "type": "number" + }, + "schedulingType": { + "type": "object", + "nullable": true }, "recurringEvent": { + "nullable": true, + "allOf": [ + { + "$ref": "#/components/schemas/RecurringEvent_2024_06_14" + } + ] + }, + "metadata": { "type": "object" }, + "requiresConfirmation": { + "type": "boolean" + }, "price": { "type": "number" }, "currency": { "type": "string" }, + "lockTimeZoneToggleOnBookingPage": { + "type": "boolean" + }, "seatsPerTimeSlot": { "type": "number", "nullable": true }, - "seatsShowAvailabilityCount": { + "forwardParamsSuccessRedirect": { "type": "boolean", "nullable": true }, - "bookingFields": { - "type": "array", - "items": { - "$ref": "#/components/schemas/BookingField" - } - }, - "team": { - "type": "object" - }, "successRedirectUrl": { "type": "string", "nullable": true }, - "workflows": { - "type": "array", - "items": { - "type": "object" - } - }, - "hosts": { - "type": "array", - "items": { - "type": "object" - } + "seatsShowAvailabilityCount": { + "type": "boolean", + "nullable": true }, - "owner": { - "nullable": true, - "allOf": [ - { - "$ref": "#/components/schemas/Owner" - } - ] + "isInstantEvent": { + "type": "boolean" }, "schedule": { "nullable": true, "allOf": [ { - "$ref": "#/components/schemas/Schedule" + "$ref": "#/components/schemas/Schedule_2024_06_14" } ] }, - "hidden": { - "type": "boolean" + "teamId": { + "type": "number", + "nullable": true }, - "assignAllTeamMembers": { - "type": "boolean" + "ownerId": { + "type": "number", + "nullable": true }, - "bookerLayouts": { - "type": "object" + "parentEventTypeId": { + "type": "number", + "nullable": true }, - "users": { + "hosts": { "type": "array", "items": { - "$ref": "#/components/schemas/User" + "$ref": "#/components/schemas/Host" } }, - "entity": { - "type": "object" - }, - "isDynamic": { + "assignAllTeamMembers": { "type": "boolean" } }, "required": [ "id", + "lengthInMinutes", "title", - "description", "slug", - "isInstantEvent", - "length", + "description", "locations", - "customInputs", + "bookingFields", "disableGuests", + "schedulingType", + "recurringEvent", "metadata", - "lockTimeZoneToggleOnBookingPage", "requiresConfirmation", - "requiresBookerEmailVerification", "price", "currency", + "lockTimeZoneToggleOnBookingPage", + "seatsPerTimeSlot", + "forwardParamsSuccessRedirect", + "successRedirectUrl", "seatsShowAvailabilityCount", - "bookingFields", - "workflows", - "hosts", - "owner", + "isInstantEvent", "schedule", - "hidden", - "assignAllTeamMembers", - "users", - "entity", - "isDynamic" + "hosts" ] }, - "GetEventTypePublicOutput": { + "GetTeamEventTypeOutput": { "type": "object", "properties": { "status": { @@ -2627,12 +6158,7 @@ ] }, "data": { - "nullable": true, - "allOf": [ - { - "$ref": "#/components/schemas/PublicEventTypeOutput" - } - ] + "$ref": "#/components/schemas/TeamEventTypeOutput_2024_06_14" } }, "required": [ @@ -2640,38 +6166,7 @@ "data" ] }, - "PublicEventType": { - "type": "object", - "properties": { - "id": { - "type": "number", - "example": 1 - }, - "length": { - "type": "number", - "example": 60 - }, - "slug": { - "type": "string", - "example": "cooking-class" - }, - "title": { - "type": "string", - "example": "Learn the secrets of masterchief!" - }, - "description": { - "type": "string", - "nullable": true - } - }, - "required": [ - "id", - "length", - "slug", - "title" - ] - }, - "GetEventTypesPublicOutput": { + "GetTeamEventTypesOutput": { "type": "object", "properties": { "status": { @@ -2685,7 +6180,7 @@ "data": { "type": "array", "items": { - "$ref": "#/components/schemas/PublicEventType" + "$ref": "#/components/schemas/TeamEventTypeOutput_2024_06_14" } } }, @@ -2694,34 +6189,75 @@ "data" ] }, - "UpdateEventTypeInput": { + "UpdateTeamEventTypeInput_2024_06_14": { "type": "object", "properties": { - "length": { - "type": "number", - "minimum": 1 + "lengthInMinutes": { + "type": "number" }, - "slug": { + "title": { "type": "string" }, - "title": { + "slug": { "type": "string" }, "description": { "type": "string" }, - "hidden": { + "locations": { + "type": "array", + "items": { + "type": "string" + } + }, + "bookingFields": { + "type": "array", + "items": { + "type": "string" + } + }, + "disableGuests": { "type": "boolean" }, - "locations": { + "slotInterval": { + "type": "number" + }, + "minimumBookingNotice": { + "type": "number" + }, + "beforeEventBuffer": { + "type": "number" + }, + "afterEventBuffer": { + "type": "number" + }, + "hosts": { "type": "array", "items": { - "$ref": "#/components/schemas/EventTypeLocation" + "type": "string" } + }, + "assignAllTeamMembers": { + "type": "boolean" } - } + }, + "required": [ + "lengthInMinutes", + "title", + "slug", + "description", + "locations", + "bookingFields", + "disableGuests", + "slotInterval", + "minimumBookingNotice", + "beforeEventBuffer", + "afterEventBuffer", + "hosts", + "assignAllTeamMembers" + ] }, - "UpdateEventTypeOutput": { + "UpdateTeamEventTypeOutput": { "type": "object", "properties": { "status": { @@ -2733,7 +6269,17 @@ ] }, "data": { - "$ref": "#/components/schemas/EventTypeOutput" + "oneOf": [ + { + "$ref": "#/components/schemas/TeamEventTypeOutput_2024_06_14" + }, + { + "type": "array", + "items": { + "$ref": "#/components/schemas/TeamEventTypeOutput_2024_06_14" + } + } + ] } }, "required": [ @@ -2741,34 +6287,62 @@ "data" ] }, - "DeleteData": { + "DeleteTeamEventTypeOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "type": "object" + } + }, + "required": [ + "status", + "data" + ] + }, + "OrgTeamMembershipOutputDto": { "type": "object", "properties": { + "role": { + "type": "string", + "enum": [ + "MEMBER", + "OWNER", + "ADMIN" + ] + }, "id": { - "type": "number", - "example": 1 + "type": "number" }, - "length": { - "type": "number", - "example": 60 + "userId": { + "type": "number" + }, + "teamId": { + "type": "number" }, - "slug": { - "type": "string", - "example": "cooking-class" + "accepted": { + "type": "boolean" }, - "title": { - "type": "string", - "example": "Learn the secrets of masterchief!" + "disableImpersonation": { + "type": "boolean" } }, "required": [ + "role", "id", - "length", - "slug", - "title" + "userId", + "teamId", + "accepted" ] }, - "DeleteEventTypeOutput": { + "OrgTeamMembershipsOutputResponseDto": { "type": "object", "properties": { "status": { @@ -2780,7 +6354,10 @@ ] }, "data": { - "$ref": "#/components/schemas/DeleteData" + "type": "array", + "items": { + "$ref": "#/components/schemas/OrgTeamMembershipOutputDto" + } } }, "required": [ @@ -2788,18 +6365,7 @@ "data" ] }, - "AuthUrlData": { - "type": "object", - "properties": { - "authUrl": { - "type": "string" - } - }, - "required": [ - "authUrl" - ] - }, - "GcalAuthUrlOutput": { + "OrgTeamMembershipOutputResponseDto": { "type": "object", "properties": { "status": { @@ -2811,7 +6377,7 @@ ] }, "data": { - "$ref": "#/components/schemas/AuthUrlData" + "$ref": "#/components/schemas/OrgTeamMembershipOutputDto" } }, "required": [ @@ -2819,50 +6385,58 @@ "data" ] }, - "GcalSaveRedirectOutput": { - "type": "object", - "properties": { - "url": { - "type": "string" - } - }, - "required": [ - "url" - ] - }, - "GcalCheckOutput": { + "UpdateOrgTeamMembershipDto": { "type": "object", "properties": { - "status": { + "role": { "type": "string", - "example": "success", + "default": "MEMBER", "enum": [ - "success", - "error" + "MEMBER", + "OWNER", + "ADMIN" ] + }, + "accepted": { + "type": "boolean", + "default": false + }, + "disableImpersonation": { + "type": "boolean", + "default": false } - }, - "required": [ - "status" - ] + } }, - "ProviderVerifyClientOutput": { + "CreateOrgTeamMembershipDto": { "type": "object", "properties": { - "status": { + "role": { "type": "string", - "example": "success", + "default": "MEMBER", "enum": [ - "success", - "error" + "MEMBER", + "OWNER", + "ADMIN" ] + }, + "userId": { + "type": "number" + }, + "accepted": { + "type": "boolean", + "default": false + }, + "disableImpersonation": { + "type": "boolean", + "default": false } }, "required": [ - "status" + "role", + "userId" ] }, - "ProviderVerifyAccessTokenOutput": { + "GetDefaultScheduleOutput_2024_06_11": { "type": "object", "properties": { "status": { @@ -2872,13 +6446,17 @@ "success", "error" ] + }, + "data": { + "$ref": "#/components/schemas/ScheduleOutput_2024_06_11" } }, "required": [ - "status" + "status", + "data" ] }, - "CreateAvailabilityInput": { + "CreateAvailabilityInput_2024_04_15": { "type": "object", "properties": { "days": { @@ -2906,7 +6484,7 @@ "endTime" ] }, - "CreateScheduleInput": { + "CreateScheduleInput_2024_04_15": { "type": "object", "properties": { "name": { @@ -2918,7 +6496,7 @@ "availabilities": { "type": "array", "items": { - "$ref": "#/components/schemas/CreateAvailabilityInput" + "$ref": "#/components/schemas/CreateAvailabilityInput_2024_04_15" } }, "isDefault": { @@ -3090,7 +6668,7 @@ "readOnly" ] }, - "CreateScheduleOutput": { + "CreateScheduleOutput_2024_04_15": { "type": "object", "properties": { "status": { @@ -3110,7 +6688,7 @@ "data" ] }, - "GetDefaultScheduleOutput": { + "GetDefaultScheduleOutput_2024_04_15": { "type": "object", "properties": { "status": { @@ -3135,7 +6713,7 @@ "data" ] }, - "GetScheduleOutput": { + "GetScheduleOutput_2024_04_15": { "type": "object", "properties": { "status": { @@ -3155,7 +6733,7 @@ "data" ] }, - "GetSchedulesOutput": { + "GetSchedulesOutput_2024_04_15": { "type": "object", "properties": { "status": { @@ -3175,7 +6753,7 @@ "data" ] }, - "UpdateScheduleInput": { + "UpdateScheduleInput_2024_04_15": { "type": "object", "properties": { "timeZone": { @@ -3235,7 +6813,7 @@ "schedule" ] }, - "EventTypeModel": { + "EventTypeModel_2024_04_15": { "type": "object", "properties": { "id": { @@ -3250,7 +6828,50 @@ "id" ] }, - "ScheduleModel": { + "AvailabilityModel_2024_04_15": { + "type": "object", + "properties": { + "id": { + "type": "number" + }, + "userId": { + "type": "number", + "nullable": true + }, + "scheduleId": { + "type": "number", + "nullable": true + }, + "eventTypeId": { + "type": "number", + "nullable": true + }, + "days": { + "type": "array", + "items": { + "type": "number" + } + }, + "startTime": { + "format": "date-time", + "type": "string" + }, + "endTime": { + "format": "date-time", + "type": "string" + }, + "date": { + "format": "date-time", + "type": "string", + "nullable": true + } + }, + "required": [ + "id", + "days" + ] + }, + "ScheduleModel_2024_04_15": { "type": "object", "properties": { "id": { @@ -3269,13 +6890,13 @@ "eventType": { "type": "array", "items": { - "$ref": "#/components/schemas/EventTypeModel" + "$ref": "#/components/schemas/EventTypeModel_2024_04_15" } }, "availability": { "type": "array", "items": { - "$ref": "#/components/schemas/AvailabilityModel" + "$ref": "#/components/schemas/AvailabilityModel_2024_04_15" } } }, @@ -3285,11 +6906,11 @@ "name" ] }, - "UpdatedScheduleOutput": { + "UpdatedScheduleOutput_2024_04_15": { "type": "object", "properties": { "schedule": { - "$ref": "#/components/schemas/ScheduleModel" + "$ref": "#/components/schemas/ScheduleModel_2024_04_15" }, "isDefault": { "type": "boolean" @@ -3311,7 +6932,54 @@ "isDefault" ] }, - "UpdateScheduleOutput": { + "UpdateScheduleOutput_2024_04_15": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/UpdatedScheduleOutput_2024_04_15" + } + }, + "required": [ + "status", + "data" + ] + }, + "DeleteScheduleOutput_2024_04_15": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + } + }, + "required": [ + "status" + ] + }, + "AuthUrlData": { + "type": "object", + "properties": { + "authUrl": { + "type": "string" + } + }, + "required": [ + "authUrl" + ] + }, + "GcalAuthUrlOutput": { "type": "object", "properties": { "status": { @@ -3323,7 +6991,7 @@ ] }, "data": { - "$ref": "#/components/schemas/UpdatedScheduleOutput" + "$ref": "#/components/schemas/AuthUrlData" } }, "required": [ @@ -3331,7 +6999,50 @@ "data" ] }, - "DeleteScheduleOutput": { + "GcalSaveRedirectOutput": { + "type": "object", + "properties": { + "url": { + "type": "string" + } + }, + "required": [ + "url" + ] + }, + "GcalCheckOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + } + }, + "required": [ + "status" + ] + }, + "ProviderVerifyClientOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + } + }, + "required": [ + "status" + ] + }, + "ProviderVerifyAccessTokenOutput": { "type": "object", "properties": { "status": { @@ -4226,6 +7937,9 @@ "responses": { "$ref": "#/components/schemas/Response" }, + "orgSlug": { + "type": "string" + }, "locationUrl": { "type": "string" } @@ -4267,6 +7981,63 @@ "seatReferenceUid" ] }, + "MarkNoShowInput": { + "type": "object", + "properties": { + "noShowHost": { + "type": "boolean" + }, + "attendees": { + "type": "array", + "items": { + "$ref": "#/components/schemas/Attendee" + } + } + } + }, + "HandleMarkNoShowData": { + "type": "object", + "properties": { + "message": { + "type": "string" + }, + "noShowHost": { + "type": "boolean" + }, + "messageKey": { + "type": "string" + }, + "attendees": { + "type": "array", + "items": { + "$ref": "#/components/schemas/Attendee" + } + } + }, + "required": [ + "message" + ] + }, + "MarkNoShowOutput": { + "type": "object", + "properties": { + "status": { + "type": "string", + "example": "success", + "enum": [ + "success", + "error" + ] + }, + "data": { + "$ref": "#/components/schemas/HandleMarkNoShowData" + } + }, + "required": [ + "status", + "data" + ] + }, "ReserveSlotInput": { "type": "object", "properties": {} diff --git a/apps/api/v2/test/fixtures/repository/api-keys.repository.fixture.ts b/apps/api/v2/test/fixtures/repository/api-keys.repository.fixture.ts new file mode 100644 index 00000000000000..ab10f52ec9bb6a --- /dev/null +++ b/apps/api/v2/test/fixtures/repository/api-keys.repository.fixture.ts @@ -0,0 +1,28 @@ +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { TestingModule } from "@nestjs/testing"; +import { randomBytes, createHash } from "crypto"; + +export class ApiKeysRepositoryFixture { + private primaReadClient: PrismaReadService["prisma"]; + private prismaWriteClient: PrismaWriteService["prisma"]; + + constructor(private readonly module: TestingModule) { + this.primaReadClient = module.get(PrismaReadService).prisma; + this.prismaWriteClient = module.get(PrismaWriteService).prisma; + } + + async createApiKey(userId: number, expiresAt: Date | null, teamId?: number) { + const keyString = randomBytes(16).toString("hex"); + const apiKey = await this.prismaWriteClient.apiKey.create({ + data: { + userId, + teamId, + hashedKey: createHash("sha256").update(keyString).digest("hex"), + expiresAt: expiresAt, + }, + }); + + return { apiKey, keyString }; + } +} diff --git a/apps/api/v2/test/fixtures/repository/billing.repository.fixture.ts b/apps/api/v2/test/fixtures/repository/billing.repository.fixture.ts new file mode 100644 index 00000000000000..472623e5644e61 --- /dev/null +++ b/apps/api/v2/test/fixtures/repository/billing.repository.fixture.ts @@ -0,0 +1,25 @@ +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { TestingModule } from "@nestjs/testing"; + +export class PlatformBillingRepositoryFixture { + private primaReadClient: PrismaReadService["prisma"]; + private prismaWriteClient: PrismaWriteService["prisma"]; + + constructor(private readonly module: TestingModule) { + this.primaReadClient = module.get(PrismaReadService).prisma; + this.prismaWriteClient = module.get(PrismaWriteService).prisma; + } + + async create(orgId: number) { + const randomString = Date.now().toString(36); + return this.prismaWriteClient.platformBilling.create({ + data: { + id: orgId, + customerId: `cus_123_${randomString}`, + subscriptionId: `sub_123_${randomString}`, + plan: "STARTER", + }, + }); + } +} diff --git a/apps/api/v2/test/fixtures/repository/event-types.repository.fixture.ts b/apps/api/v2/test/fixtures/repository/event-types.repository.fixture.ts index 46e3cc0c032970..d802800a649e3e 100644 --- a/apps/api/v2/test/fixtures/repository/event-types.repository.fixture.ts +++ b/apps/api/v2/test/fixtures/repository/event-types.repository.fixture.ts @@ -1,4 +1,4 @@ -import { CreateEventTypeInput } from "@/ee/event-types/inputs/create-event-type.input"; +import { CreateEventTypeInput_2024_04_15 } from "@/ee/event-types/event-types_2024_04_15/inputs/create-event-type.input"; import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; import { TestingModule } from "@nestjs/testing"; @@ -21,7 +21,18 @@ export class EventTypesRepositoryFixture { }); } - async create(data: Pick, userId: number) { + async getAllTeamEventTypes(teamId: number) { + return this.prismaWriteClient.eventType.findMany({ + where: { + teamId, + }, + }); + } + + async create( + data: Pick, + userId: number + ) { return this.prismaWriteClient.eventType.create({ data: { ...data, diff --git a/apps/api/v2/test/fixtures/repository/membership.repository.fixture.ts b/apps/api/v2/test/fixtures/repository/membership.repository.fixture.ts index 21ee461df0f66e..5cf8fd41f81a1e 100644 --- a/apps/api/v2/test/fixtures/repository/membership.repository.fixture.ts +++ b/apps/api/v2/test/fixtures/repository/membership.repository.fixture.ts @@ -24,6 +24,10 @@ export class MembershipRepositoryFixture { return this.primaReadClient.membership.findFirst({ where: { id: membershipId } }); } + async getUserMembershipByTeamId(userId: User["id"], teamId: Team["id"]) { + return this.primaReadClient.membership.findFirst({ where: { teamId, userId } }); + } + async addUserToOrg(user: User, org: Team, role: MembershipRole, accepted: boolean) { const membership = await this.prismaWriteClient.membership.create({ data: { teamId: org.id, userId: user.id, role, accepted }, diff --git a/apps/api/v2/test/fixtures/repository/profiles.repository.fixture.ts b/apps/api/v2/test/fixtures/repository/profiles.repository.fixture.ts new file mode 100644 index 00000000000000..d31e6a7939f46f --- /dev/null +++ b/apps/api/v2/test/fixtures/repository/profiles.repository.fixture.ts @@ -0,0 +1,26 @@ +import { PrismaReadService } from "@/modules/prisma/prisma-read.service"; +import { PrismaWriteService } from "@/modules/prisma/prisma-write.service"; +import { TestingModule } from "@nestjs/testing"; +import { Prisma } from "@prisma/client"; + +export class ProfileRepositoryFixture { + private primaReadClient: PrismaReadService["prisma"]; + private prismaWriteClient: PrismaWriteService["prisma"]; + + constructor(private readonly module: TestingModule) { + this.primaReadClient = module.get(PrismaReadService).prisma; + this.prismaWriteClient = module.get(PrismaWriteService).prisma; + } + + async get(profileId: number) { + return this.primaReadClient.profile.findFirst({ where: { id: profileId } }); + } + + async create(data: Prisma.ProfileCreateInput) { + return this.prismaWriteClient.profile.create({ data }); + } + + async delete(profileId: number) { + return this.prismaWriteClient.profile.delete({ where: { id: profileId } }); + } +} diff --git a/apps/api/v2/test/mocks/access-token-mock.strategy.ts b/apps/api/v2/test/mocks/api-auth-mock.strategy.ts similarity index 79% rename from apps/api/v2/test/mocks/access-token-mock.strategy.ts rename to apps/api/v2/test/mocks/api-auth-mock.strategy.ts index f7c89a2beb8ee0..9a7e760740b136 100644 --- a/apps/api/v2/test/mocks/access-token-mock.strategy.ts +++ b/apps/api/v2/test/mocks/api-auth-mock.strategy.ts @@ -4,14 +4,14 @@ import { Injectable } from "@nestjs/common"; import { PassportStrategy } from "@nestjs/passport"; @Injectable() -export class AccessTokenMockStrategy extends PassportStrategy(BaseStrategy, "access-token") { +export class ApiAuthMockStrategy extends PassportStrategy(BaseStrategy, "api-auth") { constructor(private readonly email: string, private readonly usersRepository: UsersRepository) { super(); } async authenticate() { try { - const user = await this.usersRepository.findByEmail(this.email); + const user = await this.usersRepository.findByEmailWithProfile(this.email); if (!user) { throw new Error("User with the provided ID not found"); } diff --git a/apps/api/v2/test/mocks/calendars-service-mock.ts b/apps/api/v2/test/mocks/calendars-service-mock.ts new file mode 100644 index 00000000000000..9730237aa5f38d --- /dev/null +++ b/apps/api/v2/test/mocks/calendars-service-mock.ts @@ -0,0 +1,58 @@ +import { CalendarsService } from "@/ee/calendars/services/calendars.service"; + +export class CalendarsServiceMock { + async getCalendars() { + return { + connectedCalendars: [ + { + integration: { + installed: false, + type: "google_calendar", + title: "", + name: "", + description: "", + variant: "calendar", + slug: "", + locationOption: null, + categories: ["calendar"], + logo: "", + publisher: "", + url: "", + email: "", + }, + credentialId: 1, + error: { message: "" }, + }, + { + integration: { + installed: false, + type: "office365_calendar", + title: "", + name: "", + description: "", + variant: "calendar", + slug: "", + locationOption: null, + categories: ["calendar"], + logo: "", + publisher: "", + url: "", + email: "", + }, + credentialId: 2, + error: { message: "" }, + }, + ], + destinationCalendar: { + name: "destinationCalendar", + eventTypeId: 1, + credentialId: 1, + primaryEmail: "primaryEmail", + integration: "google_calendar", + externalId: "externalId", + userId: null, + id: 0, + }, + } satisfies Awaited>; + } +} diff --git a/apps/api/v2/test/mocks/mock-redis-service.ts b/apps/api/v2/test/mocks/mock-redis-service.ts new file mode 100644 index 00000000000000..1239c3c5403890 --- /dev/null +++ b/apps/api/v2/test/mocks/mock-redis-service.ts @@ -0,0 +1,15 @@ +import { RedisService } from "@/modules/redis/redis.service"; +import { Provider } from "@nestjs/common"; + +export const MockedRedisService = { + provide: RedisService, + useValue: { + redis: { + get: jest.fn(), + hgetall: jest.fn(), + set: jest.fn(), + hmset: jest.fn(), + expireat: jest.fn(), + }, + }, +} as Provider; diff --git a/apps/api/v2/test/setEnvVars.ts b/apps/api/v2/test/setEnvVars.ts index a0e9bce9055a47..e7a2393878329e 100644 --- a/apps/api/v2/test/setEnvVars.ts +++ b/apps/api/v2/test/setEnvVars.ts @@ -1,13 +1,21 @@ import type { Environment } from "@/env"; const env: Partial> = { + API_URL: "http://localhost", API_PORT: "5555", + DATABASE_URL: "postgresql://postgres:@localhost:5450/calendso", DATABASE_READ_URL: "postgresql://postgres:@localhost:5450/calendso", DATABASE_WRITE_URL: "postgresql://postgres:@localhost:5450/calendso", NEXTAUTH_SECRET: "XF+Hws3A5g2eyWA5uGYYVJ74X+wrCWJ8oWo6kAfU6O8=", JWT_SECRET: "XF+Hws3A5g2eyWA5uGYYVJ74X+wrCWJ8oWo6kAfU6O8=", LOG_LEVEL: "trace", - REDIS_URL: "redis://localhost:9199", + REDIS_URL: "redis://localhost:6379", + STRIPE_API_KEY: "sk_test_51J4", + STRIPE_WEBHOOK_SECRET: "whsec_51J4", + IS_E2E: true, + API_KEY_PREFIX: "cal_test_", + GET_LICENSE_KEY_URL: " https://console.cal.com/api/license", + CALCOM_LICENSE_KEY: "c4234812-12ab-42s6-a1e3-55bedd4a5bb7", }; // eslint-disable-next-line @typescript-eslint/ban-ts-comment // @ts-ignore diff --git a/apps/api/v2/test/utils/withAccessTokenAuth.ts b/apps/api/v2/test/utils/withAccessTokenAuth.ts deleted file mode 100644 index 809de3c683b873..00000000000000 --- a/apps/api/v2/test/utils/withAccessTokenAuth.ts +++ /dev/null @@ -1,10 +0,0 @@ -import { AccessTokenStrategy } from "@/modules/auth/strategies/access-token/access-token.strategy"; -import { UsersRepository } from "@/modules/users/users.repository"; -import { TestingModuleBuilder } from "@nestjs/testing"; -import { AccessTokenMockStrategy } from "test/mocks/access-token-mock.strategy"; - -export const withAccessTokenAuth = (email: string, module: TestingModuleBuilder) => - module.overrideProvider(AccessTokenStrategy).useFactory({ - factory: (usersRepository: UsersRepository) => new AccessTokenMockStrategy(email, usersRepository), - inject: [UsersRepository], - }); diff --git a/apps/api/v2/test/utils/withApiAuth.ts b/apps/api/v2/test/utils/withApiAuth.ts new file mode 100644 index 00000000000000..bc5a4904b8f53f --- /dev/null +++ b/apps/api/v2/test/utils/withApiAuth.ts @@ -0,0 +1,10 @@ +import { ApiAuthStrategy } from "@/modules/auth/strategies/api-auth/api-auth.strategy"; +import { UsersRepository } from "@/modules/users/users.repository"; +import { TestingModuleBuilder } from "@nestjs/testing"; +import { ApiAuthMockStrategy } from "test/mocks/api-auth-mock.strategy"; + +export const withApiAuth = (email: string, module: TestingModuleBuilder) => + module.overrideProvider(ApiAuthStrategy).useFactory({ + factory: (usersRepository: UsersRepository) => new ApiAuthMockStrategy(email, usersRepository), + inject: [UsersRepository], + }); diff --git a/apps/api/v2/tsconfig.json b/apps/api/v2/tsconfig.json index 3e738f626136f8..384837665690b1 100644 --- a/apps/api/v2/tsconfig.json +++ b/apps/api/v2/tsconfig.json @@ -14,7 +14,10 @@ "jsx": "react-jsx", "paths": { "@/*": ["./src/*"], - "@prisma/client/*": ["@calcom/prisma/client/*"] + "@prisma/client/*": ["@calcom/prisma/client/*"], + "@calcom/platform-constants": ["../../../packages/platform/constants/index.ts"], + "@calcom/platform-types": ["../../../packages/platform/types/index.ts"], + "@calcom/platform-utils": ["../../../packages/platform/utils/index.ts"] }, "incremental": true, "skipLibCheck": true, @@ -23,6 +26,13 @@ "forceConsistentCasingInFileNames": false, "noFallthroughCasesInSwitch": false }, - "exclude": ["./dist", "next-i18next.config.js"], + "watchOptions": { + "watchFile": "fixedPollingInterval", + "watchDirectory": "useFsEvents", + "fallbackPolling": "dynamicPriority", + "synchronousWatchDirectory": true, + "excludeDirectories": ["**/node_modules", "dist"] + }, + "exclude": ["./dist", "./node_modules", "next-i18next.config.js"], "include": ["./**/*.ts", "../../../packages/types/*.d.ts"] } diff --git a/apps/web/.gitignore b/apps/web/.gitignore index 520a11d78c396a..3f657d09b55ab9 100644 --- a/apps/web/.gitignore +++ b/apps/web/.gitignore @@ -68,3 +68,5 @@ public/embed # Copied app-store images public/app-store + +certificates \ No newline at end of file diff --git a/apps/web/CHANGELOG.md b/apps/web/CHANGELOG.md index 4fc3c8a4f6c571..bfb263520b62ae 100644 --- a/apps/web/CHANGELOG.md +++ b/apps/web/CHANGELOG.md @@ -1,5 +1,14 @@ # @calcom/web +## 4.0.8 + +### Patch Changes + +- Updated dependencies + - @calcom/embed-core@1.5.0 + - @calcom/embed-react@1.5.0 + - @calcom/embed-snippet@1.3.0 + ## 3.9.9 ### Patch Changes diff --git a/apps/web/app/WithEmbedSSR.tsx b/apps/web/app/WithEmbedSSR.tsx index c19ead200d5cc3..a7d5387425a7d7 100644 --- a/apps/web/app/WithEmbedSSR.tsx +++ b/apps/web/app/WithEmbedSSR.tsx @@ -3,7 +3,7 @@ import { isNotFoundError } from "next/dist/client/components/not-found"; import { getURLFromRedirectError, isRedirectError } from "next/dist/client/components/redirect"; import { notFound, redirect } from "next/navigation"; -import { WEBAPP_URL } from "@calcom/lib/constants"; +import { WebAppURL } from "@calcom/lib/WebAppURL"; export type EmbedProps = { isEmbed?: boolean; @@ -28,7 +28,7 @@ export default function withEmbedSsrAppDir>( let urlPrefix = ""; // Get the URL parsed from URL so that we can reliably read pathname and searchParams from it. - const destinationUrlObj = new URL(destinationUrl, WEBAPP_URL); + const destinationUrlObj = new WebAppURL(destinationUrl); // If it's a complete URL, use the origin as the prefix to ensure we redirect to the same domain. if (destinationUrl.search(/^(http:|https:).*/) !== -1) { diff --git a/apps/web/app/future/event-types/page.tsx b/apps/web/app/future/event-types/page.tsx index b277302dbae5e3..2dc466826cc0b2 100644 --- a/apps/web/app/future/event-types/page.tsx +++ b/apps/web/app/future/event-types/page.tsx @@ -1,6 +1,9 @@ +import { withAppDirSsr } from "app/WithAppDirSsr"; import { _generateMetadata } from "app/_utils"; import { WithLayout } from "app/layoutHOC"; +import { getServerSideProps } from "@lib/event-types/getServerSideProps"; + import EventTypes from "~/event-types/views/event-types-listing-view"; export const generateMetadata = async () => @@ -9,4 +12,6 @@ export const generateMetadata = async () => (t) => t("event_types_page_subtitle") ); -export default WithLayout({ getLayout: null, Page: EventTypes })<"P">; +const getData = withAppDirSsr(getServerSideProps); + +export default WithLayout({ getLayout: null, getData, Page: EventTypes })<"P">; diff --git a/apps/web/app/layout.tsx b/apps/web/app/layout.tsx index 0733f9c997d1f2..36acecac5f7294 100644 --- a/apps/web/app/layout.tsx +++ b/apps/web/app/layout.tsx @@ -85,7 +85,7 @@ export default async function RootLayout({ children }: { children: React.ReactNo `} { - const i18n = await getTranslations(context); - - return { - i18n, - }; +import React from "react"; + +const NotFound = () => { + return ( +

+

404 - Page Not Found

+

Sorry, the page you are looking for does not exist.

+
+ ); }; -export const dynamic = "force-static"; - -export default WithLayout({ getLayout: null, getData, Page: NotFoundPage }); +export default NotFound; diff --git a/apps/web/components/apps/AppPage.tsx b/apps/web/components/apps/AppPage.tsx index 4ff36ca97a8997..ac556f7045ca92 100644 --- a/apps/web/components/apps/AppPage.tsx +++ b/apps/web/components/apps/AppPage.tsx @@ -1,12 +1,17 @@ import Link from "next/link"; +import { useRouter } from "next/navigation"; import type { IframeHTMLAttributes } from "react"; import React, { useEffect, useState } from "react"; import useAddAppMutation from "@calcom/app-store/_utils/useAddAppMutation"; import { AppDependencyComponent, InstallAppButton } from "@calcom/app-store/components"; +import { doesAppSupportTeamInstall, isConferencing } from "@calcom/app-store/utils"; import DisconnectIntegration from "@calcom/features/apps/components/DisconnectIntegration"; +import { AppOnboardingSteps } from "@calcom/lib/apps/appOnboardingSteps"; +import { getAppOnboardingUrl } from "@calcom/lib/apps/getAppOnboardingUrl"; import classNames from "@calcom/lib/classNames"; -import { APP_NAME, COMPANY_NAME, SUPPORT_MAIL_ADDRESS } from "@calcom/lib/constants"; +import { APP_NAME, COMPANY_NAME, SUPPORT_MAIL_ADDRESS, WEBAPP_URL } from "@calcom/lib/constants"; +import { useCompatSearchParams } from "@calcom/lib/hooks/useCompatSearchParams"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { trpc } from "@calcom/trpc/react"; import type { App as AppType } from "@calcom/types/App"; @@ -70,18 +75,57 @@ export const AppPage = ({ paid, }: AppPageProps) => { const { t, i18n } = useLocale(); + const router = useRouter(); + const searchParams = useCompatSearchParams(); + const hasDescriptionItems = descriptionItems && descriptionItems.length > 0; const mutation = useAddAppMutation(null, { onSuccess: (data) => { if (data?.setupPending) return; + setIsLoading(false); showToast(t("app_successfully_installed"), "success"); }, onError: (error) => { if (error instanceof Error) showToast(error.message || t("app_could_not_be_installed"), "error"); + setIsLoading(false); }, }); + /** + * @todo Refactor to eliminate the isLoading state by using mutation.isPending directly. + * Currently, the isLoading state is used to manage the loading indicator due to the delay in loading the next page, + * which is caused by heavy queries in getServersideProps. This causes the loader to turn off before the page changes. + */ + const [isLoading, setIsLoading] = useState(mutation.isPending); + + const handleAppInstall = () => { + setIsLoading(true); + if (isConferencing(categories)) { + mutation.mutate({ + type, + variant, + slug, + returnTo: + WEBAPP_URL + + getAppOnboardingUrl({ + slug, + step: AppOnboardingSteps.EVENT_TYPES_STEP, + }), + }); + } else if ( + !doesAppSupportTeamInstall({ + appCategories: categories, + concurrentMeetings: concurrentMeetings, + isPaid: !!paid, + }) + ) { + mutation.mutate({ type }); + } else { + router.push(getAppOnboardingUrl({ slug, step: AppOnboardingSteps.ACCOUNTS_STEP })); + } + }; + const priceInDollar = Intl.NumberFormat("en-US", { style: "currency", currency: "USD", @@ -118,6 +162,11 @@ export const AppPage = ({ // variant not other allows, an app to be shown in calendar category without requiring an actual calendar connection e.g. vimcal // Such apps, can only be installed once. const allowedMultipleInstalls = categories.indexOf("calendar") > -1 && variant !== "other"; + useEffect(() => { + if (searchParams?.get("defaultInstall") === "true") { + mutation.mutate({ type, variant, slug, defaultInstall: true }); + } + }, []); return (
@@ -210,22 +259,12 @@ export const AppPage = ({ props = { ...props, onClick: () => { - mutation.mutate({ type, variant, slug }); + handleAppInstall(); }, - loading: mutation.isPending, + loading: isLoading, }; } - return ( - - ); + return ; }} /> )} @@ -249,21 +288,13 @@ export const AppPage = ({ props = { ...props, onClick: () => { - mutation.mutate({ type, variant, slug }); + handleAppInstall(); }, - loading: mutation.isPending, + loading: isLoading, }; } return ( - + ); }} /> diff --git a/apps/web/components/apps/InstallAppButtonChild.tsx b/apps/web/components/apps/InstallAppButtonChild.tsx index 274f9dfcf6c60a..572680ba9f8dfc 100644 --- a/apps/web/components/apps/InstallAppButtonChild.tsx +++ b/apps/web/components/apps/InstallAppButtonChild.tsx @@ -1,53 +1,21 @@ -import useAddAppMutation from "@calcom/app-store/_utils/useAddAppMutation"; -import { doesAppSupportTeamInstall } from "@calcom/app-store/utils"; -import { Spinner } from "@calcom/features/calendars/weeklyview/components/spinner/Spinner"; -import type { UserAdminTeams } from "@calcom/features/ee/teams/lib/getUserAdminTeams"; -import { getPlaceholderAvatar } from "@calcom/lib/defaultAvatarImage"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import type { RouterOutputs } from "@calcom/trpc/react"; import type { AppFrontendPayload } from "@calcom/types/App"; import type { ButtonProps } from "@calcom/ui"; -import { - Avatar, - Button, - Dropdown, - DropdownItem, - DropdownMenuContent, - DropdownMenuLabel, - DropdownMenuPortal, - DropdownMenuTrigger, - showToast, -} from "@calcom/ui"; +import { Button } from "@calcom/ui"; export const InstallAppButtonChild = ({ - userAdminTeams, - addAppMutationInput, - appCategories, multiInstall, credentials, - concurrentMeetings, paid, ...props }: { - userAdminTeams?: UserAdminTeams; - addAppMutationInput: { type: AppFrontendPayload["type"]; variant: string; slug: string }; - appCategories: string[]; multiInstall?: boolean; credentials?: RouterOutputs["viewer"]["appCredentialsByType"]["credentials"]; - concurrentMeetings?: boolean; paid?: AppFrontendPayload["paid"]; } & ButtonProps) => { const { t } = useLocale(); - const mutation = useAddAppMutation(null, { - onSuccess: (data) => { - if (data?.setupPending) return; - showToast(t("app_successfully_installed"), "success"); - }, - onError: (error) => { - if (error instanceof Error) showToast(error.message || t("app_could_not_be_installed"), "error"); - }, - }); const shouldDisableInstallation = !multiInstall ? !!(credentials && credentials.length) : false; // Paid apps don't support team installs at the moment @@ -65,83 +33,14 @@ export const InstallAppButtonChild = ({ ); } - if ( - !userAdminTeams?.length || - !doesAppSupportTeamInstall({ appCategories, concurrentMeetings, isPaid: !!paid }) - ) { - return ( - - ); - } - return ( - - - - - - { - if (mutation.isPending) event.preventDefault(); - }}> - {mutation.isPending && ( -
- -
- )} - {t("install_app_on")} - {userAdminTeams.map((team) => { - const isInstalled = - credentials && - credentials.some((credential) => - credential?.teamId ? credential?.teamId === team.id : credential.userId === team.id - ); - - return ( - - } - onClick={() => { - mutation.mutate( - team.isUser ? addAppMutationInput : { ...addAppMutationInput, teamId: team.id } - ); - }}> -

- {t(team.name)} {isInstalled && `(${t("installed")})`} -

-
- ); - })} -
-
-
+ ); }; diff --git a/apps/web/components/apps/installation/AccountsStepCard.tsx b/apps/web/components/apps/installation/AccountsStepCard.tsx new file mode 100644 index 00000000000000..f14d5c1bb690ab --- /dev/null +++ b/apps/web/components/apps/installation/AccountsStepCard.tsx @@ -0,0 +1,105 @@ +import type { FC } from "react"; +import React, { useState } from "react"; + +import { classNames } from "@calcom/lib"; +import { getPlaceholderAvatar } from "@calcom/lib/defaultAvatarImage"; +import { useLocale } from "@calcom/lib/hooks/useLocale"; +import type { Team, User } from "@calcom/prisma/client"; +import { Avatar, StepCard } from "@calcom/ui"; + +type AccountSelectorProps = { + avatar?: string; + name: string; + alreadyInstalled: boolean; + onClick: () => void; + loading: boolean; + testId: string; +}; + +const AccountSelector: FC = ({ + avatar, + alreadyInstalled, + name, + onClick, + loading, + testId, +}) => { + const { t } = useLocale(); + const [selected, setSelected] = useState(false); + return ( +
{ + if (!alreadyInstalled && !loading) { + setSelected(true); + onClick(); + } + }}> + +
+ {name} + {alreadyInstalled ? {t("already_installed")} : ""} +
+
+ ); +}; + +export type PersonalAccountProps = Pick & { alreadyInstalled: boolean }; + +export type TeamsProp = (Pick & { + alreadyInstalled: boolean; +})[]; + +type AccountStepCardProps = { + teams?: TeamsProp; + personalAccount: PersonalAccountProps; + onSelect: (id?: number) => void; + loading: boolean; + installableOnTeams: boolean; +}; + +export const AccountsStepCard: FC = ({ + teams, + personalAccount, + onSelect, + loading, + installableOnTeams, +}) => { + const { t } = useLocale(); + return ( + +
{t("install_app_on")}
+
+ onSelect()} + loading={loading} + /> + {installableOnTeams && + teams?.map((team) => ( + onSelect(team.id)} + loading={loading} + /> + ))} +
+
+ ); +}; diff --git a/apps/web/components/apps/installation/ConfigureStepCard.tsx b/apps/web/components/apps/installation/ConfigureStepCard.tsx new file mode 100644 index 00000000000000..a6f762baaee024 --- /dev/null +++ b/apps/web/components/apps/installation/ConfigureStepCard.tsx @@ -0,0 +1,226 @@ +import { zodResolver } from "@hookform/resolvers/zod"; +import type { TEventType, TEventTypesForm } from "@pages/apps/installation/[[...step]]"; +import { X } from "lucide-react"; +import type { Dispatch, SetStateAction } from "react"; +import type { FC } from "react"; +import React, { forwardRef, useEffect, useRef, useState } from "react"; +import { createPortal } from "react-dom"; +import { useFieldArray, useFormContext } from "react-hook-form"; +import { useForm } from "react-hook-form"; +import { z } from "zod"; + +import type { LocationObject } from "@calcom/core/location"; +import { useLocale } from "@calcom/lib/hooks/useLocale"; +import type { AppCategories } from "@calcom/prisma/enums"; +import type { EventTypeMetaDataSchema, eventTypeBookingFields } from "@calcom/prisma/zod-utils"; +import { Button, Form } from "@calcom/ui"; + +import EventTypeAppSettingsWrapper from "@components/apps/installation/EventTypeAppSettingsWrapper"; +import EventTypeConferencingAppSettings from "@components/apps/installation/EventTypeConferencingAppSettings"; + +import { locationsResolver } from "~/event-types/views/event-types-single-view"; + +export type TFormType = { + id: number; + metadata: z.infer; + locations: LocationObject[]; + bookingFields: z.infer; + seatsPerTimeSlot: number | null; +}; + +export type ConfigureStepCardProps = { + slug: string; + userName: string; + categories: AppCategories[]; + credentialId?: number; + loading?: boolean; + isConferencing: boolean; + formPortalRef: React.RefObject; + eventTypes: TEventType[] | undefined; + setConfigureStep: Dispatch>; + handleSetUpLater: () => void; +}; + +type EventTypeAppSettingsFormProps = Pick< + ConfigureStepCardProps, + "slug" | "userName" | "categories" | "credentialId" | "loading" | "isConferencing" +> & { + eventType: TEventType; + handleDelete: () => void; + onSubmit: ({ + locations, + bookingFields, + metadata, + }: { + metadata?: z.infer; + bookingFields?: z.infer; + locations?: LocationObject[]; + }) => void; +}; + +const EventTypeAppSettingsForm = forwardRef( + function EventTypeAppSettingsForm(props, ref) { + const { handleDelete, onSubmit, eventType, loading, isConferencing } = props; + const { t } = useLocale(); + + const formMethods = useForm({ + defaultValues: { + id: eventType.id, + metadata: eventType?.metadata ?? undefined, + locations: eventType?.locations ?? undefined, + bookingFields: eventType?.bookingFields ?? undefined, + seatsPerTimeSlot: eventType?.seatsPerTimeSlot ?? undefined, + }, + resolver: zodResolver( + z.object({ + locations: locationsResolver(t), + }) + ), + }); + + return ( +
{ + const metadata = formMethods.getValues("metadata"); + const locations = formMethods.getValues("locations"); + const bookingFields = formMethods.getValues("bookingFields"); + onSubmit({ metadata, locations, bookingFields }); + }}> +
+
+
+ {eventType.title}{" "} + + /{eventType.team ? eventType.team.slug : props.userName}/{eventType.slug} + +
+ {isConferencing ? ( + + ) : ( + + )} + !loading && handleDelete()} + /> + +
+
+
+ ); + } +); + +export const ConfigureStepCard: FC = ({ + loading, + formPortalRef, + eventTypes, + setConfigureStep, + handleSetUpLater, + ...props +}) => { + const { t } = useLocale(); + const { control, getValues } = useFormContext(); + const { fields, update } = useFieldArray({ + control, + name: "eventTypes", + keyName: "fieldId", + }); + + const submitRefs = useRef>>([]); + submitRefs.current = fields.map( + (_ref, index) => (submitRefs.current[index] = React.createRef()) + ); + const mainForSubmitRef = useRef(null); + const [updatedEventTypesStatus, setUpdatedEventTypesStatus] = useState( + fields.filter((field) => field.selected).map((field) => ({ id: field.id, updated: false })) + ); + const [submit, setSubmit] = useState(false); + const allUpdated = updatedEventTypesStatus.every((item) => item.updated); + + useEffect(() => { + setUpdatedEventTypesStatus((prev) => + prev.filter((state) => fields.some((field) => field.id === state.id && field.selected)) + ); + if (!fields.some((field) => field.selected)) { + setConfigureStep(false); + } + // eslint-disable-next-line react-hooks/exhaustive-deps + }, [fields]); + + useEffect(() => { + if (submit && allUpdated && mainForSubmitRef.current) { + mainForSubmitRef.current?.click(); + setSubmit(false); + } + }, [submit, allUpdated, getValues, mainForSubmitRef]); + + return ( + formPortalRef?.current && + createPortal( +
+
+ {fields.map((field, index) => { + return ( + field.selected && ( + { + const eventMetadataDb = eventTypes?.find( + (eventType) => eventType.id == field.id + )?.metadata; + update(index, { ...field, selected: false, metadata: eventMetadataDb }); + }} + onSubmit={(data) => { + update(index, { ...field, ...data }); + setUpdatedEventTypesStatus((prev) => + prev.map((item) => (item.id === field.id ? { ...item, updated: true } : item)) + ); + }} + ref={submitRefs.current[index]} + {...props} + /> + ) + ); + })} +
+ + + + +
+ +
+
, + formPortalRef?.current + ) + ); +}; diff --git a/apps/web/components/apps/installation/EventTypeAppSettingsWrapper.tsx b/apps/web/components/apps/installation/EventTypeAppSettingsWrapper.tsx new file mode 100644 index 00000000000000..d0adca57dee4b1 --- /dev/null +++ b/apps/web/components/apps/installation/EventTypeAppSettingsWrapper.tsx @@ -0,0 +1,41 @@ +import type { TEventType } from "@pages/apps/installation/[[...step]]"; +import { useEffect, type FC } from "react"; + +import { EventTypeAppSettings } from "@calcom/app-store/_components/EventTypeAppSettingsInterface"; +import type { EventTypeAppsList } from "@calcom/app-store/utils"; + +import useAppsData from "@lib/hooks/useAppsData"; + +import type { ConfigureStepCardProps } from "@components/apps/installation/ConfigureStepCard"; + +type EventTypeAppSettingsWrapperProps = Pick< + ConfigureStepCardProps, + "slug" | "userName" | "categories" | "credentialId" +> & { + eventType: TEventType; +}; + +const EventTypeAppSettingsWrapper: FC = ({ + slug, + eventType, + categories, + credentialId, +}) => { + const { getAppDataGetter, getAppDataSetter } = useAppsData(); + + useEffect(() => { + const appDataSetter = getAppDataSetter(slug as EventTypeAppsList, categories, credentialId); + appDataSetter("enabled", true); + // eslint-disable-next-line react-hooks/exhaustive-deps + }, []); + + return ( + + ); +}; +export default EventTypeAppSettingsWrapper; diff --git a/apps/web/components/apps/installation/EventTypeConferencingAppSettings.tsx b/apps/web/components/apps/installation/EventTypeConferencingAppSettings.tsx new file mode 100644 index 00000000000000..1832ac7f03334b --- /dev/null +++ b/apps/web/components/apps/installation/EventTypeConferencingAppSettings.tsx @@ -0,0 +1,118 @@ +import type { TEventType } from "@pages/apps/installation/[[...step]]"; +import { useMemo } from "react"; +import { useFormContext } from "react-hook-form"; +import type { UseFormGetValues, UseFormSetValue, Control, FormState } from "react-hook-form"; + +import type { LocationFormValues } from "@calcom/features/eventtypes/lib/types"; +import { useLocale } from "@calcom/lib/hooks/useLocale"; +import { SchedulingType } from "@calcom/prisma/client"; +import { trpc } from "@calcom/trpc/react"; +import { SkeletonContainer, SkeletonText } from "@calcom/ui"; +import { Skeleton, Label } from "@calcom/ui"; + +import { QueryCell } from "@lib/QueryCell"; + +import type { TFormType } from "@components/apps/installation/ConfigureStepCard"; +import type { TLocationOptions } from "@components/eventtype/Locations"; +import type { TEventTypeLocation } from "@components/eventtype/Locations"; +import Locations from "@components/eventtype/Locations"; +import type { SingleValueLocationOption } from "@components/ui/form/LocationSelect"; + +const LocationsWrapper = ({ + eventType, + slug, +}: { + eventType: TEventType & { + locationOptions?: TLocationOptions; + }; + slug: string; +}) => { + const { t } = useLocale(); + const formMethods = useFormContext(); + + const prefillLocation = useMemo(() => { + let res: SingleValueLocationOption | undefined = undefined; + for (const item of eventType?.locationOptions || []) { + for (const option of item.options) { + if (option.slug === slug) { + res = { + ...option, + }; + } + } + return res; + } + }, [slug, eventType?.locationOptions]); + + return ( +
+ + {t("location")} + + } + setValue={formMethods.setValue as unknown as UseFormSetValue} + control={formMethods.control as unknown as Control} + formState={formMethods.formState as unknown as FormState} + /> +
+ ); +}; + +const EventTypeConferencingAppSettings = ({ eventType, slug }: { eventType: TEventType; slug: string }) => { + const locationsQuery = trpc.viewer.locationOptions.useQuery({}); + const { t } = useLocale(); + + const SkeletonLoader = () => { + return ( + + + + ); + }; + + return ( + } + success={({ data }) => { + let updatedEventType: TEventType & { + locationOptions?: TLocationOptions; + } = { ...eventType }; + + if (updatedEventType.schedulingType === SchedulingType.MANAGED) { + updatedEventType = { + ...updatedEventType, + locationOptions: [ + { + label: t("default"), + options: [ + { + label: t("members_default_location"), + value: "", + icon: "/user-check.svg", + }, + ], + }, + ...data, + ], + }; + } else { + updatedEventType = { ...updatedEventType, locationOptions: data }; + } + return ; + }} + /> + ); +}; + +export default EventTypeConferencingAppSettings; diff --git a/apps/web/components/apps/installation/EventTypesStepCard.tsx b/apps/web/components/apps/installation/EventTypesStepCard.tsx new file mode 100644 index 00000000000000..c11fe9627a3e35 --- /dev/null +++ b/apps/web/components/apps/installation/EventTypesStepCard.tsx @@ -0,0 +1,130 @@ +import type { TEventType, TEventTypesForm } from "@pages/apps/installation/[[...step]]"; +import type { Dispatch, SetStateAction } from "react"; +import type { FC } from "react"; +import React from "react"; +import { useFieldArray, useFormContext } from "react-hook-form"; + +import { useLocale } from "@calcom/lib/hooks/useLocale"; +import { EventTypeMetaDataSchema } from "@calcom/prisma/zod-utils"; +import { ScrollableArea, Badge, Button } from "@calcom/ui"; + +type EventTypesCardProps = { + userName: string; + setConfigureStep: Dispatch>; + handleSetUpLater: () => void; +}; + +export const EventTypesStepCard: FC = ({ + setConfigureStep, + userName, + handleSetUpLater, +}) => { + const { t } = useLocale(); + const { control } = useFormContext(); + const { fields, update } = useFieldArray({ + control, + name: "eventTypes", + keyName: "fieldId", + }); + + return ( +
+
+ +
    + {fields.map((field, index) => ( + update(index, { ...field, selected: !field.selected })} + userName={userName} + key={field.fieldId} + {...field} + /> + ))} +
+
+
+ + + +
+ +
+
+ ); +}; + +type EventTypeCardProps = TEventType & { userName: string; handleSelect: () => void }; + +const EventTypeCard: FC = ({ + title, + description, + id, + metadata, + length, + selected, + slug, + handleSelect, + team, + userName, +}) => { + const parsedMetaData = EventTypeMetaDataSchema.safeParse(metadata); + const durations = + parsedMetaData.success && + parsedMetaData.data?.multipleDuration && + Boolean(parsedMetaData.data?.multipleDuration.length) + ? [length, ...parsedMetaData.data?.multipleDuration?.filter((duration) => duration !== length)].sort() + : [length]; + return ( +
handleSelect()}> + + +
+ ); +}; diff --git a/apps/web/components/apps/installation/StepHeader.tsx b/apps/web/components/apps/installation/StepHeader.tsx new file mode 100644 index 00000000000000..e79dbc2ea6d77b --- /dev/null +++ b/apps/web/components/apps/installation/StepHeader.tsx @@ -0,0 +1,19 @@ +import type { FC, ReactNode } from "react"; + +type StepHeaderProps = { + children?: ReactNode; + title: string; + subtitle: string; +}; +export const StepHeader: FC = ({ children, title, subtitle }) => { + return ( +
+
+

{title}

+ +

{subtitle}

+
+ {children} +
+ ); +}; diff --git a/apps/web/components/booking/BookingListItem.tsx b/apps/web/components/booking/BookingListItem.tsx index 248d4e2be1ded2..ae0d19f9f2dd02 100644 --- a/apps/web/components/booking/BookingListItem.tsx +++ b/apps/web/components/booking/BookingListItem.tsx @@ -1,5 +1,6 @@ import Link from "next/link"; import { useState } from "react"; +import { Controller, useFieldArray, useForm } from "react-hook-form"; import type { EventLocationType, getEventLocationValue } from "@calcom/app-store/locations"; import { @@ -15,6 +16,7 @@ import classNames from "@calcom/lib/classNames"; import { formatTime } from "@calcom/lib/date-fns"; import getPaymentAppData from "@calcom/lib/getPaymentAppData"; import { useBookerUrl } from "@calcom/lib/hooks/useBookerUrl"; +import { useCopy } from "@calcom/lib/hooks/useCopy"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { getEveryFreqFor } from "@calcom/lib/recurringStrings"; import { BookingStatus } from "@calcom/prisma/enums"; @@ -29,6 +31,14 @@ import { DialogClose, DialogContent, DialogFooter, + Dropdown, + DropdownItem, + DropdownMenuCheckboxItem, + DropdownMenuContent, + DropdownMenuItem, + DropdownMenuLabel, + DropdownMenuSeparator, + DropdownMenuTrigger, Icon, MeetingTimeInTimezones, showToast, @@ -87,7 +97,7 @@ function BookingListItem(booking: BookingItemProps) { }); const isUpcoming = new Date(booking.endTime) >= new Date(); - const isPast = new Date(booking.endTime) < new Date(); + const isBookingInPast = new Date(booking.endTime) < new Date(); const isCancelled = booking.status === BookingStatus.CANCELLED; const isConfirmed = booking.status === BookingStatus.ACCEPTED; const isRejected = booking.status === BookingStatus.REJECTED; @@ -220,7 +230,7 @@ function BookingListItem(booking: BookingItemProps) { bookedActions = bookedActions.filter((action) => action.id !== "edit_booking"); } - if (isPast && isPending && !isConfirmed) { + if (isBookingInPast && isPending && !isConfirmed) { bookedActions = bookedActions.filter((action) => action.id !== "cancel"); } @@ -278,9 +288,9 @@ function BookingListItem(booking: BookingItemProps) { const title = booking.title; - const showViewRecordingsButton = !!(booking.isRecorded && isPast && isConfirmed); + const showViewRecordingsButton = !!(booking.isRecorded && isBookingInPast && isConfirmed); const showCheckRecordingButton = - isPast && + isBookingInPast && isConfirmed && !booking.isRecorded && (!booking.location || booking.location === "integrations:daily" || booking?.location?.trim() === ""); @@ -298,7 +308,14 @@ function BookingListItem(booking: BookingItemProps) { ]; const showPendingPayment = paymentAppData.enabled && booking.payment.length && !booking.paid; - + const attendeeList = booking.attendees.map((attendee) => { + return { + name: attendee.name, + email: attendee.email, + id: attendee.id, + noShow: attendee.noShow || false, + }; + }); return ( <> - + {/* Time and Badges for mobile */}
@@ -507,9 +524,11 @@ function BookingListItem(booking: BookingItemProps) { )} {booking.attendees.length !== 0 && ( )} {isCancelled && booking.rescheduled && ( @@ -528,7 +547,7 @@ function BookingListItem(booking: BookingItemProps) { {isRejected &&
{t("rejected")}
} ) : null} - {isPast && isPending && !isConfirmed ? : null} + {isBookingInPast && isPending && !isConfirmed ? : null} {(showViewRecordingsButton || showCheckRecordingButton) && ( )} @@ -654,13 +673,276 @@ const FirstAttendee = ({ type AttendeeProps = { name?: string; email: string; + id: number; + noShow: boolean; +}; + +type NoShowProps = { + bookingUid: string; + isBookingInPast: boolean; }; -const Attendee = ({ email, name }: AttendeeProps) => { +const Attendee = (attendeeProps: AttendeeProps & NoShowProps) => { + const { email, name, bookingUid, isBookingInPast, noShow: noShowAttendee } = attendeeProps; + const { t } = useLocale(); + + const [noShow, setNoShow] = useState(noShowAttendee); + const [openDropdown, setOpenDropdown] = useState(false); + const { copyToClipboard, isCopied } = useCopy(); + + const noShowMutation = trpc.viewer.public.noShow.useMutation({ + onSuccess: async (data) => { + showToast( + t("messageKey" in data && data.messageKey ? data.messageKey : data.message, { x: name || email }), + "success" + ); + }, + onError: (err) => { + showToast(err.message, "error"); + }, + }); + + function toggleNoShow({ + attendee, + bookingUid, + }: { + attendee: { email: string; noShow: boolean }; + bookingUid: string; + }) { + noShowMutation.mutate({ bookingUid, attendees: [attendee] }); + setNoShow(!noShow); + } + return ( - e.stopPropagation()}> - {name || email} - + + + + + + + { + setOpenDropdown(false); + e.stopPropagation(); + }}> + {t("email")} + + + + { + e.preventDefault(); + copyToClipboard(email); + setOpenDropdown(false); + showToast(t("email_copied"), "success"); + }}> + {!isCopied ? t("copy") : t("copied")} + + + {isBookingInPast && ( + + {noShow ? ( + { + setOpenDropdown(false); + toggleNoShow({ attendee: { noShow: false, email }, bookingUid }); + e.preventDefault(); + }} + StartIcon="eye"> + {t("unmark_as_no_show")} + + ) : ( + { + setOpenDropdown(false); + toggleNoShow({ attendee: { noShow: true, email }, bookingUid }); + e.preventDefault(); + }} + StartIcon="eye-off"> + {t("mark_as_no_show")} + + )} + + )} + + + ); +}; + +type GroupedAttendeeProps = { + attendees: AttendeeProps[]; + bookingUid: string; +}; + +const GroupedAttendees = (groupedAttendeeProps: GroupedAttendeeProps) => { + const { bookingUid } = groupedAttendeeProps; + const attendees = groupedAttendeeProps.attendees.map((attendee) => { + return { + id: attendee.id, + email: attendee.email, + name: attendee.name, + noShow: attendee.noShow || false, + }; + }); + const { t } = useLocale(); + const noShowMutation = trpc.viewer.public.noShow.useMutation({ + onSuccess: async (data) => { + showToast(t("messageKey" in data && data.messageKey ? data.messageKey : data.message), "success"); + }, + onError: (err) => { + showToast(err.message, "error"); + }, + }); + const { control, handleSubmit } = useForm<{ + attendees: AttendeeProps[]; + }>({ + defaultValues: { + attendees, + }, + mode: "onBlur", + }); + + const { fields } = useFieldArray({ + control, + name: "attendees", + }); + + const onSubmit = (data: { attendees: AttendeeProps[] }) => { + const filteredData = data.attendees.slice(1); + noShowMutation.mutate({ bookingUid, attendees: filteredData }); + setOpenDropdown(false); + }; + + const [openDropdown, setOpenDropdown] = useState(false); + + return ( + + + + + + + {t("mark_as_no_show_title")} + +
+ {fields.slice(1).map((field, index) => ( + ( + { + e.preventDefault(); + onChange(!value); + }}> + {field.email} + + )} + /> + ))} + +
+ +
+ +
+
+ ); +}; +const GroupedGuests = ({ guests }: { guests: AttendeeProps[] }) => { + const [openDropdown, setOpenDropdown] = useState(false); + const { t } = useLocale(); + const { copyToClipboard, isCopied } = useCopy(); + const [selectedEmail, setSelectedEmail] = useState(""); + + return ( + { + setOpenDropdown(value); + setSelectedEmail(""); + }}> + + + + + {t("guests")} + {guests.slice(1).map((guest) => ( + + { + e.preventDefault(); + setSelectedEmail(guest.email); + }}> + {guest.email} + + + ))} + +
+ + + + +
+
+
); }; @@ -668,17 +950,23 @@ const DisplayAttendees = ({ attendees, user, currentEmail, + bookingUid, + isBookingInPast, }: { attendees: AttendeeProps[]; user: UserProps | null; currentEmail?: string | null; + bookingUid: string; + isBookingInPast: boolean; }) => { const { t } = useLocale(); + attendees.sort((a, b) => a.id - b.id); + return (
{user && } {attendees.length > 1 ? :  {t("and")} } - + {attendees.length > 1 && ( <>
 {t("and")} 
@@ -686,13 +974,17 @@ const DisplayAttendees = ({ (

- +

))}> -
{t("plus_more", { count: attendees.length - 1 })}
+ {isBookingInPast ? ( + + ) : ( + + )}
) : ( - + )} )} diff --git a/apps/web/components/eventtype/AssignmentWarningDialog.tsx b/apps/web/components/eventtype/AssignmentWarningDialog.tsx new file mode 100644 index 00000000000000..32243b8825219e --- /dev/null +++ b/apps/web/components/eventtype/AssignmentWarningDialog.tsx @@ -0,0 +1,58 @@ +import { useRouter } from "next/navigation"; +import type { Dispatch, SetStateAction } from "react"; +import type { MutableRefObject } from "react"; + +import { useLocale } from "@calcom/lib/hooks/useLocale"; +import { Dialog, DialogContent, Button, DialogFooter } from "@calcom/ui"; + +interface AssignmentWarningDialogProps { + isOpenAssignmentWarnDialog: boolean; + setIsOpenAssignmentWarnDialog: Dispatch>; + pendingRoute: string; + leaveWithoutAssigningHosts: MutableRefObject; + id: number; +} + +const AssignmentWarningDialog = (props: AssignmentWarningDialogProps) => { + const { t } = useLocale(); + const { + isOpenAssignmentWarnDialog, + setIsOpenAssignmentWarnDialog, + pendingRoute, + leaveWithoutAssigningHosts, + id, + } = props; + const router = useRouter(); + return ( + + + + + + + + + ); +}; +export default AssignmentWarningDialog; diff --git a/apps/web/components/eventtype/CustomEventTypeModal.tsx b/apps/web/components/eventtype/CustomEventTypeModal.tsx index 7cda6b75565e6f..5a6ab8c5c466c7 100644 --- a/apps/web/components/eventtype/CustomEventTypeModal.tsx +++ b/apps/web/components/eventtype/CustomEventTypeModal.tsx @@ -19,11 +19,12 @@ interface CustomEventTypeModalFormProps { setValue: (value: string) => void; event: EventNameObjectType; defaultValue: string; + isNameFieldSplit: boolean; } const CustomEventTypeModalForm: FC = (props) => { const { t } = useLocale(); - const { placeHolder, close, setValue, event } = props; + const { placeHolder, close, setValue, event, isNameFieldSplit } = props; const { register, handleSubmit, watch, getValues } = useFormContext(); const onSubmit: SubmitHandler = (data) => { setValue(data.customEventName); @@ -68,10 +69,26 @@ const CustomEventTypeModalForm: FC = (props) => {

{`{Organiser}`}

{t("your_full_name")}

+
+

{`{Organiser first name}`}

+

{t("organizer_first_name")}

+

{`{Scheduler}`}

{t("scheduler_full_name")}

+ {isNameFieldSplit && ( +
+

{`{Scheduler first name}`}

+

{t("scheduler_first_name")}

+
+ )} + {isNameFieldSplit && ( +
+

{`{Scheduler last name}`}

+

{t("scheduler_last_name")}

+
+ )}

{`{Location}`}

{t("location_info")}

@@ -101,12 +118,13 @@ interface CustomEventTypeModalProps { close: () => void; setValue: (value: string) => void; event: EventNameObjectType; + isNameFieldSplit: boolean; } const CustomEventTypeModal: FC = (props) => { const { t } = useLocale(); - const { defaultValue, placeHolder, close, setValue, event } = props; + const { defaultValue, placeHolder, close, setValue, event, isNameFieldSplit } = props; const methods = useForm({ defaultValues: { @@ -128,6 +146,7 @@ const CustomEventTypeModal: FC = (props) => { setValue={setValue} placeHolder={placeHolder} defaultValue={defaultValue} + isNameFieldSplit={isNameFieldSplit} /> diff --git a/apps/web/components/eventtype/EventAdvancedTab.tsx b/apps/web/components/eventtype/EventAdvancedTab.tsx index 94573ce76e2374..c0cedaedc87f4b 100644 --- a/apps/web/components/eventtype/EventAdvancedTab.tsx +++ b/apps/web/components/eventtype/EventAdvancedTab.tsx @@ -65,6 +65,9 @@ export const EventAdvancedTab = ({ eventType, team }: Pick field.name === "name"); + const isSplit = (nameBookingField && nameBookingField.variant === "firstAndLastName") ?? false; + const eventNameObject: EventNameObjectType = { attendeeName: t("scheduler"), eventType: formMethods.getValues("title"), @@ -79,6 +82,7 @@ export const EventAdvancedTab = ({ eventType, team }: Pick 1; const noShowFeeEnabled = formMethods.getValues("metadata")?.apps?.stripe?.enabled === true && formMethods.getValues("metadata")?.apps?.stripe?.paymentOption === "HOLD"; @@ -321,6 +325,20 @@ export const EventAdvancedTab = ({ eventType, team }: Pick + +
+ ( + onChange(e)} + checked={value} + /> + )} + /> +
{ // Enabling seats will disable guests and requiring confirmation until fully supported if (e) { @@ -550,6 +575,7 @@ export const EventAdvancedTab = ({ eventType, team }: Pick formMethods.setValue("eventName", val, { shouldDirty: true })} defaultValue={formMethods.getValues("eventName")} placeHolder={eventNamePlaceholder} + isNameFieldSplit={isSplit} event={eventNameObject} /> )} diff --git a/apps/web/components/eventtype/EventAppsTab.tsx b/apps/web/components/eventtype/EventAppsTab.tsx index 10160ae34a4038..9625c791d4c32a 100644 --- a/apps/web/components/eventtype/EventAppsTab.tsx +++ b/apps/web/components/eventtype/EventAppsTab.tsx @@ -3,7 +3,6 @@ import Link from "next/link"; import type { EventTypeSetupProps } from "pages/event-types/[type]"; import { useFormContext } from "react-hook-form"; -import type { GetAppData, SetAppData } from "@calcom/app-store/EventTypeAppContext"; import { EventTypeAppCard } from "@calcom/app-store/_components/EventTypeAppCardInterface"; import type { EventTypeAppCardComponentProps } from "@calcom/app-store/types"; import type { EventTypeAppsList } from "@calcom/app-store/utils"; @@ -13,6 +12,8 @@ import { useLocale } from "@calcom/lib/hooks/useLocale"; import { trpc } from "@calcom/trpc/react"; import { Alert, Button, EmptyScreen } from "@calcom/ui"; +import useAppsData from "@lib/hooks/useAppsData"; + export type EventType = Pick["eventType"] & EventTypeAppCardComponentProps["eventType"]; @@ -28,51 +29,8 @@ export const EventAppsTab = ({ eventType }: { eventType: EventType }) => { eventTypeApps?.items.filter((app) => app.userCredentialIds.length || app.teams.length) || []; const notInstalledApps = eventTypeApps?.items.filter((app) => !app.userCredentialIds.length && !app.teams.length) || []; - const allAppsData = formMethods.watch("metadata")?.apps || {}; - - const setAllAppsData = (_allAppsData: typeof allAppsData) => { - formMethods.setValue( - "metadata", - { - ...formMethods.getValues("metadata"), - apps: _allAppsData, - }, - { shouldDirty: true } - ); - }; - - const getAppDataGetter = (appId: EventTypeAppsList): GetAppData => { - return function (key) { - const appData = allAppsData[appId as keyof typeof allAppsData] || {}; - if (key) { - return appData[key as keyof typeof appData]; - } - return appData; - }; - }; - - const eventTypeFormMetadata = formMethods.getValues("metadata"); - const getAppDataSetter = ( - appId: EventTypeAppsList, - appCategories: string[], - credentialId?: number - ): SetAppData => { - return function (key, value) { - // Always get latest data available in Form because consequent calls to setData would update the Form but not allAppsData(it would update during next render) - const allAppsDataFromForm = formMethods.getValues("metadata")?.apps || {}; - const appData = allAppsDataFromForm[appId]; - setAllAppsData({ - ...allAppsDataFromForm, - [appId]: { - ...appData, - [key]: value, - credentialId, - appCategories, - }, - }); - }; - }; + const { getAppDataGetter, getAppDataSetter, eventTypeFormMetadata } = useAppsData(); const { shouldLockDisableProps, isManagedEventType, isChildrenManagedEventType } = useLockedFieldsManager({ eventType, diff --git a/apps/web/components/eventtype/EventAvailabilityTab.tsx b/apps/web/components/eventtype/EventAvailabilityTab.tsx index 49fd8824b965e6..eaa585e274b1c3 100644 --- a/apps/web/components/eventtype/EventAvailabilityTab.tsx +++ b/apps/web/components/eventtype/EventAvailabilityTab.tsx @@ -10,6 +10,7 @@ import type { AvailabilityOption, FormValues } from "@calcom/features/eventtypes import classNames from "@calcom/lib/classNames"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { weekdayNames } from "@calcom/lib/weekday"; +import { weekStartNum } from "@calcom/lib/weekstart"; import { SchedulingType } from "@calcom/prisma/enums"; import { trpc } from "@calcom/trpc/react"; import useMeQuery from "@calcom/trpc/react/hooks/useMeQuery"; @@ -87,14 +88,16 @@ const EventTypeScheduleDetails = memo( { enabled: !!scheduleId || !!loggedInUser?.defaultScheduleId || !!selectedScheduleValue } ); + const weekStart = weekStartNum(loggedInUser?.weekStart); + const filterDays = (dayNum: number) => - schedule?.schedule.filter((item) => item.days.includes((dayNum + 1) % 7)) || []; + schedule?.schedule.filter((item) => item.days.includes((dayNum + weekStart) % 7)) || []; return (
    - {weekdayNames(i18n.language, 1, "long").map((day, index) => { + {weekdayNames(i18n.language, weekStart, "long").map((day, index) => { const isAvailable = !!filterDays(index).length; return (
  1. diff --git a/apps/web/components/eventtype/EventLimitsTab.tsx b/apps/web/components/eventtype/EventLimitsTab.tsx index f3daf7db898712..a26fdd5b3ae1b0 100644 --- a/apps/web/components/eventtype/EventLimitsTab.tsx +++ b/apps/web/components/eventtype/EventLimitsTab.tsx @@ -3,22 +3,201 @@ import * as RadioGroup from "@radix-ui/react-radio-group"; import type { EventTypeSetupProps } from "pages/event-types/[type]"; import type { Key } from "react"; import React, { useEffect, useState } from "react"; -import type { UseFormRegisterReturn } from "react-hook-form"; +import type { UseFormRegisterReturn, UseFormReturn } from "react-hook-form"; import { Controller, useFormContext } from "react-hook-form"; import type { SingleValue } from "react-select"; import useLockedFieldsManager from "@calcom/features/ee/managed-event-types/hooks/useLockedFieldsManager"; +import { getDefinedBufferTimes } from "@calcom/features/eventtypes/lib/getDefinedBufferTimes"; import type { FormValues } from "@calcom/features/eventtypes/lib/types"; import { classNames } from "@calcom/lib"; +import { ROLLING_WINDOW_PERIOD_MAX_DAYS_TO_CHECK } from "@calcom/lib/constants"; import type { DurationType } from "@calcom/lib/convertToNewDurationType"; import convertToNewDurationType from "@calcom/lib/convertToNewDurationType"; import findDurationType from "@calcom/lib/findDurationType"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { ascendingLimitKeys, intervalLimitKeyToUnit } from "@calcom/lib/intervalLimit"; -import type { PeriodType } from "@calcom/prisma/enums"; +import { PeriodType } from "@calcom/prisma/enums"; import type { IntervalLimit } from "@calcom/types/Calendar"; import { Button, DateRangePicker, InputField, Label, Select, SettingsToggle, TextField } from "@calcom/ui"; +import CheckboxField from "@components/ui/form/CheckboxField"; + +type IPeriodType = (typeof PeriodType)[keyof typeof PeriodType]; + +/** + * We technically have a ROLLING_WINDOW future limit option that isn't shown as a Radio Option. Because UX is better by providing it as a toggle with ROLLING Limit radio option. + * Also, ROLLING_WINDOW reuses the same `periodDays` field and `periodCountCalendarDays` fields + * + * So we consider `periodType=ROLLING && rollingExcludeUnavailableDays=true` to be the ROLLING_WINDOW option + * We can't set `periodType=ROLLING_WINDOW` directly because it is not a valid Radio Option in UI + * So, here we can convert from periodType to uiValue any time. + */ +const getUiValueFromPeriodType = (periodType: PeriodType) => { + if (periodType === PeriodType.ROLLING_WINDOW) { + return { + value: PeriodType.ROLLING, + rollingExcludeUnavailableDays: true, + }; + } + + if (periodType === PeriodType.ROLLING) { + return { + value: PeriodType.ROLLING, + rollingExcludeUnavailableDays: false, + }; + } + + return { + value: periodType, + rollingExcludeUnavailableDays: null, + }; +}; + +/** + * It compliments `getUiValueFromPeriodType` + */ +const getPeriodTypeFromUiValue = (uiValue: { value: PeriodType; rollingExcludeUnavailableDays: boolean }) => { + if (uiValue.value === PeriodType.ROLLING && uiValue.rollingExcludeUnavailableDays === true) { + return PeriodType.ROLLING_WINDOW; + } + + return uiValue.value; +}; + +function RangeLimitRadioItem({ + isDisabled, + formMethods, + radioValue, +}: { + radioValue: string; + isDisabled: boolean; + formMethods: UseFormReturn; +}) { + const { t } = useLocale(); + return ( +
    + {!isDisabled && ( + + + + )} +
    + {t("within_date_range")}  +
    + ( + { + onChange({ + startDate, + endDate, + }); + }} + /> + )} + /> +
    +
    +
    + ); +} + +function RollingLimitRadioItem({ + radioValue, + isDisabled, + formMethods, + onChange, + rollingExcludeUnavailableDays, +}: { + radioValue: IPeriodType; + isDisabled: boolean; + formMethods: UseFormReturn; + onChange: (opt: { value: number } | null) => void; + rollingExcludeUnavailableDays: boolean; +}) { + const { t } = useLocale(); + + const options = [ + { value: 0, label: t("business_days") }, + { value: 1, label: t("calendar_days") }, + ]; + const getSelectedOption = () => + options.find((opt) => opt.value === (formMethods.getValues("periodCountCalendarDays") === true ? 1 : 0)); + + const periodDaysWatch = formMethods.watch("periodDays"); + return ( +
    + {!isDisabled && ( + + + + )} + +
    +
    + + { - formMethods.setValue( - "periodCountCalendarDays", - opt?.value === 1 ? true : false, - { shouldDirty: true } - ); - }} - name="periodCoundCalendarDays" - value={optionsPeriod.find((opt) => { - opt.value === - (formMethods.getValues("periodCountCalendarDays") === true ? 1 : 0); - })} - defaultValue={optionsPeriod.find( - (opt) => - opt.value === - (formMethods.getValues("periodCountCalendarDays") === true ? 1 : 0) - )} - /> -
    - )} - {period.type === "RANGE" && ( -
    - ( - { - onChange({ - startDate, - endDate, - }); - }} - /> - )} - /> -
    - )} - {period.suffix ?  {period.suffix} : null} -
    + value={watchPeriodTypeUiValue} + onValueChange={(val) => { + formMethods.setValue( + "periodType", + getPeriodTypeFromUiValue({ + value: val as IPeriodType, + rollingExcludeUnavailableDays: formMethods.getValues("rollingExcludeUnavailableDays"), + }), + { + shouldDirty: true, + } ); - })} + }}> + {(periodTypeLocked.disabled ? watchPeriodTypeUiValue === PeriodType.ROLLING : true) && ( + { + formMethods.setValue("periodCountCalendarDays", opt?.value === 1, { + shouldDirty: true, + }); + }} + /> + )} + {(periodTypeLocked.disabled ? watchPeriodTypeUiValue === PeriodType.RANGE : true) && ( + + )}
    diff --git a/apps/web/components/eventtype/EventSetupTab.tsx b/apps/web/components/eventtype/EventSetupTab.tsx index f09bf48b978df0..7a5a765ecd419b 100644 --- a/apps/web/components/eventtype/EventSetupTab.tsx +++ b/apps/web/components/eventtype/EventSetupTab.tsx @@ -1,18 +1,13 @@ -import { useAutoAnimate } from "@formkit/auto-animate/react"; -import { ErrorMessage } from "@hookform/error-message"; -import { Trans } from "next-i18next"; -import Link from "next/link"; import type { EventTypeSetupProps } from "pages/event-types/[type]"; import { useEffect, useState } from "react"; -import { Controller, useFormContext, useFieldArray } from "react-hook-form"; +import { Controller, useFormContext } from "react-hook-form"; +import type { UseFormGetValues, UseFormSetValue, Control, FormState } from "react-hook-form"; import type { MultiValue } from "react-select"; -import type { EventLocationType } from "@calcom/app-store/locations"; -import { getEventLocationType, MeetLocationType } from "@calcom/app-store/locations"; import useLockedFieldsManager from "@calcom/features/ee/managed-event-types/hooks/useLockedFieldsManager"; import { useOrgBranding } from "@calcom/features/ee/organizations/context/provider"; -import type { FormValues } from "@calcom/features/eventtypes/lib/types"; -import { WEBAPP_URL, WEBSITE_URL } from "@calcom/lib/constants"; +import type { FormValues, LocationFormValues } from "@calcom/features/eventtypes/lib/types"; +import { WEBSITE_URL } from "@calcom/lib/constants"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { md } from "@calcom/lib/markdownIt"; import { slugify } from "@calcom/lib/slugify"; @@ -23,54 +18,12 @@ import { SettingsToggle, Skeleton, TextField, - Icon, Editor, SkeletonContainer, SkeletonText, - Input, - PhoneInput, - Button, - showToast, } from "@calcom/ui"; -import CheckboxField from "@components/ui/form/CheckboxField"; -import type { SingleValueLocationOption } from "@components/ui/form/LocationSelect"; -import LocationSelect from "@components/ui/form/LocationSelect"; - -const getLocationFromType = ( - type: EventLocationType["type"], - locationOptions: Pick["locationOptions"] -) => { - for (const locationOption of locationOptions) { - const option = locationOption.options.find((option) => option.value === type); - if (option) { - return option; - } - } -}; - -const getLocationInfo = ({ - eventType, - locationOptions, -}: Pick) => { - const locationAvailable = - eventType.locations && - eventType.locations.length > 0 && - locationOptions.some((op) => op.options.find((opt) => opt.value === eventType.locations[0].type)); - const locationDetails = eventType.locations && - eventType.locations.length > 0 && - !locationAvailable && { - slug: eventType.locations[0].type.replace("integrations:", "").replace(":", "-").replace("_video", ""), - name: eventType.locations[0].type - .replace("integrations:", "") - .replace(":", " ") - .replace("_video", "") - .split(" ") - .map((word) => word[0].toUpperCase() + word.slice(1)) - .join(" "), - }; - return { locationAvailable, locationDetails }; -}; +import Locations from "@components/eventtype/Locations"; const DescriptionEditor = ({ isEditable }: { isEditable: boolean }) => { const formMethods = useFormContext(); @@ -106,25 +59,13 @@ export const EventSetupTab = ( ) => { const { t } = useLocale(); const formMethods = useFormContext(); - const { eventType, team, destinationCalendar } = props; + const { eventType, team } = props; const [multipleDuration, setMultipleDuration] = useState( formMethods.getValues("metadata")?.multipleDuration ); const orgBranding = useOrgBranding(); const seatsEnabled = formMethods.watch("seatsPerTimeSlotEnabled"); - const locationOptions = props.locationOptions.map((locationOption) => { - const options = locationOption.options.filter((option) => { - // Skip "Organizer's Default App" for non-team members - return !team ? option.label !== t("organizer_default_conferencing_app") : true; - }); - - return { - ...locationOption, - options, - }; - }); - const multipleDurationOptions = [ 5, 10, 15, 20, 25, 30, 45, 50, 60, 75, 80, 90, 120, 150, 180, 240, 300, 360, 420, 480, ].map((mins) => ({ @@ -144,324 +85,6 @@ export const EventSetupTab = ( const { isChildrenManagedEventType, isManagedEventType, shouldLockIndicator, shouldLockDisableProps } = useLockedFieldsManager({ eventType, translate: t, formMethods }); - const Locations = () => { - const { t } = useLocale(); - const { - fields: locationFields, - append, - remove, - update: updateLocationField, - } = useFieldArray({ - control: formMethods.control, - name: "locations", - }); - - const [animationRef] = useAutoAnimate(); - - const validLocations = formMethods.getValues("locations").filter((location) => { - const eventLocation = getEventLocationType(location.type); - if (!eventLocation) { - // It's possible that the location app in use got uninstalled. - return false; - } - return true; - }); - - const defaultValue = isManagedEventType - ? locationOptions.find((op) => op.label === t("default"))?.options[0] - : undefined; - - const { locationDetails, locationAvailable } = getLocationInfo(props); - - const LocationInput = (props: { - eventLocationType: EventLocationType; - defaultValue?: string; - index: number; - }) => { - const { eventLocationType, index, ...remainingProps } = props; - if (eventLocationType?.organizerInputType === "text") { - const { defaultValue, ...rest } = remainingProps; - - return ( - { - return ( - - ); - }} - /> - ); - } else if (eventLocationType?.organizerInputType === "phone") { - const { defaultValue, ...rest } = remainingProps; - - return ( - { - return ( - - ); - }} - /> - ); - } - return null; - }; - - const [showEmptyLocationSelect, setShowEmptyLocationSelect] = useState(false); - const defaultInitialLocation = defaultValue || null; - const [selectedNewOption, setSelectedNewOption] = useState( - defaultInitialLocation - ); - - return ( -
    -
      - {locationFields.map((field, index) => { - const eventLocationType = getEventLocationType(field.type); - const defaultLocation = field; - - const option = getLocationFromType(field.type, locationOptions); - - return ( -
    • -
      - { - if (e?.value) { - const newLocationType = e.value; - const eventLocationType = getEventLocationType(newLocationType); - if (!eventLocationType) { - return; - } - const canAddLocation = - eventLocationType.organizerInputType || - !validLocations.find((location) => location.type === newLocationType); - - if (canAddLocation) { - updateLocationField(index, { - type: newLocationType, - ...(e.credentialId && { - credentialId: e.credentialId, - teamName: e.teamName, - }), - }); - } else { - updateLocationField(index, { - type: field.type, - ...(field.credentialId && { - credentialId: field.credentialId, - teamName: field.teamName, - }), - }); - showToast(t("location_already_exists"), "warning"); - } - // Whenever location changes, we need to reset the locations item in booking questions list else it overflows - // previously added values resulting in wrong behaviour - const existingBookingFields = formMethods.getValues("bookingFields"); - const findLocation = existingBookingFields.findIndex( - (field) => field.name === "location" - ); - if (findLocation >= 0) { - existingBookingFields[findLocation] = { - ...existingBookingFields[findLocation], - type: "radioInput", - label: "", - placeholder: "", - }; - formMethods.setValue("bookingFields", existingBookingFields, { - shouldDirty: true, - }); - } - } - }} - /> - {!(shouldLockDisableProps("locations").disabled && isChildrenManagedEventType) && ( - - )} -
      - - {eventLocationType?.organizerInputType && ( -
      -
      -
      -
      - -
      - -
      - -
      -
      - { - const fieldValues = formMethods.getValues("locations")[index]; - updateLocationField(index, { - ...fieldValues, - displayLocationPublicly: e.target.checked, - }); - }} - informationIconText={t("display_location_info_badge")} - /> -
      -
      - )} -
    • - ); - })} - {(validLocations.length === 0 || showEmptyLocationSelect) && ( -
      - { - if (e?.value) { - const newLocationType = e.value; - const eventLocationType = getEventLocationType(newLocationType); - if (!eventLocationType) { - return; - } - - const canAppendLocation = - eventLocationType.organizerInputType || - !validLocations.find((location) => location.type === newLocationType); - - if (canAppendLocation) { - append({ - type: newLocationType, - ...(e.credentialId && { - credentialId: e.credentialId, - teamName: e.teamName, - }), - }); - setSelectedNewOption(e); - } else { - showToast(t("location_already_exists"), "warning"); - setSelectedNewOption(null); - } - } - }} - /> -
      - )} - {validLocations.some( - (location) => - location.type === MeetLocationType && destinationCalendar?.integration !== "google_calendar" - ) && ( -
      -
      - -
      - -

      - The “Add to calendar” for this event type needs to be a Google Calendar for Meet to work. - Change it{" "} - - here. - {" "} -

      -
      -
      - )} - {isChildrenManagedEventType && !locationAvailable && locationDetails && ( -

      - {t("app_not_connected", { appName: locationDetails.name })}{" "} - - {t("connect_now")} - -

      - )} - {validLocations.length > 0 && !shouldLockDisableProps("locations").disabled && ( - // && !isChildrenManagedEventType : Add this to hide add-location button only when location is disabled by Admin -
    • - -
    • - )} -
    -

    - - Can't find the right video app? Visit our - - App Store - - . - -

    -
    - ); - }; const lengthLockedProps = shouldLockDisableProps("length"); const descriptionLockedProps = shouldLockDisableProps("description"); @@ -623,7 +246,19 @@ export const EventSetupTab = ( name="locations" control={formMethods.control} defaultValue={eventType.locations || []} - render={() => } + render={() => ( + } + setValue={formMethods.setValue as unknown as UseFormSetValue} + control={formMethods.control as unknown as Control} + formState={formMethods.formState as unknown as FormState} + {...props} + /> + )} />
diff --git a/apps/web/components/eventtype/EventTeamTab.tsx b/apps/web/components/eventtype/EventTeamTab.tsx index f76603cf3a5d11..a5dc455b19dffa 100644 --- a/apps/web/components/eventtype/EventTeamTab.tsx +++ b/apps/web/components/eventtype/EventTeamTab.tsx @@ -33,6 +33,7 @@ export const mapMemberToChildrenOption = ( membership: member.membership, eventTypeSlugs: member.eventTypes ?? [], avatar: member.avatar, + profile: member.profile, }, value: `${member.id ?? ""}`, label: `${member.name || member.email || ""}${!member.username ? ` (${pendingString})` : ""}`, diff --git a/apps/web/components/eventtype/EventTypeSingleLayout.tsx b/apps/web/components/eventtype/EventTypeSingleLayout.tsx index 821734c3c30861..fa792584b36384 100644 --- a/apps/web/components/eventtype/EventTypeSingleLayout.tsx +++ b/apps/web/components/eventtype/EventTypeSingleLayout.tsx @@ -10,6 +10,7 @@ import { EventTypeEmbedButton, EventTypeEmbedDialog } from "@calcom/features/emb import type { FormValues, AvailabilityOption } from "@calcom/features/eventtypes/lib/types"; import Shell from "@calcom/features/shell/Shell"; import { classNames } from "@calcom/lib"; +import getPaymentAppData from "@calcom/lib/getPaymentAppData"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { HttpError } from "@calcom/lib/http-error"; import { SchedulingType } from "@calcom/prisma/enums"; @@ -95,12 +96,6 @@ function getNavigation({ icon: "sliders-vertical", info: `event_advanced_tab_description`, }, - { - name: "recurring", - href: `/event-types/${id}?tabName=recurring`, - icon: "repeat", - info: `recurring_event_tab_description`, - }, { name: "apps", href: `/event-types/${id}?tabName=apps`, @@ -209,6 +204,10 @@ function EventTypeSingleLayout({ const watchSchedulingType = formMethods.watch("schedulingType"); const watchChildrenCount = formMethods.watch("children").length; + + const paymentAppData = getPaymentAppData(eventType); + const requirePayment = paymentAppData.price > 0; + // Define tab navigation here const EventTypeTabs = useMemo(() => { const navigation: VerticalTabItemProps[] = getNavigation({ @@ -222,6 +221,14 @@ function EventTypeSingleLayout({ availability, }); + if (!requirePayment) { + navigation.splice(3, 0, { + name: "recurring", + href: `/event-types/${formMethods.getValues("id")}?tabName=recurring`, + icon: "repeat", + info: `recurring_event_tab_description`, + }); + } navigation.splice(1, 0, { name: "availability", href: `/event-types/${formMethods.getValues("id")}?tabName=availability`, @@ -287,6 +294,7 @@ function EventTypeSingleLayout({ isChildrenManagedEventType, team, length, + requirePayment, multipleDuration, formMethods.getValues("id"), watchSchedulingType, @@ -315,7 +323,7 @@ function EventTypeSingleLayout({ @@ -321,7 +216,7 @@ export const OAuthClientForm: FC<{ clientId?: string }> = ({ clientId }) => { label="Booking reschedule redirect uri" className="w-[100%]" {...register("bookingRescheduleRedirectUri")} - disabled={disabledForm} + disabled={isFormDisabled} />
@@ -331,27 +226,23 @@ export const OAuthClientForm: FC<{ clientId?: string }> = ({ clientId }) => { id="areEmailsEnabled" className="bg-default border-default h-4 w-4 shrink-0 cursor-pointer rounded-[4px] border ring-offset-2 focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-offset-2 disabled:cursor-not-allowed" type="checkbox" - disabled={disabledForm} + disabled={isFormDisabled} />
-
- -

Permissions

-
-
{permissionsCheckboxes}
- -
diff --git a/apps/web/components/settings/platform/platformUtils.ts b/apps/web/components/settings/platform/platformUtils.ts new file mode 100644 index 00000000000000..279ff369726e44 --- /dev/null +++ b/apps/web/components/settings/platform/platformUtils.ts @@ -0,0 +1,57 @@ +type IndividualPlatformPlan = { + plan: string; + description: string; + pricing?: number; + includes: string[]; +}; + +// if pricing or plans change in future modify this +export const platformPlans: IndividualPlatformPlan[] = [ + { + plan: "Starter", + description: + "Perfect for just getting started with community support and access to hosted platform APIs, Cal.com Atoms (React components) and more.", + pricing: 99, + includes: [ + "Up to 100 bookings a month", + "Community Support", + "Cal Atoms (React Library)", + "Platform APIs", + "Admin APIs", + ], + }, + { + plan: "Essentials", + description: + "Your essential package with sophisticated support, hosted platform APIs, Cal.com Atoms (React components) and more.", + pricing: 299, + includes: [ + "Up to 500 bookings a month. $0,60 overage beyond", + "Everything in Starter", + "Cal Atoms (React Library)", + "User Management and Analytics", + "Technical Account Manager and Onboarding Support", + ], + }, + { + plan: "Scale", + description: + "The best all-in-one plan to scale your company. Everything you need to provide scheduling for the masses, without breaking things.", + pricing: 2499, + includes: [ + "Up to 5000 bookings a month. $0.50 overage beyond", + "Everything in Essentials", + "Credential import from other platforms", + "Compliance Check SOC2, HIPAA", + "One-on-one developer calls", + "Help with Credentials Verification (Zoom, Google App Store)", + "Expedited features and integrations", + "SLA (99.999% uptime)", + ], + }, + { + plan: "Enterprise", + description: "Everything in Scale with generous volume discounts beyond 50,000 bookings a month.", + includes: ["Beyond 50,000 bookings a month", "Everything in Scale", "Up to 50% discount on overages"], + }, +]; diff --git a/apps/web/components/settings/platform/pricing/billing-card/index.tsx b/apps/web/components/settings/platform/pricing/billing-card/index.tsx new file mode 100644 index 00000000000000..e277bdd2636689 --- /dev/null +++ b/apps/web/components/settings/platform/pricing/billing-card/index.tsx @@ -0,0 +1,54 @@ +import { Button } from "@calcom/ui"; + +type PlatformBillingCardProps = { + plan: string; + description: string; + pricing?: number; + includes: string[]; + isLoading?: boolean; + handleSubscribe?: () => void; +}; + +export const PlatformBillingCard = ({ + plan, + description, + pricing, + includes, + isLoading, + handleSubscribe, +}: PlatformBillingCardProps) => { + return ( +
+
+

{plan}

+

{description}

+

+ {pricing && ( + <> + US${pricing} per month + + )} +

+
+
+ +
+
+

This includes:

+ {includes.map((feature) => { + return ( +
+
+
{feature}
+
+ ); + })} +
+
+ ); +}; diff --git a/apps/web/components/settings/platform/pricing/platform-pricing/index.tsx b/apps/web/components/settings/platform/pricing/platform-pricing/index.tsx new file mode 100644 index 00000000000000..ee27bd50ffbae6 --- /dev/null +++ b/apps/web/components/settings/platform/pricing/platform-pricing/index.tsx @@ -0,0 +1,55 @@ +import { useRouter } from "next/navigation"; + +import { ErrorCode } from "@calcom/lib/errorCodes"; +import { showToast } from "@calcom/ui"; + +import { useSubscribeTeamToStripe } from "@lib/hooks/settings/platform/oauth-clients/usePersistOAuthClient"; + +import { platformPlans } from "@components/settings/platform/platformUtils"; +import { PlatformBillingCard } from "@components/settings/platform/pricing/billing-card"; + +type PlatformPricingProps = { teamId?: number | null }; + +export const PlatformPricing = ({ teamId }: PlatformPricingProps) => { + const router = useRouter(); + const { mutateAsync, isPending } = useSubscribeTeamToStripe({ + onSuccess: (redirectUrl: string) => { + router.push(redirectUrl); + }, + onError: () => { + showToast(ErrorCode.UnableToSubscribeToThePlatform, "error"); + }, + teamId, + }); + + return ( +
+
+

Subscribe to Platform

+
+
+
+ {platformPlans.map((plan) => { + return ( +
+ { + !!teamId && + (plan.plan === "Enterprise" + ? router.push("https://i.cal.com/sales/exploration") + : mutateAsync({ plan: plan.plan.toLocaleUpperCase() })); + }} + /> +
+ ); + })} +
+
+
+ ); +}; diff --git a/apps/web/components/ui/UsernameAvailability/PremiumTextfield.tsx b/apps/web/components/ui/UsernameAvailability/PremiumTextfield.tsx index 0137343522243f..da811b4db82e85 100644 --- a/apps/web/components/ui/UsernameAvailability/PremiumTextfield.tsx +++ b/apps/web/components/ui/UsernameAvailability/PremiumTextfield.tsx @@ -1,15 +1,16 @@ import classNames from "classnames"; // eslint-disable-next-line no-restricted-imports -import { debounce, noop } from "lodash"; +import { noop } from "lodash"; import { useSession } from "next-auth/react"; import { usePathname, useRouter, useSearchParams } from "next/navigation"; import type { RefCallback } from "react"; -import { useEffect, useMemo, useState } from "react"; +import { useEffect, useState } from "react"; import { getPremiumPlanPriceValue } from "@calcom/app-store/stripepayment/lib/utils"; import { WEBAPP_URL } from "@calcom/lib/constants"; import { fetchUsername } from "@calcom/lib/fetchUsername"; import hasKeyInMetadata from "@calcom/lib/hasKeyInMetadata"; +import { useDebounce } from "@calcom/lib/hooks/useDebounce"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import type { TRPCClientErrorLike } from "@calcom/trpc/client"; import type { RouterOutputs } from "@calcom/trpc/react"; @@ -71,17 +72,8 @@ const PremiumTextfield = (props: ICustomUsernameProps) => { const isCurrentUsernamePremium = user && user.metadata && hasKeyInMetadata(user, "isPremium") ? !!user.metadata.isPremium : false; const [isInputUsernamePremium, setIsInputUsernamePremium] = useState(false); - const debouncedApiCall = useMemo( - () => - debounce(async (username: string) => { - // TODO: Support orgSlug - const { data } = await fetchUsername(username, null); - setMarkAsError(!data.available && !!currentUsername && username !== currentUsername); - setIsInputUsernamePremium(data.premium); - setUsernameIsAvailable(data.available); - }, 150), - [currentUsername] - ); + // debounce the username input, set the delay to 600ms to be consistent with signup form + const debouncedUsername = useDebounce(inputUsernameValue, 600); useEffect(() => { // Use the current username or if it's not set, use the one available from stripe @@ -89,12 +81,22 @@ const PremiumTextfield = (props: ICustomUsernameProps) => { }, [setInputUsernameValue, currentUsername, stripeCustomer?.username]); useEffect(() => { - if (!inputUsernameValue) { - debouncedApiCall.cancel(); - return; + async function checkUsername(username: string | undefined) { + if (!username) { + setUsernameIsAvailable(false); + setMarkAsError(false); + setIsInputUsernamePremium(false); + return; + } + + const { data } = await fetchUsername(username, null); + setMarkAsError(!data.available && !!currentUsername && username !== currentUsername); + setIsInputUsernamePremium(data.premium); + setUsernameIsAvailable(data.available); } - debouncedApiCall(inputUsernameValue); - }, [debouncedApiCall, inputUsernameValue]); + + checkUsername(debouncedUsername); + }, [debouncedUsername, currentUsername]); const updateUsername = trpc.viewer.updateProfile.useMutation({ onSuccess: async () => { diff --git a/apps/web/components/ui/UsernameAvailability/UsernameTextfield.tsx b/apps/web/components/ui/UsernameAvailability/UsernameTextfield.tsx index a1b44460a273dd..bf6b0d2eb5fdf0 100644 --- a/apps/web/components/ui/UsernameAvailability/UsernameTextfield.tsx +++ b/apps/web/components/ui/UsernameAvailability/UsernameTextfield.tsx @@ -1,11 +1,12 @@ import classNames from "classnames"; // eslint-disable-next-line no-restricted-imports -import { debounce, noop } from "lodash"; +import { noop } from "lodash"; import { useSession } from "next-auth/react"; import type { RefCallback } from "react"; -import { useEffect, useMemo, useState } from "react"; +import { useEffect, useState } from "react"; import { fetchUsername } from "@calcom/lib/fetchUsername"; +import { useDebounce } from "@calcom/lib/hooks/useDebounce"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import type { TRPCClientErrorLike } from "@calcom/trpc/client"; import { trpc } from "@calcom/trpc/react"; @@ -41,31 +42,28 @@ const UsernameTextfield = (props: ICustomUsernameProps & Partial - debounce(async (username) => { - // TODO: Support orgSlug + // debounce the username input, set the delay to 600ms to be consistent with signup form + const debouncedUsername = useDebounce(inputUsernameValue, 600); + + useEffect(() => { + async function checkUsername(username: string | undefined) { + if (!username) { + setUsernameIsAvailable(false); + setMarkAsError(false); + return; + } + + if (currentUsername !== username) { const { data } = await fetchUsername(username, null); setMarkAsError(!data.available); setUsernameIsAvailable(data.available); - }, 150), - [] - ); - - useEffect(() => { - if (!inputUsernameValue) { - debouncedApiCall.cancel(); - setUsernameIsAvailable(false); - setMarkAsError(false); - return; + } else { + setUsernameIsAvailable(false); + } } - if (currentUsername !== inputUsernameValue) { - debouncedApiCall(inputUsernameValue); - } else { - setUsernameIsAvailable(false); - } - }, [inputUsernameValue, debouncedApiCall, currentUsername]); + checkUsername(debouncedUsername); + }, [debouncedUsername, currentUsername]); const updateUsernameMutation = trpc.viewer.updateProfile.useMutation({ onSuccess: async () => { diff --git a/apps/web/components/ui/form/LocationSelect.tsx b/apps/web/components/ui/form/LocationSelect.tsx index 9c3964bcb048a5..681a710d6b097b 100644 --- a/apps/web/components/ui/form/LocationSelect.tsx +++ b/apps/web/components/ui/form/LocationSelect.tsx @@ -39,13 +39,17 @@ export default function LocationSelect(props: Props { return ( - +
+ +
); }, SingleValue: (props) => ( - +
+ +
), }} diff --git a/apps/web/instrumentation.ts b/apps/web/instrumentation.ts new file mode 100644 index 00000000000000..79040c9dbb19cb --- /dev/null +++ b/apps/web/instrumentation.ts @@ -0,0 +1,15 @@ +import * as Sentry from "@sentry/nextjs"; + +export function register() { + if (process.env.NEXT_RUNTIME === "nodejs") { + Sentry.init({ + dsn: process.env.NEXT_PUBLIC_SENTRY_DSN, + }); + } + + if (process.env.NEXT_RUNTIME === "edge") { + Sentry.init({ + dsn: process.env.NEXT_PUBLIC_SENTRY_DSN, + }); + } +} diff --git a/apps/web/lib/app-providers-app-dir.tsx b/apps/web/lib/app-providers-app-dir.tsx index 029fed2c0a5375..c813aa3f8c3703 100644 --- a/apps/web/lib/app-providers-app-dir.tsx +++ b/apps/web/lib/app-providers-app-dir.tsx @@ -195,7 +195,11 @@ function getThemeProviderProps(props: { const isBookingPageThemeSupportRequired = themeSupport === ThemeSupport.Booking; - if ((isBookingPageThemeSupportRequired || props.isEmbedMode) && !props.themeBasis) { + if ( + !process.env.NEXT_PUBLIC_IS_E2E && + (isBookingPageThemeSupportRequired || props.isEmbedMode) && + !props.themeBasis + ) { console.warn( "`themeBasis` is required for booking page theme support. Not providing it will cause theme flicker." ); diff --git a/apps/web/lib/app-providers.tsx b/apps/web/lib/app-providers.tsx index 1a478cff5213f2..caf1856c1efdc9 100644 --- a/apps/web/lib/app-providers.tsx +++ b/apps/web/lib/app-providers.tsx @@ -215,7 +215,7 @@ function getThemeProviderProps({ const isBookingPageThemeSupportRequired = themeSupport === ThemeSupport.Booking; const themeBasis = props.themeBasis; - if ((isBookingPageThemeSupportRequired || isEmbedMode) && !themeBasis) { + if (!process.env.NEXT_PUBLIC_IS_E2E && (isBookingPageThemeSupportRequired || isEmbedMode) && !themeBasis) { console.warn( "`themeBasis` is required for booking page theme support. Not providing it will cause theme flicker." ); diff --git a/apps/web/lib/apps/getServerSideProps.tsx b/apps/web/lib/apps/getServerSideProps.tsx index e662f3cf176e6a..ce6dc94cdd413b 100644 --- a/apps/web/lib/apps/getServerSideProps.tsx +++ b/apps/web/lib/apps/getServerSideProps.tsx @@ -2,8 +2,8 @@ import type { GetServerSidePropsContext } from "next"; import { getAppRegistry, getAppRegistryWithCredentials } from "@calcom/app-store/_appRegistry"; import { getServerSession } from "@calcom/features/auth/lib/getServerSession"; -import getUserAdminTeams from "@calcom/features/ee/teams/lib/getUserAdminTeams"; -import type { UserAdminTeams } from "@calcom/features/ee/teams/lib/getUserAdminTeams"; +import type { UserAdminTeams } from "@calcom/lib/server/repository/user"; +import { UserRepository } from "@calcom/lib/server/repository/user"; import type { AppCategories } from "@calcom/prisma/enums"; import { ssrInit } from "@server/lib/ssr"; @@ -17,7 +17,7 @@ export const getServerSideProps = async (context: GetServerSidePropsContext) => let appStore, userAdminTeams: UserAdminTeams; if (session?.user?.id) { - userAdminTeams = await getUserAdminTeams({ userId: session.user.id, getUserInfo: true }); + userAdminTeams = await UserRepository.getUserAdminTeams(session.user.id); appStore = await getAppRegistryWithCredentials(session.user.id, userAdminTeams); } else { appStore = await getAppRegistry(); diff --git a/apps/web/lib/booking.ts b/apps/web/lib/booking.ts index 6447a260eb6127..f01cee0fc35482 100644 --- a/apps/web/lib/booking.ts +++ b/apps/web/lib/booking.ts @@ -1,5 +1,6 @@ import { getBookingFieldsWithSystemFields } from "@calcom/features/bookings/lib/getBookingFields"; import { bookingResponsesDbSchema } from "@calcom/features/bookings/lib/getBookingResponsesSchema"; +import { workflowSelect } from "@calcom/features/ee/workflows/lib/getAllWorkflows"; import prisma from "@calcom/prisma"; import type { Prisma } from "@calcom/prisma/client"; import { BookingStatus } from "@calcom/prisma/enums"; @@ -61,10 +62,7 @@ export const getEventTypesFromDB = async (id: number) => { workflows: { select: { workflow: { - select: { - id: true, - steps: true, - }, + select: workflowSelect, }, }, }, diff --git a/apps/web/lib/d/[link]/[slug]/getServerSideProps.tsx b/apps/web/lib/d/[link]/[slug]/getServerSideProps.tsx index 7811be9ea2395b..939b3718168daa 100644 --- a/apps/web/lib/d/[link]/[slug]/getServerSideProps.tsx +++ b/apps/web/lib/d/[link]/[slug]/getServerSideProps.tsx @@ -112,6 +112,7 @@ async function getUserPageProps(context: GetServerSidePropsContext) { eventSlug: slug, isTeamEvent, org, + fromRedirectOfNonOrgLink: context.query.orgRedirection === "true", }); if (!eventData) { diff --git a/apps/web/lib/daily-webhook/getBooking.ts b/apps/web/lib/daily-webhook/getBooking.ts new file mode 100644 index 00000000000000..e7f7da214401ff --- /dev/null +++ b/apps/web/lib/daily-webhook/getBooking.ts @@ -0,0 +1,55 @@ +import { HttpError } from "@calcom/lib/http-error"; +import logger from "@calcom/lib/logger"; +import { safeStringify } from "@calcom/lib/safeStringify"; +import prisma, { bookingMinimalSelect } from "@calcom/prisma"; + +const log = logger.getSubLogger({ prefix: ["daily-video-webhook-handler"] }); + +// TODO: use BookingRepository +export const getBooking = async (bookingId: number) => { + const booking = await prisma.booking.findUniqueOrThrow({ + where: { + id: bookingId, + }, + select: { + ...bookingMinimalSelect, + uid: true, + location: true, + isRecorded: true, + eventTypeId: true, + eventType: { + select: { + teamId: true, + parentId: true, + }, + }, + user: { + select: { + id: true, + timeZone: true, + email: true, + name: true, + locale: true, + destinationCalendar: true, + }, + }, + }, + }); + + if (!booking) { + log.error( + "Couldn't find Booking Id:", + safeStringify({ + bookingId, + }) + ); + + throw new HttpError({ + message: `Booking of id ${bookingId} does not exist or does not contain daily video as location`, + statusCode: 404, + }); + } + return booking; +}; + +export type getBookingResponse = Awaited>; diff --git a/apps/web/lib/daily-webhook/getBookingReference.ts b/apps/web/lib/daily-webhook/getBookingReference.ts new file mode 100644 index 00000000000000..9d34da167f6248 --- /dev/null +++ b/apps/web/lib/daily-webhook/getBookingReference.ts @@ -0,0 +1,24 @@ +import { HttpError } from "@calcom/lib/http-error"; +import logger from "@calcom/lib/logger"; +import { safeStringify } from "@calcom/lib/safeStringify"; +import { BookingReferenceRepository } from "@calcom/lib/server/repository/bookingReference"; + +const log = logger.getSubLogger({ prefix: ["daily-video-webhook-handler"] }); + +export const getBookingReference = async (roomName: string) => { + const bookingReference = await BookingReferenceRepository.findDailyVideoReferenceByRoomName({ roomName }); + + if (!bookingReference || !bookingReference.bookingId) { + log.error( + "bookingReference not found error:", + safeStringify({ + bookingReference, + roomName, + }) + ); + + throw new HttpError({ message: "Booking reference not found", statusCode: 200 }); + } + + return bookingReference; +}; diff --git a/apps/web/lib/daily-webhook/getCalendarEvent.ts b/apps/web/lib/daily-webhook/getCalendarEvent.ts new file mode 100644 index 00000000000000..e3f76b0e78787b --- /dev/null +++ b/apps/web/lib/daily-webhook/getCalendarEvent.ts @@ -0,0 +1,40 @@ +import { getTranslation } from "@calcom/lib/server/i18n"; +import type { CalendarEvent } from "@calcom/types/Calendar"; + +import type { getBookingResponse } from "./getBooking"; + +export const getCalendarEvent = async (booking: getBookingResponse) => { + const t = await getTranslation(booking?.user?.locale ?? "en", "common"); + + const attendeesListPromises = booking.attendees.map(async (attendee) => { + return { + id: attendee.id, + name: attendee.name, + email: attendee.email, + timeZone: attendee.timeZone, + language: { + translate: await getTranslation(attendee.locale ?? "en", "common"), + locale: attendee.locale ?? "en", + }, + }; + }); + + const attendeesList = await Promise.all(attendeesListPromises); + const evt: CalendarEvent = { + type: booking.title, + title: booking.title, + description: booking.description || undefined, + startTime: booking.startTime.toISOString(), + endTime: booking.endTime.toISOString(), + organizer: { + email: booking?.userPrimaryEmail || booking.user?.email || "Email-less", + name: booking.user?.name || "Nameless", + timeZone: booking.user?.timeZone || "Europe/London", + language: { translate: t, locale: booking?.user?.locale ?? "en" }, + }, + attendees: attendeesList, + uid: booking.uid, + }; + + return Promise.resolve(evt); +}; diff --git a/apps/web/lib/daily-webhook/schema.ts b/apps/web/lib/daily-webhook/schema.ts new file mode 100644 index 00000000000000..ef4dae482e4f8f --- /dev/null +++ b/apps/web/lib/daily-webhook/schema.ts @@ -0,0 +1,63 @@ +import { z } from "zod"; + +const commonSchema = z + .object({ + version: z.string(), + type: z.string(), + id: z.string(), + event_ts: z.number().optional(), + }) + .passthrough(); + +export const meetingEndedSchema = commonSchema.extend({ + payload: z + .object({ + meeting_id: z.string(), + end_ts: z.number().optional(), + room: z.string(), + start_ts: z.number().optional(), + }) + .passthrough(), +}); + +export const recordingReadySchema = commonSchema.extend({ + payload: z.object({ + recording_id: z.string(), + end_ts: z.number().optional(), + room_name: z.string(), + start_ts: z.number().optional(), + status: z.string(), + + max_participants: z.number().optional(), + duration: z.number().optional(), + s3_key: z.string().optional(), + }), +}); + +export const batchProcessorJobFinishedSchema = commonSchema.extend({ + payload: z + .object({ + id: z.string(), + status: z.string(), + input: z.object({ + sourceType: z.string(), + recordingId: z.string(), + }), + output: z + .object({ + transcription: z.array(z.object({ format: z.string() }).passthrough()), + }) + .passthrough(), + }) + .passthrough(), +}); + +export type TBatchProcessorJobFinished = z.infer; + +export const downloadLinkSchema = z.object({ + download_link: z.string(), +}); + +export const testRequestSchema = z.object({ + test: z.enum(["test"]), +}); diff --git a/apps/web/lib/daily-webhook/tests/recorded-daily-video.test.ts b/apps/web/lib/daily-webhook/tests/recorded-daily-video.test.ts new file mode 100644 index 00000000000000..ce072d175d6792 --- /dev/null +++ b/apps/web/lib/daily-webhook/tests/recorded-daily-video.test.ts @@ -0,0 +1,244 @@ +import { + createBookingScenario, + getScenarioData, + TestData, + getDate, + getMockBookingAttendee, + getOrganizer, + getBooker, +} from "@calcom/web/test/utils/bookingScenario/bookingScenario"; +import { expectWebhookToHaveBeenCalledWith } from "@calcom/web/test/utils/bookingScenario/expects"; + +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { createMocks } from "node-mocks-http"; +import { describe, afterEach, test, vi, beforeEach, beforeAll } from "vitest"; + +import { appStoreMetadata } from "@calcom/app-store/apps.metadata.generated"; +import { getRoomNameFromRecordingId, getBatchProcessorJobAccessLink } from "@calcom/app-store/dailyvideo/lib"; +import { getDownloadLinkOfCalVideoByRecordingId } from "@calcom/core/videoClient"; +import prisma from "@calcom/prisma"; +import { WebhookTriggerEvents } from "@calcom/prisma/enums"; +import { BookingStatus } from "@calcom/prisma/enums"; +import handler from "@calcom/web/pages/api/recorded-daily-video"; + +type CustomNextApiRequest = NextApiRequest & Request; +type CustomNextApiResponse = NextApiResponse & Response; +beforeAll(() => { + // Setup env vars + vi.stubEnv("SENDGRID_API_KEY", "FAKE_SENDGRID_API_KEY"); + vi.stubEnv("SENDGRID_EMAIL", "FAKE_SENDGRID_EMAIL"); +}); + +vi.mock("@calcom/app-store/dailyvideo/lib", () => { + return { + getRoomNameFromRecordingId: vi.fn(), + getBatchProcessorJobAccessLink: vi.fn(), + }; +}); + +vi.mock("@calcom/core/videoClient", () => { + return { + getDownloadLinkOfCalVideoByRecordingId: vi.fn(), + }; +}); + +const BATCH_PROCESSOR_JOB_FINSISHED_PAYLOAD = { + version: "1.1.0", + type: "batch-processor.job-finished", + id: "77b1cb9e-cd79-43cd-bad6-3ccaccba26be", + payload: { + id: "77b1cb9e-cd79-43cd-bad6-3ccaccba26be", + status: "finished", + input: { + sourceType: "recordingId", + recordingId: "eb9e84de-783e-4e14-875d-94700ee4b976", + }, + output: { + transcription: [ + { + format: "json", + s3Config: { + key: "transcript.json", + bucket: "daily-bucket", + region: "us-west-2", + }, + }, + { + format: "srt", + s3Config: { + key: "transcript.srt", + bucket: "daily-bucket", + region: "us-west-2", + }, + }, + { + format: "txt", + s3Config: { + key: "transcript.txt", + bucket: "daily-bucket", + region: "us-west-2", + }, + }, + { + format: "vtt", + s3Config: { + key: "transcript.vtt", + bucket: "daily-bucket", + region: "us-west-2", + }, + }, + ], + }, + }, + event_ts: 1717688213.803, +}; + +const timeout = process.env.CI ? 5000 : 20000; + +const TRANSCRIPTION_ACCESS_LINK = { + id: "MOCK_ID", + preset: "transcript", + status: "finished", + transcription: [ + { + format: "json", + link: "https://download.json", + }, + { + format: "srt", + link: "https://download.srt", + }, + ], +}; + +describe("Handler: /api/recorded-daily-video", () => { + beforeEach(() => { + fetchMock.resetMocks(); + }); + + afterEach(() => { + vi.resetAllMocks(); + fetchMock.resetMocks(); + }); + + test( + `Batch Processor Job finished triggers RECORDING_TRANSCRIPTION_GENERATED webhooks`, + async () => { + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }); + + const bookingUid = "n5Wv3eHgconAED2j4gcVhP"; + const iCalUID = `${bookingUid}@Cal.com`; + const subscriberUrl = "http://my-webhook.example.com"; + const recordingDownloadLink = "https://download-link.com"; + + const { dateString: plus1DateString } = getDate({ dateIncrement: 1 }); + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + await createBookingScenario( + getScenarioData({ + webhooks: [ + { + userId: organizer.id, + eventTriggers: [WebhookTriggerEvents.RECORDING_TRANSCRIPTION_GENERATED], + subscriberUrl, + active: true, + eventTypeId: 1, + appId: null, + }, + ], + eventTypes: [ + { + id: 1, + slotInterval: 15, + length: 15, + users: [ + { + id: 101, + }, + ], + }, + ], + bookings: [ + { + uid: bookingUid, + eventTypeId: 1, + status: BookingStatus.ACCEPTED, + startTime: `${plus1DateString}T05:00:00.000Z`, + endTime: `${plus1DateString}T05:15:00.000Z`, + userId: organizer.id, + metadata: { + videoCallUrl: "https://existing-daily-video-call-url.example.com", + }, + references: [ + { + type: appStoreMetadata.dailyvideo.type, + uid: "MOCK_ID", + meetingId: "MOCK_ID", + meetingPassword: "MOCK_PASS", + meetingUrl: "http://mock-dailyvideo.example.com", + credentialId: null, + }, + ], + attendees: [ + getMockBookingAttendee({ + id: 2, + name: booker.name, + email: booker.email, + locale: "en", + timeZone: "Asia/Kolkata", + noShow: false, + }), + ], + iCalUID, + }, + ], + organizer, + apps: [TestData.apps["daily-video"]], + }) + ); + + vi.mocked(getRoomNameFromRecordingId).mockResolvedValue("MOCK_ID"); + vi.mocked(getBatchProcessorJobAccessLink).mockResolvedValue(TRANSCRIPTION_ACCESS_LINK); + vi.mocked(getDownloadLinkOfCalVideoByRecordingId).mockResolvedValue({ + download_link: recordingDownloadLink, + }); + + const { req, res } = createMocks({ + method: "POST", + body: BATCH_PROCESSOR_JOB_FINSISHED_PAYLOAD, + prisma, + }); + + await handler(req, res); + + await expectWebhookToHaveBeenCalledWith(subscriberUrl, { + triggerEvent: WebhookTriggerEvents.RECORDING_TRANSCRIPTION_GENERATED, + payload: { + type: "Test Booking Title", + uid: bookingUid, + downloadLinks: { + transcription: TRANSCRIPTION_ACCESS_LINK.transcription, + recording: recordingDownloadLink, + }, + organizer: { + email: organizer.email, + name: organizer.name, + timeZone: organizer.timeZone, + language: { locale: "en" }, + utcOffset: 330, + }, + }, + }); + }, + timeout + ); +}); diff --git a/apps/web/lib/daily-webhook/triggerWebhooks.ts b/apps/web/lib/daily-webhook/triggerWebhooks.ts new file mode 100644 index 00000000000000..562a8b70dc4a06 --- /dev/null +++ b/apps/web/lib/daily-webhook/triggerWebhooks.ts @@ -0,0 +1,112 @@ +import type { TGetTranscriptAccessLink } from "@calcom/app-store/dailyvideo/zod"; +import getWebhooks from "@calcom/features/webhooks/lib/getWebhooks"; +import sendPayload from "@calcom/features/webhooks/lib/sendOrSchedulePayload"; +import getOrgIdFromMemberOrTeamId from "@calcom/lib/getOrgIdFromMemberOrTeamId"; +import logger from "@calcom/lib/logger"; +import { safeStringify } from "@calcom/lib/safeStringify"; +import { WebhookTriggerEvents } from "@calcom/prisma/enums"; +import type { CalendarEvent } from "@calcom/types/Calendar"; + +const log = logger.getSubLogger({ prefix: ["daily-video-webhook-handler:triggerRecordingReadyWebhook"] }); + +type Booking = { + userId: number | undefined; + eventTypeId: number | null; + eventTypeParentId: number | null | undefined; + teamId?: number | null; +}; + +const getWebhooksByEventTrigger = async (eventTrigger: WebhookTriggerEvents, booking: Booking) => { + const isTeamBooking = booking.teamId; + const isBookingForManagedEventtype = booking.teamId && booking.eventTypeParentId; + const triggerForUser = !isTeamBooking || isBookingForManagedEventtype; + const organizerUserId = triggerForUser ? booking.userId : null; + const orgId = await getOrgIdFromMemberOrTeamId({ memberId: organizerUserId, teamId: booking.teamId }); + + const subscriberOptions = { + userId: organizerUserId, + eventTypeId: booking.eventTypeId, + triggerEvent: eventTrigger, + teamId: booking.teamId, + orgId, + }; + + return getWebhooks(subscriberOptions); +}; + +export const triggerRecordingReadyWebhook = async ({ + evt, + downloadLink, + booking, +}: { + evt: CalendarEvent; + downloadLink: string; + booking: Booking; +}) => { + const eventTrigger: WebhookTriggerEvents = "RECORDING_READY"; + const webhooks = await getWebhooksByEventTrigger(eventTrigger, booking); + + log.debug( + "Webhooks:", + safeStringify({ + webhooks, + }) + ); + + const promises = webhooks.map((webhook) => + sendPayload(webhook.secret, eventTrigger, new Date().toISOString(), webhook, { + ...evt, + downloadLink, + }).catch((e) => { + log.error( + `Error executing webhook for event: ${eventTrigger}, URL: ${webhook.subscriberUrl}, bookingId: ${evt.bookingId}, bookingUid: ${evt.uid}`, + safeStringify(e) + ); + }) + ); + await Promise.all(promises); +}; + +export const triggerTranscriptionGeneratedWebhook = async ({ + evt, + downloadLinks, + booking, +}: { + evt: CalendarEvent; + downloadLinks?: { + transcription: TGetTranscriptAccessLink["transcription"]; + recording: string; + }; + booking: Booking; +}) => { + const webhooks = await getWebhooksByEventTrigger( + WebhookTriggerEvents.RECORDING_TRANSCRIPTION_GENERATED, + booking + ); + + log.debug( + "Webhooks:", + safeStringify({ + webhooks, + }) + ); + + const promises = webhooks.map((webhook) => + sendPayload( + webhook.secret, + WebhookTriggerEvents.RECORDING_TRANSCRIPTION_GENERATED, + new Date().toISOString(), + webhook, + { + ...evt, + downloadLinks, + } + ).catch((e) => { + log.error( + `Error executing webhook for event: ${WebhookTriggerEvents.RECORDING_TRANSCRIPTION_GENERATED}, URL: ${webhook.subscriberUrl}, bookingId: ${evt.bookingId}, bookingUid: ${evt.uid}`, + safeStringify(e) + ); + }) + ); + await Promise.all(promises); +}; diff --git a/apps/web/lib/hooks/settings/organizations/platform/oauth-clients/useOAuthClients.ts b/apps/web/lib/hooks/settings/platform/oauth-clients/useOAuthClients.ts similarity index 61% rename from apps/web/lib/hooks/settings/organizations/platform/oauth-clients/useOAuthClients.ts rename to apps/web/lib/hooks/settings/platform/oauth-clients/useOAuthClients.ts index 0ef3758e2b8e84..5201e9d051541a 100644 --- a/apps/web/lib/hooks/settings/organizations/platform/oauth-clients/useOAuthClients.ts +++ b/apps/web/lib/hooks/settings/platform/oauth-clients/useOAuthClients.ts @@ -3,6 +3,17 @@ import { useQuery } from "@tanstack/react-query"; import type { ApiSuccessResponse } from "@calcom/platform-types"; import type { PlatformOAuthClient } from "@calcom/prisma/client"; +export type ManagedUser = { + id: number; + email: string; + username: string | null; + timeZone: string; + weekStart: string; + createdDate: Date; + timeFormat: number | null; + defaultScheduleId: number | null; +}; + export const useOAuthClients = () => { const query = useQuery>({ queryKey: ["oauth-clients"], @@ -36,7 +47,7 @@ export const useOAuthClient = (clientId?: string) => { headers: { "Content-type": "application/json" }, }).then((res) => res.json()); }, - enabled: clientId !== undefined, + enabled: Boolean(clientId), staleTime: Infinity, }); @@ -52,3 +63,22 @@ export const useOAuthClient = (clientId?: string) => { refetch, }; }; +export const useGetOAuthClientManagedUsers = (clientId: string) => { + const { + isLoading, + error, + data: response, + refetch, + } = useQuery>({ + queryKey: ["oauth-client-managed-users", clientId], + queryFn: () => { + return fetch(`/api/v2/oauth-clients/${clientId}/managed-users`, { + method: "get", + headers: { "Content-type": "application/json" }, + }).then((res) => res.json()); + }, + enabled: Boolean(clientId), + }); + + return { isLoading, error, data: response?.data, refetch }; +}; diff --git a/apps/web/lib/hooks/settings/organizations/platform/oauth-clients/usePersistOAuthClient.ts b/apps/web/lib/hooks/settings/platform/oauth-clients/usePersistOAuthClient.ts similarity index 60% rename from apps/web/lib/hooks/settings/organizations/platform/oauth-clients/usePersistOAuthClient.ts rename to apps/web/lib/hooks/settings/platform/oauth-clients/usePersistOAuthClient.ts index 25ee51e7a510e3..9d286201100a9e 100644 --- a/apps/web/lib/hooks/settings/organizations/platform/oauth-clients/usePersistOAuthClient.ts +++ b/apps/web/lib/hooks/settings/platform/oauth-clients/usePersistOAuthClient.ts @@ -1,7 +1,12 @@ -import { useMutation } from "@tanstack/react-query"; +import { useMutation, useQuery } from "@tanstack/react-query"; import { SUCCESS_STATUS } from "@calcom/platform-constants"; -import type { ApiResponse, CreateOAuthClientInput, DeleteOAuthClientInput } from "@calcom/platform-types"; +import type { + ApiResponse, + CreateOAuthClientInput, + DeleteOAuthClientInput, + SubscribeTeamInput, +} from "@calcom/platform-types"; import type { OAuthClient } from "@calcom/prisma/client"; interface IPersistOAuthClient { @@ -19,7 +24,7 @@ export const useCreateOAuthClient = ( }, } ) => { - const mutation = useMutation< + return useMutation< ApiResponse<{ clientId: string; clientSecret: string }>, unknown, CreateOAuthClientInput @@ -42,8 +47,6 @@ export const useCreateOAuthClient = ( onError?.(); }, }); - - return mutation; }; export const useUpdateOAuthClient = ( @@ -115,3 +118,59 @@ export const useDeleteOAuthClient = ( return mutation; }; + +export const useCheckTeamBilling = (teamId?: number | null, isPlatformTeam?: boolean | null) => { + const QUERY_KEY = "check-team-billing"; + const isTeamBilledAlready = useQuery({ + queryKey: [QUERY_KEY, teamId], + queryFn: async () => { + const response = await fetch(`/api/v2/billing/${teamId}/check`, { + method: "get", + headers: { "Content-type": "application/json" }, + }); + const data = await response.json(); + + return data.data; + }, + enabled: !!teamId && !!isPlatformTeam, + }); + + return isTeamBilledAlready; +}; + +export const useSubscribeTeamToStripe = ( + { + onSuccess, + onError, + teamId, + }: { teamId?: number | null; onSuccess: (redirectUrl: string) => void; onError: () => void } = { + onSuccess: () => { + return; + }, + onError: () => { + return; + }, + } +) => { + const mutation = useMutation, unknown, SubscribeTeamInput>({ + mutationFn: (data) => { + return fetch(`/api/v2/billing/${teamId}/subscribe`, { + method: "post", + headers: { "Content-type": "application/json" }, + body: JSON.stringify(data), + }).then((res) => res?.json()); + }, + onSuccess: (data) => { + if (data.status === SUCCESS_STATUS) { + onSuccess?.(data.data?.url); + } else { + onError?.(); + } + }, + onError: () => { + onError?.(); + }, + }); + + return mutation; +}; diff --git a/apps/web/lib/hooks/useAppsData.ts b/apps/web/lib/hooks/useAppsData.ts new file mode 100644 index 00000000000000..b5496a867a0c1f --- /dev/null +++ b/apps/web/lib/hooks/useAppsData.ts @@ -0,0 +1,58 @@ +import type { FormValues } from "pages/event-types/[type]"; +import { useFormContext } from "react-hook-form"; + +import type { GetAppData, SetAppData } from "@calcom/app-store/EventTypeAppContext"; +import type { EventTypeAppsList } from "@calcom/app-store/utils"; + +const useAppsData = () => { + const formMethods = useFormContext(); + const allAppsData = formMethods.watch("metadata")?.apps || {}; + + const setAllAppsData = (_allAppsData: typeof allAppsData) => { + formMethods.setValue( + "metadata", + { + ...formMethods.getValues("metadata"), + apps: _allAppsData, + }, + { shouldDirty: true } + ); + }; + + const getAppDataGetter = (appId: EventTypeAppsList): GetAppData => { + return function (key) { + const appData = allAppsData[appId as keyof typeof allAppsData] || {}; + if (key) { + return appData[key as keyof typeof appData]; + } + return appData; + }; + }; + + const eventTypeFormMetadata = formMethods.getValues("metadata"); + + const getAppDataSetter = ( + appId: EventTypeAppsList, + appCategories: string[], + credentialId?: number + ): SetAppData => { + return function (key, value) { + // Always get latest data available in Form because consequent calls to setData would update the Form but not allAppsData(it would update during next render) + const allAppsDataFromForm = formMethods.getValues("metadata")?.apps || {}; + const appData = allAppsDataFromForm[appId]; + setAllAppsData({ + ...allAppsDataFromForm, + [appId]: { + ...appData, + [key]: value, + credentialId, + appCategories, + }, + }); + }; + }; + + return { getAppDataGetter, getAppDataSetter, eventTypeFormMetadata }; +}; + +export default useAppsData; diff --git a/apps/web/lib/settings/license-keys/new/getServerSideProps.tsx b/apps/web/lib/settings/license-keys/new/getServerSideProps.tsx new file mode 100644 index 00000000000000..600c2ece01826a --- /dev/null +++ b/apps/web/lib/settings/license-keys/new/getServerSideProps.tsx @@ -0,0 +1,22 @@ +import type { GetServerSidePropsContext } from "next"; + +import { getServerSession } from "@calcom/feature-auth/lib/getServerSession"; +import { AUTH_OPTIONS } from "@calcom/feature-auth/lib/next-auth-options"; + +export const getServerSideProps = async (context: GetServerSidePropsContext) => { + const session = await getServerSession({ + req: context.req, + res: context.res, + authOptions: AUTH_OPTIONS, + }); + // Disable this check if we ever make this self serve. + if (session?.user.role !== "ADMIN") { + return { + notFound: true, + } as const; + } + + return { + props: {}, + }; +}; diff --git a/apps/web/lib/settings/platform/utils.ts b/apps/web/lib/settings/platform/utils.ts new file mode 100644 index 00000000000000..3f67d22520bf61 --- /dev/null +++ b/apps/web/lib/settings/platform/utils.ts @@ -0,0 +1,106 @@ +import type { IconName } from "@calcom/ui"; + +type IndividualPlatformPlan = { + plan: string; + description: string; + pricing?: number; + includes: string[]; +}; + +type HelpCardInfo = { + icon: IconName; + variant: "basic" | "ProfileCard" | "SidebarCard" | null; + title: string; + description: string; + actionButton: { + href: string; + child: string; + }; +}; + +// if pricing or plans change in future modify this +export const platformPlans: IndividualPlatformPlan[] = [ + { + plan: "Starter", + description: + "Perfect for just getting started with community support and access to hosted platform APIs, Cal.com Atoms (React components) and more.", + pricing: 99, + includes: [ + "Up to 100 bookings a month", + "Community Support", + "Cal Atoms (React Library)", + "Platform APIs", + "Admin APIs", + ], + }, + { + plan: "Essentials", + description: + "Your essential package with sophisticated support, hosted platform APIs, Cal.com Atoms (React components) and more.", + pricing: 299, + includes: [ + "Up to 500 bookings a month. $0,60 overage beyond", + "Everything in Starter", + "Cal Atoms (React Library)", + "User Management and Analytics", + "Technical Account Manager and Onboarding Support", + ], + }, + { + plan: "Scale", + description: + "The best all-in-one plan to scale your company. Everything you need to provide scheduling for the masses, without breaking things.", + pricing: 2499, + includes: [ + "Up to 5000 bookings a month. $0.50 overage beyond", + "Everything in Essentials", + "Credential import from other platforms", + "Compliance Check SOC2, HIPAA", + "One-on-one developer calls", + "Help with Credentials Verification (Zoom, Google App Store)", + "Expedited features and integrations", + "SLA (99.999% uptime)", + ], + }, + { + plan: "Enterprise", + description: "Everything in Scale with generous volume discounts beyond 50,000 bookings a month.", + includes: ["Beyond 50,000 bookings a month", "Everything in Scale", "Up to 50% discount on overages"], + }, +]; + +export const helpCards: HelpCardInfo[] = [ + { + icon: "rocket", + title: "Try our Platform Starter Kit", + description: + "If you are building a marketplace or platform from scratch, our Platform Starter Kit has everything you need.", + variant: "basic", + actionButton: { + href: "https://experts.cal.com", + child: "Try the Demo", + }, + }, + { + icon: "github", + title: "Get the Source code", + description: + "Our Platform Starter Kit is being used in production by Cal.com itself. You can find the ready-to-rock source code on GitHub.", + variant: "basic", + actionButton: { + href: "https://github.com/calcom/examples", + child: "GitHub", + }, + }, + { + icon: "calendar-check-2", + title: "Contact us", + description: + "Book our engineering team for a 15 minute onboarding call and debug a problem. Please come prepared with questions.", + variant: "basic", + actionButton: { + href: "https://i.cal.com/platform", + child: "Schedule a call", + }, + }, +]; diff --git a/apps/web/lib/signup/getServerSideProps.tsx b/apps/web/lib/signup/getServerSideProps.tsx index 685326625c59cf..6e4377bf227ee5 100644 --- a/apps/web/lib/signup/getServerSideProps.tsx +++ b/apps/web/lib/signup/getServerSideProps.tsx @@ -53,7 +53,10 @@ export const getServerSideProps = async (ctx: GetServerSidePropsContext) => { if ((process.env.NEXT_PUBLIC_DISABLE_SIGNUP === "true" && !token) || signupDisabled) { return { - notFound: true, + redirect: { + permanent: false, + destination: `/auth/error?error=Signup is disabled in this instance`, + }, } as const; } @@ -98,7 +101,10 @@ export const getServerSideProps = async (ctx: GetServerSidePropsContext) => { if (!verificationToken || verificationToken.expires < new Date()) { return { - notFound: true, + redirect: { + permanent: false, + destination: `/auth/error?error=Verification Token is missing or has expired`, + }, } as const; } diff --git a/apps/web/lib/team/[slug]/getServerSideProps.tsx b/apps/web/lib/team/[slug]/getServerSideProps.tsx index fac87f381bdb8e..8bbcbe835202e8 100644 --- a/apps/web/lib/team/[slug]/getServerSideProps.tsx +++ b/apps/web/lib/team/[slug]/getServerSideProps.tsx @@ -2,6 +2,7 @@ import type { GetServerSidePropsContext } from "next"; import { orgDomainConfig } from "@calcom/features/ee/organizations/lib/orgDomains"; import { getFeatureFlag } from "@calcom/features/flags/server/utils"; +import { getUserAvatarUrl } from "@calcom/lib/getAvatarUrl"; import { getBookerBaseUrlSync } from "@calcom/lib/getBookerUrl/client"; import logger from "@calcom/lib/logger"; import { markdownToSafeHTML } from "@calcom/lib/markdownToSafeHTML"; @@ -127,7 +128,7 @@ export const getServerSideProps = async (context: GetServerSidePropsContext) => users: !isTeamOrParentOrgPrivate ? type.users.map((user) => ({ ...user, - avatar: `/${user.username}/avatar.png`, + avatar: getUserAvatarUrl(user), })) : [], descriptionAsSafeHTML: markdownToSafeHTML(type.description), diff --git a/apps/web/lib/withEmbedSsr.tsx b/apps/web/lib/withEmbedSsr.tsx index 228e6a2c4ada1b..19a98ee263e199 100644 --- a/apps/web/lib/withEmbedSsr.tsx +++ b/apps/web/lib/withEmbedSsr.tsx @@ -1,6 +1,6 @@ import type { GetServerSideProps, GetServerSidePropsContext, GetServerSidePropsResult } from "next"; -import { WEBAPP_URL } from "@calcom/lib/constants"; +import { WebAppURL } from "@calcom/lib/WebAppURL"; export type EmbedProps = { isEmbed?: boolean; @@ -17,7 +17,7 @@ export default function withEmbedSsr(getServerSideProps: GetServerSideProps) { let urlPrefix = ""; // Get the URL parsed from URL so that we can reliably read pathname and searchParams from it. - const destinationUrlObj = new URL(ssrResponse.redirect.destination, WEBAPP_URL); + const destinationUrlObj = new WebAppURL(ssrResponse.redirect.destination); // If it's a complete URL, use the origin as the prefix to ensure we redirect to the same domain. if (destinationUrl.search(/^(http:|https:).*/) !== -1) { diff --git a/apps/web/modules/bookings/views/bookings-single-view.getServerSideProps.tsx b/apps/web/modules/bookings/views/bookings-single-view.getServerSideProps.tsx index eb3430591af92b..3927de97a6d82f 100644 --- a/apps/web/modules/bookings/views/bookings-single-view.getServerSideProps.tsx +++ b/apps/web/modules/bookings/views/bookings-single-view.getServerSideProps.tsx @@ -1,6 +1,7 @@ import type { GetServerSidePropsContext } from "next"; import { z } from "zod"; +import { orgDomainConfig } from "@calcom/ee/organizations/lib/orgDomains"; import { getServerSession } from "@calcom/features/auth/lib/getServerSession"; import getBookingInfo from "@calcom/features/bookings/lib/getBookingInfo"; import { parseRecurringEvent } from "@calcom/lib"; @@ -159,8 +160,10 @@ export async function getServerSideProps(context: GetServerSidePropsContext) { } } + const { currentOrgDomain } = orgDomainConfig(context.req); return { props: { + orgSlug: currentOrgDomain, themeBasis: eventType.team ? eventType.team.slug : eventType.users[0]?.username, hideBranding: eventType.team ? eventType.team.hideBranding : eventType.users[0].hideBranding, profile, diff --git a/apps/web/modules/bookings/views/bookings-single-view.test.tsx b/apps/web/modules/bookings/views/bookings-single-view.test.tsx new file mode 100644 index 00000000000000..484c565dc25a2b --- /dev/null +++ b/apps/web/modules/bookings/views/bookings-single-view.test.tsx @@ -0,0 +1,142 @@ +import { render } from "@testing-library/react"; +import { useSession } from "next-auth/react"; +import React from "react"; +import { describe, it, expect, vi } from "vitest"; +import type { z } from "zod"; + +import { getOrgFullOrigin } from "@calcom/features/ee/organizations/lib/orgDomains"; +import { useRouterQuery } from "@calcom/lib/hooks/useRouterQuery"; +import { BookingStatus } from "@calcom/prisma/enums"; +import { HeadSeo } from "@calcom/ui"; + +import Success from "./bookings-single-view"; + +function mockedSuccessComponentProps(props: Partial>) { + return { + eventType: { + id: 1, + title: "Event Title", + description: "", + locations: null, + length: 15, + userId: null, + eventName: "d", + timeZone: null, + recurringEvent: null, + requiresConfirmation: false, + disableGuests: false, + seatsPerTimeSlot: null, + seatsShowAttendees: null, + seatsShowAvailabilityCount: null, + schedulingType: null, + price: 0, + currency: "usd", + successRedirectUrl: null, + customInputs: [], + team: null, + workflows: [], + hosts: [], + users: [], + owner: null, + isDynamic: false, + periodStartDate: "1", + periodEndDate: "1", + metadata: null, + bookingFields: [] as unknown as [] & z.BRAND<"HAS_SYSTEM_FIELDS">, + }, + profile: { + name: "John", + email: null, + theme: null, + brandColor: null, + darkBrandColor: null, + slug: null, + }, + bookingInfo: { + uid: "uid", + metadata: null, + customInputs: [], + startTime: new Date(), + endTime: new Date(), + id: 1, + user: null, + eventType: null, + seatsReferences: [], + userPrimaryEmail: null, + eventTypeId: null, + title: "Booking Title", + description: null, + location: null, + recurringEventId: null, + smsReminderNumber: "0", + cancellationReason: null, + rejectionReason: null, + status: BookingStatus.ACCEPTED, + attendees: [], + responses: { + name: "John", + }, + }, + orgSlug: null, + userTimeFormat: 12, + requiresLoginToUpdate: false, + themeBasis: "dark", + hideBranding: false, + recurringBookings: null, + trpcState: { + queries: [], + mutations: [], + }, + dynamicEventName: "Event Title", + paymentStatus: null, + ...props, + } satisfies React.ComponentProps; +} + +describe("Success Component", () => { + it("renders HeadSeo correctly", () => { + vi.mocked(getOrgFullOrigin).mockImplementation((text: string | null) => `${text}.cal.local`); + vi.mocked(useRouterQuery).mockReturnValue({ + uid: "uid", + }); + vi.mocked(useSession).mockReturnValue({ + update: vi.fn(), + status: "authenticated", + data: { + hasValidLicense: true, + upId: "1", + expires: "1", + user: { + name: "John", + id: 1, + profile: { + id: null, + upId: "1", + username: null, + organizationId: null, + organization: null, + }, + }, + }, + }); + + const mockObject = { + props: mockedSuccessComponentProps({ + orgSlug: "org1", + }), + }; + + render(); + + const expectedTitle = `booking_confirmed`; + const expectedDescription = expectedTitle; + expect(HeadSeo).toHaveBeenCalledWith( + { + origin: `${mockObject.props.orgSlug}.cal.local`, + title: expectedTitle, + description: expectedDescription, + }, + {} + ); + }); +}); diff --git a/apps/web/modules/bookings/views/bookings-single-view.tsx b/apps/web/modules/bookings/views/bookings-single-view.tsx index 8cad538ed31f04..e63ad3bb9a25c7 100644 --- a/apps/web/modules/bookings/views/bookings-single-view.tsx +++ b/apps/web/modules/bookings/views/bookings-single-view.tsx @@ -19,6 +19,7 @@ import type { nameObjectSchema } from "@calcom/core/event"; import { getEventName } from "@calcom/core/event"; import type { ConfigType } from "@calcom/dayjs"; import dayjs from "@calcom/dayjs"; +import { getOrgFullOrigin } from "@calcom/ee/organizations/lib/orgDomains"; import { useEmbedNonStylesConfig, useIsBackgroundTransparent, @@ -60,12 +61,10 @@ import { EmptyScreen, Icon, } from "@calcom/ui"; - -import { timeZone } from "@lib/clock"; - -import PageWrapper from "@components/PageWrapper"; -import CancelBooking from "@components/booking/CancelBooking"; -import EventReservationSchema from "@components/schemas/EventReservationSchema"; +import PageWrapper from "@calcom/web/components/PageWrapper"; +import CancelBooking from "@calcom/web/components/booking/CancelBooking"; +import EventReservationSchema from "@calcom/web/components/schemas/EventReservationSchema"; +import { timeZone } from "@calcom/web/lib/clock"; import type { PageProps } from "./bookings-single-view.getServerSideProps"; @@ -109,7 +108,7 @@ export default function Success(props: PageProps) { const routerQuery = useRouterQuery(); const pathname = usePathname(); const searchParams = useCompatSearchParams(); - const { eventType, bookingInfo, requiresLoginToUpdate } = props; + const { eventType, bookingInfo, requiresLoginToUpdate, orgSlug } = props; const { allRemainingBookings, @@ -187,7 +186,7 @@ export default function Success(props: PageProps) { useEffect(() => { if (noShow) { - noShowMutation.mutate({ bookingUid: bookingInfo.uid }); + noShowMutation.mutate({ bookingUid: bookingInfo.uid, noShowHost: true }); } // eslint-disable-next-line react-hooks/exhaustive-deps }, []); @@ -297,7 +296,7 @@ export default function Success(props: PageProps) { function getTitle(): string { const titleSuffix = props.recurringBookings ? "_recurring" : ""; const titlePrefix = isRoundRobin ? "round_robin_" : ""; - if (isCancelled) { + if (isCancelled || isBookingInPast) { return ""; } if (needsConfirmation) { @@ -341,6 +340,8 @@ export default function Success(props: PageProps) { const providerName = guessEventLocationType(location)?.label; const rescheduleProviderName = guessEventLocationType(rescheduleLocation)?.label; + const isBookingInPast = new Date(bookingInfo.endTime) < new Date(); + const isReschedulable = !isCancelled && !isBookingInPast; const bookingCancelledEventProps = { booking: bookingInfo, @@ -377,7 +378,7 @@ export default function Success(props: PageProps) {
)} - +
@@ -413,26 +414,28 @@ export default function Success(props: PageProps) { imageSrc={`${bookingInfo.user.avatarUrl}`} /> )} + {giphyImage && !needsConfirmation && isReschedulable && ( + // eslint-disable-next-line @next/next/no-img-element + Gif from Giphy + )}
- {giphyImage && !needsConfirmation && !isCancelled && ( - // eslint-disable-next-line @next/next/no-img-element - Gif from Giphy - )} - {!giphyImage && !needsConfirmation && !isCancelled && ( + {!giphyImage && !needsConfirmation && isReschedulable && ( )} - {needsConfirmation && !isCancelled && ( + {needsConfirmation && isReschedulable && ( )} - {isCancelled && } + {(isCancelled || isBookingInPast) && ( + + )}
@@ -440,7 +443,7 @@ export default function Success(props: PageProps) { className="text-emphasis text-2xl font-semibold leading-6" data-testid={isCancelled ? "cancelled-headline" : ""} id="modal-headline"> - {needsConfirmation && !isCancelled + {needsConfirmation && isReschedulable ? props.recurringBookings ? t("booking_submitted_recurring") : t("booking_submitted") @@ -448,6 +451,8 @@ export default function Success(props: PageProps) { ? seatReferenceUid ? t("no_longer_attending") : t("event_cancelled") + : isBookingInPast + ? t("event_expired") : props.recurringBookings ? t("meeting_is_scheduled_recurring") : t("meeting_is_scheduled")} @@ -651,7 +656,7 @@ export default function Success(props: PageProps) { )} {!requiresLoginToUpdate && (!needsConfirmation || !userIsOwner) && - !isCancelled && + isReschedulable && (!isCancellationMode ? ( <>
@@ -709,7 +714,7 @@ export default function Success(props: PageProps) { {userIsOwner && !needsConfirmation && !isCancellationMode && - !isCancelled && + isReschedulable && !!calculatedDuration && ( <>
diff --git a/apps/web/modules/event-types/views/event-types-listing-view.tsx b/apps/web/modules/event-types/views/event-types-listing-view.tsx index 4ff188f428fb32..13bd2620dd63ab 100644 --- a/apps/web/modules/event-types/views/event-types-listing-view.tsx +++ b/apps/web/modules/event-types/views/event-types-listing-view.tsx @@ -9,6 +9,7 @@ import { memo, useEffect, useState } from "react"; import { z } from "zod"; import { useOrgBranding } from "@calcom/features/ee/organizations/context/provider"; +import useIntercom from "@calcom/features/ee/support/lib/intercom/useIntercom"; import { EventTypeEmbedButton, EventTypeEmbedDialog } from "@calcom/features/embed/EventTypeEmbed"; import { EventTypeDescription } from "@calcom/features/eventtypes/components"; import CreateEventTypeDialog from "@calcom/features/eventtypes/components/CreateEventTypeDialog"; @@ -16,7 +17,7 @@ import { DuplicateDialog } from "@calcom/features/eventtypes/components/Duplicat import { TeamsFilter } from "@calcom/features/filters/components/TeamsFilter"; import { getTeamsFiltersFromQuery } from "@calcom/features/filters/lib/getTeamsFiltersFromQuery"; import Shell from "@calcom/features/shell/Shell"; -import { APP_NAME, WEBAPP_URL } from "@calcom/lib/constants"; +import { APP_NAME } from "@calcom/lib/constants"; import { WEBSITE_URL } from "@calcom/lib/constants"; import { useCompatSearchParams } from "@calcom/lib/hooks/useCompatSearchParams"; import { useLocale } from "@calcom/lib/hooks/useLocale"; @@ -109,13 +110,10 @@ const querySchema = z.object({ const MobileTeamsTab: FC = (props) => { const { eventTypeGroups } = props; - const orgBranding = useOrgBranding(); const tabs = eventTypeGroups.map((item) => ({ name: item.profile.name ?? "", href: item.teamId ? `/event-types?teamId=${item.teamId}` : "/event-types?noTeam", - avatar: orgBranding - ? `${orgBranding.fullDomain}${item.teamId ? "/team" : ""}/${item.profile.slug}/avatar.png` - : item.profile.image ?? `${WEBAPP_URL + (item.teamId && "/team")}/${item.profile.slug}/avatar.png`, + avatar: item.profile.image, })); const { data } = useTypedQuery(querySchema); const events = eventTypeGroups.filter((item) => item.teamId === data.teamId); @@ -166,7 +164,7 @@ const Item = ({ ) : null} {readOnly && ( - + {t("readonly")} )} @@ -197,7 +195,7 @@ const Item = ({ ) : null} {readOnly && ( - + {t("readonly")} )} @@ -515,7 +513,8 @@ export const EventTypeList = ({ )} - {!isManagedEventType && !isChildrenManagedEventType && ( + {/* readonly is only set when we are on a team - if we are on a user event type null will be the value. */} + {!readOnly && !isManagedEventType && !isChildrenManagedEventType && ( <> )} {/* readonly is only set when we are on a team - if we are on a user event type null will be the value. */} - {(group.metadata?.readOnly === false || group.metadata.readOnly === null) && - !isChildrenManagedEventType && ( - <> - - - { - setDeleteDialogOpen(true); - setDeleteDialogTypeId(type.id); - setDeleteDialogSchedulingType(type.schedulingType); - }} - StartIcon="trash" - className="w-full rounded-none"> - {t("delete")} - - - - )} + {!readOnly && !isChildrenManagedEventType && ( + <> + + + { + setDeleteDialogOpen(true); + setDeleteDialogTypeId(type.id); + setDeleteDialogSchedulingType(type.schedulingType); + }} + StartIcon="trash" + className="w-full rounded-none"> + {t("delete")} + + + + )} @@ -631,7 +629,7 @@ export const EventTypeList = ({ )} - {!isManagedEventType && !isChildrenManagedEventType && ( + {!readOnly && !isManagedEventType && !isChildrenManagedEventType && ( openDuplicateModal(type, group)} @@ -642,24 +640,23 @@ export const EventTypeList = ({ )} {/* readonly is only set when we are on a team - if we are on a user event type null will be the value. */} - {(group.metadata?.readOnly === false || group.metadata.readOnly === null) && - !isChildrenManagedEventType && ( - <> - - { - setDeleteDialogOpen(true); - setDeleteDialogTypeId(type.id); - setDeleteDialogSchedulingType(type.schedulingType); - }} - StartIcon="trash" - className="w-full rounded-none"> - {t("delete")} - - - - )} + {!readOnly && !isChildrenManagedEventType && ( + <> + + { + setDeleteDialogOpen(true); + setDeleteDialogTypeId(type.id); + setDeleteDialogSchedulingType(type.schedulingType); + }} + StartIcon="trash" + className="w-full rounded-none"> + {t("delete")} + + + + )} {!isManagedEventType && (
@@ -865,14 +862,14 @@ const Main = ({ const isMobile = useMediaQuery("(max-width: 768px)"); const searchParams = useCompatSearchParams(); - if (!rawData || status === "pending") { - return ; - } - if (status === "error") { return ; } + if (!rawData || status === "pending") { + return ; + } + const isFilteredByOnlyOneItem = (filters?.teamIds?.length === 1 || filters?.userIds?.length === 1) && rawData.eventTypeGroups.length === 1; @@ -949,12 +946,15 @@ const EventTypesPage: React.FC & { getLayout?: AppProps["Component"]["getLayout"]; } = () => { const { t } = useLocale(); + const searchParams = useCompatSearchParams(); + const { open } = useIntercom(); const { data: user } = useMeQuery(); // eslint-disable-next-line @typescript-eslint/no-unused-vars const [showProfileBanner, setShowProfileBanner] = useState(false); const orgBranding = useOrgBranding(); const routerQuery = useRouterQuery(); const filters = getTeamsFiltersFromQuery(routerQuery); + const router = useRouter(); // TODO: Maybe useSuspenseQuery to focus on success case only? Remember that it would crash the page when there is an error in query. Also, it won't support skeleton const { data, status, error } = trpc.viewer.eventTypes.getByViewer.useQuery(filters && { filters }, { @@ -963,6 +963,20 @@ const EventTypesPage: React.FC & { staleTime: 1 * 60 * 60 * 1000, }); + useEffect(() => { + if (searchParams?.get("openIntercom") === "true") { + open(); + } + /** + * During signup, if the account already exists, we redirect the user to /event-types instead of onboarding. + * Adding this redirection logic here as well to ensure the user is redirected to the correct redirectUrl. + */ + const redirectUrl = localStorage.getItem("onBoardingRedirect"); + localStorage.removeItem("onBoardingRedirect"); + redirectUrl && router.push(redirectUrl); + // eslint-disable-next-line react-hooks/exhaustive-deps + }, []); + useEffect(() => { setShowProfileBanner( !!orgBranding && !document.cookie.includes("calcom-profile-banner=1") && !user?.completedOnboarding diff --git a/apps/web/modules/event-types/views/event-types-single-view.getServerSideProps.tsx b/apps/web/modules/event-types/views/event-types-single-view.getServerSideProps.tsx index 8a2034b2cf6307..1eaaf362662158 100644 --- a/apps/web/modules/event-types/views/event-types-single-view.getServerSideProps.tsx +++ b/apps/web/modules/event-types/views/event-types-single-view.getServerSideProps.tsx @@ -1,6 +1,8 @@ import type { GetServerSidePropsContext } from "next"; import { getServerSession } from "@calcom/features/auth/lib/getServerSession"; +import logger from "@calcom/lib/logger"; +import { safeStringify } from "@calcom/lib/safeStringify"; import { asStringOrThrow } from "@lib/asStringOrNull"; import type { inferSSRProps } from "@lib/types/inferSSRProps"; @@ -40,6 +42,7 @@ export const getServerSideProps = async (context: GetServerSidePropsContext) => const { eventType } = await ssr.viewer.eventTypes.get.fetch({ id: eventTypeId }); return eventType; } catch (e: unknown) { + logger.error(safeStringify(e)); // reject, user has no access to this event type. return null; } diff --git a/apps/web/modules/event-types/views/event-types-single-view.tsx b/apps/web/modules/event-types/views/event-types-single-view.tsx index fa1d9c7bf8603f..927227ab73a185 100644 --- a/apps/web/modules/event-types/views/event-types-single-view.tsx +++ b/apps/web/modules/event-types/views/event-types-single-view.tsx @@ -4,14 +4,18 @@ import { useAutoAnimate } from "@formkit/auto-animate/react"; import { zodResolver } from "@hookform/resolvers/zod"; import { isValidPhoneNumber } from "libphonenumber-js"; +import type { TFunction } from "next-i18next"; import dynamic from "next/dynamic"; -import { useEffect, useMemo, useState } from "react"; +// eslint-disable-next-line @calcom/eslint/deprecated-imports-next-router +import { useRouter } from "next/router"; +import { useEffect, useMemo, useState, useRef } from "react"; import { useForm } from "react-hook-form"; import { z } from "zod"; import checkForMultiplePaymentApps from "@calcom/app-store/_utils/payments/checkForMultiplePaymentApps"; import { getEventLocationType } from "@calcom/app-store/locations"; import { validateCustomEventName } from "@calcom/core/event"; +import type { Workflow } from "@calcom/features/ee/workflows/lib/types"; import type { ChildrenEventType } from "@calcom/features/eventtypes/components/ChildrenEventTypeSelect"; import type { FormValues } from "@calcom/features/eventtypes/lib/types"; import { validateIntervalLimitOrder } from "@calcom/lib"; @@ -113,6 +117,8 @@ const EventAITab = dynamic(() => import("@components/eventtype/EventAITab").then const ManagedEventTypeDialog = dynamic(() => import("@components/eventtype/ManagedEventDialog")); +const AssignmentWarningDialog = dynamic(() => import("@components/eventtype/AssignmentWarningDialog")); + export type Host = { isFixed: boolean; userId: number; priority: number }; export type CustomInputParsed = typeof customInputSchema._output; @@ -139,7 +145,70 @@ const querySchema = z.object({ export type EventTypeSetupProps = RouterOutputs["viewer"]["eventTypes"]["get"]; export type EventTypeSetup = RouterOutputs["viewer"]["eventTypes"]["get"]["eventType"]; -const EventTypePage = (props: EventTypeSetupProps) => { +export const locationsResolver = (t: TFunction) => { + return z + .array( + z + .object({ + type: z.string(), + address: z.string().optional(), + link: z.string().url().optional(), + phone: z + .string() + .refine((val) => isValidPhoneNumber(val)) + .optional(), + hostPhoneNumber: z + .string() + .refine((val) => isValidPhoneNumber(val)) + .optional(), + displayLocationPublicly: z.boolean().optional(), + credentialId: z.number().optional(), + teamName: z.string().optional(), + }) + .passthrough() + .superRefine((val, ctx) => { + if (val?.link) { + const link = val.link; + const eventLocationType = getEventLocationType(val.type); + if ( + eventLocationType && + !eventLocationType.default && + eventLocationType.linkType === "static" && + eventLocationType.urlRegExp + ) { + const valid = z.string().regex(new RegExp(eventLocationType.urlRegExp)).safeParse(link).success; + + if (!valid) { + const sampleUrl = eventLocationType.organizerInputPlaceholder; + ctx.addIssue({ + code: z.ZodIssueCode.custom, + path: [eventLocationType?.defaultValueVariable ?? "link"], + message: t("invalid_url_error_message", { + label: eventLocationType.label, + sampleUrl: sampleUrl ?? "https://cal.com", + }), + }); + } + return; + } + + const valid = z.string().url().optional().safeParse(link).success; + + if (!valid) { + ctx.addIssue({ + code: z.ZodIssueCode.custom, + path: [eventLocationType?.defaultValueVariable ?? "link"], + message: `Invalid URL`, + }); + } + } + return; + }) + ) + .optional(); +}; + +const EventTypePage = (props: EventTypeSetupProps & { allActiveWorkflows?: Workflow[] }) => { const { t } = useLocale(); const utils = trpc.useUtils(); const telemetry = useTelemetry(); @@ -154,6 +223,9 @@ const EventTypePage = (props: EventTypeSetupProps) => { }); const { eventType, locationOptions, team, teamMembers, currentUserMembership, destinationCalendar } = props; + const [isOpenAssignmentWarnDialog, setIsOpenAssignmentWarnDialog] = useState(false); + const [pendingRoute, setPendingRoute] = useState(""); + const leaveWithoutAssigningHosts = useRef(false); const [animationParentRef] = useAutoAnimate(); const updateMutation = trpc.viewer.eventTypes.update.useMutation({ onSuccess: async () => { @@ -196,6 +268,8 @@ const EventTypePage = (props: EventTypeSetupProps) => { }, }); + const router = useRouter(); + const [periodDates] = useState<{ startDate: Date; endDate: Date }>({ startDate: new Date(eventType.periodStartDate || Date.now()), endDate: new Date(eventType.periodEndDate || Date.now()), @@ -241,6 +315,7 @@ const EventTypePage = (props: EventTypeSetupProps) => { destinationCalendar: eventType.destinationCalendar, recurringEvent: eventType.recurringEvent || null, isInstantEvent: eventType.isInstantEvent, + instantMeetingExpiryTimeOffsetInSeconds: eventType.instantMeetingExpiryTimeOffsetInSeconds, description: eventType.description ?? undefined, schedule: eventType.schedule || undefined, bookingLimits: eventType.bookingLimits || undefined, @@ -265,6 +340,7 @@ const EventTypePage = (props: EventTypeSetupProps) => { metadata, hosts: eventType.hosts, successRedirectUrl: eventType.successRedirectUrl || "", + forwardParamsSuccessRedirect: eventType.forwardParamsSuccessRedirect, users: eventType.users, useEventTypeDestinationCalendarEmail: eventType.useEventTypeDestinationCalendarEmail, secondaryEmailId: eventType?.secondaryEmailId || -1, @@ -314,69 +390,7 @@ const EventTypePage = (props: EventTypeSetupProps) => { length: z.union([z.string().transform((val) => +val), z.number()]).optional(), offsetStart: z.union([z.string().transform((val) => +val), z.number()]).optional(), bookingFields: eventTypeBookingFields, - locations: z - .array( - z - .object({ - type: z.string(), - address: z.string().optional(), - link: z.string().url().optional(), - phone: z - .string() - .refine((val) => isValidPhoneNumber(val)) - .optional(), - hostPhoneNumber: z - .string() - .refine((val) => isValidPhoneNumber(val)) - .optional(), - displayLocationPublicly: z.boolean().optional(), - credentialId: z.number().optional(), - teamName: z.string().optional(), - }) - .passthrough() - .superRefine((val, ctx) => { - if (val?.link) { - const link = val.link; - const eventLocationType = getEventLocationType(val.type); - if ( - eventLocationType && - !eventLocationType.default && - eventLocationType.linkType === "static" && - eventLocationType.urlRegExp - ) { - const valid = z - .string() - .regex(new RegExp(eventLocationType.urlRegExp)) - .safeParse(link).success; - - if (!valid) { - const sampleUrl = eventLocationType.organizerInputPlaceholder; - ctx.addIssue({ - code: z.ZodIssueCode.custom, - path: [eventLocationType?.defaultValueVariable ?? "link"], - message: t("invalid_url_error_message", { - label: eventLocationType.label, - sampleUrl: sampleUrl ?? "https://cal.com", - }), - }); - } - return; - } - - const valid = z.string().url().optional().safeParse(link).success; - - if (!valid) { - ctx.addIssue({ - code: z.ZodIssueCode.custom, - path: [eventLocationType?.defaultValueVariable ?? "link"], - message: `Invalid URL`, - }); - } - } - return; - }) - ) - .optional(), + locations: locationsResolver(t), }) // TODO: Add schema for other fields later. .passthrough() @@ -386,6 +400,41 @@ const EventTypePage = (props: EventTypeSetupProps) => { formState: { isDirty: isFormDirty, dirtyFields }, } = formMethods; + // useEffect(() => { + // const handleRouteChange = (url: string) => { + // const paths = url.split("/"); + // + // // Check if event is managed event type - skip if there is assigned users + // const assignedUsers = eventType.children; + // const isManagedEventType = eventType.schedulingType === SchedulingType.MANAGED; + // if (eventType.assignAllTeamMembers) { + // return; + // } else if (isManagedEventType && assignedUsers.length > 0) { + // return; + // } + // + // const hosts = eventType.hosts; + // if ( + // !leaveWithoutAssigningHosts.current && + // !!team && + // (hosts.length === 0 || assignedUsers.length === 0) && + // (url === "/event-types" || paths[1] !== "event-types") + // ) { + // setIsOpenAssignmentWarnDialog(true); + // setPendingRoute(url); + // router.events.emit( + // "routeChangeError", + // new Error(`Aborted route change to ${url} because none was assigned to team event`) + // ); + // throw "Aborted"; + // } + // }; + // router.events.on("routeChangeStart", handleRouteChange); + // return () => { + // router.events.off("routeChangeStart", handleRouteChange); + // }; + // }, [router]); + const appsMetadata = formMethods.getValues("metadata")?.apps; const availability = formMethods.watch("availability"); let numberOfActiveApps = 0; @@ -417,11 +466,10 @@ const EventTypePage = (props: EventTypeSetupProps) => { instant: , recurring: , apps: , - workflows: ( - workflowOnEventType.workflow)} - /> + workflows: props.allActiveWorkflows ? ( + + ) : ( + <> ), webhooks: , ai: , @@ -658,7 +706,7 @@ const EventTypePage = (props: EventTypeSetupProps) => { webhook.active).length} team={team} @@ -773,7 +821,6 @@ const EventTypePage = (props: EventTypeSetupProps) => {
{tabMap[tabName]}
- {slugExistsChildrenDialogOpen.length ? ( { }} /> ) : null} + {/**/} ); }; - const EventTypePageWrapper: React.FC & { PageWrapper?: AppProps["Component"]["PageWrapper"]; getLayout?: AppProps["Component"]["getLayout"]; @@ -801,7 +854,25 @@ const EventTypePageWrapper: React.FC & { const { data } = trpc.viewer.eventTypes.get.useQuery({ id: props.type }); if (!data) return null; - return ; + + const eventType = data.eventType; + + const { data: workflows } = trpc.viewer.workflows.getAllActiveWorkflows.useQuery({ + eventType: { + id: props.type, + teamId: eventType.teamId, + userId: eventType.userId, + parent: eventType.parent, + metadata: eventType.metadata, + }, + }); + + const propsData = { + ...(data as EventTypeSetupProps), + allActiveWorkflows: workflows, + }; + + return ; }; export default EventTypePageWrapper; diff --git a/apps/web/modules/test-setup.ts b/apps/web/modules/test-setup.ts new file mode 100644 index 00000000000000..51ee523554daea --- /dev/null +++ b/apps/web/modules/test-setup.ts @@ -0,0 +1,186 @@ +import React from "react"; +import { vi, afterEach } from "vitest"; + +global.React = React; + +afterEach(() => { + vi.resetAllMocks(); +}); + +// Mock all modules that are used in multiple tests for modules +// We don't intend to provide the mock implementation here. They should be provided by respective tests. +// But it makes it super easy to start testing any module view without worrying about mocking the dependencies. +vi.mock("next-auth/react", () => ({ + useSession: vi.fn(), +})); + +vi.mock("next/navigation", () => ({ + useRouter: vi.fn().mockReturnValue({ + replace: vi.fn(), + }), + usePathname: vi.fn(), +})); + +vi.mock("@calcom/app-store/BookingPageTagManager", () => ({ + default: vi.fn(), +})); + +vi.mock("@calcom/app-store/locations", () => ({ + DailyLocationType: "daily", + guessEventLocationType: vi.fn(), + getSuccessPageLocationMessage: vi.fn(), +})); + +vi.mock("@calcom/app-store/utils", () => ({ + getEventTypeAppData: vi.fn(), +})); + +vi.mock("@calcom/core/event", () => ({ + getEventName: vi.fn(), +})); + +vi.mock("@calcom/ee/organizations/lib/orgDomains", () => ({ + getOrgFullOrigin: vi.fn(), +})); + +vi.mock("@calcom/features/eventtypes/components", () => ({ + EventTypeDescriptionLazy: vi.fn(), +})); + +vi.mock("@calcom/embed-core/embed-iframe", () => { + return { + useIsBackgroundTransparent: vi.fn(), + useIsEmbed: vi.fn(), + useEmbedNonStylesConfig: vi.fn(), + useEmbedStyles: vi.fn(), + }; +}); + +vi.mock("@calcom/features/bookings/components/event-meta/Price", () => { + return {}; +}); + +vi.mock("@calcom/features/bookings/lib/SystemField", () => { + return {}; +}); + +vi.mock("@calcom/lib/constants", () => { + return { + DEFAULT_LIGHT_BRAND_COLOR: "DEFAULT_LIGHT_BRAND_COLOR", + DEFAULT_DARK_BRAND_COLOR: "DEFAULT_DARK_BRAND_COLOR", + BOOKER_NUMBER_OF_DAYS_TO_LOAD: 1, + }; +}); + +vi.mock("@calcom/lib/date-fns", () => { + return {}; +}); + +vi.mock("@calcom/lib/getBrandColours", () => { + return { + default: vi.fn(), + }; +}); + +vi.mock("@calcom/lib/hooks/useCompatSearchParams", () => { + return { + useCompatSearchParams: vi.fn(), + }; +}); + +vi.mock("@calcom/lib/hooks/useLocale", () => { + return { + useLocale: vi.fn().mockReturnValue({ + t: vi.fn().mockImplementation((text: string) => { + return text; + }), + i18n: { + language: "en", + }, + }), + }; +}); + +vi.mock("@calcom/lib/hooks/useRouterQuery", () => { + return { + useRouterQuery: vi.fn(), + }; +}); + +vi.mock("@calcom/lib/hooks/useTheme", () => { + return { + default: vi.fn(), + }; +}); + +vi.mock("@calcom/lib/recurringStrings", () => { + return {}; +}); + +vi.mock("@calcom/lib/recurringStrings", () => { + return {}; +}); + +vi.mock("@calcom/prisma/zod-utils", () => ({ + BookerLayouts: { + MONTH_VIEW: "month", + }, + EventTypeMetaDataSchema: { + parse: vi.fn(), + }, + bookingMetadataSchema: { + parse: vi.fn(), + }, +})); + +vi.mock("@calcom/trpc/react", () => ({ + trpc: { + viewer: { + public: { + submitRating: { + useMutation: vi.fn(), + }, + noShow: { + useMutation: vi.fn(), + }, + }, + }, + }, +})); + +vi.mock("@calcom/ui", () => ({ + HeadSeo: vi.fn(), + useCalcomTheme: vi.fn(), + Icon: vi.fn(), + UnpublishedEntity: vi.fn(), + UserAvatar: vi.fn(), +})); + +vi.mock("@calcom/web/components/PageWrapper", () => ({ + default: vi.fn(), +})); + +vi.mock("@calcom/web/components/booking/CancelBooking", () => ({})); + +vi.mock("@calcom/web/components/schemas/EventReservationSchema", () => ({ + default: vi.fn(), +})); + +vi.mock("@calcom/web/lib/clock", () => ({ + timeZone: vi.fn(), +})); + +vi.mock("./bookings-single-view.getServerSideProps", () => ({})); + +vi.mock("@calcom/lib/webstorage", () => ({ + localStorage: { + getItem: vi.fn(), + setItem: vi.fn(), + }, +})); + +vi.mock("@calcom/lib/timeFormat", () => ({ + detectBrowserTimeFormat: vi.fn(), + isBrowserLocale24h: vi.fn(), + getIs24hClockFromLocalStorage: vi.fn(), +})); diff --git a/apps/web/modules/users/views/users-public-view.getServerSideProps.tsx b/apps/web/modules/users/views/users-public-view.getServerSideProps.tsx index ffa51aeb7cb387..830834897dfc32 100644 --- a/apps/web/modules/users/views/users-public-view.getServerSideProps.tsx +++ b/apps/web/modules/users/views/users-public-view.getServerSideProps.tsx @@ -50,6 +50,7 @@ export type UserPageProps = { considerUnpublished: boolean; orgSlug?: string | null; name?: string | null; + teamSlug?: string | null; }; eventTypes: ({ descriptionAsSafeHTML: string; @@ -104,11 +105,13 @@ export const getServerSideProps: GetServerSideProps = async (cont if (isDynamicGroup) { const destinationUrl = `/${usernameList.join("+")}/dynamic`; + const originalQueryString = new URLSearchParams(context.query as Record).toString(); + const destinationWithQuery = `${destinationUrl}?${originalQueryString}`; log.debug(`Dynamic group detected, redirecting to ${destinationUrl}`); return { redirect: { permanent: false, - destination: destinationUrl, + destination: destinationWithQuery, }, } as const; } diff --git a/apps/web/modules/users/views/users-public-view.test.tsx b/apps/web/modules/users/views/users-public-view.test.tsx new file mode 100644 index 00000000000000..9e6c3ff6f9c8a7 --- /dev/null +++ b/apps/web/modules/users/views/users-public-view.test.tsx @@ -0,0 +1,102 @@ +import { render } from "@testing-library/react"; +import { describe, expect, it, vi } from "vitest"; + +import { getOrgFullOrigin } from "@calcom/ee/organizations/lib/orgDomains"; +import { useRouterQuery } from "@calcom/lib/hooks/useRouterQuery"; +import { HeadSeo } from "@calcom/ui"; + +import UserPage from "./users-public-view"; + +function mockedUserPageComponentProps(props: Partial>) { + return { + trpcState: { + mutations: [], + queries: [], + }, + themeBasis: "dark", + safeBio: "My Bio", + profile: { + name: "John Doe", + image: "john-profile-url", + theme: "dark", + brandColor: "red", + darkBrandColor: "black", + organization: { requestedSlug: "slug", slug: "slug", id: 1 }, + allowSEOIndexing: true, + username: "john", + }, + users: [ + { + name: "John Doe", + username: "john", + avatarUrl: "john-user-url", + bio: "", + verified: false, + profile: { + upId: "1", + id: 1, + username: "john", + organizationId: null, + organization: null, + }, + }, + ], + markdownStrippedBio: "My Bio", + entity: { + considerUnpublished: false, + ...(props.entity ?? null), + }, + eventTypes: [], + } satisfies React.ComponentProps; +} + +describe("UserPage Component", () => { + it("should render HeadSeo with correct props", () => { + const mockData = { + props: mockedUserPageComponentProps({ + entity: { + considerUnpublished: false, + orgSlug: "org1", + }, + }), + }; + + vi.mocked(getOrgFullOrigin).mockImplementation((orgSlug: string | null) => { + return `${orgSlug}.cal.local`; + }); + + vi.mocked(useRouterQuery).mockReturnValue({ + uid: "uid", + }); + + render(); + + const expectedDescription = mockData.props.markdownStrippedBio; + const expectedTitle = expectedDescription; + expect(HeadSeo).toHaveBeenCalledWith( + { + origin: `${mockData.props.entity.orgSlug}.cal.local`, + title: `${mockData.props.profile.name}`, + description: expectedDescription, + meeting: { + profile: { + name: mockData.props.profile.name, + image: mockData.props.users[0].avatarUrl, + }, + title: expectedTitle, + users: [ + { + name: mockData.props.users[0].name, + username: mockData.props.users[0].username, + }, + ], + }, + nextSeoProps: { + nofollow: !mockData.props.profile.allowSEOIndexing, + noindex: !mockData.props.profile.allowSEOIndexing, + }, + }, + {} + ); + }); +}); diff --git a/apps/web/modules/users/views/users-public-view.tsx b/apps/web/modules/users/views/users-public-view.tsx index acc329eb254165..742c128ea1d070 100644 --- a/apps/web/modules/users/views/users-public-view.tsx +++ b/apps/web/modules/users/views/users-public-view.tsx @@ -11,9 +11,9 @@ import { useEmbedStyles, useIsEmbed, } from "@calcom/embed-core/embed-iframe"; +import { getOrgFullOrigin } from "@calcom/features/ee/organizations/lib/orgDomains"; import { EventTypeDescriptionLazy as EventTypeDescription } from "@calcom/features/eventtypes/components"; import EmptyPage from "@calcom/features/eventtypes/components/EmptyPage"; -import { useLocale } from "@calcom/lib/hooks/useLocale"; import { useRouterQuery } from "@calcom/lib/hooks/useRouterQuery"; import useTheme from "@calcom/lib/hooks/useTheme"; import { HeadSeo, Icon, UnpublishedEntity, UserAvatar } from "@calcom/ui"; @@ -25,7 +25,6 @@ export function UserPage(props: InferGetServerSidePropsType

", "").length; @@ -51,7 +50,7 @@ export function UserPage(props: InferGetServerSidePropsType +
); @@ -59,10 +58,10 @@ export function UserPage(props: InferGetServerSidePropsType
@@ -125,7 +124,7 @@ export function UserPage(props: InferGetServerSidePropsType + className="bg-default border-subtle dark:bg-muted dark:hover:bg-emphasis hover:bg-muted group relative border-b transition first:rounded-t-md last:rounded-b-md last:border-b-0"> & EmbedProps; +type Props = { + eventData: Pick< + NonNullable>>, + "id" | "length" | "metadata" | "entity" + >; + booking?: GetBookingType; + rescheduleUid: string | null; + bookingUid: string | null; + user: string; + slug: string; + trpcState: DehydratedState; + isBrandingHidden: boolean; + isSEOIndexable: boolean | null; + themeBasis: null | string; + orgBannerUrl: null; +}; + +async function processReschedule({ + props, + rescheduleUid, + session, +}: { + props: Props; + session: Session | null; + rescheduleUid: string | string[] | undefined; +}) { + if (!rescheduleUid) return; + const booking = await getBookingForReschedule(`${rescheduleUid}`, session?.user?.id); + // if no booking found, no eventTypeId (dynamic) or it matches this eventData - return void (success). + if (booking === null || !booking.eventTypeId || booking?.eventTypeId === props.eventData?.id) { + props.booking = booking; + props.rescheduleUid = Array.isArray(rescheduleUid) ? rescheduleUid[0] : rescheduleUid; + return; + } + // handle redirect response + const redirectEventTypeTarget = await prisma.eventType.findUnique({ + where: { + id: booking.eventTypeId, + }, + select: { + slug: true, + }, + }); + if (!redirectEventTypeTarget) { + return { + notFound: true, + } as const; + } + return { + redirect: { + permanent: false, + destination: redirectEventTypeTarget.slug, + }, + }; +} + +async function processSeatedEvent({ + props, + bookingUid, +}: { + props: Props; + bookingUid: string | string[] | undefined; +}) { + if (!bookingUid) return; + props.booking = await getBookingForSeatedEvent(`${bookingUid}`); + props.bookingUid = Array.isArray(bookingUid) ? bookingUid[0] : bookingUid; +} + async function getDynamicGroupPageProps(context: GetServerSidePropsContext) { const session = await getServerSession(context); const { user: usernames, type: slug } = paramsSchema.parse(context.params); @@ -51,13 +123,6 @@ async function getDynamicGroupPageProps(context: GetServerSidePropsContext) { } as const; } - let booking: GetBookingType | null = null; - if (rescheduleUid) { - booking = await getBookingForReschedule(`${rescheduleUid}`, session?.user?.id); - } else if (bookingUid) { - booking = await getBookingForSeatedEvent(`${bookingUid}`); - } - // We use this to both prefetch the query on the server, // as well as to check if the event exist, so we c an show a 404 otherwise. const eventData = await ssr.viewer.public.event.fetch({ @@ -73,27 +138,38 @@ async function getDynamicGroupPageProps(context: GetServerSidePropsContext) { } as const; } - return { - props: { - eventData: { - entity: eventData.entity, - length: eventData.length, - metadata: { - ...eventData.metadata, - multipleDuration: [15, 30, 60], - }, + const props: Props = { + eventData: { + id: eventData.id, + entity: eventData.entity, + length: eventData.length, + metadata: { + ...eventData.metadata, + multipleDuration: [15, 30, 60], }, - booking, - user: usernames.join("+"), - slug, - trpcState: ssr.dehydrate(), - isBrandingHidden: false, - isSEOIndexable: true, - themeBasis: null, - bookingUid: bookingUid ? `${bookingUid}` : null, - rescheduleUid: rescheduleUid ? `${rescheduleUid}` : null, - orgBannerUrl: null, }, + user: usernames.join("+"), + slug, + trpcState: ssr.dehydrate(), + isBrandingHidden: false, + isSEOIndexable: true, + themeBasis: null, + bookingUid: bookingUid ? `${bookingUid}` : null, + rescheduleUid: null, + orgBannerUrl: null, + }; + + if (rescheduleUid) { + const processRescheduleResult = await processReschedule({ props, rescheduleUid, session }); + if (processRescheduleResult) { + return processRescheduleResult; + } + } else if (bookingUid) { + await processSeatedEvent({ props, bookingUid }); + } + + return { + props, }; } @@ -131,13 +207,6 @@ async function getUserPageProps(context: GetServerSidePropsContext) { } as const; } - let booking: GetBookingType | null = null; - if (rescheduleUid) { - booking = await getBookingForReschedule(`${rescheduleUid}`, session?.user?.id); - } else if (bookingUid) { - booking = await getBookingForSeatedEvent(`${bookingUid}`); - } - const org = isValidOrgDomain ? currentOrgDomain : null; // We use this to both prefetch the query on the server, // as well as to check if the event exist, so we can show a 404 otherwise. @@ -154,24 +223,35 @@ async function getUserPageProps(context: GetServerSidePropsContext) { } as const; } - return { - props: { - booking, - eventData: { - entity: eventData.entity, - length: eventData.length, - metadata: eventData.metadata, - }, - user: username, - slug, - trpcState: ssr.dehydrate(), - isBrandingHidden: user?.hideBranding, - isSEOIndexable: user?.allowSEOIndexing, - themeBasis: username, - bookingUid: bookingUid ? `${bookingUid}` : null, - rescheduleUid: rescheduleUid ? `${rescheduleUid}` : null, - orgBannerUrl: eventData?.owner?.profile?.organization?.bannerUrl ?? null, + const props: Props = { + eventData: { + id: eventData.id, + entity: eventData.entity, + length: eventData.length, + metadata: eventData.metadata, }, + user: username, + slug, + trpcState: ssr.dehydrate(), + isBrandingHidden: user?.hideBranding, + isSEOIndexable: user?.allowSEOIndexing, + themeBasis: username, + bookingUid: bookingUid ? `${bookingUid}` : null, + rescheduleUid: null, + orgBannerUrl: eventData?.owner?.profile?.organization?.bannerUrl ?? null, + }; + + if (rescheduleUid) { + const processRescheduleResult = await processReschedule({ props, rescheduleUid, session }); + if (processRescheduleResult) { + return processRescheduleResult; + } + } else if (bookingUid) { + await processSeatedEvent({ props, bookingUid }); + } + + return { + props, }; } diff --git a/apps/web/modules/videos/ai/ai-transcribe.tsx b/apps/web/modules/videos/ai/ai-transcribe.tsx index b30b8c2a4df41d..5e7bf9152ca2d8 100644 --- a/apps/web/modules/videos/ai/ai-transcribe.tsx +++ b/apps/web/modules/videos/ai/ai-transcribe.tsx @@ -1,12 +1,49 @@ -import { useTranscription } from "@daily-co/daily-react"; +import { useTranscription, useRecording } from "@daily-co/daily-react"; import { useDaily, useDailyEvent } from "@daily-co/daily-react"; import React, { Fragment, useCallback, useRef, useState, useLayoutEffect, useEffect } from "react"; -import { Toaster } from "react-hot-toast"; +import { + TRANSCRIPTION_STARTED_ICON, + RECORDING_IN_PROGRESS_ICON, + TRANSCRIPTION_STOPPED_ICON, + RECORDING_DEFAULT_ICON, +} from "@calcom/lib/constants"; import { useLocale } from "@calcom/lib/hooks/useLocale"; -import { showToast } from "@calcom/ui"; -export const CalAiTransctibe = () => { +const BUTTONS = { + STOP_TRANSCRIPTION: { + label: "Stop", + tooltip: "Stop transcription", + iconPath: TRANSCRIPTION_STARTED_ICON, + iconPathDarkMode: TRANSCRIPTION_STARTED_ICON, + }, + START_TRANSCRIPTION: { + label: "Cal.ai", + tooltip: "Transcription powered by AI", + iconPath: TRANSCRIPTION_STOPPED_ICON, + iconPathDarkMode: TRANSCRIPTION_STOPPED_ICON, + }, + START_RECORDING: { + label: "Record", + tooltip: "Start recording", + iconPath: RECORDING_DEFAULT_ICON, + iconPathDarkMode: RECORDING_DEFAULT_ICON, + }, + WAIT_FOR_RECORDING_TO_START: { + label: "Starting..", + tooltip: "Please wait while we start recording", + iconPath: RECORDING_DEFAULT_ICON, + iconPathDarkMode: RECORDING_DEFAULT_ICON, + }, + STOP_RECORDING: { + label: "Stop", + tooltip: "Stop recording", + iconPath: RECORDING_IN_PROGRESS_ICON, + iconPathDarkMode: RECORDING_IN_PROGRESS_ICON, + }, +}; + +export const CalAiTranscribe = () => { const daily = useDaily(); const { t } = useLocale(); @@ -16,6 +53,7 @@ export const CalAiTransctibe = () => { const transcriptRef = useRef(null); const transcription = useTranscription(); + const recording = useRecording(); useDailyEvent( "app-message", @@ -26,23 +64,65 @@ export const CalAiTransctibe = () => { ); useDailyEvent("transcription-started", (ev) => { - showToast(t("transcription_enabled"), "success"); + daily?.updateCustomTrayButtons({ + recording: recording?.isRecording ? BUTTONS.STOP_RECORDING : BUTTONS.START_RECORDING, + transcription: BUTTONS.STOP_TRANSCRIPTION, + }); + }); + + useDailyEvent("recording-started", (ev) => { + daily?.updateCustomTrayButtons({ + recording: BUTTONS.STOP_RECORDING, + transcription: transcription?.isTranscribing ? BUTTONS.STOP_TRANSCRIPTION : BUTTONS.START_TRANSCRIPTION, + }); }); useDailyEvent("transcription-stopped", (ev) => { - showToast(t("transcription_stopped"), "success"); + daily?.updateCustomTrayButtons({ + recording: recording?.isRecording ? BUTTONS.STOP_RECORDING : BUTTONS.START_RECORDING, + transcription: BUTTONS.START_TRANSCRIPTION, + }); }); - useDailyEvent("custom-button-click", (ev) => { - if (ev?.button_id !== "transcription") { - return; + useDailyEvent("recording-stopped", (ev) => { + daily?.updateCustomTrayButtons({ + recording: BUTTONS.START_RECORDING, + transcription: transcription?.isTranscribing ? BUTTONS.STOP_TRANSCRIPTION : BUTTONS.START_TRANSCRIPTION, + }); + }); + + const toggleRecording = async () => { + if (recording?.isRecording) { + await daily?.stopRecording(); + } else { + daily?.updateCustomTrayButtons({ + recording: BUTTONS.WAIT_FOR_RECORDING_TO_START, + transcription: transcription?.isTranscribing + ? BUTTONS.STOP_TRANSCRIPTION + : BUTTONS.START_TRANSCRIPTION, + }); + + await daily?.startRecording({ + // 480p + videoBitrate: 2000, + }); } + }; + const toggleTranscription = async () => { if (transcription?.isTranscribing) { daily?.stopTranscription(); } else { daily?.startTranscription(); } + }; + + useDailyEvent("custom-button-click", async (ev) => { + if (ev?.button_id === "recording") { + toggleRecording(); + } else if (ev?.button_id === "transcription") { + toggleTranscription(); + } }); useLayoutEffect(() => { @@ -68,9 +148,11 @@ export const CalAiTransctibe = () => { return ( <> -
{transcript diff --git a/apps/web/modules/videos/views/videos-single-view.getServerSideProps.tsx b/apps/web/modules/videos/views/videos-single-view.getServerSideProps.tsx index b7b0e11241b7a2..af2e6e914dd99b 100644 --- a/apps/web/modules/videos/views/videos-single-view.getServerSideProps.tsx +++ b/apps/web/modules/videos/views/videos-single-view.getServerSideProps.tsx @@ -1,6 +1,10 @@ import MarkdownIt from "markdown-it"; import type { GetServerSidePropsContext } from "next"; +import { + generateGuestMeetingTokenFromOwnerMeetingToken, + setEnableRecordingUIForOrganizer, +} from "@calcom/app-store/dailyvideo/lib/VideoApiAdapter"; import { getServerSession } from "@calcom/features/auth/lib/getServerSession"; import { getCalVideoReference } from "@calcom/features/get-cal-video-reference"; import { UserRepository } from "@calcom/lib/server/repository/user"; @@ -39,6 +43,7 @@ export async function getServerSideProps(context: GetServerSidePropsContext) { }, references: { select: { + id: true, uid: true, type: true, meetingUrl: true, @@ -60,6 +65,19 @@ export async function getServerSideProps(context: GetServerSidePropsContext) { }; } + const hasTeamPlan = booking.user?.id + ? await prisma.membership.findFirst({ + where: { + userId: booking.user.id, + team: { + slug: { + not: null, + }, + }, + }, + }) + : false; + const profile = booking.user ? ( await UserRepository.enrichUserWithItsProfile({ @@ -68,9 +86,9 @@ export async function getServerSideProps(context: GetServerSidePropsContext) { ).profile : null; - //daily.co calls have a 60 minute exit buffer when a user enters a call when it's not available it will trigger the modals + //daily.co calls have a 14 days exit buffer when a user enters a call when it's not available it will trigger the modals const now = new Date(); - const exitDate = new Date(now.getTime() - 60 * 60 * 1000); + const exitDate = new Date(now.getTime() - 14 * 24 * 60 * 60 * 1000); //find out if the meeting is in the past const isPast = booking?.endTime <= exitDate; @@ -90,12 +108,31 @@ export async function getServerSideProps(context: GetServerSidePropsContext) { const session = await getServerSession({ req }); - // set meetingPassword to null for guests + const oldVideoReference = getCalVideoReference(bookingObj.references); + + // set meetingPassword for guests if (session?.user.id !== bookingObj.user?.id) { + const guestMeetingPassword = await generateGuestMeetingTokenFromOwnerMeetingToken( + oldVideoReference.meetingPassword + ); + bookingObj.references.forEach((bookRef) => { - bookRef.meetingPassword = null; + bookRef.meetingPassword = guestMeetingPassword; }); } + // Only for backward compatibility for organizer + else { + const meetingPassword = await setEnableRecordingUIForOrganizer( + oldVideoReference.id, + oldVideoReference.meetingPassword + ); + if (!!meetingPassword) { + bookingObj.references.forEach((bookRef) => { + bookRef.meetingPassword = meetingPassword; + }); + } + } + const videoReference = getCalVideoReference(bookingObj.references); return { @@ -114,6 +151,7 @@ export async function getServerSideProps(context: GetServerSidePropsContext) { } : bookingObj.user, }, + hasTeamPlan: !!hasTeamPlan, trpcState: ssr.dehydrate(), }, }; diff --git a/apps/web/modules/videos/views/videos-single-view.tsx b/apps/web/modules/videos/views/videos-single-view.tsx index 7a7ff1a972e9e2..95dac5e05bb8ab 100644 --- a/apps/web/modules/videos/views/videos-single-view.tsx +++ b/apps/web/modules/videos/views/videos-single-view.tsx @@ -8,19 +8,20 @@ import { useState, useEffect, useRef } from "react"; import dayjs from "@calcom/dayjs"; import classNames from "@calcom/lib/classNames"; -import { APP_NAME, SEO_IMG_OGIMG_VIDEO, WEBSITE_URL, WEBAPP_URL } from "@calcom/lib/constants"; +import { APP_NAME, SEO_IMG_OGIMG_VIDEO, WEBSITE_URL } from "@calcom/lib/constants"; +import { TRANSCRIPTION_STOPPED_ICON, RECORDING_DEFAULT_ICON } from "@calcom/lib/constants"; import { formatToLocalizedDate, formatToLocalizedTime } from "@calcom/lib/date-fns"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { markdownToSafeHTML } from "@calcom/lib/markdownToSafeHTML"; import { Icon } from "@calcom/ui"; -import { CalAiTransctibe } from "~/videos/ai/ai-transcribe"; +import { CalAiTranscribe } from "~/videos/ai/ai-transcribe"; import { type PageProps } from "./videos-single-view.getServerSideProps"; export default function JoinCall(props: PageProps) { const { t } = useLocale(); - const { meetingUrl, meetingPassword, booking } = props; + const { meetingUrl, meetingPassword, booking, hasTeamPlan } = props; const [daily, setDaily] = useState(null); useEffect(() => { @@ -47,14 +48,22 @@ export default function JoinCall(props: PageProps) { }, url: meetingUrl, ...(typeof meetingPassword === "string" && { token: meetingPassword }), - customTrayButtons: { - transcription: { - label: "Enable Transcription", - tooltip: "Toggle Transcription", - iconPath: `${WEBAPP_URL}/sparkles.svg`, - iconPathDarkMode: `${WEBAPP_URL}/sparkles.svg`, + ...(hasTeamPlan && { + customTrayButtons: { + recording: { + label: "Record", + tooltip: "Start or stop recording", + iconPath: RECORDING_DEFAULT_ICON, + iconPathDarkMode: RECORDING_DEFAULT_ICON, + }, + transcription: { + label: "Cal.ai", + tooltip: "Transcription powered by AI", + iconPath: TRANSCRIPTION_STOPPED_ICON, + iconPathDarkMode: TRANSCRIPTION_STOPPED_ICON, + }, }, - }, + }), }); setDaily(callFrame); @@ -85,8 +94,8 @@ export default function JoinCall(props: PageProps) { -
- +
+
{booking?.user?.organization?.calVideoLogo ? ( @@ -101,12 +110,12 @@ export default function JoinCall(props: PageProps) { /> ) : ( Logo )} diff --git a/apps/web/next.config.js b/apps/web/next.config.js index a8a7550107709e..0b5a9395bf76e0 100644 --- a/apps/web/next.config.js +++ b/apps/web/next.config.js @@ -54,6 +54,20 @@ if (!process.env.NEXT_PUBLIC_API_V2_URL) { console.error("Please set NEXT_PUBLIC_API_V2_URL"); } +const getHttpsUrl = (url) => { + if (!url) return url; + if (url.startsWith("http://")) { + return url.replace("http://", "https://"); + } + return url; +}; + +if (process.argv.includes("--experimental-https")) { + process.env.NEXT_PUBLIC_WEBAPP_URL = getHttpsUrl(process.env.NEXT_PUBLIC_WEBAPP_URL); + process.env.NEXTAUTH_URL = getHttpsUrl(process.env.NEXTAUTH_URL); + process.env.NEXT_PUBLIC_EMBED_LIB_URL = getHttpsUrl(process.env.NEXT_PUBLIC_EMBED_LIB_URL); +} + const validJson = (jsonString) => { try { const o = JSON.parse(jsonString); @@ -158,10 +172,12 @@ const matcherConfigUserTypeEmbedRoute = { /** @type {import("next").NextConfig} */ const nextConfig = { + output: "standalone", experimental: { // externalize server-side node_modules with size > 1mb, to improve dev mode performance/RAM usage serverComponentsExternalPackages: ["next-i18next"], optimizePackageImports: ["@calcom/ui"], + instrumentationHook: true, }, i18n: { ...i18n, @@ -219,6 +235,13 @@ const nextConfig = { ); } + config.plugins.push( + new webpack.DefinePlugin({ + __SENTRY_DEBUG__: false, + __SENTRY_TRACING__: false, + }) + ); + config.plugins.push( new CopyWebpackPlugin({ patterns: [ @@ -264,6 +287,29 @@ const nextConfig = { }, async rewrites() { const beforeFiles = [ + { + source: "/forms/:formQuery*", + destination: "/apps/routing-forms/routing-link/:formQuery*", + }, + { + source: "/router", + destination: "/apps/routing-forms/router", + }, + { + source: "/success/:path*", + has: [ + { + type: "query", + key: "uid", + value: "(?.*)", + }, + ], + destination: "/booking/:uid/:path*", + }, + { + source: "/cancel/:path*", + destination: "/booking/:path*", + }, { /** * Needed due to the introduction of dotted usernames @@ -327,29 +373,6 @@ const nextConfig = { source: "/:user/avatar.png", destination: "/api/user/avatar?username=:user", }, - { - source: "/forms/:formQuery*", - destination: "/apps/routing-forms/routing-link/:formQuery*", - }, - { - source: "/router", - destination: "/apps/routing-forms/router", - }, - { - source: "/success/:path*", - has: [ - { - type: "query", - key: "uid", - value: "(?.*)", - }, - ], - destination: "/booking/:uid/:path*", - }, - { - source: "/cancel/:path*", - destination: "/booking/:path*", - }, ], /* TODO: have these files being served from another deployment or CDN { @@ -537,6 +560,11 @@ const nextConfig = { destination: "/apps/installed/calendar", permanent: true, }, + { + source: "/settings/organizations/platform/:path*", + destination: "/settings/platform", + permanent: true, + }, // OAuth callbacks when sent to localhost:3000(w would be expected) should be redirected to corresponding to WEBAPP_URL ...(process.env.NODE_ENV === "development" && // Safer to enable the redirect only when the user is opting to test out organizations @@ -585,14 +613,14 @@ const nextConfig = { }; if (!!process.env.NEXT_PUBLIC_SENTRY_DSN) { - nextConfig["sentry"] = { - autoInstrumentServerFunctions: true, - hideSourceMaps: true, - // disable source map generation for the server code - disableServerWebpackPlugin: !!process.env.SENTRY_DISABLE_SERVER_WEBPACK_PLUGIN, - }; - - plugins.push(withSentryConfig); + plugins.push((nextConfig) => + withSentryConfig(nextConfig, { + autoInstrumentServerFunctions: true, + hideSourceMaps: true, + // disable source map generation for the server code + disableServerWebpackPlugin: !!process.env.SENTRY_DISABLE_SERVER_WEBPACK_PLUGIN, + }) + ); } module.exports = () => plugins.reduce((acc, next) => next(acc), nextConfig); diff --git a/apps/web/package.json b/apps/web/package.json index f65ad90e7c4a87..93ba8016c392f4 100644 --- a/apps/web/package.json +++ b/apps/web/package.json @@ -1,6 +1,6 @@ { "name": "@calcom/web", - "version": "4.0.1", + "version": "4.3.1", "private": true, "scripts": { "analyze": "ANALYZE=true next build", @@ -8,6 +8,7 @@ "analyze:browser": "BUNDLE_ANALYZE=browser next build", "clean": "rm -rf .turbo && rm -rf node_modules && rm -rf .next", "dev": "next dev", + "dev-https": "NODE_TLS_REJECT_UNAUTHORIZED=0 next dev --experimental-https", "dx": "yarn dev", "test-codegen": "yarn playwright codegen http://localhost:3000", "type-check": "tsc --pretty --noEmit", @@ -17,7 +18,8 @@ "lint": "eslint . --ignore-path .gitignore", "lint:fix": "eslint . --ext .ts,.js,.tsx,.jsx --fix", "lint:report": "eslint . --format json --output-file ../../lint-results/web.json", - "check-changed-files": "ts-node scripts/ts-check-changed-files.ts" + "check-changed-files": "ts-node scripts/ts-check-changed-files.ts", + "translate-locales": "ts-node scripts/check-missing-translations.ts" }, "engines": { "node": "18", @@ -34,6 +36,7 @@ "@calcom/embed-snippet": "workspace:*", "@calcom/features": "*", "@calcom/lib": "*", + "@calcom/platform-types": "*", "@calcom/prisma": "*", "@calcom/trpc": "*", "@calcom/tsconfig": "*", @@ -58,13 +61,14 @@ "@radix-ui/react-switch": "^1.0.0", "@radix-ui/react-toggle-group": "^1.0.0", "@radix-ui/react-tooltip": "^1.0.0", - "@sentry/nextjs": "^7.73.0", + "@sentry/nextjs": "^8.8.0", "@stripe/react-stripe-js": "^1.10.0", "@stripe/stripe-js": "^1.35.0", "@tanstack/react-query": "^5.17.15", "@tremor/react": "^2.0.0", "@types/turndown": "^5.0.1", "@unkey/ratelimit": "^0.1.1", + "@upstash/redis": "^1.21.0", "@vercel/edge-config": "^0.1.1", "@vercel/edge-functions-ui": "^0.2.1", "@vercel/og": "^0.5.0", diff --git a/apps/web/pages/_document.tsx b/apps/web/pages/_document.tsx index 1858f3b12ff29d..150137f90dced8 100644 --- a/apps/web/pages/_document.tsx +++ b/apps/web/pages/_document.tsx @@ -88,7 +88,7 @@ class MyDocument extends Document { { + const email = "test@example.com"; + + beforeEach(() => { + vi.resetAllMocks(); + }); + + it("should not proceed if no matching organization is found", async () => { + organizationScenarios.OrganizationRepository.findUniqueByMatchingAutoAcceptEmail.fakeNoMatch(); + + await moveUserToMatchingOrg({ email }); + + expect(inviteMembersWithNoInviterPermissionCheck).not.toHaveBeenCalled(); + }); + + describe("should invite user to the matching organization", () => { + const argToInviteMembersWithNoInviterPermissionCheck = { + inviterName: null, + language: "en", + invitations: [ + { + usernameOrEmail: email, + role: MembershipRole.MEMBER, + }, + ], + }; + + it("when organization has a slug and requestedSlug(slug is used)", async () => { + const org = { + id: "org123", + slug: "test-org", + requestedSlug: "requested-test-org", + }; + + organizationScenarios.OrganizationRepository.findUniqueByMatchingAutoAcceptEmail.fakeReturnOrganization( + org, + { email } + ); + + await moveUserToMatchingOrg({ email }); + + expect(inviteMembersWithNoInviterPermissionCheck).toHaveBeenCalledWith({ + ...argToInviteMembersWithNoInviterPermissionCheck, + teamId: org.id, + orgSlug: org.slug, + }); + }); + + it("when organization has requestedSlug only", async () => { + const org = { + id: "org123", + slug: null, + requestedSlug: "requested-test-org", + }; + + organizationScenarios.OrganizationRepository.findUniqueByMatchingAutoAcceptEmail.fakeReturnOrganization( + org, + { email } + ); + + await moveUserToMatchingOrg({ email }); + + expect(inviteMembersWithNoInviterPermissionCheck).toHaveBeenCalledWith({ + ...argToInviteMembersWithNoInviterPermissionCheck, + teamId: org.id, + orgSlug: org.requestedSlug, + }); + }); + }); +}); diff --git a/apps/web/pages/api/auth/verify-email.ts b/apps/web/pages/api/auth/verify-email.ts index 1509f071f32b4d..0405c3226bc2eb 100644 --- a/apps/web/pages/api/auth/verify-email.ts +++ b/apps/web/pages/api/auth/verify-email.ts @@ -1,10 +1,15 @@ import type { NextApiRequest, NextApiResponse } from "next"; import { z } from "zod"; +import stripe from "@calcom/app-store/stripepayment/lib/server"; import dayjs from "@calcom/dayjs"; import { WEBAPP_URL } from "@calcom/lib/constants"; +import { IS_STRIPE_ENABLED } from "@calcom/lib/constants"; +import { OrganizationRepository } from "@calcom/lib/server/repository/organization"; import { prisma } from "@calcom/prisma"; +import { MembershipRole } from "@calcom/prisma/client"; import { userMetadata } from "@calcom/prisma/zod-utils"; +import { inviteMembersWithNoInviterPermissionCheck } from "@calcom/trpc/server/routers/viewer/teams/inviteMember/inviteMember.handler"; const verifySchema = z.object({ token: z.string(), @@ -12,6 +17,28 @@ const verifySchema = z.object({ const USER_ALREADY_EXISTING_MESSAGE = "A User already exists with this email"; +// TODO: To be unit tested +export async function moveUserToMatchingOrg({ email }: { email: string }) { + const org = await OrganizationRepository.findUniqueByMatchingAutoAcceptEmail({ email }); + + if (!org) { + return; + } + + await inviteMembersWithNoInviterPermissionCheck({ + inviterName: null, + teamId: org.id, + language: "en", + invitations: [ + { + usernameOrEmail: email, + role: MembershipRole.MEMBER, + }, + ], + orgSlug: org.slug || org.requestedSlug, + }); +} + export default async function handler(req: NextApiRequest, res: NextApiResponse) { const { token } = verifySchema.parse(req.query); @@ -66,7 +93,6 @@ export default async function handler(req: NextApiRequest, res: NextApiResponse) id: true, }, }); - if (existingUser) { return res.status(401).json({ message: USER_ALREADY_EXISTING_MESSAGE }); } @@ -101,6 +127,12 @@ export default async function handler(req: NextApiRequest, res: NextApiResponse) }, }); + if (IS_STRIPE_ENABLED && userMetadataParsed.stripeCustomerId) { + await stripe.customers.update(userMetadataParsed.stripeCustomerId, { + email: updatedEmail, + }); + } + // The user is trying to update the email to an already existing unverified secondary email of his // so we swap the emails and its verified status if (existingSecondaryUser?.userId === user.id) { @@ -134,6 +166,8 @@ export default async function handler(req: NextApiRequest, res: NextApiResponse) const hasCompletedOnboarding = user.completedOnboarding; + await moveUserToMatchingOrg({ email: user.email }); + return res.redirect(`${WEBAPP_URL}/${hasCompletedOnboarding ? "/event-types" : "/getting-started"}`); } diff --git a/apps/web/pages/api/cron/monthlyDigestEmail.ts b/apps/web/pages/api/cron/monthlyDigestEmail.ts index 2ff9314a362aa3..199579c417d726 100644 --- a/apps/web/pages/api/cron/monthlyDigestEmail.ts +++ b/apps/web/pages/api/cron/monthlyDigestEmail.ts @@ -110,43 +110,18 @@ export default async function handler(req: NextApiRequest, res: NextApiResponse) teamId: null, }, ], + createdAt: { + gte: dayjs(firstDateOfMonth).toISOString(), + lte: dayjs(new Date()).toISOString(), + }, }; - const promisesResult = await Promise.all([ - EventsInsights.getCreatedEventsInTimeRange( - { - start: dayjs(firstDateOfMonth), - end: dayjs(new Date()), - }, - whereConditional - ), - EventsInsights.getCompletedEventsInTimeRange( - { - start: dayjs(firstDateOfMonth), - end: dayjs(new Date()), - }, - whereConditional - ), - EventsInsights.getRescheduledEventsInTimeRange( - { - start: dayjs(firstDateOfMonth), - end: dayjs(new Date()), - }, - whereConditional - ), - EventsInsights.getCancelledEventsInTimeRange( - { - start: dayjs(firstDateOfMonth), - end: dayjs(new Date()), - }, - whereConditional - ), - ]); - - EventData["Created"] = promisesResult[0]; - EventData["Completed"] = promisesResult[1]; - EventData["Rescheduled"] = promisesResult[2]; - EventData["Cancelled"] = promisesResult[3]; + const countGroupedByStatus = await EventsInsights.countGroupedByStatus(whereConditional); + + EventData["Created"] = countGroupedByStatus["_all"]; + EventData["Completed"] = countGroupedByStatus["completed"]; + EventData["Rescheduled"] = countGroupedByStatus["rescheduled"]; + EventData["Cancelled"] = countGroupedByStatus["cancelled"]; // Most Booked Event Type const bookingWhere: Prisma.BookingTimeStatusWhereInput = { diff --git a/apps/web/pages/api/integrations/[...args].ts b/apps/web/pages/api/integrations/[...args].ts index f4e840b021e490..8bb1d30d9b5080 100644 --- a/apps/web/pages/api/integrations/[...args].ts +++ b/apps/web/pages/api/integrations/[...args].ts @@ -1,7 +1,6 @@ import type { NextApiRequest, NextApiResponse } from "next"; import type { Session } from "next-auth"; -import getInstalledAppPath from "@calcom/app-store/_utils/getInstalledAppPath"; import { throwIfNotHaveAdminAccessToTeam } from "@calcom/app-store/_utils/throwIfNotHaveAdminAccessToTeam"; import { getServerSession } from "@calcom/features/auth/lib/getServerSession"; import { deriveAppDictKeyFromType } from "@calcom/lib/deriveAppDictKeyFromType"; @@ -62,7 +61,6 @@ const handler = async (req: NextApiRequest, res: NextApiResponse) => { const handlers = await handlerMap[handlerKey as keyof typeof handlerMap]; if (!handlers) throw new HttpError({ statusCode: 404, message: `No handlers found for ${handlerKey}` }); const handler = handlers[apiEndpoint as keyof typeof handlers] as AppHandler; - let redirectUrl = "/apps/installed"; if (typeof handler === "undefined") throw new HttpError({ statusCode: 404, message: `API handler not found` }); @@ -70,7 +68,7 @@ const handler = async (req: NextApiRequest, res: NextApiResponse) => { await handler(req, res); } else { await defaultIntegrationAddHandler({ user: req.session?.user, teamId: Number(teamId), ...handler }); - redirectUrl = handler.redirect?.url || getInstalledAppPath(handler); + const redirectUrl = handler.redirect?.url ?? undefined; res.json({ url: redirectUrl, newTab: handler.redirect?.newTab }); } if (!res.writableEnded) return res.status(200); diff --git a/apps/web/pages/api/recorded-daily-video.ts b/apps/web/pages/api/recorded-daily-video.ts index bab8ed64df0efa..ceab1c5ffcbe55 100644 --- a/apps/web/pages/api/recorded-daily-video.ts +++ b/apps/web/pages/api/recorded-daily-video.ts @@ -1,94 +1,55 @@ -import type { WebhookTriggerEvents } from "@prisma/client"; import { createHmac } from "crypto"; import type { NextApiRequest, NextApiResponse } from "next"; -import { z } from "zod"; -import { getDownloadLinkOfCalVideoByRecordingId } from "@calcom/core/videoClient"; +import { getRoomNameFromRecordingId, getBatchProcessorJobAccessLink } from "@calcom/app-store/dailyvideo/lib"; +import { + getDownloadLinkOfCalVideoByRecordingId, + submitBatchProcessorTranscriptionJob, +} from "@calcom/core/videoClient"; +import { getAllTranscriptsAccessLinkFromRoomName } from "@calcom/core/videoClient"; import { sendDailyVideoRecordingEmails } from "@calcom/emails"; -import getWebhooks from "@calcom/features/webhooks/lib/getWebhooks"; -import sendPayload from "@calcom/features/webhooks/lib/sendOrSchedulePayload"; +import { sendDailyVideoTranscriptEmails } from "@calcom/emails"; import { getTeamIdFromEventType } from "@calcom/lib/getTeamIdFromEventType"; +import { HttpError } from "@calcom/lib/http-error"; import logger from "@calcom/lib/logger"; import { safeStringify } from "@calcom/lib/safeStringify"; import { defaultHandler } from "@calcom/lib/server"; -import { getTranslation } from "@calcom/lib/server/i18n"; -import prisma, { bookingMinimalSelect } from "@calcom/prisma"; -import type { CalendarEvent } from "@calcom/types/Calendar"; +import prisma from "@calcom/prisma"; +import { getBooking } from "@calcom/web/lib/daily-webhook/getBooking"; +import { getBookingReference } from "@calcom/web/lib/daily-webhook/getBookingReference"; +import { getCalendarEvent } from "@calcom/web/lib/daily-webhook/getCalendarEvent"; +import { + meetingEndedSchema, + recordingReadySchema, + batchProcessorJobFinishedSchema, + downloadLinkSchema, + testRequestSchema, +} from "@calcom/web/lib/daily-webhook/schema"; +import { + triggerRecordingReadyWebhook, + triggerTranscriptionGeneratedWebhook, +} from "@calcom/web/lib/daily-webhook/triggerWebhooks"; const log = logger.getSubLogger({ prefix: ["daily-video-webhook-handler"] }); -const schema = z - .object({ - version: z.string(), - type: z.string(), - id: z.string(), - payload: z.object({ - recording_id: z.string(), - end_ts: z.number().optional(), - room_name: z.string(), - start_ts: z.number().optional(), - status: z.string(), - - max_participants: z.number().optional(), - duration: z.number().optional(), - s3_key: z.string().optional(), - }), - event_ts: z.number().optional(), - }) - .passthrough(); - -const downloadLinkSchema = z.object({ - download_link: z.string(), -}); - -const triggerWebhook = async ({ - evt, - downloadLink, - booking, -}: { - evt: CalendarEvent; - downloadLink: string; - booking: { - userId: number | undefined; - eventTypeId: number | null; - eventTypeParentId: number | null | undefined; - teamId?: number | null; - }; -}) => { - const eventTrigger: WebhookTriggerEvents = "RECORDING_READY"; - - // Send Webhook call if hooked to BOOKING.RECORDING_READY - const triggerForUser = !booking.teamId || (booking.teamId && booking.eventTypeParentId); - - const subscriberOptions = { - userId: triggerForUser ? booking.userId : null, - eventTypeId: booking.eventTypeId, - triggerEvent: eventTrigger, - teamId: booking.teamId, - }; - const webhooks = await getWebhooks(subscriberOptions); - - log.debug( - "Webhooks:", - safeStringify({ - webhooks, - }) - ); - - const promises = webhooks.map((webhook) => - sendPayload(webhook.secret, eventTrigger, new Date().toISOString(), webhook, { - ...evt, - downloadLink, - }).catch((e) => { - console.error(`Error executing webhook for event: ${eventTrigger}, URL: ${webhook.subscriberUrl}`, e); - }) - ); - await Promise.all(promises); +const computeSignature = ( + hmacSecret: string, + reqBody: NextApiRequest["body"], + webhookTimestampHeader: string | string[] | undefined +) => { + const signature = `${webhookTimestampHeader}.${JSON.stringify(reqBody)}`; + const base64DecodedSecret = Buffer.from(hmacSecret, "base64"); + const hmac = createHmac("sha256", base64DecodedSecret); + const computed_signature = hmac.update(signature).digest("base64"); + return computed_signature; }; -const testRequestSchema = z.object({ - test: z.enum(["test"]), -}); +const getDownloadLinkOfCalVideo = async (recordingId: string) => { + const response = await getDownloadLinkOfCalVideoByRecordingId(recordingId); + const downloadLinkResponse = downloadLinkSchema.parse(response); + const downloadLink = downloadLinkResponse.download_link; + return downloadLink; +}; async function handler(req: NextApiRequest, res: NextApiResponse) { if (!process.env.SENDGRID_API_KEY || !process.env.SENDGRID_EMAIL) { @@ -99,170 +60,169 @@ async function handler(req: NextApiRequest, res: NextApiResponse) { return res.status(200).json({ message: "Test request successful" }); } - const hmacSecret = process.env.DAILY_WEBHOOK_SECRET; - if (!hmacSecret) { - return res.status(405).json({ message: "No Daily Webhook Secret" }); - } + const testMode = process.env.NEXT_PUBLIC_IS_E2E || process.env.INTEGRATION_TEST_MODE; - const signature = `${req.headers["x-webhook-timestamp"]}.${JSON.stringify(req.body)}`; - const base64DecodedSecret = Buffer.from(hmacSecret, "base64"); - const hmac = createHmac("sha256", base64DecodedSecret); - const computed_signature = hmac.update(signature).digest("base64"); + if (!testMode) { + const hmacSecret = process.env.DAILY_WEBHOOK_SECRET; + if (!hmacSecret) { + return res.status(405).json({ message: "No Daily Webhook Secret" }); + } - if (req.headers["x-webhook-signature"] !== computed_signature) { - return res.status(403).json({ message: "Signature does not match" }); - } + const computed_signature = computeSignature(hmacSecret, req.body, req.headers["x-webhook-timestamp"]); - const response = schema.safeParse(req.body); + if (req.headers["x-webhook-signature"] !== computed_signature) { + return res.status(403).json({ message: "Signature does not match" }); + } + } log.debug( - "Daily video recording webhook Request Body:", + "Daily video webhook Request Body:", safeStringify({ - response, + body: req.body, }) ); - if (!response.success || response.data.type !== "recording.ready-to-download") { - return res.status(400).send({ - message: "Invalid Payload", - }); - } + try { + if (req.body?.type === "recording.ready-to-download") { + const recordingReadyResponse = recordingReadySchema.safeParse(req.body); - const { room_name, recording_id, status } = response.data.payload; + if (!recordingReadyResponse.success) { + return res.status(400).send({ + message: "Invalid Payload", + }); + } - if (status !== "finished") { - return res.status(400).send({ - message: "Recording not finished", - }); - } + const { room_name, recording_id, status } = recordingReadyResponse.data.payload; - try { - const bookingReference = await prisma.bookingReference.findFirst({ - where: { type: "daily_video", uid: room_name, meetingId: room_name }, - select: { bookingId: true }, - }); - - if (!bookingReference || !bookingReference.bookingId) { - log.error( - "bookingReference:", - safeStringify({ - bookingReference, - }) - ); - return res.status(404).send({ message: "Booking reference not found" }); - } + if (status !== "finished") { + return res.status(400).send({ + message: "Recording not finished", + }); + } + + const bookingReference = await getBookingReference(room_name); + const booking = await getBooking(bookingReference.bookingId as number); + + const evt = await getCalendarEvent(booking); + + await prisma.booking.update({ + where: { + uid: booking.uid, + }, + data: { + isRecorded: true, + }, + }); - const booking = await prisma.booking.findUniqueOrThrow({ - where: { - id: bookingReference.bookingId, - }, - select: { - ...bookingMinimalSelect, - uid: true, - location: true, - isRecorded: true, - eventTypeId: true, + const downloadLink = await getDownloadLinkOfCalVideo(recording_id); + + const teamId = await getTeamIdFromEventType({ eventType: { - select: { - teamId: true, - parentId: true, - }, + team: { id: booking?.eventType?.teamId ?? null }, + parentId: booking?.eventType?.parentId ?? null, }, - user: { - select: { - id: true, - timeZone: true, - email: true, - name: true, - locale: true, - destinationCalendar: true, - }, + }); + + await triggerRecordingReadyWebhook({ + evt, + downloadLink, + booking: { + userId: booking?.user?.id, + eventTypeId: booking.eventTypeId, + eventTypeParentId: booking.eventType?.parentId, + teamId, }, - }, - }); - - if (!booking) { - log.error( - "Booking:", - safeStringify({ - booking, - }) - ); - - return res.status(404).send({ - message: `Booking of room_name ${room_name} does not exist or does not contain daily video as location`, }); - } - const t = await getTranslation(booking?.user?.locale ?? "en", "common"); - const attendeesListPromises = booking.attendees.map(async (attendee) => { - return { - id: attendee.id, - name: attendee.name, - email: attendee.email, - timeZone: attendee.timeZone, - language: { - translate: await getTranslation(attendee.locale ?? "en", "common"), - locale: attendee.locale ?? "en", + try { + // Submit Transcription Batch Processor Job + await submitBatchProcessorTranscriptionJob(recording_id); + } catch (err) { + log.error("Failed to Submit Transcription Batch Processor Job:", safeStringify(err)); + } + + // send emails to all attendees only when user has team plan + await sendDailyVideoRecordingEmails(evt, downloadLink); + + return res.status(200).json({ message: "Success" }); + } else if (req.body.type === "meeting.ended") { + const meetingEndedResponse = meetingEndedSchema.safeParse(req.body); + if (!meetingEndedResponse.success) { + return res.status(400).send({ + message: "Invalid Payload", + }); + } + + const { room } = meetingEndedResponse.data.payload; + + const bookingReference = await getBookingReference(room); + const booking = await getBooking(bookingReference.bookingId as number); + + const transcripts = await getAllTranscriptsAccessLinkFromRoomName(room); + + if (!transcripts || !transcripts.length) + return res.status(200).json({ message: `No Transcripts found for room name ${room}` }); + + const evt = await getCalendarEvent(booking); + await sendDailyVideoTranscriptEmails(evt, transcripts); + + return res.status(200).json({ message: "Success" }); + } else if (req.body?.type === "batch-processor.job-finished") { + const batchProcessorJobFinishedResponse = batchProcessorJobFinishedSchema.safeParse(req.body); + + if (!batchProcessorJobFinishedResponse.success) { + return res.status(400).send({ + message: "Invalid Payload", + }); + } + + const { id, input } = batchProcessorJobFinishedResponse.data.payload; + const roomName = await getRoomNameFromRecordingId(input.recordingId); + + const bookingReference = await getBookingReference(roomName); + + const booking = await getBooking(bookingReference.bookingId as number); + + const teamId = await getTeamIdFromEventType({ + eventType: { + team: { id: booking?.eventType?.teamId ?? null }, + parentId: booking?.eventType?.parentId ?? null, + }, + }); + + const evt = await getCalendarEvent(booking); + + const recording = await getDownloadLinkOfCalVideo(input.recordingId); + const batchProcessorJobAccessLink = await getBatchProcessorJobAccessLink(id); + + await triggerTranscriptionGeneratedWebhook({ + evt, + downloadLinks: { + transcription: batchProcessorJobAccessLink.transcription, + recording, + }, + booking: { + userId: booking?.user?.id, + eventTypeId: booking.eventTypeId, + eventTypeParentId: booking.eventType?.parentId, + teamId, }, - }; - }); - - const attendeesList = await Promise.all(attendeesListPromises); - - await prisma.booking.update({ - where: { - uid: booking.uid, - }, - data: { - isRecorded: true, - }, - }); - - const response = await getDownloadLinkOfCalVideoByRecordingId(recording_id); - const downloadLinkResponse = downloadLinkSchema.parse(response); - const downloadLink = downloadLinkResponse.download_link; - - const evt: CalendarEvent = { - type: booking.title, - title: booking.title, - description: booking.description || undefined, - startTime: booking.startTime.toISOString(), - endTime: booking.endTime.toISOString(), - organizer: { - email: booking?.userPrimaryEmail || booking.user?.email || "Email-less", - name: booking.user?.name || "Nameless", - timeZone: booking.user?.timeZone || "Europe/London", - language: { translate: t, locale: booking?.user?.locale ?? "en" }, - }, - attendees: attendeesList, - uid: booking.uid, - }; - - const teamId = await getTeamIdFromEventType({ - eventType: { - team: { id: booking?.eventType?.teamId ?? null }, - parentId: booking?.eventType?.parentId ?? null, - }, - }); - - await triggerWebhook({ - evt, - downloadLink, - booking: { - userId: booking?.user?.id, - eventTypeId: booking.eventTypeId, - eventTypeParentId: booking.eventType?.parentId, - teamId, - }, - }); - - // send emails to all attendees only when user has team plan - await sendDailyVideoRecordingEmails(evt, downloadLink); - return res.status(200).json({ message: "Success" }); + }); + + return res.status(200).json({ message: "Success" }); + } else { + log.error("Invalid type in /recorded-daily-video", req.body); + + return res.status(200).json({ message: "Invalid type in /recorded-daily-video" }); + } } catch (err) { - console.error("Error in /recorded-daily-video", err); - return res.status(500).json({ message: "something went wrong" }); + log.error("Error in /recorded-daily-video", err); + + if (err instanceof HttpError) { + return res.status(err.statusCode).json({ message: err.message }); + } else { + return res.status(500).json({ message: "something went wrong" }); + } } } diff --git a/apps/web/pages/api/send-daily-video-transcript.ts b/apps/web/pages/api/send-daily-video-transcript.ts deleted file mode 100644 index dbb296a34c4b74..00000000000000 --- a/apps/web/pages/api/send-daily-video-transcript.ts +++ /dev/null @@ -1,182 +0,0 @@ -import { createHmac } from "crypto"; -import type { NextApiRequest, NextApiResponse } from "next"; -import { z } from "zod"; - -import { getAllTranscriptsAccessLinkFromRoomName } from "@calcom/core/videoClient"; -import { sendDailyVideoTranscriptEmails } from "@calcom/emails"; -import logger from "@calcom/lib/logger"; -import { safeStringify } from "@calcom/lib/safeStringify"; -import { defaultHandler } from "@calcom/lib/server"; -import { getTranslation } from "@calcom/lib/server/i18n"; -import prisma, { bookingMinimalSelect } from "@calcom/prisma"; -import type { CalendarEvent } from "@calcom/types/Calendar"; - -const testRequestSchema = z.object({ - test: z.enum(["test"]), -}); - -const log = logger.getSubLogger({ prefix: ["send-daily-video-transcript-handler"] }); - -const schema = z - .object({ - version: z.string(), - type: z.string(), - id: z.string(), - payload: z - .object({ - meeting_id: z.string(), - end_ts: z.number().optional(), - room: z.string(), - start_ts: z.number().optional(), - }) - .passthrough(), - event_ts: z.number().optional(), - }) - .passthrough(); - -async function handler(req: NextApiRequest, res: NextApiResponse) { - if (testRequestSchema.safeParse(req.body).success) { - return res.status(200).json({ message: "Test request successful" }); - } - - const hmacSecret = process.env.DAILY_MEETING_ENDED_WEBHOOK_SECRET; - if (!hmacSecret) { - return res.status(405).json({ message: "No Daily Webhook Secret" }); - } - - const signature = `${req.headers["x-webhook-timestamp"]}.${JSON.stringify(req.body)}`; - const base64DecodedSecret = Buffer.from(hmacSecret, "base64"); - const hmac = createHmac("sha256", base64DecodedSecret); - const computed_signature = hmac.update(signature).digest("base64"); - - if (req.headers["x-webhook-signature"] !== computed_signature) { - return res.status(403).json({ message: "Signature does not match" }); - } - - const response = schema.safeParse(req.body); - - log.debug( - "Daily video transcript webhook Request Body:", - safeStringify({ - response, - }) - ); - - if (!response.success || response.data.type !== "meeting.ended") { - return res.status(400).send({ - message: "Invalid Payload", - }); - } - - const { room, meeting_id } = response.data.payload; - - try { - const bookingReference = await prisma.bookingReference.findFirst({ - where: { type: "daily_video", uid: room, meetingId: room }, - select: { bookingId: true }, - }); - - if (!bookingReference || !bookingReference.bookingId) { - log.error( - "bookingReference Not found:", - safeStringify({ - bookingReference, - requestBody: req.body, - }) - ); - return res.status(404).send({ message: "Booking reference not found" }); - } - - const booking = await prisma.booking.findUniqueOrThrow({ - where: { - id: bookingReference.bookingId, - }, - select: { - ...bookingMinimalSelect, - uid: true, - location: true, - isRecorded: true, - eventTypeId: true, - eventType: { - select: { - teamId: true, - parentId: true, - }, - }, - user: { - select: { - id: true, - timeZone: true, - email: true, - name: true, - locale: true, - destinationCalendar: true, - }, - }, - }, - }); - - if (!booking) { - log.error( - "Booking Not Found:", - safeStringify({ - booking, - requestBody: req.body, - }) - ); - - return res.status(404).send({ - message: `Booking of room_name ${room} does not exist or does not contain daily video as location`, - }); - } - - const transcripts = await getAllTranscriptsAccessLinkFromRoomName(room); - - if (!transcripts || !transcripts.length) - return res.status(200).json({ message: `No Transcripts found for room name ${room}` }); - - const t = await getTranslation(booking?.user?.locale ?? "en", "common"); - const attendeesListPromises = booking.attendees.map(async (attendee) => { - return { - id: attendee.id, - name: attendee.name, - email: attendee.email, - timeZone: attendee.timeZone, - language: { - translate: await getTranslation(attendee.locale ?? "en", "common"), - locale: attendee.locale ?? "en", - }, - }; - }); - - const attendeesList = await Promise.all(attendeesListPromises); - - // Send emails - const evt: CalendarEvent = { - type: booking.title, - title: booking.title, - description: booking.description || undefined, - startTime: booking.startTime.toISOString(), - endTime: booking.endTime.toISOString(), - organizer: { - email: booking?.userPrimaryEmail || booking.user?.email || "Email-less", - name: booking.user?.name || "Nameless", - timeZone: booking.user?.timeZone || "Europe/London", - language: { translate: t, locale: booking?.user?.locale ?? "en" }, - }, - attendees: attendeesList, - uid: booking.uid, - }; - - await sendDailyVideoTranscriptEmails(evt, transcripts); - - return res.status(200).json({ message: "Success" }); - } catch (err) { - console.error("Error in /send-daily-video-transcript", err); - return res.status(500).json({ message: "something went wrong" }); - } -} - -export default defaultHandler({ - POST: Promise.resolve({ default: handler }), -}); diff --git a/apps/web/pages/api/webhook/app-credential.ts b/apps/web/pages/api/webhook/app-credential.ts index cf124096883891..527b9232c3933c 100644 --- a/apps/web/pages/api/webhook/app-credential.ts +++ b/apps/web/pages/api/webhook/app-credential.ts @@ -24,7 +24,12 @@ export default async function handler(req: NextApiRequest, res: NextApiResponse) return res.status(403).json({ message: "Invalid credential sync secret" }); } - const reqBody = appCredentialWebhookRequestBodySchema.parse(req.body); + const reqBodyParsed = appCredentialWebhookRequestBodySchema.safeParse(req.body); + if (!reqBodyParsed.success) { + return res.status(400).json({ error: reqBodyParsed.error.issues }); + } + + const reqBody = reqBodyParsed.data; const user = await prisma.user.findUnique({ where: { id: reqBody.userId } }); diff --git a/apps/web/pages/apps/installation/[[...step]].tsx b/apps/web/pages/apps/installation/[[...step]].tsx new file mode 100644 index 00000000000000..bcb307a9eb0d97 --- /dev/null +++ b/apps/web/pages/apps/installation/[[...step]].tsx @@ -0,0 +1,598 @@ +import type { GetServerSidePropsContext } from "next"; +import { serverSideTranslations } from "next-i18next/serverSideTranslations"; +import Head from "next/head"; +import { usePathname, useRouter } from "next/navigation"; +import { useEffect, useMemo, useRef, useState } from "react"; +import { useForm } from "react-hook-form"; +import { Toaster } from "react-hot-toast"; +import { z } from "zod"; + +import checkForMultiplePaymentApps from "@calcom/app-store/_utils/payments/checkForMultiplePaymentApps"; +import useAddAppMutation from "@calcom/app-store/_utils/useAddAppMutation"; +import { appStoreMetadata } from "@calcom/app-store/appStoreMetaData"; +import type { EventTypeAppSettingsComponentProps, EventTypeModel } from "@calcom/app-store/types"; +import { isConferencing as isConferencingApp } from "@calcom/app-store/utils"; +import type { LocationObject } from "@calcom/core/location"; +import { getLocale } from "@calcom/features/auth/lib/getLocale"; +import { getServerSession } from "@calcom/features/auth/lib/getServerSession"; +import type { LocationFormValues } from "@calcom/features/eventtypes/lib/types"; +import { AppOnboardingSteps } from "@calcom/lib/apps/appOnboardingSteps"; +import { getAppOnboardingUrl } from "@calcom/lib/apps/getAppOnboardingUrl"; +import { WEBAPP_URL } from "@calcom/lib/constants"; +import { CAL_URL } from "@calcom/lib/constants"; +import { getPlaceholderAvatar } from "@calcom/lib/defaultAvatarImage"; +import { useLocale } from "@calcom/lib/hooks/useLocale"; +import prisma from "@calcom/prisma"; +import { eventTypeBookingFields } from "@calcom/prisma/zod-utils"; +import type { EventTypeMetaDataSchema } from "@calcom/prisma/zod-utils"; +import { trpc } from "@calcom/trpc/react"; +import type { AppMeta } from "@calcom/types/App"; +import { Form, Steps, showToast } from "@calcom/ui"; + +import { HttpError } from "@lib/core/http/error"; + +import PageWrapper from "@components/PageWrapper"; +import type { PersonalAccountProps, TeamsProp } from "@components/apps/installation/AccountsStepCard"; +import { AccountsStepCard } from "@components/apps/installation/AccountsStepCard"; +import { ConfigureStepCard } from "@components/apps/installation/ConfigureStepCard"; +import { EventTypesStepCard } from "@components/apps/installation/EventTypesStepCard"; +import { StepHeader } from "@components/apps/installation/StepHeader"; + +export type TEventType = EventTypeAppSettingsComponentProps["eventType"] & + Pick< + EventTypeModel, + "metadata" | "schedulingType" | "slug" | "requiresConfirmation" | "position" | "destinationCalendar" + > & { + selected: boolean; + locations: LocationFormValues["locations"]; + bookingFields?: LocationFormValues["bookingFields"]; + }; + +export type TEventTypesForm = { + eventTypes: TEventType[]; +}; + +const STEPS = [ + AppOnboardingSteps.ACCOUNTS_STEP, + AppOnboardingSteps.EVENT_TYPES_STEP, + AppOnboardingSteps.CONFIGURE_STEP, +] as const; + +type StepType = (typeof STEPS)[number]; + +type StepObj = Record< + StepType, + { + getTitle: (appName: string) => string; + getDescription: (appName: string) => string; + stepNumber: number; + } +>; + +type OnboardingPageProps = { + appMetadata: AppMeta; + step: StepType; + teams?: TeamsProp; + personalAccount: PersonalAccountProps; + eventTypes?: TEventType[]; + userName: string; + credentialId?: number; + showEventTypesStep: boolean; + isConferencing: boolean; + installableOnTeams: boolean; +}; + +type TUpdateObject = { + id: number; + metadata?: z.infer; + bookingFields?: z.infer; + locations?: LocationObject[]; +}; + +const OnboardingPage = ({ + step, + teams, + personalAccount, + appMetadata, + eventTypes, + userName, + credentialId, + showEventTypesStep, + isConferencing, + installableOnTeams, +}: OnboardingPageProps) => { + const { t } = useLocale(); + const pathname = usePathname(); + const router = useRouter(); + + const STEPS_MAP: StepObj = { + [AppOnboardingSteps.ACCOUNTS_STEP]: { + getTitle: () => `${t("select_account_header")}`, + getDescription: (appName) => `${t("select_account_description", { appName })}`, + stepNumber: 1, + }, + [AppOnboardingSteps.EVENT_TYPES_STEP]: { + getTitle: () => `${t("select_event_types_header")}`, + getDescription: (appName) => `${t("select_event_types_description", { appName })}`, + stepNumber: installableOnTeams ? 2 : 1, + }, + [AppOnboardingSteps.CONFIGURE_STEP]: { + getTitle: (appName) => `${t("configure_app_header", { appName })}`, + getDescription: () => `${t("configure_app_description")}`, + stepNumber: installableOnTeams ? 3 : 2, + }, + } as const; + const [configureStep, setConfigureStep] = useState(false); + + const currentStep: AppOnboardingSteps = useMemo(() => { + if (step == AppOnboardingSteps.EVENT_TYPES_STEP && configureStep) { + return AppOnboardingSteps.CONFIGURE_STEP; + } + return step; + }, [step, configureStep]); + const stepObj = STEPS_MAP[currentStep]; + + const maxSteps = useMemo(() => { + if (!showEventTypesStep) { + return 1; + } + return installableOnTeams ? STEPS.length : STEPS.length - 1; + }, [showEventTypesStep, installableOnTeams]); + + const utils = trpc.useContext(); + + const formPortalRef = useRef(null); + + const formMethods = useForm({ + defaultValues: { + eventTypes, + }, + }); + const mutation = useAddAppMutation(null, { + onSuccess: (data) => { + if (data?.setupPending) return; + showToast(t("app_successfully_installed"), "success"); + }, + onError: (error) => { + if (error instanceof Error) showToast(error.message || t("app_could_not_be_installed"), "error"); + }, + }); + + useEffect(() => { + eventTypes && formMethods.setValue("eventTypes", eventTypes); + // eslint-disable-next-line react-hooks/exhaustive-deps + }, [eventTypes]); + + const updateMutation = trpc.viewer.eventTypes.update.useMutation({ + onSuccess: async (data) => { + showToast(t("event_type_updated_successfully", { eventTypeTitle: data.eventType?.title }), "success"); + }, + async onSettled() { + await utils.viewer.eventTypes.get.invalidate(); + }, + onError: (err) => { + let message = ""; + if (err instanceof HttpError) { + const message = `${err.statusCode}: ${err.message}`; + showToast(message, "error"); + } + + if (err.data?.code === "UNAUTHORIZED") { + message = `${err.data.code}: ${t("error_event_type_unauthorized_update")}`; + } + + if (err.data?.code === "PARSE_ERROR" || err.data?.code === "BAD_REQUEST") { + message = `${err.data.code}: ${t(err.message)}`; + } + + if (err.data?.code === "INTERNAL_SERVER_ERROR") { + message = t("unexpected_error_try_again"); + } + + showToast(message ? t(message) : t(err.message), "error"); + }, + }); + + const handleSelectAccount = async (teamId?: number) => { + mutation.mutate({ + type: appMetadata.type, + variant: appMetadata.variant, + slug: appMetadata.slug, + ...(teamId && { teamId }), + // for oAuth apps + ...(showEventTypesStep && { + returnTo: + WEBAPP_URL + + getAppOnboardingUrl({ + slug: appMetadata.slug, + teamId, + step: AppOnboardingSteps.EVENT_TYPES_STEP, + }), + }), + }); + }; + + const handleSetUpLater = () => { + router.push(`/apps/installed/${appMetadata.categories[0]}?hl=${appMetadata.slug}`); + }; + + return ( +
+ + + {t("install")} {appMetadata?.name ?? ""} + + + +
+
+
+
{ + const mutationPromises = values?.eventTypes + .filter((eventType) => eventType.selected) + .map((value: TEventType) => { + // Prevent two payment apps to be enabled + // Ok to cast type here because this metadata will be updated as the event type metadata + if ( + checkForMultiplePaymentApps(value.metadata as z.infer) + ) + throw new Error(t("event_setup_multiple_payment_apps_error")); + if (value.metadata?.apps?.stripe?.paymentOption === "HOLD" && value.seatsPerTimeSlot) { + throw new Error(t("seats_and_no_show_fee_error")); + } + let updateObject: TUpdateObject = { id: value.id }; + if (isConferencing) { + updateObject = { + ...updateObject, + locations: value.locations, + bookingFields: value.bookingFields ? value.bookingFields : undefined, + }; + } else { + updateObject = { + ...updateObject, + metadata: value.metadata, + }; + } + + return updateMutation.mutateAsync(updateObject); + }); + try { + await Promise.all(mutationPromises); + router.push("/event-types"); + } catch (err) { + console.error(err); + } + }}> + + + + {currentStep === AppOnboardingSteps.ACCOUNTS_STEP && ( + + )} + {currentStep === AppOnboardingSteps.EVENT_TYPES_STEP && + eventTypes && + Boolean(eventTypes?.length) && ( + + )} + {currentStep === AppOnboardingSteps.CONFIGURE_STEP && formPortalRef.current && ( + + )} + +
+
+
+ +
+ ); +}; + +// Redirect Error map to give context on edge cases, this is for the devs, never shown to users +const ERROR_MESSAGES = { + appNotFound: "App not found", + userNotAuthed: "User is not logged in", + userNotFound: "User from session not found", + appNotExtendsEventType: "App does not extend EventTypes", + userNotInTeam: "User is not in provided team", +} as const; + +const getUser = async (userId: number) => { + const user = await prisma.user.findUnique({ + where: { + id: userId, + }, + select: { + id: true, + avatarUrl: true, + name: true, + username: true, + teams: { + where: { + accepted: true, + team: { + members: { + some: { + userId, + role: { + in: ["ADMIN", "OWNER"], + }, + }, + }, + }, + }, + select: { + team: { + select: { + id: true, + name: true, + logoUrl: true, + parent: { + select: { + logoUrl: true, + name: true, + }, + }, + }, + }, + }, + }, + }, + }); + + if (!user) { + throw new Error(ERROR_MESSAGES.userNotFound); + } + + const teams = user.teams.map(({ team }) => ({ + ...team, + logoUrl: team.parent + ? getPlaceholderAvatar(team.parent.logoUrl, team.parent.name) + : getPlaceholderAvatar(team.logoUrl, team.name), + })); + return { + ...user, + teams, + }; +}; + +const getAppBySlug = async (appSlug: string) => { + const app = await prisma.app.findUnique({ + where: { slug: appSlug, enabled: true }, + select: { slug: true, keys: true, enabled: true, dirName: true }, + }); + if (!app) throw new Error(ERROR_MESSAGES.appNotFound); + return app; +}; + +const getEventTypes = async (userId: number, teamId?: number) => { + const eventTypes = ( + await prisma.eventType.findMany({ + select: { + id: true, + description: true, + durationLimits: true, + metadata: true, + length: true, + title: true, + position: true, + recurringEvent: true, + requiresConfirmation: true, + team: { select: { slug: true } }, + schedulingType: true, + teamId: true, + users: { select: { username: true } }, + seatsPerTimeSlot: true, + slug: true, + locations: true, + userId: true, + destinationCalendar: true, + bookingFields: true, + }, + /** + * filter out managed events for now + * @todo: can install apps to managed event types + */ + where: teamId ? { teamId } : { userId, parent: null, teamId: null }, + }) + ).sort((eventTypeA, eventTypeB) => { + return eventTypeB.position - eventTypeA.position; + }); + + if (eventTypes.length === 0) { + return []; + } + + return eventTypes.map((item) => ({ + ...item, + URL: `${CAL_URL}/${item.team ? `team/${item.team.slug}` : item?.users?.[0]?.username}/${item.slug}`, + selected: false, + locations: item.locations as unknown as LocationObject[], + bookingFields: eventTypeBookingFields.parse(item.bookingFields || []), + })); +}; + +const getAppInstallsBySlug = async (appSlug: string, userId: number, teamIds?: number[]) => { + const appInstalls = await prisma.credential.findMany({ + where: { + OR: [ + { + appId: appSlug, + userId: userId, + }, + teamIds && Boolean(teamIds.length) + ? { + appId: appSlug, + teamId: { in: teamIds }, + } + : {}, + ], + }, + }); + return appInstalls; +}; + +export const getServerSideProps = async (context: GetServerSidePropsContext) => { + try { + let eventTypes: TEventType[] | null = null; + const { req, res, query, params } = context; + const stepsEnum = z.enum(STEPS); + const parsedAppSlug = z.coerce.string().parse(query?.slug); + const parsedStepParam = z.coerce.string().parse(params?.step); + const parsedTeamIdParam = z.coerce.number().optional().parse(query?.teamId); + const _ = stepsEnum.parse(parsedStepParam); + const session = await getServerSession({ req, res }); + const locale = await getLocale(context.req); + const app = await getAppBySlug(parsedAppSlug); + const appMetadata = appStoreMetadata[app.dirName as keyof typeof appStoreMetadata]; + const extendsEventType = appMetadata?.extendsFeature === "EventType"; + + const isConferencing = isConferencingApp(appMetadata.categories); + const showEventTypesStep = extendsEventType || isConferencing; + console.log("sshowEventTypesStephowEventTypesStep: ", showEventTypesStep); + + if (!session?.user?.id) throw new Error(ERROR_MESSAGES.userNotAuthed); + + const user = await getUser(session.user.id); + + const userTeams = user.teams; + const hasTeams = Boolean(userTeams.length); + + const appInstalls = await getAppInstallsBySlug( + parsedAppSlug, + user.id, + userTeams.map(({ id }) => id) + ); + + if (parsedTeamIdParam) { + const isUserMemberOfTeam = userTeams.some((team) => team.id === parsedTeamIdParam); + if (!isUserMemberOfTeam) { + throw new Error(ERROR_MESSAGES.userNotInTeam); + } + } + + if (parsedStepParam == AppOnboardingSteps.EVENT_TYPES_STEP) { + if (!showEventTypesStep) { + return { + redirect: { + permanent: false, + destination: `/apps/installed/${appMetadata.categories[0]}?hl=${appMetadata.slug}`, + }, + }; + } + eventTypes = await getEventTypes(user.id, parsedTeamIdParam); + if (isConferencing) { + const destinationCalendar = await prisma.destinationCalendar.findFirst({ + where: { + userId: user.id, + eventTypeId: null, + }, + }); + for (let index = 0; index < eventTypes.length; index++) { + let eventType = eventTypes[index]; + if (!eventType.destinationCalendar) { + eventType = { ...eventType, destinationCalendar }; + } + eventTypes[index] = eventType; + } + } + + if (eventTypes.length === 0) { + return { + redirect: { + permanent: false, + destination: `/apps/installed/${appMetadata.categories[0]}?hl=${appMetadata.slug}`, + }, + }; + } + } + + const personalAccount = { + id: user.id, + name: user.name, + avatarUrl: user.avatarUrl, + alreadyInstalled: appInstalls.some((install) => !Boolean(install.teamId) && install.userId === user.id), + }; + + const teamsWithIsAppInstalled = hasTeams + ? userTeams.map((team) => ({ + ...team, + alreadyInstalled: appInstalls.some( + (install) => Boolean(install.teamId) && install.teamId === team.id + ), + })) + : []; + let credentialId = null; + if (parsedTeamIdParam) { + credentialId = + appInstalls.find((item) => !!item.teamId && item.teamId == parsedTeamIdParam)?.id ?? null; + } else { + credentialId = appInstalls.find((item) => !!item.userId && item.userId == user.id)?.id ?? null; + } + return { + props: { + ...(await serverSideTranslations(locale, ["common"])), + app, + appMetadata, + showEventTypesStep, + step: parsedStepParam, + teams: teamsWithIsAppInstalled, + personalAccount, + eventTypes, + teamId: parsedTeamIdParam ?? null, + userName: user.username, + credentialId, + isConferencing, + // conferencing apps dont support team install + installableOnTeams: !isConferencing, + } as OnboardingPageProps, + }; + } catch (err) { + console.log("eerrerrerrerrerrerrerrerrrr: ", err); + if (err instanceof z.ZodError) { + return { redirect: { permanent: false, destination: "/apps" } }; + } + + if (err instanceof Error) { + switch (err.message) { + case ERROR_MESSAGES.userNotAuthed: + return { redirect: { permanent: false, destination: "/auth/login" } }; + case ERROR_MESSAGES.userNotFound: + return { redirect: { permanent: false, destination: "/auth/login" } }; + default: + return { redirect: { permanent: false, destination: "/apps" } }; + } + } + } +}; + +OnboardingPage.PageWrapper = PageWrapper; + +export default OnboardingPage; diff --git a/apps/web/pages/auth/error.tsx b/apps/web/pages/auth/error.tsx index c1b23fab25912e..0a849c3661cd23 100644 --- a/apps/web/pages/auth/error.tsx +++ b/apps/web/pages/auth/error.tsx @@ -1,8 +1,8 @@ import type { GetStaticPropsContext } from "next"; import Link from "next/link"; +import { useSearchParams } from "next/navigation"; import z from "zod"; -import { useCompatSearchParams } from "@calcom/lib/hooks/useCompatSearchParams"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { Button, Icon } from "@calcom/ui"; @@ -17,11 +17,9 @@ const querySchema = z.object({ export default function Error() { const { t } = useLocale(); - const searchParams = useCompatSearchParams(); - const { error } = querySchema.parse(searchParams); - const isTokenVerificationError = error?.toLowerCase() === "verification"; - const errorMsg = isTokenVerificationError ? t("token_invalid_expired") : t("error_during_login"); - + const searchParams = useSearchParams(); + const { error } = querySchema.parse({ error: searchParams?.get("error") || undefined }); + const errorMsg = error || t("error_during_login"); return (
@@ -30,11 +28,8 @@ export default function Error() {
-
-

{errorMsg}

-
diff --git a/apps/web/pages/auth/login.tsx b/apps/web/pages/auth/login.tsx index 3ea55fa1b865d1..9df9c88c70f326 100644 --- a/apps/web/pages/auth/login.tsx +++ b/apps/web/pages/auth/login.tsx @@ -249,7 +249,9 @@ inferSSRProps & WithNonceProps<{}>) { CustomStartIcon={} onClick={async (e) => { e.preventDefault(); - await signIn("google"); + await signIn("google", { + callbackUrl, + }); }}> {t("signin_with_google")} diff --git a/apps/web/pages/auth/saml-idp.tsx b/apps/web/pages/auth/saml-idp.tsx index 6942574a60e81a..661980fa686cc2 100644 --- a/apps/web/pages/auth/saml-idp.tsx +++ b/apps/web/pages/auth/saml-idp.tsx @@ -3,8 +3,6 @@ import { useEffect } from "react"; import { useCompatSearchParams } from "@calcom/lib/hooks/useCompatSearchParams"; -import PageWrapper from "@components/PageWrapper"; - // To handle the IdP initiated login flow callback export default function Page() { const searchParams = useCompatSearchParams(); @@ -21,4 +19,3 @@ export default function Page() { return null; } -Page.PageWrapper = PageWrapper; diff --git a/apps/web/pages/auth/verify-email.tsx b/apps/web/pages/auth/verify-email.tsx index 84fa9ce6d57e1e..370dc41e3f65d6 100644 --- a/apps/web/pages/auth/verify-email.tsx +++ b/apps/web/pages/auth/verify-email.tsx @@ -45,10 +45,10 @@ function VerifyEmailPage() { className="underline" loading={mutation.isPending} onClick={() => { - showToast("Send email", "success"); + showToast(t("send_email"), "success"); mutation.mutate(); }}> - Resend Email + {t("resend_email")} } /> diff --git a/apps/web/pages/availability/index.tsx b/apps/web/pages/availability/index.tsx index 569b47fbcf9c5e..6c0713c75ece41 100644 --- a/apps/web/pages/availability/index.tsx +++ b/apps/web/pages/availability/index.tsx @@ -125,6 +125,7 @@ export function AvailabilityList({ schedules }: RouterOutputs["viewer"]["availab displayOptions={{ hour12: meQuery.data?.timeFormat ? meQuery.data.timeFormat === 12 : undefined, timeZone: meQuery.data?.timeZone, + weekStart: meQuery.data?.weekStart || "Sunday", }} key={schedule.id} schedule={schedule} diff --git a/apps/web/pages/getting-started/[[...step]].tsx b/apps/web/pages/getting-started/[[...step]].tsx index 58523db50c4809..46dbe1e4132b43 100644 --- a/apps/web/pages/getting-started/[[...step]].tsx +++ b/apps/web/pages/getting-started/[[...step]].tsx @@ -1,5 +1,6 @@ "use client"; +import { signOut } from "next-auth/react"; import Head from "next/head"; import { usePathname, useRouter } from "next/navigation"; import { Suspense } from "react"; @@ -172,6 +173,15 @@ const OnboardingPage = () => {
)}
+
+ +
diff --git a/apps/web/pages/insights/index.tsx b/apps/web/pages/insights/index.tsx index 64ea23aae0fa64..c98b0411e64c68 100644 --- a/apps/web/pages/insights/index.tsx +++ b/apps/web/pages/insights/index.tsx @@ -7,6 +7,10 @@ import { LeastBookedTeamMembersTable, MostBookedTeamMembersTable, PopularEventsTable, + HighestNoShowHostTable, + RecentFeedbackTable, + HighestRatedMembersTable, + LowestRatedMembersTable, } from "@calcom/features/insights/components"; import { FiltersProvider } from "@calcom/features/insights/context/FiltersProvider"; import { Filters } from "@calcom/features/insights/filters"; @@ -90,6 +94,12 @@ export default function InsightsPage() {
+ +
+ + + +
{t("looking_for_more_insights")}{" "} (null); + const searchParams = useSearchParams(); + + const username = searchParams?.get("username")?.toLowerCase(); + + useEffect(() => { + if (username) { + const enteredUsername = username.toLowerCase(); + signIn("impersonation-auth", { + username: enteredUsername, + callbackUrl: `${WEBAPP_URL}/event-types`, + }); + } + }, [username]); return ( <> @@ -21,7 +36,10 @@ function AdminView() { onSubmit={(e) => { e.preventDefault(); const enteredUsername = usernameRef.current?.value.toLowerCase(); - signIn("impersonation-auth", { username: enteredUsername }); + signIn("impersonation-auth", { + username: enteredUsername, + callbackUrl: `${WEBAPP_URL}/event-types`, + }); }}>
void; +}; + +type User = { + id: number; + username: string | null; + name: string | null; + email: string; + smsLockState: SMSLockState; + avatarUrl: string | null; +}; + +type Team = { + id: number; + name: string; + smsLockState: SMSLockState; + slug: string | null; + logoUrl?: string | null; +}; + +function UsersTable({ setSMSLockState }: Props) { + const { data: usersAndTeams } = trpc.viewer.admin.getSMSLockStateTeamsUsers.useQuery(); + + if (!usersAndTeams) { + return <>; + } + + const users = usersAndTeams.users.locked.concat(usersAndTeams.users.reviewNeeded); + const teams = usersAndTeams.teams.locked.concat(usersAndTeams.teams.reviewNeeded); + + return ; +} + +const LockStatusTable = ({ + users = [], + teams = [], + setSMSLockState, +}: { + users?: User[]; + teams?: Team[]; + setSMSLockState: (param: { userId?: number; teamId?: number; lock: boolean }) => void; +}) => { + function getActions({ user, team }: { user?: User; team?: Team }) { + const smsLockState = user?.smsLockState ?? team?.smsLockState; + if (!smsLockState) return []; + + const actions = [ + { + id: "unlock-sms", + label: smsLockState === SMSLockState.LOCKED ? "Unlock SMS sending" : "Lock SMS sending", + onClick: () => + setSMSLockState({ + userId: user ? user.id : undefined, + teamId: team ? team.id : undefined, + lock: smsLockState !== SMSLockState.LOCKED, + }), + icon: "lock" as IconName, + }, + ]; + if (smsLockState === SMSLockState.REVIEW_NEEDED) { + actions.push({ + id: "reviewed", + label: "Mark as Reviewed", + onClick: () => + setSMSLockState({ + userId: user ? user.id : undefined, + teamId: team ? team.id : undefined, + lock: false, + }), + icon: "pencil" as IconName, + }); + } + + return actions; + } + + return ( + <> + +
+ User/Team + Status + + Edit + +
+ + + {users.map((user) => ( + + +
+ {" "} + +
+ {user.name} + /{user.username} +
+ {user.email} +
+
+
+ + {user.smsLockState} + + + +
+ ))} + {teams.map((team) => ( + + +
+ +
+ {team.name} + /team/{team.slug} +
+
+
+ {team.smsLockState} + + + +
+ ))} + +
+ + ); +}; +export default UsersTable; diff --git a/apps/web/pages/settings/admin/lockedSMS/index.tsx b/apps/web/pages/settings/admin/lockedSMS/index.tsx new file mode 100644 index 00000000000000..bb9f9b6f6c1078 --- /dev/null +++ b/apps/web/pages/settings/admin/lockedSMS/index.tsx @@ -0,0 +1,13 @@ +"use client"; + +import PageWrapper from "@components/PageWrapper"; +import { getLayout } from "@components/auth/layouts/AdminLayout"; + +import LockedSMSView from "./lockedSMSView"; + +const LockedSMSPage = () => ; + +LockedSMSPage.getLayout = getLayout; +LockedSMSPage.PageWrapper = PageWrapper; + +export default LockedSMSPage; diff --git a/apps/web/pages/settings/admin/lockedSMS/lockedSMSView.tsx b/apps/web/pages/settings/admin/lockedSMS/lockedSMSView.tsx new file mode 100644 index 00000000000000..079586abd632c3 --- /dev/null +++ b/apps/web/pages/settings/admin/lockedSMS/lockedSMSView.tsx @@ -0,0 +1,82 @@ +"use client"; + +import UsersTable from "@pages/settings/admin/lockedSMS/UsersTable"; +import { useState } from "react"; + +import { trpc } from "@calcom/trpc"; +import { Button, Meta, TextField, showToast } from "@calcom/ui"; + +export default function LockedSMSView() { + const [username, setUsername] = useState(""); + const [teamSlug, setTeamSlug] = useState(""); + + const utils = trpc.useContext(); + + const mutation = trpc.viewer.admin.setSMSLockState.useMutation({ + onSuccess: (data) => { + if (data) { + showToast(`${data.name} successfully ${data.locked ? "locked" : "unlocked"}`, "success"); + } + utils.viewer.admin.getSMSLockStateTeamsUsers.invalidate(); + }, + onError: (error) => { + showToast(`${error}`, "error"); + utils.viewer.admin.getSMSLockStateTeamsUsers.invalidate(); + }, + }); + + function setSMSLockState({ userId, teamId, lock }: { userId?: number; teamId?: number; lock: boolean }) { + mutation.mutate({ + userId, + teamId, + lock, + }); + } + + return ( +
+ +
+
+ setUsername(event.target.value)} + value={username} + /> + +
+
+ { + setTeamSlug(event.target.value); + }} + value={teamSlug} + /> + +
+
+ +
+ ); +} diff --git a/apps/web/pages/settings/developer/webhooks/index.tsx b/apps/web/pages/settings/developer/webhooks/index.tsx index 67fc89e4ae629a..ad42580c232ca7 100644 --- a/apps/web/pages/settings/developer/webhooks/index.tsx +++ b/apps/web/pages/settings/developer/webhooks/index.tsx @@ -1,9 +1,9 @@ -import WeebhooksView from "@calcom/features/webhooks/pages/webhooks-view"; +import WebhooksView from "@calcom/features/webhooks/pages/webhooks-view"; import type { CalPageWrapper } from "@components/PageWrapper"; import PageWrapper from "@components/PageWrapper"; -const Page = WeebhooksView as CalPageWrapper; +const Page = WebhooksView as CalPageWrapper; Page.PageWrapper = PageWrapper; export default Page; diff --git a/apps/web/pages/settings/developer/webhooks/new.tsx b/apps/web/pages/settings/developer/webhooks/new.tsx index 5c957b16ac0902..df39aea3f9c489 100644 --- a/apps/web/pages/settings/developer/webhooks/new.tsx +++ b/apps/web/pages/settings/developer/webhooks/new.tsx @@ -1,9 +1,9 @@ -import WeebhookNewView from "@calcom/features/webhooks/pages/webhook-new-view"; +import WebhookNewView from "@calcom/features/webhooks/pages/webhook-new-view"; import type { CalPageWrapper } from "@components/PageWrapper"; import PageWrapper from "@components/PageWrapper"; -const Page = WeebhookNewView as CalPageWrapper; +const Page = WebhookNewView as CalPageWrapper; Page.PageWrapper = PageWrapper; export default Page; diff --git a/apps/web/pages/settings/license-key/new/index.tsx b/apps/web/pages/settings/license-key/new/index.tsx new file mode 100644 index 00000000000000..f217036ee22d4b --- /dev/null +++ b/apps/web/pages/settings/license-key/new/index.tsx @@ -0,0 +1,33 @@ +"use client"; + +import LicenseRequired from "@calcom/features/ee/common/components/LicenseRequired"; +import { CreateANewLicenseKeyForm } from "@calcom/features/ee/deployment/licensekey/CreateLicenseKeyForm"; +import { useLocale } from "@calcom/lib/hooks/useLocale"; +import { WizardLayout, Meta } from "@calcom/ui"; + +import { getServerSideProps } from "@lib/settings/license-keys/new/getServerSideProps"; + +import PageWrapper from "@components/PageWrapper"; + +const CreateNewLicenseKeyPage = () => { + const { t } = useLocale(); + return ( + + + + + ); +}; +const LayoutWrapper = (page: React.ReactElement) => { + return ( + + {page} + + ); +}; + +CreateNewLicenseKeyPage.getLayout = LayoutWrapper; +CreateNewLicenseKeyPage.PageWrapper = PageWrapper; + +export default CreateNewLicenseKeyPage; +export { getServerSideProps }; diff --git a/apps/web/pages/settings/my-account/appearance.tsx b/apps/web/pages/settings/my-account/appearance.tsx index 53bde759cfcf37..dacdf8dd3fffcc 100644 --- a/apps/web/pages/settings/my-account/appearance.tsx +++ b/apps/web/pages/settings/my-account/appearance.tsx @@ -197,7 +197,7 @@ const AppearanceView = ({ form={userAppThemeFormMethods} handleSubmit={(values) => { mutation.mutate({ - appTheme: values.appTheme ?? null, + appTheme: values.appTheme === "" ? null : values.appTheme, }); }}>
@@ -249,7 +249,7 @@ const AppearanceView = ({ mutation.mutate({ // Radio values don't support null as values, therefore we convert an empty string // back to null here. - theme: values.theme ?? null, + theme: values.theme === "" ? null : values.theme, }); }}>
diff --git a/apps/web/pages/settings/my-account/out-of-office/index.tsx b/apps/web/pages/settings/my-account/out-of-office/index.tsx index fbb68df0811fed..85ccbf78a38a62 100644 --- a/apps/web/pages/settings/my-account/out-of-office/index.tsx +++ b/apps/web/pages/settings/my-account/out-of-office/index.tsx @@ -74,7 +74,7 @@ const CreateOutOfOfficeEntryModal = ({ label: member.name || "", })) || []; - const { handleSubmit, setValue, getValues, control, register } = useForm({ + const { handleSubmit, setValue, control, register } = useForm({ defaultValues: { dateRange: { startDate: dateRange.startDate, @@ -132,15 +132,11 @@ const CreateOutOfOfficeEntryModal = ({ name="dateRange" control={control} defaultValue={dateRange} - render={() => ( + render={({ field: { onChange, value } }) => ( { - setValue("dateRange", { - startDate, - endDate, - }); + dates={{ startDate: value.startDate, endDate: value.endDate }} + onDatesChange={(values) => { + onChange(values); }} /> )} diff --git a/apps/web/pages/settings/my-account/profile.tsx b/apps/web/pages/settings/my-account/profile.tsx index 14cde6aaea6c03..7c73cbbfb30bcb 100644 --- a/apps/web/pages/settings/my-account/profile.tsx +++ b/apps/web/pages/settings/my-account/profile.tsx @@ -124,6 +124,15 @@ const ProfileView = () => { } }, }); + const unlinkConnectedAccountMutation = trpc.viewer.unlinkConnectedAccount.useMutation({ + onSuccess: async (res) => { + showToast(t(res.message), "success"); + utils.viewer.me.invalidate(); + }, + onError: (e) => { + showToast(t(e.message), "error"); + }, + }); const addSecondaryEmailMutation = trpc.viewer.addSecondaryEmail.useMutation({ onSuccess: (res) => { @@ -439,10 +448,7 @@ const ProfileView = () => { - ); - }; - - if (isLoading) { - return ; - } - - return ( - -
- } - borderInShellHeader={true} - /> -
- {Array.isArray(data) && data.length ? ( - <> -
- {data.map((client, index) => { - return ( - - ); - })} -
- - ) : ( - } - /> - )} -
-
-
- ); -}; - -OAuthClients.getLayout = getLayout; -OAuthClients.PageWrapper = PageWrapper; - -export default OAuthClients; diff --git a/apps/web/pages/settings/platform/index.tsx b/apps/web/pages/settings/platform/index.tsx new file mode 100644 index 00000000000000..3e87323f39db8f --- /dev/null +++ b/apps/web/pages/settings/platform/index.tsx @@ -0,0 +1,108 @@ +import { QueryClientProvider, QueryClient } from "@tanstack/react-query"; +import { useState, useEffect } from "react"; + +import Shell from "@calcom/features/shell/Shell"; +import { showToast } from "@calcom/ui"; + +import { + useOAuthClients, + useGetOAuthClientManagedUsers, +} from "@lib/hooks/settings/platform/oauth-clients/useOAuthClients"; +import { useDeleteOAuthClient } from "@lib/hooks/settings/platform/oauth-clients/usePersistOAuthClient"; + +import PageWrapper from "@components/PageWrapper"; +import { HelpCards } from "@components/settings/platform/dashboard/HelpCards"; +import NoPlatformPlan from "@components/settings/platform/dashboard/NoPlatformPlan"; +import { ManagedUserList } from "@components/settings/platform/dashboard/managed-user-list"; +import { OAuthClientsList } from "@components/settings/platform/dashboard/oauth-clients-list"; +import { useGetUserAttributes } from "@components/settings/platform/hooks/useGetUserAttributes"; +import { PlatformPricing } from "@components/settings/platform/pricing/platform-pricing"; + +const queryClient = new QueryClient(); + +export default function Platform() { + const [initialClientId, setInitialClientId] = useState(""); + const [initialClientName, setInitialClientName] = useState(""); + + const { data, isLoading: isOAuthClientLoading, refetch: refetchClients } = useOAuthClients(); + const { + isLoading: isManagedUserLoading, + data: managedUserData, + refetch: refetchManagedUsers, + } = useGetOAuthClientManagedUsers(initialClientId); + + const { isUserLoading, isUserBillingDataLoading, isPlatformUser, isPaidUser, userBillingData, userOrgId } = + useGetUserAttributes(); + + const { mutateAsync, isPending: isDeleting } = useDeleteOAuthClient({ + onSuccess: () => { + showToast("OAuth client deleted successfully", "success"); + refetchClients(); + refetchManagedUsers(); + }, + }); + + const handleDelete = async (id: string) => { + await mutateAsync({ id: id }); + }; + + useEffect(() => { + setInitialClientId(data[0]?.id); + setInitialClientName(data[0]?.name); + }, [data]); + + if (isUserLoading || isOAuthClientLoading) return
Loading...
; + + if (isUserBillingDataLoading && !userBillingData) { + return
Loading...
; + } + + if (isPlatformUser && !isPaidUser) return ; + + if (isPlatformUser) { + return ( + +
+ + + + { + setInitialClientId(id); + setInitialClientName(name); + refetchManagedUsers(); + }} + /> + +
+
+ ); + } + + return ( +
+ }> + + +
+ ); +} + +Platform.PageWrapper = PageWrapper; diff --git a/apps/web/pages/settings/platform/new/index.tsx b/apps/web/pages/settings/platform/new/index.tsx new file mode 100644 index 00000000000000..2c25a4e4d97748 --- /dev/null +++ b/apps/web/pages/settings/platform/new/index.tsx @@ -0,0 +1,45 @@ +"use client"; + +import LicenseRequired from "@calcom/features/ee/common/components/LicenseRequired"; +import { CreateANewPlatformForm } from "@calcom/features/ee/platform/components/index"; +import { useLocale } from "@calcom/lib/hooks/useLocale"; +import { WizardLayout, Meta, WizardLayoutAppDir } from "@calcom/ui"; + +import { getServerSideProps } from "@lib/settings/organizations/new/getServerSideProps"; + +import PageWrapper from "@components/PageWrapper"; + +const CreateNewOrganizationPage = () => { + const { t } = useLocale(); + return ( + + + + + ); +}; +const LayoutWrapper = (page: React.ReactElement) => { + return ( + + {page} + + ); +}; + +export const LayoutWrapperAppDir = (page: React.ReactElement) => { + return ( + + {page} + + ); +}; + +CreateNewOrganizationPage.getLayout = LayoutWrapper; +CreateNewOrganizationPage.PageWrapper = PageWrapper; + +export default CreateNewOrganizationPage; + +export { getServerSideProps }; diff --git a/apps/web/pages/settings/platform/oauth-clients/[clientId]/edit/index.tsx b/apps/web/pages/settings/platform/oauth-clients/[clientId]/edit/index.tsx new file mode 100644 index 00000000000000..d2ea3caab36bba --- /dev/null +++ b/apps/web/pages/settings/platform/oauth-clients/[clientId]/edit/index.tsx @@ -0,0 +1,134 @@ +import { useParams } from "next/navigation"; +import { useRouter } from "next/navigation"; + +import Shell from "@calcom/features/shell/Shell"; +import { ErrorCode } from "@calcom/lib/errorCodes"; +import { PERMISSIONS_GROUPED_MAP } from "@calcom/platform-constants"; +import { showToast } from "@calcom/ui"; + +import { useOAuthClient } from "@lib/hooks/settings/platform/oauth-clients/useOAuthClients"; +import { useUpdateOAuthClient } from "@lib/hooks/settings/platform/oauth-clients/usePersistOAuthClient"; + +import PageWrapper from "@components/PageWrapper"; +import NoPlatformPlan from "@components/settings/platform/dashboard/NoPlatformPlan"; +import { useGetUserAttributes } from "@components/settings/platform/hooks/useGetUserAttributes"; +import type { FormValues } from "@components/settings/platform/oauth-clients/oauth-client-form"; +import { OAuthClientForm as EditOAuthClientForm } from "@components/settings/platform/oauth-clients/oauth-client-form"; + +import { + hasAppsReadPermission, + hasAppsWritePermission, + hasBookingReadPermission, + hasBookingWritePermission, + hasEventTypeReadPermission, + hasEventTypeWritePermission, + hasProfileReadPermission, + hasProfileWritePermission, + hasScheduleReadPermission, + hasScheduleWritePermission, +} from "../../../../../../../../packages/platform/utils/permissions"; + +export default function EditOAuthClient() { + const router = useRouter(); + const params = useParams<{ clientId: string }>(); + const clientId = params?.clientId || ""; + + const { isUserLoading, isPlatformUser, isPaidUser } = useGetUserAttributes(); + + const { data, isFetched, isFetching, isError, refetch } = useOAuthClient(clientId); + const { mutateAsync: update, isPending: isUpdating } = useUpdateOAuthClient({ + onSuccess: () => { + showToast("OAuth client updated successfully", "success"); + refetch(); + router.push("/settings/platform/"); + }, + onError: () => { + showToast(ErrorCode.UpdatingOauthClientError, "error"); + }, + clientId, + }); + + const onSubmit = (data: FormValues) => { + let userPermissions = 0; + const userRedirectUris = data.redirectUris.map((uri) => uri.uri).filter((uri) => !!uri); + + Object.keys(PERMISSIONS_GROUPED_MAP).forEach((key) => { + const entity = key as keyof typeof PERMISSIONS_GROUPED_MAP; + const entityKey = PERMISSIONS_GROUPED_MAP[entity].key; + const read = PERMISSIONS_GROUPED_MAP[entity].read; + const write = PERMISSIONS_GROUPED_MAP[entity].write; + if (data[`${entityKey}Read`]) userPermissions |= read; + if (data[`${entityKey}Write`]) userPermissions |= write; + }); + + update({ + name: data.name, + // logo: data.logo, + redirectUris: userRedirectUris, + bookingRedirectUri: data.bookingRedirectUri, + bookingCancelRedirectUri: data.bookingCancelRedirectUri, + bookingRescheduleRedirectUri: data.bookingRescheduleRedirectUri, + areEmailsEnabled: data.areEmailsEnabled, + }); + }; + + if (isUserLoading) return
Loading...
; + + if (isPlatformUser && isPaidUser) { + return ( +
+ +
+
+
+

+ OAuth client updation form +

+

+ This is the form to edit an existing OAuth client +

+
+
+ {(!Boolean(clientId) || (isFetched && !data)) &&

OAuth Client not found.

} + {isFetched && !!data && ( + ({ uri })) ?? [{ uri: "" }], + bookingRedirectUri: data?.bookingRedirectUri ?? "", + bookingCancelRedirectUri: data?.bookingCancelRedirectUri ?? "", + bookingRescheduleRedirectUri: data?.bookingRescheduleRedirectUri ?? "", + appsRead: hasAppsReadPermission(data?.permissions), + appsWrite: hasAppsWritePermission(data?.permissions), + bookingRead: hasBookingReadPermission(data?.permissions), + bookingWrite: hasBookingWritePermission(data?.permissions), + eventTypeRead: hasEventTypeReadPermission(data?.permissions), + eventTypeWrite: hasEventTypeWritePermission(data?.permissions), + profileRead: hasProfileReadPermission(data?.permissions), + profileWrite: hasProfileWritePermission(data?.permissions), + scheduleRead: hasScheduleReadPermission(data?.permissions), + scheduleWrite: hasScheduleWritePermission(data?.permissions), + }} + onSubmit={onSubmit} + isPending={isUpdating} + /> + )} + {isFetching &&

Loading...

} + {isError &&

Something went wrong.

} +
+
+
+ ); + } + + return ( +
+ }> + + +
+ ); +} + +EditOAuthClient.PageWrapper = PageWrapper; diff --git a/apps/web/pages/settings/platform/oauth-clients/create.tsx b/apps/web/pages/settings/platform/oauth-clients/create.tsx new file mode 100644 index 00000000000000..d71567e220f8ab --- /dev/null +++ b/apps/web/pages/settings/platform/oauth-clients/create.tsx @@ -0,0 +1,92 @@ +import { useRouter } from "next/navigation"; + +import Shell from "@calcom/features/shell/Shell"; +import { ErrorCode } from "@calcom/lib/errorCodes"; +import { useCompatSearchParams } from "@calcom/lib/hooks/useCompatSearchParams"; +import { PERMISSIONS_GROUPED_MAP } from "@calcom/platform-constants/permissions"; +import { showToast } from "@calcom/ui"; + +import { useCreateOAuthClient } from "@lib/hooks/settings/platform/oauth-clients/usePersistOAuthClient"; + +import PageWrapper from "@components/PageWrapper"; +import NoPlatformPlan from "@components/settings/platform/dashboard/NoPlatformPlan"; +import { useGetUserAttributes } from "@components/settings/platform/hooks/useGetUserAttributes"; +import type { FormValues } from "@components/settings/platform/oauth-clients/oauth-client-form"; +import { OAuthClientForm } from "@components/settings/platform/oauth-clients/oauth-client-form"; + +export default function CreateOAuthClient() { + const searchParams = useCompatSearchParams(); + const router = useRouter(); + const clientId = searchParams?.get("clientId") || ""; + + const { isUserLoading, isPlatformUser, isPaidUser } = useGetUserAttributes(); + + const { mutateAsync: save, isPending: isSaving } = useCreateOAuthClient({ + onSuccess: () => { + showToast("OAuth client created successfully", "success"); + router.push("/settings/platform/"); + }, + onError: () => { + showToast(ErrorCode.CreatingOauthClientError, "error"); + }, + }); + + const onSubmit = (data: FormValues) => { + let userPermissions = 0; + const userRedirectUris = data.redirectUris.map((uri) => uri.uri).filter((uri) => !!uri); + + Object.keys(PERMISSIONS_GROUPED_MAP).forEach((key) => { + const entity = key as keyof typeof PERMISSIONS_GROUPED_MAP; + const entityKey = PERMISSIONS_GROUPED_MAP[entity].key; + const read = PERMISSIONS_GROUPED_MAP[entity].read; + const write = PERMISSIONS_GROUPED_MAP[entity].write; + if (data[`${entityKey}Read`]) userPermissions |= read; + if (data[`${entityKey}Write`]) userPermissions |= write; + }); + + save({ + name: data.name, + permissions: userPermissions, + // logo: data.logo, + redirectUris: userRedirectUris, + bookingRedirectUri: data.bookingRedirectUri, + bookingCancelRedirectUri: data.bookingCancelRedirectUri, + bookingRescheduleRedirectUri: data.bookingRescheduleRedirectUri, + areEmailsEnabled: data.areEmailsEnabled, + }); + }; + + if (isUserLoading) return
Loading...
; + + if (isPlatformUser && isPaidUser) { + return ( +
+ +
+
+
+

+ OAuth client creation form +

+

+ This is the form to create a new OAuth client +

+
+
+ +
+
+
+ ); + } + + return ( +
+ }> + + +
+ ); +} + +CreateOAuthClient.PageWrapper = PageWrapper; diff --git a/apps/web/pages/signup.tsx b/apps/web/pages/signup.tsx index 9c182c06088bf8..6e06df7bcd5fe3 100644 --- a/apps/web/pages/signup.tsx +++ b/apps/web/pages/signup.tsx @@ -123,15 +123,8 @@ function UsernameField({ }); } checkUsername(); - }, [ - debouncedUsername, - setPremium, - disabled, - orgSlug, - setUsernameTaken, - formState.isSubmitting, - formState.isSubmitSuccessful, - ]); + // eslint-disable-next-line react-hooks/exhaustive-deps + }, [debouncedUsername, disabled, orgSlug, formState.isSubmitting, formState.isSubmitSuccessful]); return (
@@ -234,6 +227,7 @@ export default function Signup({ }; const isOrgInviteByLink = orgSlug && !prepopulateFormValues?.username; + const isPlatformUser = redirectUrl?.includes("platform") && redirectUrl?.includes("new"); const signUp: SubmitHandler = async (_data) => { const { cfToken, ...data } = _data; @@ -255,14 +249,35 @@ export default function Signup({ pushGTMEvent("create_account", { email: data.email, user: data.username, lang: data.language }); telemetry.event(telemetryEventTypes.signup, collectPageParameters()); + const verifyOrGettingStarted = emailVerificationEnabled ? "auth/verify-email" : "getting-started"; - const callBackUrl = `${ - searchParams?.get("callbackUrl") - ? isOrgInviteByLink - ? `${WEBAPP_URL}/${searchParams.get("callbackUrl")}` - : addOrUpdateQueryParam(`${WEBAPP_URL}/${searchParams.get("callbackUrl")}`, "from", "signup") - : `${WEBAPP_URL}/${verifyOrGettingStarted}?from=signup` - }`; + const gettingStartedWithPlatform = "settings/platform/new"; + + const constructCallBackIfUrlPresent = () => { + if (isOrgInviteByLink) { + return `${WEBAPP_URL}/${searchParams.get("callbackUrl")}`; + } + + return addOrUpdateQueryParam(`${WEBAPP_URL}/${searchParams.get("callbackUrl")}`, "from", "signup"); + }; + + const constructCallBackIfUrlNotPresent = () => { + if (!!isPlatformUser) { + return `${WEBAPP_URL}/${gettingStartedWithPlatform}?from=signup`; + } + + return `${WEBAPP_URL}/${verifyOrGettingStarted}?from=signup`; + }; + + const constructCallBackUrl = () => { + const callbackUrlSearchParams = searchParams?.get("callbackUrl"); + + return !!callbackUrlSearchParams + ? constructCallBackIfUrlPresent() + : constructCallBackIfUrlNotPresent(); + }; + + const callBackUrl = constructCallBackUrl(); await signIn<"credentials">("credentials", { ...data, @@ -507,7 +522,7 @@ export default function Signup({ )}
{/* Already have an account & T&C */} -
+

{t("already_have_account")}

@@ -516,23 +531,25 @@ export default function Signup({
- - By proceeding, you agree to our{" "} - - Terms - {" "} - and{" "} - - Privacy Policy - - . - + + Terms + , + + Privacy Policy. + , + ]} + />
@@ -573,14 +590,9 @@ export default function Signup({
Trustpilot Rating of 4.7 Stars - Trustpilot Rating of 4.7 Stars
diff --git a/apps/web/pages/sitemap.xml.ts b/apps/web/pages/sitemap.xml.ts new file mode 100644 index 00000000000000..e2739b4df33dab --- /dev/null +++ b/apps/web/pages/sitemap.xml.ts @@ -0,0 +1,336 @@ +import { globby } from "globby"; +import type { GetServerSidePropsContext } from "next"; +import { withAxiomGetServerSideProps } from "next-axiom"; +// import { getStaticPaths as getStaticPathsResources } from "pages/scheduling/[...slugs]"; +import { z } from "zod"; + +import { prisma } from "@calcom/prisma"; +import { AppCategories } from "@calcom/prisma/enums"; + +// import { getAllBlogPaths } from "@lib/blog/server"; + +const locales = [ + "en", + "es", + "de", + "nl", + "pl", + "pt-BR", + "sr", + "tr", + "vi", + "zh-CN", + "zh-TW", + "fr", + "it", + "ar", + "cs", + "pt", +]; +export enum SiteLocale { + Ar = "ar", + De = "de", + En = "en", + Es = "es", + Fr = "fr", + It = "it", + Pt = "pt", +} +// taken from @link: https://nextjs.org/learn/seo/crawling-and-indexing/xml-sitemaps +function SiteMap() { + // getServerSideProps will do the heavy lifting +} + +function generateSiteMap(paths: string[]) { + return ` + + ${paths + .map((path) => { + return ` + + ${`${path}`} + + `; + }) + .join("")} + + `; +} + +export const getServerSideProps = withAxiomGetServerSideProps(async ({ res }: GetServerSidePropsContext) => { + // - all all non-dynamic (non-[].tsx) pages + const allWebsitePage = await globby("*", { cwd: "../../apps/website/pages" }); + const websitePages = await globby( + [ + // all TSX/MDX pages + "./**/*{.tsx,.mdx}", + // except for: + // - dynamic routes, and + "!*].tsx", + // - nextjs pages (e.g. _app, _document, etc.), and + "!_*.tsx", + // - api routes (e.g. social/og.tsx) + "!./api/**/*", + ], + { cwd: "../../apps/website/pages" } + ); + const pathsWebsite = websitePages.map((page) => { + const slug = page.replace("pages", "").replace(".tsx", "").replace(".mdx", ""); + return process.env.NEXT_PUBLIC_WEBSITE_URL + slug; + }); + console.log(`[sitemap] + - ${pathsWebsite.length} website pages + + all pages: + ${allWebsitePage.join("\n")}`); + + // - locales versions of all non-dynamic (non-[].tsx) pages + const pathsWebsiteNonDefaultLocales: Array = []; + for (const locale of locales) { + if (locale === "en") continue; + pathsWebsiteNonDefaultLocales.push( + ...pathsWebsite.map((path) => { + const regex = new RegExp(`^(${process.env.NEXT_PUBLIC_WEBSITE_URL})\/(.+)$`); + return path.replace(regex, `$1/${locale}/$2`); + }) + ); + } + + // const { allBlogPosts, allTags } = await getAllBlogPaths(); + // // - pages/blog/[slug].tsx + // const pathsPosts = allBlogPosts + // .map(({ _locales, slug }) => { + // if (!_locales.includes(SiteLocale.En)) return null; + // return `${process.env.NEXT_PUBLIC_WEBSITE_URL}/blog/${slug}`; + // }) + // .filter(Boolean); // remove nulls + + // // - pages/blog/category/[category].tsx + // const pathsCategories = allTags + // .map(({ _locales, categorySlug }) => { + // if (!_locales.includes(SiteLocale.En)) return null; + // return `${process.env.NEXT_PUBLIC_WEBSITE_URL}/blog/category/${categorySlug}`; + // }) + // .filter(Boolean); // removes nulls + + // // - pages/resources/[...slugs].tsx (nb: this already supports i18n) + // const { paths: resourcesStaticPaths } = await getStaticPathsResources(); + // const pathsResources = resourcesStaticPaths.map(({ params: { slugs }, locale }) => { + // return `${process.env.NEXT_PUBLIC_WEBSITE_URL}${ + // locale !== "en" ? `/${locale}` : "" + // }/scheduling/${slugs.join("/")}`; + // }); + + // Now, we get the relevant pages from the apps/web app + // - pages/apps/[slug].tsx getStaticPaths from `apps/web` + const appStore = await prisma.app.findMany({ select: { slug: true }, where: { enabled: true } }); + const pathsAppStore = appStore.map(({ slug }) => `${process.env.NEXT_PUBLIC_WEBSITE_URL}/apps/${slug}`); + + // - pages/apps/categories/[category].tsx getStaticPaths from `apps/web` + const appStoreCategories = Object.keys(AppCategories); + const pathsAppStoreCategories = appStoreCategories.map( + (category) => `${process.env.NEXT_PUBLIC_WEBSITE_URL}/apps/categories/${category}` + ); + + const excluded: any[] = []; + // include the /docs pages as well from motif.land + const motifProjectFiles = await fetch( + `${process.env.MOTIFLAND_REST_ENDPOINT}/projects/${process.env.MOTIFLAND_DOCS_PROJECT_ID}`, + { + headers: { + Authorization: `Bearer ${process.env.MOTIFLAND_DOCS_API_KEY}`, + }, + } + ) + .then((res) => res.json()) + .then((json) => { + const files = []; + for (const file of json.data.files) { + const validation = MotifLandFileSchema.safeParse(file); + if (!validation.success) { + // skipe files that do not match expected schema + console.warn("Excluded a file from sitemap because of mismatching schema:", { + file, + error: validation.error, + }); + continue; + } + if (!validation.data.path) { + // skip files that do not have a path + continue; + } + if (!validation.data.path.startsWith("/pages/")) { + // skip files that are not in the /pages/docs dir (note: including pages/index.mdx as we rely on pages/docs/index.mdx) + continue; + } + if (!validation.data.isPublic) { + // skip files that aren't marked as public + excluded.push(file); + continue; + } + // add this file to sitemap + files.push(validation.data); + } + return files; + }); + if (excluded.length > 0) { + console.warn( + ` + ==================== [SITEMAP] ==================== + ⚠️ Excluded Pages ⚠️ + + + Excluded ${excluded.length} MOTIF pages from sitemap because they are not public: + + ${JSON.stringify(excluded.map(({ id, name, isPublic, path }) => ({ id, name, isPublic, path })))} + ==================== [SITEMAP] ==================== + ` + ); + } + + const pathsDocs = motifProjectFiles.map((file) => { + const slug = file.path?.replace("/pages/", ""); + return `${process.env.NEXT_PUBLIC_WEBSITE_URL}/${slug}`; + }); + + // ==================== INDEX USERS WITH ENOUGH CONTENT ==================== + // NB: we need to first fetch the user query in chunks to avoid exceeding prisma's max query size of 5MB (not possible to filter on our conditions). + // https://github.com/prisma/prisma/issues/8935 + // https://github.com/prisma/prisma/issues/7872 + + // count all users so that we can chunk the query + const totalUsers = await prisma.user.count({ + where: { + AND: [ + { avatarUrl: { not: null } }, + { bio: { not: null } }, + { eventTypes: { some: { AND: { eventName: { not: null }, description: { not: null } } } } }, + ], + }, + }); + // chunk the query so that we can run in parallel + const pageSize = 1000; // Example page size + const numberOfQueries = Math.ceil(totalUsers / pageSize); + const userQueries = Array.from({ length: numberOfQueries }, (_, index) => { + return prisma.user.findMany({ + skip: index * pageSize, + take: pageSize, + where: { + AND: [ + { avatar: { not: null } }, + { bio: { not: null } }, + { eventTypes: { some: { AND: { eventName: { not: null }, description: { not: null } } } } }, + ], + }, + select: { + username: true, + bio: true, + eventTypes: { + select: { + slug: true, + eventName: true, + description: true, + }, + }, + }, + }); + }); + // run the queries in parallel + const allUsers = (await Promise.all(userQueries)).flat(); + + // Filter the users that meet the content criteria + // - they have an avatar set + // - they have a description provided with at least 50 characters + // - they have at least 2 eventTypes + // - at least 2 of their event types have a description with at least 50 characters + const usersWithEnoughContent = allUsers.filter((user) => { + const hasLenghtyBio = Boolean(user?.bio?.length && user.bio.length >= 50); + const hasEnoughEventTypes = user.eventTypes.length >= 2; + const hasEnoughEventTypesWithLenghtyDescriptions = + user.eventTypes.filter((eventType) => + // filter out events without or short description + Boolean(eventType?.description?.length && eventType.description.length >= 50) + ).length >= 2; + + return hasLenghtyBio && hasEnoughEventTypes && hasEnoughEventTypesWithLenghtyDescriptions; + }); + + const usersWithEnoughContentPaths = usersWithEnoughContent.map((user) => { + return `${process.env.NEXT_PUBLIC_WEBSITE_URL}/${user.username}`; + }); + // ==================== ==================== + + // note: excluding the /[user] & /[team] pages as they currently don't have a lot of content + const paths = [ + // /pages in website + ...pathsWebsite, + ...pathsWebsiteNonDefaultLocales, + // /apps + ...pathsAppStore, + ...pathsAppStoreCategories, + // // /blog + // ...pathsPosts, + // ...pathsCategories, + // // /scheduling + // ...pathsResources, + // /docs + ...pathsDocs, + // users with enough content + ...usersWithEnoughContentPaths, + ]; + + // We generate the XML sitemap with the posts data + const sitemap = generateSiteMap(paths); + + res.setHeader("Content-Type", "text/xml"); + // we send the XML to the browser + res.write(sitemap); + res.end(); + + return { + props: {}, + }; +}); + +export interface Sitemap { + urlset: { + url: Array<{ loc: Array }>; + }; +} + +export const MotifLandProjectDataSchema = z.object({ + data: z.object({ + id: z.string(), + files: z.array( + z.object({ + id: z.string(), + name: z.string(), + isPublic: z.boolean(), + parentFolderId: z.string().optional(), + ts: z.number(), + path: z.string().optional(), + meta: z + .object({ + title: z.string().optional(), + description: z.string().optional(), + hugeTitle: z.boolean().optional(), + fullWidth: z.boolean().optional(), + omitFeedback: z.boolean().optional(), + noTOC: z.boolean().optional(), + }) + .optional(), + }) + ), + folders: z.array( + z.object({ + id: z.string(), + name: z.string(), + parentFolderId: z.string().optional(), + projectId: z.string(), + }) + ), + }), +}); + +const MotifLandFileSchema = MotifLandProjectDataSchema.shape.data.shape.files.element; +export default SiteMap; diff --git a/apps/web/pages/team/[slug].tsx b/apps/web/pages/team/[slug].tsx index 67f99c7e5a449b..517910c910d308 100644 --- a/apps/web/pages/team/[slug].tsx +++ b/apps/web/pages/team/[slug].tsx @@ -12,8 +12,9 @@ import { usePathname } from "next/navigation"; import { useEffect } from "react"; import { sdkActionManager, useIsEmbed } from "@calcom/embed-core/embed-iframe"; +import { getOrgFullOrigin } from "@calcom/features/ee/organizations/lib/orgDomains"; import EventTypeDescription from "@calcom/features/eventtypes/components/EventTypeDescription"; -import { getPlaceholderAvatar } from "@calcom/lib/defaultAvatarImage"; +import { getOrgOrTeamAvatar } from "@calcom/lib/defaultAvatarImage"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { useRouterQuery } from "@calcom/lib/hooks/useRouterQuery"; import useTheme from "@calcom/lib/hooks/useTheme"; @@ -64,7 +65,7 @@ function TeamPage({ // Show unpublished state for parent Organization itself, if the team is a subteam(team.parent is NOT NULL) const slugPropertyName = team.parent || team.isOrganization ? "orgSlug" : "teamSlug"; return ( -
+
); - const profileImageSrc = getPlaceholderAvatar(team.logoUrl || team.parent?.logoUrl, team.name); + const profileImageSrc = getOrgOrTeamAvatar(team); return ( <> { await expect(page.locator(`text=Connect to Apple Server`)).toBeVisible(); }); + test("Can add Google calendar from the app store", async ({ page, users }) => { + const user = await users.create(); + await user.apiLogin(); + + await page.goto("/apps/google-calendar"); + + await page.getByTestId("install-app-button").click(); + + await page.waitForNavigation(); + + await expect(page.url()).toContain("accounts.google.com"); + }); + test("Installed Apps - Navigation", async ({ page, users }) => { const user = await users.create(); await user.apiLogin(); diff --git a/apps/web/playwright/apps/analytics/analyticsApps.e2e.ts b/apps/web/playwright/apps/analytics/analyticsApps.e2e.ts index d9d0137957baf9..b0838416d9cdd4 100644 --- a/apps/web/playwright/apps/analytics/analyticsApps.e2e.ts +++ b/apps/web/playwright/apps/analytics/analyticsApps.e2e.ts @@ -1,35 +1,45 @@ -import { loginUser } from "../../fixtures/regularBookings"; import { test } from "../../lib/fixtures"; const ALL_APPS = ["fathom", "matomo", "plausible", "ga4", "gtm", "metapixel"]; -test.describe("Check analytics Apps", () => { - test.beforeEach(async ({ page, users }) => { - await loginUser(users); - await page.goto("/apps/"); - }); +test.describe.configure({ mode: "parallel" }); +test.afterEach(({ users }) => users.deleteAll()); + +test.describe("check analytics Apps", () => { + test.describe("check analytics apps by skipping the configure step", () => { + ALL_APPS.forEach((app) => { + test(`check analytics app: ${app} by skipping the configure step`, async ({ + appsPage, + page, + users, + }) => { + const user = await users.create(); + await user.apiLogin(); + await page.goto("apps/categories/analytics"); + await appsPage.installAnalyticsAppSkipConfigure(app); - test("Check analytics Apps", async ({ appsPage, page }) => { - await appsPage.goToAppsCategory("analytics"); - await appsPage.installApp("fathom"); - await appsPage.goBackToAppsPage(); - await appsPage.installApp("matomo"); - await appsPage.goBackToAppsPage(); - await appsPage.installApp("plausible"); - await appsPage.goBackToAppsPage(); - await appsPage.installApp("ga4"); - await appsPage.goBackToAppsPage(); - await appsPage.installApp("gtm"); - await appsPage.goBackToAppsPage(); - await appsPage.installApp("metapixel"); - await appsPage.goBackToAppsPage(); - await page.goto("/event-types"); - await appsPage.goToEventType("30 min"); - await appsPage.goToAppsTab(); - await appsPage.verifyAppsInfo(0); - for (const app of ALL_APPS) { - await appsPage.activeApp(app); - } - await appsPage.verifyAppsInfo(6); + await page.goto("/event-types"); + await appsPage.goToEventType("30 min"); + await appsPage.goToAppsTab(); + await appsPage.verifyAppsInfo(0); + await appsPage.activeApp(app); + await appsPage.verifyAppsInfo(1); + }); + }); + }); + test.describe("check analytics apps using the new flow", () => { + ALL_APPS.forEach((app) => { + test(`check analytics app: ${app}`, async ({ appsPage, page, users }) => { + const user = await users.create(); + await user.apiLogin(); + const eventTypes = await user.getUserEventsAsOwner(); + const eventTypesIds = eventTypes.map((item) => item.id); + await page.goto("/apps/categories/analytics"); + await appsPage.installAnalyticsApp(app, eventTypesIds); + for (const id of eventTypesIds) { + await appsPage.verifyAppsInfoNew(app, id); + } + }); + }); }); }); diff --git a/apps/web/playwright/apps/conferencing/conferencingApps.e2e.ts b/apps/web/playwright/apps/conferencing/conferencingApps.e2e.ts new file mode 100644 index 00000000000000..de5942b9cadbce --- /dev/null +++ b/apps/web/playwright/apps/conferencing/conferencingApps.e2e.ts @@ -0,0 +1,146 @@ +import { test } from "../../lib/fixtures"; + +export type TApp = { + slug: string; + type: string; + organizerInputPlaceholder?: string; + label: string; +}; +type TAllApps = { + [key: string]: TApp; +}; + +const ALL_APPS: TAllApps = { + around: { + slug: "around", + type: "integrations:around_video", + organizerInputPlaceholder: "https://www.around.co/rick", + label: "Around Video", + }, + campfire: { + slug: "campfire", + type: "integrations:campfire_video", + organizerInputPlaceholder: "https://party.campfire.to/your-team", + label: "Campfire", + }, + demodesk: { + slug: "demodesk", + type: "integrations:demodesk_video", + organizerInputPlaceholder: "https://demodesk.com/meet/mylink", + label: "Demodesk", + }, + discord: { + slug: "discord", + type: "integrations:discord_video", + organizerInputPlaceholder: "https://discord.gg/420gg69", + label: "Discord", + }, + eightxeight: { + slug: "eightxeight", + type: "integrations:eightxeight_video", + organizerInputPlaceholder: "https://8x8.vc/company", + label: "8x8", + }, + "element-call": { + slug: "element-call", + type: "integrations:element-call_video", + organizerInputPlaceholder: "https://call.element.io/", + label: "Element Call", + }, + facetime: { + slug: "facetime", + type: "integrations:facetime_video", + organizerInputPlaceholder: "https://facetime.apple.com/join=#v=1&p=zU9w7QzuEe", + label: "Facetime", + }, + mirotalk: { + slug: "mirotalk", + type: "integrations:mirotalk_video", + organizerInputPlaceholder: "https://p2p.mirotalk.com/join/80085ShinyPhone", + label: "Mirotalk", + }, + ping: { + slug: "ping", + type: "integrations:ping_video", + organizerInputPlaceholder: "https://www.ping.gg/call/theo", + label: "Ping.gg", + }, + riverside: { + slug: "riverside", + type: "integrations:riverside_video", + organizerInputPlaceholder: "https://riverside.fm/studio/abc123", + label: "Riverside Video", + }, + roam: { + slug: "roam", + type: "integrations:roam_video", + organizerInputPlaceholder: "https://ro.am/r/#/p/yHwFBQrRTMuptqKYo_wu8A/huzRiHnR-np4RGYKV-c0pQ", + label: "Roam", + }, + salesroom: { + slug: "salesroom", + type: "integrations:salesroom_video", + organizerInputPlaceholder: "https://user.sr.chat", + label: "Salesroom", + }, + sirius_video: { + slug: "sirius_video", + type: "integrations:sirius_video_video", + organizerInputPlaceholder: "https://sirius.video/sebastian", + label: "Sirius Video", + }, + whereby: { + slug: "whereby", + type: "integrations:whereby_video", + label: "Whereby Video", + organizerInputPlaceholder: "https://www.whereby.com/cal", + }, +}; + +const ALL_APPS_ARRAY: TApp[] = Object.values(ALL_APPS); +/** + * @todo add tests for + * shimmervideo + * sylapsvideo + * googlevideo + * huddle + * jelly + * jistivideo + * office365video + * mirotalk + * tandemvideo + * webex + * zoomvideo + */ + +test.describe.configure({ mode: "parallel" }); +test.afterEach(({ users }) => users.deleteAll()); + +test.describe("check non-oAuth link-based conferencing apps", () => { + ALL_APPS_ARRAY.forEach((app) => { + test(`check conferencing app: ${app.slug} by skipping the configure step`, async ({ + appsPage, + page, + users, + }) => { + const user = await users.create(); + await user.apiLogin(); + await page.goto("apps/categories/conferencing"); + await appsPage.installConferencingAppSkipConfigure(app.slug); + await appsPage.verifyConferencingApp(app); + }); + }); +}); + +test.describe("check non-oAuth link-based conferencing apps using the new flow", () => { + ALL_APPS_ARRAY.forEach((app) => { + test(`can add ${app.slug} app and book with it`, async ({ appsPage, page, users }) => { + const user = await users.create(); + await user.apiLogin(); + const eventTypes = await user.getUserEventsAsOwner(); + const eventTypeIds = eventTypes.map((item) => item.id).filter((item, index) => index < 2); + await appsPage.installConferencingAppNewFlow(app, eventTypeIds); + await appsPage.verifyConferencingAppNew(app, eventTypeIds); + }); + }); +}); diff --git a/apps/web/playwright/availability.e2e.ts b/apps/web/playwright/availability.e2e.ts index 371d1d61bf8cb2..89ab2bc6b52aa7 100644 --- a/apps/web/playwright/availability.e2e.ts +++ b/apps/web/playwright/availability.e2e.ts @@ -22,6 +22,9 @@ test.describe("Availablity", () => { test("Date Overrides", async ({ page }) => { await page.getByTestId("schedules").first().click(); + await page.locator('[data-testid="Sunday-switch"]').first().click(); + await page.locator('[data-testid="Saturday-switch"]').first().click(); + await page.getByTestId("add-override").click(); await page.locator('[id="modal-title"]').waitFor(); await page.getByTestId("incrementMonth").click(); @@ -85,6 +88,29 @@ test.describe("Availablity", () => { await expect(await page.getByTitle(deleteButtonTitle).isVisible()).toBe(false); }); + test("Can create date override on current day in a negative timezone", async ({ page }) => { + await page.getByTestId("schedules").first().click(); + // set time zone to New York + await page + .locator("#availability-form div") + .filter({ hasText: "TimezoneEurope/London" }) + .locator("svg") + .click(); + await page.locator("[id=timeZone-lg-viewport]").fill("New"); + await page.getByTestId("select-option-America/New_York").click(); + + // Add override for today + await page.getByTestId("add-override").click(); + await page.locator('[id="modal-title"]').waitFor(); + await page.locator('[data-testid="day"][data-disabled="false"]').first().click(); + await page.getByTestId("add-override-submit-btn").click(); + await page.getByTestId("dialog-rejection").click(); + + await page.locator('[form="availability-form"][type="submit"]').click(); + await page.reload(); + await expect(page.locator('[data-testid="date-overrides-list"] > li')).toHaveCount(1); + }); + test("Schedule listing", async ({ page }) => { await test.step("Can add a new schedule", async () => { await page.getByTestId("new-schedule").click(); @@ -93,7 +119,7 @@ test.describe("Availablity", () => { await expect(page.getByTestId("availablity-title")).toHaveValue("More working hours"); }); await test.step("Can delete a schedule", async () => { - await page.getByRole("button", { name: /Go Back/i }).click(); + await page.getByTestId("go-back-button").click(); await page.locator('[data-testid="schedules"] > li').nth(1).getByTestId("schedule-more").click(); await page.locator('[data-testid="delete-schedule"]').click(); const toast = await page.waitForSelector('[data-testid="toast-success"]'); diff --git a/apps/web/playwright/booking-pages.e2e.ts b/apps/web/playwright/booking-pages.e2e.ts index 3a45dcb01794ae..371cc49f7fe60a 100644 --- a/apps/web/playwright/booking-pages.e2e.ts +++ b/apps/web/playwright/booking-pages.e2e.ts @@ -1,6 +1,7 @@ import { expect } from "@playwright/test"; import { JSDOM } from "jsdom"; +import { WEBAPP_URL } from "@calcom/lib/constants"; import { randomString } from "@calcom/lib/random"; import { SchedulingType } from "@calcom/prisma/client"; import type { Schedule, TimeRange } from "@calcom/types/schedule"; @@ -42,7 +43,18 @@ test("check SSR and OG - User Event Type", async ({ page, users }) => { const titleText = document.querySelector("title")?.textContent; const ogImage = document.querySelector('meta[property="og:image"]')?.getAttribute("content"); + const ogUrl = document.querySelector('meta[property="og:url"]')?.getAttribute("content"); + const canonicalLink = document.querySelector('link[rel="canonical"]')?.getAttribute("href"); expect(titleText).toContain(name); + expect(ogUrl).toEqual(`${WEBAPP_URL}/${user.username}/30-min`); + const avatarLocators = await page.locator('[data-testid="avatar-href"]').all(); + expect(avatarLocators.length).toBe(1); + + for (const avatarLocator of avatarLocators) { + expect(await avatarLocator.getAttribute("href")).toEqual(`${WEBAPP_URL}/${user.username}?redirect=false`); + } + + expect(canonicalLink).toEqual(`${WEBAPP_URL}/${user.username}/30-min`); // Verify that there is correct URL that would generate the awesome OG image expect(ogImage).toContain( "/_next/image?w=1200&q=100&url=%2Fapi%2Fsocial%2Fog%2Fimage%3Ftype%3Dmeeting%26title%3D" @@ -126,6 +138,28 @@ testBothFutureAndLegacyRoutes.describe("pro user", () => { }); }); + test("it redirects when a rescheduleUid does not match the current event type", async ({ + page, + users, + bookings, + }) => { + const [pro] = users.get(); + const [eventType] = pro.eventTypes; + const bookingFixture = await bookings.create(pro.id, pro.username, eventType.id); + + // open the wrong eventType (rescheduleUid created for /30min event) + await page.goto(`${pro.username}/${pro.eventTypes[1].slug}?rescheduleUid=${bookingFixture.uid}`); + + await expect(page).toHaveURL(new RegExp(`${pro.username}/${eventType.slug}`)); + }); + + test("it returns a 404 when a requested event type does not exist", async ({ page, users }) => { + const [pro] = users.get(); + const unexistingPageUrl = new URL(`${pro.username}/invalid-event-type`, WEBAPP_URL); + const response = await page.goto(unexistingPageUrl.href); + expect(response?.status()).toBe(404); + }); + test("Can cancel the recently created booking and rebook the same timeslot", async ({ page, users, @@ -450,13 +484,17 @@ testBothFutureAndLegacyRoutes.describe("Booking round robin event", () => { schedulingType: SchedulingType.ROUND_ROBIN, teamEventLength: 120, teammates: teamMatesObj, + seatsPerTimeSlot: 5, } ); const team = await testUser.getFirstTeamMembership(); await page.goto(`/team/${team.team.slug}`); }); - test("Does not book round robin host outside availability with date override", async ({ page, users }) => { + test("Does not book seated round robin host outside availability with date override", async ({ + page, + users, + }) => { const [testUser] = users.get(); await testUser.apiLogin(); diff --git a/apps/web/playwright/bookings-list.e2e.ts b/apps/web/playwright/bookings-list.e2e.ts index de5ccb55a33ec2..77dbbf5289aed4 100644 --- a/apps/web/playwright/bookings-list.e2e.ts +++ b/apps/web/playwright/bookings-list.e2e.ts @@ -62,6 +62,95 @@ test.describe("Bookings", () => { ).toBeVisible(); }); }); + test.describe("Past bookings", () => { + test("Mark first guest as no-show", async ({ page, users, bookings, webhooks }) => { + const firstUser = await users.create(); + const secondUser = await users.create(); + + const bookingWhereFirstUserIsOrganizerFixture = await createBooking({ + title: "Booking as organizer", + bookingsFixture: bookings, + // Create a booking 3 days ago + relativeDate: -3, + organizer: firstUser, + organizerEventType: firstUser.eventTypes[0], + attendees: [ + { name: "First", email: "first@cal.com", timeZone: "Europe/Berlin" }, + { name: "Second", email: "second@cal.com", timeZone: "Europe/Berlin" }, + { name: "Third", email: "third@cal.com", timeZone: "Europe/Berlin" }, + ], + }); + const bookingWhereFirstUserIsOrganizer = await bookingWhereFirstUserIsOrganizerFixture.self(); + await firstUser.apiLogin(); + const webhookReceiver = await webhooks.createReceiver(); + await page.goto(`/bookings/past`); + const pastBookings = page.locator('[data-testid="past-bookings"]'); + const firstPastBooking = pastBookings.locator('[data-testid="booking-item"]').nth(0); + const titleAndAttendees = firstPastBooking.locator('[data-testid="title-and-attendees"]'); + const firstGuest = firstPastBooking.locator('[data-testid="guest"]').nth(0); + await firstGuest.click(); + await expect(titleAndAttendees.locator('[data-testid="unmark-no-show"]')).toBeHidden(); + await expect(titleAndAttendees.locator('[data-testid="mark-no-show"]')).toBeVisible(); + await titleAndAttendees.locator('[data-testid="mark-no-show"]').click(); + await firstGuest.click(); + await expect(titleAndAttendees.locator('[data-testid="unmark-no-show"]')).toBeVisible(); + await expect(titleAndAttendees.locator('[data-testid="mark-no-show"]')).toBeHidden(); + await webhookReceiver.waitForRequestCount(1); + const [request] = webhookReceiver.requestList; + const body = request.body; + // remove dynamic properties that differs depending on where you run the tests + const dynamic = "[redacted/dynamic]"; + // @ts-expect-error we are modifying the object + body.createdAt = dynamic; + expect(body).toMatchObject({ + triggerEvent: "BOOKING_NO_SHOW_UPDATED", + createdAt: "[redacted/dynamic]", + payload: { + message: "first@cal.com marked as no-show", + attendees: [{ email: "first@cal.com", noShow: true, utcOffset: null }], + bookingUid: bookingWhereFirstUserIsOrganizer?.uid, + bookingId: bookingWhereFirstUserIsOrganizer?.id, + }, + }); + webhookReceiver.close(); + }); + test("Mark 3rd attendee as no-show", async ({ page, users, bookings }) => { + const firstUser = await users.create(); + const secondUser = await users.create(); + + const bookingWhereFirstUserIsOrganizerFixture = await createBooking({ + title: "Booking as organizer", + bookingsFixture: bookings, + // Create a booking 4 days ago + relativeDate: -4, + organizer: firstUser, + organizerEventType: firstUser.eventTypes[0], + attendees: [ + { name: "First", email: "first@cal.com", timeZone: "Europe/Berlin" }, + { name: "Second", email: "second@cal.com", timeZone: "Europe/Berlin" }, + { name: "Third", email: "third@cal.com", timeZone: "Europe/Berlin" }, + { name: "Fourth", email: "fourth@cal.com", timeZone: "Europe/Berlin" }, + ], + }); + const bookingWhereFirstUserIsOrganizer = await bookingWhereFirstUserIsOrganizerFixture.self(); + + await firstUser.apiLogin(); + await page.goto(`/bookings/past`); + const pastBookings = page.locator('[data-testid="past-bookings"]'); + const firstPastBooking = pastBookings.locator('[data-testid="booking-item"]').nth(0); + const titleAndAttendees = firstPastBooking.locator('[data-testid="title-and-attendees"]'); + const moreGuests = firstPastBooking.locator('[data-testid="more-guests"]'); + await moreGuests.click(); + const firstGuestInMore = page.getByRole("menuitemcheckbox").nth(0); + await expect(firstGuestInMore).toBeChecked({ checked: false }); + await firstGuestInMore.click(); + await expect(firstGuestInMore).toBeChecked({ checked: true }); + const updateNoShow = firstPastBooking.locator('[data-testid="update-no-show"]'); + await updateNoShow.click(); + await moreGuests.click(); + await expect(firstGuestInMore).toBeChecked({ checked: true }); + }); + }); }); async function createBooking({ @@ -71,6 +160,7 @@ async function createBooking({ attendees, /** * Relative date from today + * -1 means yesterday * 0 means today * 1 means tomorrow */ diff --git a/apps/web/playwright/dynamic-booking-pages.e2e.ts b/apps/web/playwright/dynamic-booking-pages.e2e.ts index bf30c2bd01e7e1..34317257cdc29f 100644 --- a/apps/web/playwright/dynamic-booking-pages.e2e.ts +++ b/apps/web/playwright/dynamic-booking-pages.e2e.ts @@ -62,6 +62,46 @@ test("dynamic booking", async ({ page, users }) => { }); }); +test("dynamic booking info prefilled by query params", async ({ page, users }) => { + const pro = await users.create(); + await pro.apiLogin(); + + let duration = 15; + const free = await users.create({ username: "free.example" }); + await page.goto(`/${pro.username}+${free.username}?duration=${duration}`); + + await page.waitForLoadState("networkidle"); + + const badgeByDurationTestId = (duration: number) => `multiple-choice-${duration}mins`; + + let badgeLocator = await page.getByTestId(badgeByDurationTestId(duration)); + let activeState = await badgeLocator.getAttribute("data-active"); + + expect(activeState).toEqual("true"); + + duration = 30; + await page.goto(`/${pro.username}+${free.username}?duration=${duration}`); + badgeLocator = await page.getByTestId(badgeByDurationTestId(duration)); + activeState = await badgeLocator.getAttribute("data-active"); + + expect(activeState).toEqual("true"); + + // Check another badge just to ensure its not selected + badgeLocator = await page.getByTestId(badgeByDurationTestId(15)); + activeState = await badgeLocator.getAttribute("data-active"); + expect(activeState).toEqual("false"); +}); +// eslint-disable-next-line playwright/no-skipped-test +test.skip("it contains the right event details", async ({ page }) => { + const response = await page.goto(`http://acme.cal.local:3000/owner1+member1`); + expect(response?.status()).toBe(200); + + expect(await page.locator('[data-testid="event-title"]').textContent()).toBe("Group Meeting"); + expect(await page.locator('[data-testid="event-meta"]').textContent()).toContain("Acme Inc"); + + expect((await page.locator('[data-testid="event-meta"] [data-testid="avatar"]').all()).length).toBe(3); +}); + test.describe("Organization:", () => { test.afterEach(({ orgs, users }) => { orgs.deleteAll(); diff --git a/apps/web/playwright/embed-code-generator.e2e.ts b/apps/web/playwright/embed-code-generator.e2e.ts index dec2200db907d4..f7ced620e070d0 100644 --- a/apps/web/playwright/embed-code-generator.e2e.ts +++ b/apps/web/playwright/embed-code-generator.e2e.ts @@ -59,8 +59,9 @@ test.describe("Embed Code Generator Tests", () => { orgSlug: null, }); - await goToPreviewTab(page); - + // To prevent early timeouts + // eslint-disable-next-line playwright/no-wait-for-timeout + await page.waitForTimeout(1000); await expectToContainValidPreviewIframe(page, { embedType: "inline", calLink: `${pro.username}/30-min`, @@ -96,7 +97,9 @@ test.describe("Embed Code Generator Tests", () => { orgSlug: null, }); - await goToPreviewTab(page); + // To prevent early timeouts + // eslint-disable-next-line playwright/no-wait-for-timeout + await page.waitForTimeout(1000); await expectToContainValidPreviewIframe(page, { embedType: "floating-popup", calLink: `${pro.username}/30-min`, @@ -132,7 +135,9 @@ test.describe("Embed Code Generator Tests", () => { orgSlug: null, }); - await goToPreviewTab(page); + // To prevent early timeouts + // eslint-disable-next-line playwright/no-wait-for-timeout + await page.waitForTimeout(1000); await expectToContainValidPreviewIframe(page, { embedType: "element-click", calLink: `${pro.username}/30-min`, @@ -170,8 +175,9 @@ test.describe("Embed Code Generator Tests", () => { orgSlug: null, }); - await goToPreviewTab(page); - + // To prevent early timeouts + // eslint-disable-next-line playwright/no-wait-for-timeout + await page.waitForTimeout(1000); await expectToContainValidPreviewIframe(page, { embedType: "inline", calLink: decodeURIComponent(embedUrl), @@ -227,7 +233,9 @@ test.describe("Embed Code Generator Tests", () => { orgSlug: org.slug, }); - await goToPreviewTab(page); + // To prevent early timeouts + // eslint-disable-next-line playwright/no-wait-for-timeout + await page.waitForTimeout(1000); await expectToContainValidPreviewIframe(page, { embedType: "inline", calLink: `${user.username}/30-min`, @@ -266,7 +274,9 @@ test.describe("Embed Code Generator Tests", () => { orgSlug: org.slug, }); - await goToPreviewTab(page); + // To prevent early timeouts + // eslint-disable-next-line playwright/no-wait-for-timeout + await page.waitForTimeout(1000); await expectToContainValidPreviewIframe(page, { embedType: "floating-popup", calLink: `${user.username}/30-min`, @@ -304,7 +314,9 @@ test.describe("Embed Code Generator Tests", () => { orgSlug: org.slug, }); - await goToPreviewTab(page); + // To prevent early timeouts + // eslint-disable-next-line playwright/no-wait-for-timeout + await page.waitForTimeout(1000); await expectToContainValidPreviewIframe(page, { embedType: "element-click", calLink: `${user.username}/30-min`, @@ -320,13 +332,6 @@ function chooseEmbedType(page: Page, embedType: EmbedType) { page.locator(`[data-testid=${embedType}]`).click(); } -async function goToPreviewTab(page: Page) { - // To prevent early timeouts - // eslint-disable-next-line playwright/no-wait-for-timeout - await page.waitForTimeout(1000); - await page.locator("[data-testid=horizontal-tab-Preview]").click(); -} - async function goToReactCodeTab(page: Page) { // To prevent early timeouts // eslint-disable-next-line playwright/no-wait-for-timeout @@ -419,6 +424,10 @@ async function expectValidHtmlEmbedSnippet( expect(embedCode).toContain(orgSlug); } + // Html/VanillaJS embed needs namespace to call an instruction + // Verify Cal.ns.abc("ui") or Cal.ns["abc"]("ui") + expect(embedCode).toMatch(/.*Cal\.ns[^(]+\("ui/); + const dom = parse(embedCode); const scripts = dom.getElementsByTagName("script"); assertThatCodeIsValidVanillaJsCode(scripts[0].innerText); @@ -487,6 +496,8 @@ async function expectValidReactEmbedSnippet( expect(embedCode).toContain( embedType === "floating-popup" ? "floatingButton" : embedType === "inline" ? ` { const firstFullSlug = await page.locator(`[data-testid=event-type-slug-${eventTypeId}]`).innerText(); const firstSlug = firstFullSlug.split("/")[2]; + await expect(page.locator("[data-testid=readonly-badge]")).toBeHidden(); + await page.click(`[data-testid=event-type-options-${eventTypeId}]`); await page.click(`[data-testid=event-type-duplicate-${eventTypeId}]`); // Wait for the dialog to appear so we can get the URL @@ -247,7 +256,9 @@ testBothFutureAndLegacyRoutes.describe("Event Types tests", () => { expect(await linkElement.getAttribute("href")).toBe(testUrl); }); - test("Can remove location from multiple locations that are saved", async ({ page }) => { + // TODO: This test is extremely flaky and has been failing a lot, blocking many PRs. Fix this. + // eslint-disable-next-line playwright/no-skipped-test + test.skip("Can remove location from multiple locations that are saved", async ({ page }) => { await gotoFirstEventType(page); // Add Attendee Phone Number location @@ -331,11 +342,11 @@ testBothFutureAndLegacyRoutes.describe("Event Types tests", () => { // Remove Both of the locations const removeButtomId = "delete-locations.0.type"; - await page.getByTestId(removeButtomId).click(); - await page.getByTestId(removeButtomId).click(); + await page.getByTestId(removeButtomId).nth(0).click(); + await page.getByTestId(removeButtomId).nth(0).click(); // Add Multiple Organizer Phone Number options - await page.getByTestId("location-select").click(); + await page.getByTestId("location-select").last().click(); await page.locator(`text="Organizer Phone Number"`).click(); const organizerPhoneNumberInputName = (idx: number) => `locations[${idx}].hostPhoneNumber`; @@ -365,25 +376,6 @@ const selectAttendeePhoneNumber = async (page: Page) => { await page.locator(`text=${locationOptionText}`).click(); }; -async function gotoFirstEventType(page: Page) { - const $eventTypes = page.locator("[data-testid=event-types] > li a"); - const firstEventTypeElement = $eventTypes.first(); - await firstEventTypeElement.click(); - await page.waitForURL((url) => { - return !!url.pathname.match(/\/event-types\/.+/); - }); -} - -async function saveEventType(page: Page) { - await page.locator("[data-testid=update-eventtype]").click(); -} - -async function gotoBookingPage(page: Page) { - const previewLink = await page.locator("[data-testid=preview-button]").getAttribute("href"); - - await page.goto(previewLink ?? ""); -} - /** * Adds n+1 location to the event type */ diff --git a/apps/web/playwright/fixtures/apps.ts b/apps/web/playwright/fixtures/apps.ts index 61c649684ab1bf..2fa3499416e874 100644 --- a/apps/web/playwright/fixtures/apps.ts +++ b/apps/web/playwright/fixtures/apps.ts @@ -1,14 +1,107 @@ import { expect, type Page } from "@playwright/test"; +import type { TApp } from "../apps/conferencing/conferencingApps.e2e"; +import { + bookTimeSlot, + gotoBookingPage, + gotoFirstEventType, + saveEventType, + selectFirstAvailableTimeSlotNextMonth, +} from "../lib/testUtils"; + export function createAppsFixture(page: Page) { return { goToAppsCategory: async (category: string) => { await page.getByTestId(`app-store-category-${category}`).nth(1).click(); await page.goto("apps/categories/analytics"); }, - installApp: async (app: string) => { + installAnalyticsAppSkipConfigure: async (app: string) => { + await page.getByTestId(`app-store-app-card-${app}`).click(); + await page.getByTestId("install-app-button").click(); + await page.click('[data-testid="install-app-button-personal"]'); + await page.waitForURL(`apps/installation/event-types?slug=${app}`); + await page.click('[data-testid="set-up-later"]'); + }, + installAnalyticsApp: async (app: string, eventTypeIds: number[]) => { + await page.getByTestId(`app-store-app-card-${app}`).click(); + (await page.waitForSelector('[data-testid="install-app-button"]')).click(); + + await page.click('[data-testid="install-app-button-personal"]'); + await page.waitForURL(`apps/installation/event-types?slug=${app}`); + + for (const id of eventTypeIds) { + await page.click(`[data-testid="select-event-type-${id}"]`); + } + + await page.click(`[data-testid="save-event-types"]`); + + // adding random-tracking-id to gtm-tracking-id-input because this field is required and the test fails without it + if (app === "gtm") { + await page.waitForLoadState("domcontentloaded"); + for (let index = 0; index < eventTypeIds.length; index++) { + await page.getByTestId("gtm-tracking-id-input").nth(index).fill("random-tracking-id"); + } + } + await page.click(`[data-testid="configure-step-save"]`); + await page.waitForURL("/event-types"); + }, + + installConferencingAppSkipConfigure: async (app: string) => { await page.getByTestId(`app-store-app-card-${app}`).click(); await page.getByTestId("install-app-button").click(); + await page.waitForURL(`apps/installation/event-types?slug=${app}`); + await page.click('[data-testid="set-up-later"]'); + }, + verifyConferencingApp: async (app: TApp) => { + await page.goto("/event-types"); + await gotoFirstEventType(page); + await page.getByTestId("location-select").last().click(); + await page.getByTestId(`location-select-item-${app.type}`).click(); + if (app.organizerInputPlaceholder) { + await page.getByTestId(`${app.type}-location-input`).fill(app.organizerInputPlaceholder); + } + await page.locator("[data-testid=display-location]").last().check(); + await saveEventType(page); + await page.waitForLoadState("networkidle"); + await gotoBookingPage(page); + await selectFirstAvailableTimeSlotNextMonth(page); + await bookTimeSlot(page); + await page.waitForLoadState("networkidle"); + + await expect(page.locator("[data-testid=success-page]")).toBeVisible(); + await expect(page.locator("[data-testid=where] ")).toContainText(app.label); + }, + + installConferencingAppNewFlow: async (app: TApp, eventTypeIds: number[]) => { + await page.goto("apps/categories/conferencing"); + await page.getByTestId(`app-store-app-card-${app.slug}`).click(); + await page.getByTestId("install-app-button").click(); + await page.waitForURL(`apps/installation/event-types?slug=${app.slug}`); + + for (const id of eventTypeIds) { + await page.click(`[data-testid="select-event-type-${id}"]`); + } + await page.click(`[data-testid="save-event-types"]`); + + for (let eindex = 0; eindex < eventTypeIds.length; eindex++) { + if (!app.organizerInputPlaceholder) continue; + await page.getByTestId(`${app.type}-location-input`).nth(eindex).fill(app.organizerInputPlaceholder); + } + await page.click(`[data-testid="configure-step-save"]`); + await page.waitForURL("/event-types"); + }, + + verifyConferencingAppNew: async (app: TApp, eventTypeIds: number[]) => { + for (const id of eventTypeIds) { + await page.goto(`/event-types/${id}`); + await page.waitForLoadState("networkidle"); + await gotoBookingPage(page); + await selectFirstAvailableTimeSlotNextMonth(page); + await bookTimeSlot(page, { name: `Test Testson`, email: `test@example.com` }); + await page.waitForLoadState("networkidle"); + await expect(page.locator("[data-testid=success-page]")).toBeVisible(); + await expect(page.locator("[data-testid=where] ")).toContainText(app.label); + } }, goBackToAppsPage: async () => { await page.getByTestId("add-apps").click(); @@ -20,10 +113,15 @@ export function createAppsFixture(page: Page) { await page.getByTestId("vertical-tab-apps").click(); }, activeApp: async (app: string) => { - await page.getByTestId(`${app}-app-switch`).click(); + await page.locator(`[data-testid='${app}-app-switch']`).click(); }, verifyAppsInfo: async (activeApps: number) => { - await expect(page.locator(`text=6 apps, ${activeApps} active`)).toBeVisible(); + await expect(page.locator(`text=1 apps, ${activeApps} active`)).toBeVisible(); + }, + verifyAppsInfoNew: async (app: string, eventTypeId: number) => { + await page.goto(`event-types/${eventTypeId}?tabName=apps`); + await page.waitForLoadState("domcontentloaded"); + await expect(page.locator(`[data-testid='${app}-app-switch'][data-state="checked"]`)).toBeVisible(); }, }; } diff --git a/apps/web/playwright/fixtures/emails.ts b/apps/web/playwright/fixtures/emails.ts index 412f20af634e0a..dff23ad339a34e 100644 --- a/apps/web/playwright/fixtures/emails.ts +++ b/apps/web/playwright/fixtures/emails.ts @@ -3,7 +3,8 @@ import mailhog from "mailhog"; import { IS_MAILHOG_ENABLED } from "@calcom/lib/constants"; const unimplemented = () => { - throw new Error("Mailhog is not enabled"); + // throw new Error("Mailhog is not enabled"); + return null; }; const hasUUID = (query: string) => { diff --git a/apps/web/playwright/fixtures/users.ts b/apps/web/playwright/fixtures/users.ts index 8050f9338d159f..7c7834694a08f8 100644 --- a/apps/web/playwright/fixtures/users.ts +++ b/apps/web/playwright/fixtures/users.ts @@ -1,4 +1,5 @@ import type { Page, WorkerInfo } from "@playwright/test"; +import { expect } from "@playwright/test"; import type Prisma from "@prisma/client"; import type { Team } from "@prisma/client"; import { Prisma as PrismaType } from "@prisma/client"; @@ -34,6 +35,30 @@ const userIncludes = PrismaType.validator()({ routingForms: true, }); +type InstallStripeParamsSkipTrue = { + eventTypeIds?: number[]; + skip: true; +}; + +type InstallStripeParamsSkipFalse = { + skip: false; + eventTypeIds: number[]; +}; +type InstallStripeParamsUnion = InstallStripeParamsSkipTrue | InstallStripeParamsSkipFalse; +type InstallStripeTeamPramas = InstallStripeParamsUnion & { + page: Page; + teamId: number; +}; +type InstallStripePersonalPramas = InstallStripeParamsUnion & { + page: Page; +}; + +type InstallStripeParams = InstallStripeParamsUnion & { + redirectUrl: string; + buttonSelector: string; + page: Page; +}; + const userWithEventTypes = PrismaType.validator()({ include: userIncludes, }); @@ -66,6 +91,7 @@ const createTeamEventType = async ( teamEventTitle?: string; teamEventSlug?: string; teamEventLength?: number; + seatsPerTimeSlot?: number; } ) => { return await prisma.eventType.create({ @@ -95,6 +121,7 @@ const createTeamEventType = async ( title: scenario?.teamEventTitle ?? `${teamEventTitle}-team-id-${team.id}`, slug: scenario?.teamEventSlug ?? `${teamEventSlug}-team-id-${team.id}`, length: scenario?.teamEventLength ?? 30, + seatsPerTimeSlot: scenario?.seatsPerTimeSlot, }, }); }; @@ -228,6 +255,7 @@ export const createUsersFixture = ( isDnsSetup?: boolean; hasSubteam?: true; isUnpublished?: true; + seatsPerTimeSlot?: number; } = {} ) => { const _user = await prisma.user.create({ @@ -650,6 +678,12 @@ const createUserFixture = (user: UserWithIncludes, page: Page) => { userId: user.id, }, }), + getUserEventsAsOwner: async () => + prisma.eventType.findMany({ + where: { + userId: user.id, + }, + }), getFirstTeamEvent: async (teamId: number) => { return prisma.eventType.findFirstOrThrow({ where: { @@ -657,12 +691,15 @@ const createUserFixture = (user: UserWithIncludes, page: Page) => { }, }); }, - getPaymentCredential: async () => getPaymentCredential(store.page), setupEventWithPrice: async (eventType: Pick, slug: string) => setupEventWithPrice(eventType, slug, store.page), bookAndPayEvent: async (eventType: Pick) => bookAndPayEvent(user, eventType, store.page), makePaymentUsingStripe: async () => makePaymentUsingStripe(store.page), + installStripePersonal: async (params: InstallStripeParamsUnion) => + installStripePersonal({ page: store.page, ...params }), + installStripeTeam: async (params: InstallStripeParamsUnion & { teamId: number }) => + installStripeTeam({ page: store.page, ...params }), // ths is for developemnt only aimed to inject debugging messages in the metadata field of the user debug: async (message: string | Record) => { await prisma.user.update({ @@ -908,18 +945,49 @@ export async function makePaymentUsingStripe(page: Page) { await page.click('button:has-text("Pay now")'); } -export async function getPaymentCredential(page: Page) { - await page.goto("/apps/stripe"); +const installStripePersonal = async (params: InstallStripePersonalPramas) => { + const redirectUrl = `apps/installation/event-types?slug=stripe`; + const buttonSelector = '[data-testid="install-app-button-personal"]'; + await installStripe({ redirectUrl, buttonSelector, ...params }); +}; +const installStripeTeam = async ({ teamId, ...params }: InstallStripeTeamPramas) => { + const redirectUrl = `apps/installation/event-types?slug=stripe&teamId=${teamId}`; + const buttonSelector = `[data-testid="install-app-button-team${teamId}"]`; + await installStripe({ redirectUrl, buttonSelector, ...params }); +}; +const installStripe = async ({ + page, + skip, + eventTypeIds, + redirectUrl, + buttonSelector, +}: InstallStripeParams) => { + await page.goto("/apps/stripe"); /** We start the Stripe flow */ - await Promise.all([ - page.waitForURL("https://connect.stripe.com/oauth/v2/authorize?*"), - page.click('[data-testid="install-app-button"]'), - ]); - - await Promise.all([ - page.waitForURL("/apps/installed/payment?hl=stripe"), - /** We skip filling Stripe forms (testing mode only) */ - page.click('[id="skip-account-app"]'), - ]); -} + await page.click('[data-testid="install-app-button"]'); + await page.click(buttonSelector); + + await page.waitForURL("https://connect.stripe.com/oauth/v2/authorize?*"); + /** We skip filling Stripe forms (testing mode only) */ + await page.click('[id="skip-account-app"]'); + await page.waitForURL(redirectUrl); + if (skip) { + await page.click('[data-testid="set-up-later"]'); + return; + } + for (const id of eventTypeIds) { + await page.click(`[data-testid="select-event-type-${id}"]`); + } + await page.click(`[data-testid="save-event-types"]`); + for (let index = 0; index < eventTypeIds.length; index++) { + await page.locator('[data-testid="stripe-price-input"]').nth(index).fill(`1${index}`); + } + await page.click(`[data-testid="configure-step-save"]`); + await page.waitForURL(`event-types`); + for (let index = 0; index < eventTypeIds.length; index++) { + await page.goto(`event-types/${eventTypeIds[index]}?tabName=apps`); + await expect(page.getByTestId(`stripe-app-switch`)).toBeChecked(); + await expect(page.getByTestId(`stripe-price-input`)).toHaveValue(`1${index}`); + } +}; diff --git a/apps/web/playwright/fixtures/webhooks.ts b/apps/web/playwright/fixtures/webhooks.ts new file mode 100644 index 00000000000000..de5b0b37fcba8f --- /dev/null +++ b/apps/web/playwright/fixtures/webhooks.ts @@ -0,0 +1,39 @@ +import { expect, type Page } from "@playwright/test"; + +import { createHttpServer } from "../lib/testUtils"; + +export function createWebhookPageFixture(page: Page) { + return { + createTeamReceiver: async () => { + const webhookReceiver = createHttpServer(); + await page.goto(`/settings/developer/webhooks`); + await page.click('[data-testid="new_webhook"]'); + await page.click('[data-testid="option-team-1"]'); + await page.waitForURL((u) => u.pathname === "/settings/developer/webhooks/new"); + const url = page.url(); + const teamId = Number(new URL(url).searchParams.get("teamId")) as number; + await page.click('[data-testid="new_webhook"]'); + await page.fill('[name="subscriberUrl"]', webhookReceiver.url); + await page.fill('[name="secret"]', "secret"); + await Promise.all([ + page.click("[type=submit]"), + page.waitForURL((url) => url.pathname.endsWith("/settings/developer/webhooks")), + ]); + expect(page.locator(`text='${webhookReceiver.url}'`)).toBeDefined(); + return { webhookReceiver, teamId }; + }, + createReceiver: async () => { + const webhookReceiver = createHttpServer(); + await page.goto(`/settings/developer/webhooks`); + await page.click('[data-testid="new_webhook"]'); + await page.fill('[name="subscriberUrl"]', webhookReceiver.url); + await page.fill('[name="secret"]', "secret"); + await Promise.all([ + page.click("[type=submit]"), + page.waitForURL((url) => url.pathname.endsWith("/settings/developer/webhooks")), + ]); + expect(page.locator(`text='${webhookReceiver.url}'`)).toBeDefined(); + return webhookReceiver; + }, + }; +} diff --git a/apps/web/playwright/fixtures/workflows.ts b/apps/web/playwright/fixtures/workflows.ts index d013134a2fe3ff..99a4d4ba11f589 100644 --- a/apps/web/playwright/fixtures/workflows.ts +++ b/apps/web/playwright/fixtures/workflows.ts @@ -30,6 +30,7 @@ export function createWorkflowPageFixture(page: Page) { await selectEventType("30 min"); } await saveWorkflow(); + await page.getByTestId("go-back-button").click(); }; const saveWorkflow = async () => { @@ -71,7 +72,7 @@ export function createWorkflowPageFixture(page: Page) { }; const selectEventType = async (name: string) => { - await page.getByText("Select...").click(); + await page.getByTestId("multi-select-check-boxes").click(); await page.getByText(name, { exact: true }).click(); }; diff --git a/apps/web/playwright/hash-my-url.e2e.ts b/apps/web/playwright/hash-my-url.e2e.ts index b8e67d47c0d4f3..d490c7ce45a65e 100644 --- a/apps/web/playwright/hash-my-url.e2e.ts +++ b/apps/web/playwright/hash-my-url.e2e.ts @@ -55,8 +55,8 @@ test.describe("hash my url", () => { // Ensure that private URL is enabled after modifying the event type. // Additionally, if the slug is changed, ensure that the private URL is updated accordingly. await page.getByTestId("vertical-tab-event_setup_tab_title").click(); - await page.locator("[data-testid=event-title]").fill("somethingrandom"); - await page.locator("[data-testid=event-slug]").fill("somethingrandom"); + await page.locator("[data-testid=event-title]").first().fill("somethingrandom"); + await page.locator("[data-testid=event-slug]").first().fill("somethingrandom"); await page.locator("[data-testid=update-eventtype]").click(); await page.getByTestId("toast-success").waitFor(); await page.waitForLoadState("networkidle"); diff --git a/apps/web/playwright/impersonation.e2e.ts b/apps/web/playwright/impersonation.e2e.ts index a1424f8b9a37f0..41c162acff9abc 100644 --- a/apps/web/playwright/impersonation.e2e.ts +++ b/apps/web/playwright/impersonation.e2e.ts @@ -29,7 +29,8 @@ test.describe("Users can impersonate", async () => { await page.getByTestId("impersonation-submit").click(); // // Wait for sign in to complete - await page.waitForURL("/settings/my-account/profile"); + await page.waitForURL("/event-types"); + await page.goto("/settings/profile"); const stopImpersonatingButton = page.getByTestId("stop-impersonating-button"); diff --git a/apps/web/playwright/integrations-stripe.e2e.ts b/apps/web/playwright/integrations-stripe.e2e.ts index 19291b634566b8..ca8d35e193b7d8 100644 --- a/apps/web/playwright/integrations-stripe.e2e.ts +++ b/apps/web/playwright/integrations-stripe.e2e.ts @@ -20,7 +20,7 @@ const IS_STRIPE_ENABLED = !!( process.env.PAYMENT_FEE_PERCENTAGE ); -test.describe("Stripe integration", () => { +test.describe("Stripe integration skip true", () => { // eslint-disable-next-line playwright/no-skipped-test test.skip(!IS_STRIPE_ENABLED, "It should only run if Stripe is installed"); @@ -28,22 +28,20 @@ test.describe("Stripe integration", () => { test("Can add Stripe integration", async ({ page, users }) => { const user = await users.create(); await user.apiLogin(); - await page.goto("/apps/installed"); - await user.getPaymentCredential(); + await user.installStripePersonal({ skip: true }); await expect(page.locator(`h3:has-text("Stripe")`)).toBeVisible(); await page.getByRole("list").getByRole("button").click(); await expect(page.getByRole("button", { name: "Remove App" })).toBeVisible(); }); }); - test("when enabling Stripe, credentialId is included", async ({ page, users }) => { const user = await users.create(); await user.apiLogin(); await page.goto("/apps/installed"); - await user.getPaymentCredential(); + await user.installStripePersonal({ skip: true }); const eventType = user.eventTypes.find((e) => e.slug === "paid") as Prisma.EventType; await user.setupEventWithPrice(eventType, "stripe"); @@ -68,7 +66,6 @@ test.describe("Stripe integration", () => { expect(stripeAppMetadata).toHaveProperty("credentialId"); expect(typeof stripeAppMetadata?.credentialId).toBe("number"); }); - test("when enabling Stripe, team credentialId is included", async ({ page, users }) => { const ownerObj = { username: "pro-user", name: "pro-user" }; const teamMatesObj = [ @@ -85,25 +82,10 @@ test.describe("Stripe integration", () => { }); await owner.apiLogin(); const { team } = await owner.getFirstTeamMembership(); - const { title: teamEventTitle, slug: teamEventSlug } = await owner.getFirstTeamEvent(team.id); const teamEvent = await owner.getFirstTeamEvent(team.id); - await page.goto("/apps/stripe"); - - /** We start the Stripe flow */ - await Promise.all([ - page.waitForURL("https://connect.stripe.com/oauth/v2/authorize?*"), - page.click('[data-testid="install-app-button"]'), - page.click('[data-testid="anything else"]'), - ]); - - await Promise.all([ - page.waitForURL("/apps/installed/payment?hl=stripe"), - /** We skip filling Stripe forms (testing mode only) */ - page.click('[id="skip-account-app"]'), - ]); - + await owner.installStripeTeam({ skip: true, teamId: team.id }); await owner.setupEventWithPrice(teamEvent, "stripe"); // Need to wait for the DB to be updated with the metadata @@ -126,14 +108,13 @@ test.describe("Stripe integration", () => { expect(stripeAppMetadata).toHaveProperty("credentialId"); expect(typeof stripeAppMetadata?.credentialId).toBe("number"); }); - test("Can book a paid booking", async ({ page, users }) => { const user = await users.create(); const eventType = user.eventTypes.find((e) => e.slug === "paid") as Prisma.EventType; await user.apiLogin(); await page.goto("/apps/installed"); - await user.getPaymentCredential(); + await user.installStripePersonal({ skip: true }); await user.setupEventWithPrice(eventType, "stripe"); await user.bookAndPayEvent(eventType); // success @@ -146,7 +127,7 @@ test.describe("Stripe integration", () => { await user.apiLogin(); await page.goto("/apps/installed"); - await user.getPaymentCredential(); + await user.installStripePersonal({ skip: true }); await user.setupEventWithPrice(eventType, "stripe"); // booking process without payment @@ -170,7 +151,7 @@ test.describe("Stripe integration", () => { await user.apiLogin(); await page.goto("/apps/installed"); - await user.getPaymentCredential(); + await user.installStripePersonal({ skip: true }); await user.setupEventWithPrice(eventType, "stripe"); await user.bookAndPayEvent(eventType); @@ -193,7 +174,7 @@ test.describe("Stripe integration", () => { await user.apiLogin(); await page.goto("/apps/installed"); - await user.getPaymentCredential(); + await user.installStripePersonal({ skip: true }); await user.setupEventWithPrice(eventType, "stripe"); await user.bookAndPayEvent(eventType); @@ -213,7 +194,7 @@ test.describe("Stripe integration", () => { await user.apiLogin(); await page.goto("/apps/installed"); - await user.getPaymentCredential(); + await user.installStripePersonal({ skip: true }); await user.setupEventWithPrice(eventType, "stripe"); await user.bookAndPayEvent(eventType); await user.confirmPendingPayment(); @@ -247,7 +228,7 @@ test.describe("Stripe integration", () => { const eventType = user.eventTypes.find((e) => e.slug === "paid") as Prisma.EventType; await user.apiLogin(); - await user.getPaymentCredential(); + await user.installStripePersonal({ skip: true }); // Edit currency inside event type page await page.goto(`/event-types/${eventType?.id}?tabName=apps`); @@ -291,3 +272,238 @@ test.describe("Stripe integration", () => { }); }); }); + +test.describe("Stripe integration with the new app install flow skip flase", () => { + // eslint-disable-next-line playwright/no-skipped-test + test.skip(!IS_STRIPE_ENABLED, "It should only run if Stripe is installed"); + + test("when enabling Stripe, credentialId is included skip false", async ({ page, users }) => { + const user = await users.create(); + await user.apiLogin(); + await page.goto("/apps/installed"); + const eventTypes = await user.getUserEventsAsOwner(); + const eventTypeIds = eventTypes.map((item) => item.id); + + // await installStripe(page, "personal", false, eventTypeIds); + await user.installStripePersonal({ skip: false, eventTypeIds }); + + const eventTypeMetadatas = await prisma.eventType.findMany({ + where: { + id: { + in: eventTypeIds, + }, + }, + select: { + metadata: true, + }, + }); + + for (const eventTypeMetadata of eventTypeMetadatas) { + const metadata = EventTypeMetaDataSchema.parse(eventTypeMetadata?.metadata); + const stripeAppMetadata = metadata?.apps?.stripe; + expect(stripeAppMetadata).toHaveProperty("credentialId"); + expect(typeof stripeAppMetadata?.credentialId).toBe("number"); + } + }); + test("when enabling Stripe, team credentialId is included skip false", async ({ page, users }) => { + const ownerObj = { username: "pro-user", name: "pro-user" }; + const teamMatesObj = [ + { name: "teammate-1" }, + { name: "teammate-2" }, + { name: "teammate-3" }, + { name: "teammate-4" }, + ]; + + const owner = await users.create(ownerObj, { + hasTeam: true, + teammates: teamMatesObj, + schedulingType: SchedulingType.COLLECTIVE, + }); + await owner.apiLogin(); + const { team } = await owner.getFirstTeamMembership(); + + const teamEvent = await owner.getFirstTeamEvent(team.id); + + await owner.installStripeTeam({ skip: false, teamId: team.id, eventTypeIds: [teamEvent.id] }); + + // Check event type metadata to see if credentialId is included + const eventTypeMetadata = await prisma.eventType.findFirst({ + where: { + id: teamEvent.id, + }, + select: { + metadata: true, + }, + }); + + const metadata = EventTypeMetaDataSchema.parse(eventTypeMetadata?.metadata); + + const stripeAppMetadata = metadata?.apps?.stripe; + + expect(stripeAppMetadata).toHaveProperty("credentialId"); + expect(typeof stripeAppMetadata?.credentialId).toBe("number"); + }); + test("Can book a paid booking skip false", async ({ page, users }) => { + const user = await users.create(); + const eventType = user.eventTypes.find((e) => e.slug === "paid") as Prisma.EventType; + await user.apiLogin(); + await page.goto("/apps/installed"); + + await user.installStripePersonal({ skip: false, eventTypeIds: [eventType.id] }); + await user.bookAndPayEvent(eventType); + // success + await expect(page.locator("[data-testid=success-page]")).toBeVisible(); + }); + test("Pending payment booking should not be confirmed by default skip false", async ({ page, users }) => { + const user = await users.create(); + const eventType = user.eventTypes.find((e) => e.slug === "paid") as Prisma.EventType; + await user.apiLogin(); + await page.goto("/apps/installed"); + + await user.installStripePersonal({ skip: false, eventTypeIds: [eventType.id] }); + + // booking process without payment + await page.goto(`${user.username}/${eventType?.slug}`); + await selectFirstAvailableTimeSlotNextMonth(page); + // --- fill form + await page.fill('[name="name"]', "Stripe Stripeson"); + await page.fill('[name="email"]', "test@example.com"); + + await Promise.all([page.waitForURL("/payment/*"), page.press('[name="email"]', "Enter")]); + + await page.goto(`/bookings/upcoming`); + + await expect(page.getByText("Unconfirmed")).toBeVisible(); + await expect(page.getByText("Pending payment").last()).toBeVisible(); + }); + + test("Paid booking should be able to be rescheduled skip false", async ({ page, users }) => { + const user = await users.create(); + const eventType = user.eventTypes.find((e) => e.slug === "paid") as Prisma.EventType; + await user.apiLogin(); + await page.goto("/apps/installed"); + + await user.installStripePersonal({ skip: false, eventTypeIds: [eventType.id] }); + await user.bookAndPayEvent(eventType); + + // Rescheduling the event + await Promise.all([page.waitForURL("/booking/*"), page.click('[data-testid="reschedule-link"]')]); + + await selectFirstAvailableTimeSlotNextMonth(page); + + await Promise.all([ + page.waitForURL("/payment/*"), + page.click('[data-testid="confirm-reschedule-button"]'), + ]); + + await user.makePaymentUsingStripe(); + }); + + test("Paid booking should be able to be cancelled skip false", async ({ page, users }) => { + const user = await users.create(); + const eventType = user.eventTypes.find((e) => e.slug === "paid") as Prisma.EventType; + await user.apiLogin(); + await page.goto("/apps/installed"); + + await user.installStripePersonal({ skip: false, eventTypeIds: [eventType.id] }); + await user.bookAndPayEvent(eventType); + + await page.click('[data-testid="cancel"]'); + await page.click('[data-testid="confirm_cancel"]'); + + await expect(await page.locator('[data-testid="cancelled-headline"]').first()).toBeVisible(); + }); + + test.describe("When event is paid and confirmed skip false", () => { + let user: Awaited>; + let eventType: Prisma.EventType; + + test.beforeEach(async ({ page, users }) => { + user = await users.create(); + eventType = user.eventTypes.find((e) => e.slug === "paid") as Prisma.EventType; + await user.apiLogin(); + await page.goto("/apps/installed"); + + await user.installStripePersonal({ skip: false, eventTypeIds: [eventType.id] }); + await user.bookAndPayEvent(eventType); + await user.confirmPendingPayment(); + }); + + test("Payment should confirm pending payment booking skip false", async ({ page, users }) => { + await page.goto("/bookings/upcoming"); + + const paidBadge = page.locator('[data-testid="paid_badge"]').first(); + + await expect(paidBadge).toBeVisible(); + expect(await paidBadge.innerText()).toBe("Paid"); + }); + + test("Paid and confirmed booking should be able to be rescheduled skip false", async ({ + page, + users, + }) => { + await Promise.all([page.waitForURL("/booking/*"), page.click('[data-testid="reschedule-link"]')]); + + await selectFirstAvailableTimeSlotNextMonth(page); + + await page.click('[data-testid="confirm-reschedule-button"]'); + + await expect(page.getByText("This meeting is scheduled")).toBeVisible(); + }); + + todo("Payment should trigger a BOOKING_PAID webhook"); + }); + + test.describe("Change stripe presented currency skip false", () => { + test("Should be able to change currency skip false", async ({ page, users }) => { + const user = await users.create(); + const eventType = user.eventTypes.find((e) => e.slug === "paid") as Prisma.EventType; + await user.apiLogin(); + + await page.goto("/apps/stripe"); + /** We start the Stripe flow */ + await page.click('[data-testid="install-app-button"]'); + await page.click('[data-testid="install-app-button-personal"]'); + + await page.waitForURL("https://connect.stripe.com/oauth/v2/authorize?*"); + /** We skip filling Stripe forms (testing mode only) */ + await page.click('[id="skip-account-app"]'); + await page.waitForURL(`apps/installation/event-types?slug=stripe`); + await page.click(`[data-testid="select-event-type-${eventType.id}"]`); + await page.click(`[data-testid="save-event-types"]`); + await page.locator('[data-testid="stripe-price-input"]').fill(`200`); + + // Select currency in dropdown + await page.getByTestId("stripe-currency-select").click(); + await page.locator("#react-select-2-input").fill("mexi"); + await page.locator("#react-select-2-option-81").click(); + + await page.click(`[data-testid="configure-step-save"]`); + await page.waitForURL(`event-types`); + + // Book event + await page.goto(`${user.username}/${eventType?.slug}`); + + // Confirm MXN currency it's displayed use expect + await expect(await page.getByText("MX$200.00")).toBeVisible(); + + await selectFirstAvailableTimeSlotNextMonth(page); + + // Confirm again in book form page + await expect(await page.getByText("MX$200.00")).toBeVisible(); + + // --- fill form + await page.fill('[name="name"]', "Stripe Stripeson"); + await page.fill('[name="email"]', "stripe@example.com"); + + // Confirm booking + await page.click('[data-testid="confirm-book-button"]'); + + // wait for url to be payment + await page.waitForURL("/payment/*"); + + // Confirm again in book form page + await expect(await page.getByText("MX$200.00")).toBeVisible(); + }); + }); +}); diff --git a/apps/web/playwright/lib/fixtures.ts b/apps/web/playwright/lib/fixtures.ts index 88468aea0c14dc..91e811e478db84 100644 --- a/apps/web/playwright/lib/fixtures.ts +++ b/apps/web/playwright/lib/fixtures.ts @@ -16,6 +16,7 @@ import { createBookingPageFixture } from "../fixtures/regularBookings"; import { createRoutingFormsFixture } from "../fixtures/routingForms"; import { createServersFixture } from "../fixtures/servers"; import { createUsersFixture } from "../fixtures/users"; +import { createWebhookPageFixture } from "../fixtures/webhooks"; import { createWorkflowPageFixture } from "../fixtures/workflows"; export interface Fixtures { @@ -34,6 +35,7 @@ export interface Fixtures { features: ReturnType; eventTypePage: ReturnType; appsPage: ReturnType; + webhooks: ReturnType; } declare global { @@ -110,4 +112,8 @@ export const test = base.extend({ const appsPage = createAppsFixture(page); await use(appsPage); }, + webhooks: async ({ page }, use) => { + const webhooks = createWebhookPageFixture(page); + await use(webhooks); + }, }); diff --git a/apps/web/playwright/lib/testUtils.ts b/apps/web/playwright/lib/testUtils.ts index 01720d594799cf..19ab59aebf70bd 100644 --- a/apps/web/playwright/lib/testUtils.ts +++ b/apps/web/playwright/lib/testUtils.ts @@ -371,3 +371,22 @@ export async function doOnOrgDomain( // When App directory is there, this is the 404 page text. We should work on fixing the 404 page as it changed due to app directory. export const NotFoundPageTextAppDir = "This page does not exist."; // export const NotFoundPageText = "ERROR 404"; + +export async function gotoFirstEventType(page: Page) { + const $eventTypes = page.locator("[data-testid=event-types] > li a"); + const firstEventTypeElement = $eventTypes.first(); + await firstEventTypeElement.click(); + await page.waitForURL((url) => { + return !!url.pathname.match(/\/event-types\/.+/); + }); +} + +export async function gotoBookingPage(page: Page) { + const previewLink = await page.locator("[data-testid=preview-button]").getAttribute("href"); + + await page.goto(previewLink ?? ""); +} + +export async function saveEventType(page: Page) { + await page.locator("[data-testid=update-eventtype]").click(); +} diff --git a/apps/web/playwright/locale.e2e.ts b/apps/web/playwright/locale.e2e.ts index eb05cf26f45d50..6158db37eda230 100644 --- a/apps/web/playwright/locale.e2e.ts +++ b/apps/web/playwright/locale.e2e.ts @@ -496,11 +496,10 @@ test.describe("authorized user sees changed translations (de->pt-BR) [locale1]", await test.step("should change the language and show Brazil-Portuguese translations", async () => { await page.goto("/settings/my-account/general"); - await page.waitForLoadState("domcontentloaded"); await page.locator(".bg-default > div > div:nth-child(2)").first().click(); - await page.locator("#react-select-2-option-14").click(); + await page.locator("text=Português (Brasil)").click(); await page.getByRole("button", { name: "Aktualisieren" }).click(); diff --git a/apps/web/playwright/login.2fa.e2e.ts b/apps/web/playwright/login.2fa.e2e.ts index 5365aa548e64de..62c86f2057727c 100644 --- a/apps/web/playwright/login.2fa.e2e.ts +++ b/apps/web/playwright/login.2fa.e2e.ts @@ -83,9 +83,6 @@ test.describe("2FA Tests", async () => { page.waitForResponse("**/api/auth/callback/credentials**"), ]); const shellLocator = page.locator(`[data-testid=dashboard-shell]`); - - // expects the home page for an authorized user - await page.goto("/"); await expect(shellLocator).toBeVisible(); }); }); diff --git a/apps/web/playwright/login.e2e.ts b/apps/web/playwright/login.e2e.ts index 60fb1938c80dfb..6796669c06517e 100644 --- a/apps/web/playwright/login.e2e.ts +++ b/apps/web/playwright/login.e2e.ts @@ -13,7 +13,10 @@ testBothFutureAndLegacyRoutes.describe("user can login & logout succesfully", as test.afterAll(async ({ users }) => { await users.deleteAll(); }); - test("login flow user & logout using dashboard", async ({ page, users }) => { + + // TODO: This test is extremely flaky and has been failing a lot, blocking many PRs. Fix this. + // eslint-disable-next-line playwright/no-skipped-test + test.skip("login flow user & logout using dashboard", async ({ page, users }) => { // log in trail user await test.step("Log in", async () => { const user = await users.create(); diff --git a/apps/web/playwright/managed-event-types.e2e.ts b/apps/web/playwright/managed-event-types.e2e.ts index 317a39248efab6..c77a552f701cfc 100644 --- a/apps/web/playwright/managed-event-types.e2e.ts +++ b/apps/web/playwright/managed-event-types.e2e.ts @@ -57,6 +57,7 @@ test.describe("Managed Event Types", () => { }); await test.step("Managed event type has unlocked fields for admin", async () => { + await page.getByTestId("vertical-tab-event_setup_tab_title").click(); await page.getByTestId("update-eventtype").waitFor(); await expect(page.locator('input[name="title"]')).toBeEditable(); await expect(page.locator('input[name="slug"]')).toBeEditable(); diff --git a/apps/web/playwright/organization/booking.e2e.ts b/apps/web/playwright/organization/booking.e2e.ts index 4c0cc0d2e3c81e..d044a07ac96f12 100644 --- a/apps/web/playwright/organization/booking.e2e.ts +++ b/apps/web/playwright/organization/booking.e2e.ts @@ -1,25 +1,37 @@ import type { Page } from "@playwright/test"; import { expect } from "@playwright/test"; +import { JSDOM } from "jsdom"; +import { uuid } from "short-uuid"; import { getOrgUsernameFromEmail } from "@calcom/features/auth/signup/utils/getOrgUsernameFromEmail"; -import { getOrgFullOrigin } from "@calcom/features/ee/organizations/lib/orgDomains"; +import { WEBAPP_URL } from "@calcom/lib/constants"; import { MembershipRole, SchedulingType } from "@calcom/prisma/enums"; import { test } from "../lib/fixtures"; import { bookTimeSlot, doOnOrgDomain, - NotFoundPageTextAppDir, selectFirstAvailableTimeSlotNextMonth, testName, } from "../lib/testUtils"; import { expectExistingUserToBeInvitedToOrganization } from "../team/expects"; +import { gotoPathAndExpectRedirectToOrgDomain } from "./lib/gotoPathAndExpectRedirectToOrgDomain"; import { acceptTeamOrOrgInvite, inviteExistingUserToOrganization } from "./lib/inviteUser"; +function getOrgOrigin(orgSlug: string | null) { + if (!orgSlug) { + throw new Error("orgSlug is required"); + } + + let orgOrigin = WEBAPP_URL.replace("://app", `://${orgSlug}`); + orgOrigin = orgOrigin.includes(orgSlug) ? orgOrigin : WEBAPP_URL.replace("://", `://${orgSlug}.`); + return orgOrigin; +} + test.describe("Bookings", () => { - test.afterEach(({ orgs, users }) => { - orgs.deleteAll(); - users.deleteAll(); + test.afterEach(async ({ orgs, users, page }) => { + await users.deleteAll(); + await orgs.deleteAll(); }); test.describe("Team Event", () => { @@ -172,10 +184,7 @@ test.describe("Bookings", () => { }); const event = await user.getFirstEventAsOwner(); - await page.goto(`/${user.username}/${event.slug}`); - - // Shouldn't be servable on the non-org domain - await expect(page.locator(`text=${NotFoundPageTextAppDir}`)).toBeVisible(); + await expectPageToBeNotFound({ page, url: `/${user.username}/${event.slug}` }); await doOnOrgDomain( { @@ -187,6 +196,7 @@ test.describe("Bookings", () => { } ); }); + test.describe("User Event with same slug as another user's", () => { test("booking is created for first user when first user is booked", async ({ page, users, orgs }) => { const org = await orgs.create({ @@ -251,6 +261,55 @@ test.describe("Bookings", () => { ); }); }); + + test("check SSR and OG ", async ({ page, users, orgs }) => { + const name = "Test User"; + const org = await orgs.create({ + name: "TestOrg", + }); + + const user = await users.create({ + name, + organizationId: org.id, + roleInOrganization: MembershipRole.MEMBER, + }); + + const firstEventType = await user.getFirstEventAsOwner(); + const calLink = `/${user.username}/${firstEventType.slug}`; + await doOnOrgDomain( + { + orgSlug: org.slug, + page, + }, + async () => { + const [response] = await Promise.all([ + // This promise resolves to the main resource response + page.waitForResponse( + (response) => response.url().includes(`${calLink}`) && response.status() === 200 + ), + + // Trigger the page navigation + page.goto(`${calLink}`), + ]); + const ssrResponse = await response.text(); + const document = new JSDOM(ssrResponse).window.document; + const orgOrigin = getOrgOrigin(org.slug); + const titleText = document.querySelector("title")?.textContent; + const ogImage = document.querySelector('meta[property="og:image"]')?.getAttribute("content"); + const ogUrl = document.querySelector('meta[property="og:url"]')?.getAttribute("content"); + const canonicalLink = document.querySelector('link[rel="canonical"]')?.getAttribute("href"); + expect(titleText).toContain(name); + expect(ogUrl).toEqual(`${orgOrigin}${calLink}`); + expect(canonicalLink).toEqual(`${orgOrigin}${calLink}`); + // Verify that there is correct URL that would generate the awesome OG image + expect(ogImage).toContain( + "/_next/image?w=1200&q=100&url=%2Fapi%2Fsocial%2Fog%2Fimage%3Ftype%3Dmeeting%26title%3D" + ); + // Verify Organizer Name in the URL + expect(ogImage).toContain("meetingProfileName%3DTest%2520User%26"); + } + ); + }); }); test.describe("Scenario with same username in and outside organization", () => { @@ -266,6 +325,8 @@ test.describe("Bookings", () => { const username = "john"; const userInsideOrganization = await users.create({ username, + useExactUsername: true, + email: `john-inside-${uuid()}@example.com`, name: "John Inside Organization", organizationId: org.id, roleInOrganization: MembershipRole.MEMBER, @@ -281,6 +342,8 @@ test.describe("Bookings", () => { const userOutsideOrganization = await users.create({ username, name: "John Outside Organization", + email: `john-outside-${uuid()}@example.com`, + useExactUsername: true, eventTypes: [ { title: "John Outside Org's Meeting", @@ -380,11 +443,11 @@ test.describe("Bookings", () => { await test.step("Booking through old link redirects to new link on org domain", async () => { const event = await userOutsideOrganization.getFirstEventAsOwner(); - await expectRedirectToOrgDomain({ + await gotoPathAndExpectRedirectToOrgDomain({ page, org, - eventSlug: `/${usernameOutsideOrg}/${event.slug}`, - expectedEventSlug: `/${usernameInOrg}/${event.slug}`, + path: `/${usernameOutsideOrg}/${event.slug}`, + expectedPath: `/${usernameInOrg}/${event.slug}`, }); // As the redirection correctly happens, the booking would work too which we have verified in previous step. But we can't test that with org domain as that domain doesn't exist. }); @@ -461,41 +524,5 @@ async function bookTeamEvent({ async function expectPageToBeNotFound({ page, url }: { page: Page; url: string }) { await page.goto(`${url}`); - await expect(page.locator(`text=${NotFoundPageTextAppDir}`)).toBeVisible(); -} - -async function expectRedirectToOrgDomain({ - page, - org, - eventSlug, - expectedEventSlug, -}: { - page: Page; - org: { slug: string | null }; - eventSlug: string; - expectedEventSlug: string; -}) { - if (!org.slug) { - throw new Error("Org slug is not defined"); - } - page.goto(eventSlug).catch((e) => { - console.log("Expected navigation error to happen"); - }); - - const orgSlug = org.slug; - - const orgRedirectUrl = await new Promise(async (resolve) => { - page.on("request", (request) => { - if (request.isNavigationRequest()) { - const requestedUrl = request.url(); - console.log("Requested navigation to", requestedUrl); - // Resolve on redirection to org domain - if (requestedUrl.includes(orgSlug)) { - resolve(requestedUrl); - } - } - }); - }); - - expect(orgRedirectUrl).toContain(`${getOrgFullOrigin(org.slug)}${expectedEventSlug}`); + await expect(page.getByTestId(`404-page`)).toBeVisible(); } diff --git a/apps/web/playwright/organization/lib/gotoPathAndExpectRedirectToOrgDomain.ts b/apps/web/playwright/organization/lib/gotoPathAndExpectRedirectToOrgDomain.ts new file mode 100644 index 00000000000000..bc50d795d78fef --- /dev/null +++ b/apps/web/playwright/organization/lib/gotoPathAndExpectRedirectToOrgDomain.ts @@ -0,0 +1,40 @@ +import type { Page } from "@playwright/test"; +import { expect } from "@playwright/test"; + +import { getOrgFullOrigin } from "@calcom/features/ee/organizations/lib/orgDomains"; + +export async function gotoPathAndExpectRedirectToOrgDomain({ + page, + org, + path, + expectedPath, +}: { + page: Page; + org: { slug: string | null }; + path: string; + expectedPath: string; +}) { + if (!org.slug) { + throw new Error("Org slug is not defined"); + } + page.goto(path).catch((e) => { + console.log("Expected navigation error to happen"); + }); + + const orgSlug = org.slug; + + const orgRedirectUrl = await new Promise(async (resolve) => { + page.on("request", (request) => { + if (request.isNavigationRequest()) { + const requestedUrl = request.url(); + console.log("Requested navigation to", requestedUrl); + // Resolve on redirection to org domain + if (requestedUrl.includes(orgSlug)) { + resolve(requestedUrl); + } + } + }); + }); + + expect(orgRedirectUrl).toContain(`${getOrgFullOrigin(org.slug)}${expectedPath}`); +} diff --git a/apps/web/playwright/organization/organization-creation.e2e.ts b/apps/web/playwright/organization/organization-creation.e2e.ts index 7427a67090723e..8ee81bca59e434 100644 --- a/apps/web/playwright/organization/organization-creation.e2e.ts +++ b/apps/web/playwright/organization/organization-creation.e2e.ts @@ -1,11 +1,94 @@ +import type { Page } from "@playwright/test"; import { expect } from "@playwright/test"; +import { JSDOM } from "jsdom"; +import type { Messages } from "mailhog"; import path from "path"; import { uuid } from "short-uuid"; import { IS_TEAM_BILLING_ENABLED } from "@calcom/lib/constants"; +import type { createEmailsFixture } from "../fixtures/emails"; import { test } from "../lib/fixtures"; import { fillStripeTestCheckout } from "../lib/testUtils"; +import { getEmailsReceivedByUser } from "../lib/testUtils"; +import { gotoPathAndExpectRedirectToOrgDomain } from "./lib/gotoPathAndExpectRedirectToOrgDomain"; + +async function expectEmailWithSubject( + page: Page, + emails: ReturnType, + userEmail: string, + subject: string +) { + if (!emails) return null; + + // eslint-disable-next-line playwright/no-wait-for-timeout + await page.waitForTimeout(2000); + const receivedEmails = await getEmailsReceivedByUser({ emails, userEmail }); + + const allEmails = (receivedEmails as Messages).items; + const email = allEmails.find((email) => email.subject === subject); + if (!email) { + throw new Error(`Email with subject ${subject} not found`); + } + const dom = new JSDOM(email.html); + return dom; +} + +export async function expectOrganizationCreationEmailToBeSent({ + page, + emails, + userEmail, + orgSlug, +}: { + page: Page; + emails: ReturnType; + userEmail: string; + orgSlug: string; +}) { + const dom = await expectEmailWithSubject(page, emails, userEmail, "Your organization has been created"); + const document = dom?.window?.document; + expect(document?.querySelector(`[href*=${orgSlug}]`)).toBeTruthy(); + return dom; +} + +async function expectOrganizationCreationEmailToBeSentWithLinks({ + page, + emails, + userEmail, + oldUsername, + newUsername, + orgSlug, +}: { + page: Page; + emails: ReturnType; + userEmail: string; + oldUsername: string; + newUsername: string; + orgSlug: string; +}) { + const dom = await expectOrganizationCreationEmailToBeSent({ + page, + emails, + userEmail, + orgSlug, + }); + const document = dom?.window.document; + const links = document?.querySelectorAll(`[data-testid="organization-link-info"] [href]`); + if (!links) { + throw new Error(`data-testid="organization-link-info doesn't have links`); + } + expect((links[0] as unknown as HTMLAnchorElement).href).toContain(oldUsername); + expect((links[1] as unknown as HTMLAnchorElement).href).toContain(newUsername); +} + +export async function expectEmailVerificationEmailToBeSent( + page: Page, + emails: ReturnType, + userEmail: string +) { + const subject = "Cal.com: Verify your account"; + return expectEmailWithSubject(page, emails, userEmail, subject); +} test.afterAll(({ users, orgs }) => { users.deleteAll(); @@ -20,26 +103,33 @@ function capitalize(text: string) { } test.describe("Organization", () => { - test("Admin should be able to create an org for a target user", async ({ page, users, emails }) => { + test("Admin should be able to create an org where an existing user is made an owner", async ({ + page, + users, + emails, + }) => { const appLevelAdmin = await users.create({ role: "ADMIN", }); await appLevelAdmin.apiLogin(); - const stringUUID = uuid(); - const orgOwnerUsername = `owner-${stringUUID}`; + const orgOwnerUsernamePrefix = "owner"; - const targetOrgEmail = users.trackEmail({ - username: orgOwnerUsername, + const orgOwnerEmail = users.trackEmail({ + username: orgOwnerUsernamePrefix, domain: `example.com`, }); + const orgOwnerUser = await users.create({ - username: orgOwnerUsername, - email: targetOrgEmail, + username: orgOwnerUsernamePrefix, + email: orgOwnerEmail, role: "ADMIN", }); - const orgName = capitalize(`${orgOwnerUsername}`); + const orgOwnerUsernameOutsideOrg = orgOwnerUser.username; + const orgOwnerUsernameInOrg = orgOwnerEmail.split("@")[0]; + const orgName = capitalize(`${orgOwnerUser.username}`); + const orgSlug = `myOrg-${uuid()}`.toLowerCase(); await page.goto("/settings/organizations/new"); await page.waitForLoadState("networkidle"); @@ -49,17 +139,16 @@ test.describe("Organization", () => { await expect(page.locator(".text-red-700")).toHaveCount(3); // Happy path - await page.locator("input[name=orgOwnerEmail]").fill(targetOrgEmail); - // Since we are admin fill in this infomation instead of deriving it - await page.locator("input[name=name]").fill(orgName); - await page.locator("input[name=slug]").fill(orgOwnerUsername); - - // Fill in seat infomation - await page.locator("input[name=seats]").fill("30"); - await page.locator("input[name=pricePerSeat]").fill("30"); + await fillAndSubmitFirstStepAsAdmin(page, orgOwnerEmail, orgName, orgSlug); + }); - await page.locator("button[type=submit]").click(); - await page.waitForLoadState("networkidle"); + await expectOrganizationCreationEmailToBeSentWithLinks({ + page, + emails, + userEmail: orgOwnerEmail, + oldUsername: orgOwnerUsernameOutsideOrg || "", + newUsername: orgOwnerUsernameInOrg, + orgSlug, }); await test.step("About the organization", async () => { @@ -149,6 +238,56 @@ test.describe("Organization", () => { await expect(upgradeButtonHidden).toBeHidden(); }); + + // Verify that the owner's old username redirect is properly set + await gotoPathAndExpectRedirectToOrgDomain({ + page, + org: { + slug: orgSlug, + }, + path: `/${orgOwnerUsernameOutsideOrg}`, + expectedPath: `/${orgOwnerUsernameInOrg}`, + }); + }); + + test("Admin should be able to create an org where the owner doesn't exist yet", async ({ + page, + users, + emails, + }) => { + const appLevelAdmin = await users.create({ + role: "ADMIN", + }); + await appLevelAdmin.apiLogin(); + const orgOwnerUsername = `owner`; + const orgName = capitalize(`${orgOwnerUsername}`); + const orgSlug = `myOrg-${uuid()}`.toLowerCase(); + const orgOwnerEmail = users.trackEmail({ + username: orgOwnerUsername, + domain: `example.com`, + }); + + await page.goto("/settings/organizations/new"); + await page.waitForLoadState("networkidle"); + + await test.step("Basic info", async () => { + // Check required fields + await page.locator("button[type=submit]").click(); + await expect(page.locator(".text-red-700")).toHaveCount(3); + + // Happy path + await fillAndSubmitFirstStepAsAdmin(page, orgOwnerEmail, orgName, orgSlug); + }); + + const dom = await expectOrganizationCreationEmailToBeSent({ + page, + emails, + userEmail: orgOwnerEmail, + orgSlug, + }); + expect(dom?.window.document.querySelector(`[href*=${orgSlug}]`)).toBeTruthy(); + await expectEmailVerificationEmailToBeSent(page, emails, orgOwnerEmail); + // Rest of the steps remain same as org creation with existing user as owner. So skipping them }); test("User can create and upgrade a org", async ({ page, users, emails }) => { @@ -426,3 +565,24 @@ test.describe("Organization", () => { }); }); }); + +async function fillAndSubmitFirstStepAsAdmin( + page: Page, + targetOrgEmail: string, + orgName: string, + orgSlug: string +) { + await page.locator("input[name=orgOwnerEmail]").fill(targetOrgEmail); + // Since we are admin fill in this infomation instead of deriving it + await page.locator("input[name=name]").fill(orgName); + await page.locator("input[name=slug]").fill(orgSlug); + + // Fill in seat infomation + await page.locator("input[name=seats]").fill("30"); + await page.locator("input[name=pricePerSeat]").fill("30"); + + await Promise.all([ + page.waitForResponse("**/api/trpc/organizations/create**"), + page.locator("button[type=submit]").click(), + ]); +} diff --git a/apps/web/playwright/profile.e2e.ts b/apps/web/playwright/profile.e2e.ts index eb3cb66d56c2a6..d2ae20092ffe45 100644 --- a/apps/web/playwright/profile.e2e.ts +++ b/apps/web/playwright/profile.e2e.ts @@ -99,7 +99,9 @@ test.describe("Update Profile", () => { expect(await emailInputUpdated.inputValue()).toEqual(user.email); }); - test("Can update a users email (verification enabled)", async ({ page, users, prisma, features }) => { + // TODO: This test is extremely flaky and has been failing a lot, blocking many PRs. Fix this. + // eslint-disable-next-line playwright/no-skipped-test + test.skip("Can update a users email (verification enabled)", async ({ page, users, prisma, features }) => { const emailVerificationEnabled = features.get("email-verification"); // eslint-disable-next-line playwright/no-conditional-in-test, playwright/no-skipped-test if (!emailVerificationEnabled?.enabled) test.skip(); @@ -309,7 +311,9 @@ test.describe("Update Profile", () => { expect(await page.getByTestId("profile-form-email-1-unverified-badge").isVisible()).toEqual(true); }); - test("Can verify the newly added secondary email", async ({ page, users, prisma }) => { + // TODO: This test is extremely flaky and has been failing a lot, blocking many PRs. Fix this. + // eslint-disable-next-line playwright/no-skipped-test + test.skip("Can verify the newly added secondary email", async ({ page, users, prisma }) => { const { secondaryEmail } = await createSecondaryEmail({ page, users }); expect(await page.getByTestId("profile-form-email-1-primary-badge").isVisible()).toEqual(false); @@ -372,7 +376,9 @@ test.describe("Update Profile", () => { expect(await page.getByTestId("profile-form-email-1-unverified-badge").isVisible()).toEqual(false); }); - test("Can resend verification link if the secondary email is unverified", async ({ + // TODO: This test is extremely flaky and has been failing a lot, blocking many PRs. Fix this. + // eslint-disable-next-line playwright/no-skipped-test + test.skip("Can resend verification link if the secondary email is unverified", async ({ page, users, prisma, diff --git a/apps/web/playwright/reschedule.e2e.ts b/apps/web/playwright/reschedule.e2e.ts index d36262b956d021..9a419431b4e12c 100644 --- a/apps/web/playwright/reschedule.e2e.ts +++ b/apps/web/playwright/reschedule.e2e.ts @@ -119,7 +119,7 @@ test.describe("Reschedule Tests", async () => { test.skip(!IS_STRIPE_ENABLED, "Skipped as Stripe is not installed"); const user = await users.create(); await user.apiLogin(); - await user.getPaymentCredential(); + await user.installStripePersonal({ skip: true }); // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const eventType = user.eventTypes.find((e) => e.slug === "paid")!; const booking = await bookings.create(user.id, user.username, eventType.id, { @@ -160,7 +160,7 @@ test.describe("Reschedule Tests", async () => { test("Paid rescheduling should go to success page", async ({ page, users, bookings, payments }) => { const user = await users.create(); await user.apiLogin(); - await user.getPaymentCredential(); + await user.installStripePersonal({ skip: true }); await users.logout(); // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const eventType = user.eventTypes.find((e) => e.slug === "paid")!; diff --git a/apps/web/playwright/settings/upload-avatar.e2e.ts b/apps/web/playwright/settings/upload-avatar.e2e.ts index adcf31df501032..5211e9b50dc449 100644 --- a/apps/web/playwright/settings/upload-avatar.e2e.ts +++ b/apps/web/playwright/settings/upload-avatar.e2e.ts @@ -155,7 +155,7 @@ test.describe("Organization Logo", async () => { await page.getByTestId("upload-avatar").click(); - await page.getByText("Update").click(); + await page.getByTestId("update-org-profile-button").click(); await page.waitForSelector("text=Your organization updated successfully"); const response = await prisma.avatar.findUniqueOrThrow({ diff --git a/apps/web/playwright/teams.e2e.ts b/apps/web/playwright/teams.e2e.ts index f9b6558c9692ec..123cc143c14cc7 100644 --- a/apps/web/playwright/teams.e2e.ts +++ b/apps/web/playwright/teams.e2e.ts @@ -45,6 +45,7 @@ testBothFutureAndLegacyRoutes.describe("Teams - NonOrg", (routeVariant) => { await user.apiLogin(); page.goto(`/settings/teams/${team.id}/onboard-members`); + await page.waitForLoadState("networkidle"); await test.step("Can add members", async () => { // Click [data-testid="new-member-button"] @@ -149,7 +150,7 @@ testBothFutureAndLegacyRoutes.describe("Teams - NonOrg", (routeVariant) => { // The title of the booking const bookingTitle = await page.getByTestId("booking-title").textContent(); expect( - teamMatesObj?.some((teamMate) => { + teamMatesObj.concat([{ name: owner.name! }]).some((teamMate) => { const BookingTitle = `${teamEventTitle} between ${teamMate.name} and ${testName}`; return BookingTitle === bookingTitle; }) diff --git a/apps/web/playwright/webhook.e2e.ts b/apps/web/playwright/webhook.e2e.ts index 62c82182300dd1..11dad203e9ab61 100644 --- a/apps/web/playwright/webhook.e2e.ts +++ b/apps/web/playwright/webhook.e2e.ts @@ -1,7 +1,7 @@ -import type { Page } from "@playwright/test"; import { expect } from "@playwright/test"; import { v4 as uuidv4 } from "uuid"; +import dayjs from "@calcom/dayjs"; import prisma from "@calcom/prisma"; import { BookingStatus } from "@calcom/prisma/client"; @@ -9,7 +9,6 @@ import { test } from "./lib/fixtures"; import { bookOptinEvent, bookTimeSlot, - createHttpServer, createUserWithSeatedEventAndAttendees, gotoRoutingLink, selectFirstAvailableTimeSlotNextMonth, @@ -23,54 +22,16 @@ test.afterEach(async ({ users }) => { await users.deleteAll(); }); -async function createWebhookReceiver(page: Page) { - const webhookReceiver = createHttpServer(); - - await page.goto(`/settings/developer/webhooks`); - - // --- add webhook - await page.click('[data-testid="new_webhook"]'); - - await page.fill('[name="subscriberUrl"]', webhookReceiver.url); - - await page.fill('[name="secret"]', "secret"); - - await Promise.all([ - page.click("[type=submit]"), - page.waitForURL((url) => url.pathname.endsWith("/settings/developer/webhooks")), - ]); - - // page contains the url - expect(page.locator(`text='${webhookReceiver.url}'`)).toBeDefined(); - - return webhookReceiver; -} - test.describe("BOOKING_CREATED", async () => { test("add webhook & test that creating an event triggers a webhook call", async ({ page, users, + webhooks, }, _testInfo) => { - const webhookReceiver = createHttpServer(); const user = await users.create(); const [eventType] = user.eventTypes; await user.apiLogin(); - await page.goto(`/settings/developer/webhooks`); - - // --- add webhook - await page.click('[data-testid="new_webhook"]'); - - await page.fill('[name="subscriberUrl"]', webhookReceiver.url); - - await page.fill('[name="secret"]', "secret"); - - await Promise.all([ - page.click("[type=submit]"), - page.waitForURL((url) => url.pathname.endsWith("/settings/developer/webhooks")), - ]); - - // page contains the url - expect(page.locator(`text='${webhookReceiver.url}'`)).toBeDefined(); + const webhookReceiver = await webhooks.createReceiver(); // --- Book the first available day next month in the pro user's "30min"-event await page.goto(`/${user.username}/${eventType.slug}`); @@ -168,8 +129,8 @@ test.describe("BOOKING_REJECTED", async () => { test("can book an event that requires confirmation and then that booking can be rejected by organizer", async ({ page, users, + webhooks, }) => { - const webhookReceiver = createHttpServer(); // --- create a user const user = await users.create(); @@ -181,24 +142,7 @@ test.describe("BOOKING_REJECTED", async () => { // --- login as that user await user.apiLogin(); - - await page.goto(`/settings/developer/webhooks`); - - // --- add webhook - await page.click('[data-testid="new_webhook"]'); - - await page.fill('[name="subscriberUrl"]', webhookReceiver.url); - - await page.fill('[name="secret"]', "secret"); - - await Promise.all([ - page.click("[type=submit]"), - page.waitForURL((url) => url.pathname.endsWith("/settings/developer/webhooks")), - ]); - - // page contains the url - expect(page.locator(`text='${webhookReceiver.url}'`)).toBeDefined(); - + const webhookReceiver = await webhooks.createReceiver(); await page.goto("/bookings/unconfirmed"); await page.click('[data-testid="reject"]'); await page.click('[data-testid="rejection-confirm"]'); @@ -292,30 +236,14 @@ test.describe("BOOKING_REQUESTED", async () => { test("can book an event that requires confirmation and get a booking requested event", async ({ page, users, + webhooks, }) => { - const webhookReceiver = createHttpServer(); // --- create a user const user = await users.create(); // --- login as that user await user.apiLogin(); - - await page.goto(`/settings/developer/webhooks`); - - // --- add webhook - await page.click('[data-testid="new_webhook"]'); - - await page.fill('[name="subscriberUrl"]', webhookReceiver.url); - - await page.fill('[name="secret"]', "secret"); - - await Promise.all([ - page.click("[type=submit]"), - page.waitForURL((url) => url.pathname.endsWith("/settings/developer/webhooks")), - ]); - - // page contains the url - expect(page.locator(`text='${webhookReceiver.url}'`)).toBeDefined(); + const webhookReceiver = await webhooks.createReceiver(); // --- visit user page await page.goto(`/${user.username}`); @@ -409,13 +337,18 @@ test.describe("BOOKING_REQUESTED", async () => { }); test.describe("BOOKING_RESCHEDULED", async () => { - test("can reschedule a booking and get a booking rescheduled event", async ({ page, users, bookings }) => { + test("can reschedule a booking and get a booking rescheduled event", async ({ + page, + users, + bookings, + webhooks, + }) => { const user = await users.create(); const [eventType] = user.eventTypes; await user.apiLogin(); - const webhookReceiver = await createWebhookReceiver(page); + const webhookReceiver = await webhooks.createReceiver(); const booking = await bookings.create(user.id, user.username, eventType.id, { status: BookingStatus.ACCEPTED, @@ -427,7 +360,7 @@ test.describe("BOOKING_RESCHEDULED", async () => { await page.locator('[data-testid="confirm-reschedule-button"]').click(); - await expect(page).toHaveURL(/.*booking/); + await expect(page.getByTestId("success-page")).toBeVisible(); // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const newBooking = await prisma.booking.findFirst({ where: { fromReschedule: booking?.uid } })!; @@ -450,6 +383,7 @@ test.describe("BOOKING_RESCHEDULED", async () => { page, users, bookings, + webhooks, }) => { const { user, eventType, booking } = await createUserWithSeatedEventAndAttendees({ users, bookings }, [ { name: "John First", email: "first+seats@cal.com", timeZone: "Europe/Berlin" }, @@ -463,7 +397,7 @@ test.describe("BOOKING_RESCHEDULED", async () => { await user.apiLogin(); - const webhookReceiver = await createWebhookReceiver(page); + const webhookReceiver = await webhooks.createReceiver(); const bookingAttendees = await prisma.attendee.findMany({ where: { bookingId: booking.id }, @@ -494,7 +428,7 @@ test.describe("BOOKING_RESCHEDULED", async () => { await page.locator('[data-testid="confirm-reschedule-button"]').click(); - await expect(page).toHaveURL(/.*booking/); + await expect(page.getByTestId("success-page")).toBeVisible(); const newBooking = await prisma.booking.findFirst({ where: { @@ -543,25 +477,137 @@ test.describe("BOOKING_RESCHEDULED", async () => { }); }); -test.describe("FORM_SUBMITTED", async () => { - test("on submitting user form, triggers user webhook", async ({ page, users, routingForms }) => { - const webhookReceiver = createHttpServer(); - const user = await users.create(null, { - hasTeam: true, +test.describe("MEETING_ENDED, MEETING_STARTED", async () => { + test("should create/remove scheduledWebhookTriggers for existing bookings", async ({ + page, + users, + bookings, + }, _testInfo) => { + const user = await users.create(); + await user.apiLogin(); + const tomorrow = dayjs().add(1, "day"); + const [eventType] = user.eventTypes; + bookings.create(user.id, user.name, eventType.id); + bookings.create(user.id, user.name, eventType.id, { startTime: dayjs().add(2, "day").toDate() }); + + //create a new webhook with meeting ended trigger here + await page.goto("/settings/developer/webhooks"); + // --- add webhook + await page.click('[data-testid="new_webhook"]'); + + await page.fill('[name="subscriberUrl"]', "https://www.example.com"); + + await Promise.all([ + page.click("[type=submit]"), + page.waitForURL((url) => url.pathname.endsWith("/settings/developer/webhooks")), + ]); + + const scheduledTriggers = await prisma.webhookScheduledTriggers.findMany({ + where: { + webhook: { + userId: user.id, + }, + }, + select: { + payload: true, + webhook: { + select: { + userId: true, + id: true, + subscriberUrl: true, + }, + }, + startAfter: true, + }, }); - await user.apiLogin(); + const existingUserBookings = await prisma.booking.findMany({ + where: { + userId: user.id, + startTime: { + gt: new Date(), + }, + }, + }); - await page.goto(`/settings/developer/webhooks/new`); + const meetingStartedTriggers = scheduledTriggers.filter((trigger) => + trigger.payload.includes("MEETING_STARTED") + ); + const meetingEndedTriggers = scheduledTriggers.filter((trigger) => + trigger.payload.includes("MEETING_ENDED") + ); - // Add webhook - await page.fill('[name="subscriberUrl"]', webhookReceiver.url); - await page.fill('[name="secret"]', "secret"); - await page.click("[type=submit]"); + expect(meetingStartedTriggers.length).toBe(existingUserBookings.length); + expect(meetingEndedTriggers.length).toBe(existingUserBookings.length); - // Page contains the url - expect(page.locator(`text='${webhookReceiver.url}'`)).toBeDefined(); + expect(meetingStartedTriggers.map((trigger) => trigger.startAfter)).toEqual( + expect.arrayContaining(existingUserBookings.map((booking) => booking.startTime)) + ); + expect(meetingEndedTriggers.map((trigger) => trigger.startAfter)).toEqual( + expect.arrayContaining(existingUserBookings.map((booking) => booking.endTime)) + ); + page.reload(); + + // edit webhook and remove trigger meeting ended trigger + await page.click('[data-testid="webhook-edit-button"]'); + await page.getByRole("button", { name: "Remove Meeting Ended" }).click(); + + await Promise.all([ + page.click("[type=submit]"), + page.waitForURL((url) => url.pathname.endsWith("/settings/developer/webhooks")), + ]); + + const scheduledTriggersAfterRemovingTrigger = await prisma.webhookScheduledTriggers.findMany({ + where: { + webhook: { + userId: user.id, + }, + }, + }); + + const newMeetingStartedTriggers = scheduledTriggersAfterRemovingTrigger.filter((trigger) => + trigger.payload.includes("MEETING_STARTED") + ); + const newMeetingEndedTriggers = scheduledTriggersAfterRemovingTrigger.filter((trigger) => + trigger.payload.includes("MEETING_ENDED") + ); + + expect(newMeetingStartedTriggers.length).toBe(existingUserBookings.length); + expect(newMeetingEndedTriggers.length).toBe(0); + + // disable webhook + await page.click('[data-testid="webhook-switch"]'); + + await page.waitForLoadState("networkidle"); + + const scheduledTriggersAfterDisabling = await prisma.webhookScheduledTriggers.findMany({ + where: { + webhook: { + userId: user.id, + }, + }, + select: { + payload: true, + webhook: { + select: { + userId: true, + }, + }, + startAfter: true, + }, + }); + + expect(scheduledTriggersAfterDisabling.length).toBe(0); + }); +}); + +test.describe("FORM_SUBMITTED", async () => { + test("on submitting user form, triggers user webhook", async ({ page, users, routingForms, webhooks }) => { + const user = await users.create(); + + await user.apiLogin(); + const webhookReceiver = await webhooks.createReceiver(); await page.waitForLoadState("networkidle"); const form = await routingForms.create({ @@ -578,6 +624,8 @@ test.describe("FORM_SUBMITTED", async () => { ], }); + await page.waitForLoadState("networkidle"); + await gotoRoutingLink({ page, formId: form.id }); const fieldName = "name"; await page.fill(`[data-testid="form-field-${fieldName}"]`, "John Doe"); @@ -608,21 +656,12 @@ test.describe("FORM_SUBMITTED", async () => { webhookReceiver.close(); }); - test("on submitting team form, triggers team webhook", async ({ page, users, routingForms }) => { - const webhookReceiver = createHttpServer(); + test("on submitting team form, triggers team webhook", async ({ page, users, routingForms, webhooks }) => { const user = await users.create(null, { hasTeam: true, }); await user.apiLogin(); - - await page.goto(`/settings/developer/webhooks`); - const teamId = await clickFirstTeamWebhookCta(page); - - // Add webhook - await page.fill('[name="subscriberUrl"]', webhookReceiver.url); - await page.fill('[name="secret"]', "secret"); - await page.click("[type=submit]"); - + const { webhookReceiver, teamId } = await webhooks.createTeamReceiver(); const form = await routingForms.create({ name: "Test Form", userId: user.id, @@ -637,6 +676,8 @@ test.describe("FORM_SUBMITTED", async () => { ], }); + await page.waitForLoadState("networkidle"); + await gotoRoutingLink({ page, formId: form.id }); const fieldName = "name"; await page.fill(`[data-testid="form-field-${fieldName}"]`, "John Doe"); @@ -667,12 +708,3 @@ test.describe("FORM_SUBMITTED", async () => { webhookReceiver.close(); }); }); - -async function clickFirstTeamWebhookCta(page: Page) { - await page.click('[data-testid="new_webhook"]'); - await page.click('[data-testid="option-team-1"]'); - await page.waitForURL((u) => u.pathname === "/settings/developer/webhooks/new"); - const url = page.url(); - const teamId = Number(new URL(url).searchParams.get("teamId")) as number; - return teamId; -} diff --git a/apps/web/playwright/workflow.e2e.ts b/apps/web/playwright/workflow.e2e.ts index 9b9affa46af5e6..5b5aafe1528885 100644 --- a/apps/web/playwright/workflow.e2e.ts +++ b/apps/web/playwright/workflow.e2e.ts @@ -19,12 +19,13 @@ test.describe("Workflow Tab - Event Type", () => { await assertListCount(3); }); - test("Editing an existing workflow", async ({ workflowPage }) => { + test("Editing an existing workflow", async ({ workflowPage, page }) => { const { saveWorkflow, fillNameInput, editSelectedWorkflow, hasWorkflowInList } = workflowPage; await editSelectedWorkflow("Test Workflow"); await fillNameInput("Edited Workflow"); await saveWorkflow(); + await page.getByTestId("go-back-button").click(); await hasWorkflowInList("Edited Workflow"); }); diff --git a/apps/web/public/product-cards/google-reviews.svg b/apps/web/public/product-cards/google-reviews.svg new file mode 100644 index 00000000000000..286cdfe18271ec --- /dev/null +++ b/apps/web/public/product-cards/google-reviews.svg @@ -0,0 +1,11 @@ + + + + + + + + + + + diff --git a/apps/web/public/sparkles-red.svg b/apps/web/public/sparkles-red.svg new file mode 100644 index 00000000000000..49523439ddaee3 --- /dev/null +++ b/apps/web/public/sparkles-red.svg @@ -0,0 +1,7 @@ + + + + + + + diff --git a/apps/web/public/start-recording.svg b/apps/web/public/start-recording.svg new file mode 100644 index 00000000000000..83c3215d48be3e --- /dev/null +++ b/apps/web/public/start-recording.svg @@ -0,0 +1 @@ + diff --git a/apps/web/public/static/locales/ar/common.json b/apps/web/public/static/locales/ar/common.json index baaa0e288b64c0..374c52cf7f2a3f 100644 --- a/apps/web/public/static/locales/ar/common.json +++ b/apps/web/public/static/locales/ar/common.json @@ -12,11 +12,20 @@ "have_any_questions": "هل لديك أسئلة؟ نحن هنا للمساعدة.", "reset_password_subject": "{{appName}}: إرشادات إعادة تعيين كلمة المرور", "verify_email_subject": "{{appName}}: تأكيد حسابك", + "verify_email_subject_verifying_email": "{{appName}}: تأكيد بريدك الإلكتروني", "check_your_email": "تحقق من بريدك الإلكتروني", + "old_email_address": "البريد الإلكتروني القديم", + "new_email_address": "البريد الإلكتروني الجديد", "verify_email_page_body": "أرسلنا رسالة إلكترونية إلى {{email}}. من المهم تأكيد عنوان بريدك الإلكتروني لضمان تسليم البريد الإلكتروني والتقويم من {{appName}}.", "verify_email_banner_body": "قم بتأكيد عنوان بريدك الإلكتروني لضمان أفضل تسليم للبريد الإلكتروني والتقويم", "verify_email_email_header": "تأكيد عنوان بريدك الإلكتروني", "verify_email_email_button": "تأكيد البريد الإلكتروني", + "cal_ai_assistant": "مساعد Cal AI", + "verify_email_change_description": "لقد طلبت تغيير البريد الإلكتروني المستخدم لحسابك في {{appName}}. الرجاء النقر على الزر أدناه لتأكيد بريدك الإلكتروني الجديد.", + "verify_email_change_success_toast": "تم تحديث بريدك الإلكتروني إلى {{email}}", + "verify_email_change_failure_toast": "فشل تحديث البريد الإلكتروني.", + "change_of_email": "تأكيد بريدك الإلكتروني الجديد لدى {{appName}}", + "change_of_email_toast": "لقد أرسلنا رابط التأكيد إلى {{email}}. سيتم تغيير بريد الإلكتروني بمجرد الضغط على الرابط.", "copy_somewhere_safe": "احتفظ بمفتاح API هذا في مكانٍ آمن، لأنك لن تتمكن من الاطلاع عليه هنا ثانيةً.", "verify_email_email_body": "الرجاء تأكيد عنوان بريدك الإلكتروني بالنقر فوق الزر أدناه.", "verify_email_by_code_email_body": "الرجاء تأكيد عنوان بريدك الإلكتروني عبر استخدام الرمز أدناه.", @@ -56,6 +65,17 @@ "a_refund_failed": "فشل الاسترداد", "awaiting_payment_subject": "في انتظار الدفع: {{title}} في {{date}}", "meeting_awaiting_payment": "اجتماعك في انتظار الدفع", + "dark_theme_contrast_error": "لون التصميم الداكن لم يجتز التحقق من التباين. نقترح أن تغير هذا اللون حتى تكون الأزرار ظاهرة بشكل أوضح.", + "light_theme_contrast_error": "لون التصميم الفاتح لم يجتز التحقق من التباين. نقترح أن تغير هذا اللون حتى تكون الأزرار ظاهرة بشكل أوضح.", + "payment_not_created_error": "لا يمكن إنشاء الدفع", + "couldnt_charge_card_error": "تعذر تنفيذ عملية الدفع من البطاقة", + "no_available_users_found_error": "لم يتم العثور على مستخدمين متاحين. هل يمكنك تجرِبة وقت آخر؟", + "request_body_end_time_internal_error": "خطأ داخلي. محتوى الطلب لا يحتوي على وقت النهاية", + "create_calendar_event_error": "تعذر إنشاء موعد في تقويم المنظم", + "update_calendar_event_error": "تعذر تحديث الموعد.", + "delete_calendar_event_error": "تعذر حذف الموعد.", + "already_signed_up_for_this_booking_error": "أنت مسجل فعلًا في هذا الحجز.", + "hosts_unavailable_for_booking": "بعض المستضيفين غير متاحين للحجز.", "help": "المساعدة", "price": "السعر", "paid": "مدفوعة", @@ -63,6 +83,8 @@ "payment": "الدفعات", "missing_card_fields": "بعض خانات البطاقة مفقودة", "pay_now": "ادفع الآن", + "general_prompt": "التوجيه العام", + "begin_message": "رسالة البداية", "codebase_has_to_stay_opensource": "يجب أن يظل مصدر البرنامج مفتوحًا، سواء تم تعديله أم لا", "cannot_repackage_codebase": "لا يمكنك بيع مصدر البرنامج أو تغييره للتصرف فيه (repackage)", "acquire_license": "احصل عن طريق البريد الإلكتروني على ترخيص تجاري لإزالة هذه الشروط", @@ -90,7 +112,9 @@ "event_still_awaiting_approval": "الحدث لا يزال في انتظار موافقتك", "booking_submitted_subject": "تم إرسال الحجز: {{title}} في {{date}}", "download_recording_subject": "تنزيل التسجيل: {{title}} في {{date}}", + "download_transcript_email_subject": "تحميل التسجيل: {{title}} في {{date}}", "download_your_recording": "تنزيل تسجيلك", + "download_your_transcripts": "تحميل تسجيلاتك", "your_meeting_has_been_booked": "لقد تم حجز الاجتماع الخاص بك", "event_type_has_been_rescheduled_on_time_date": "تم إعادة جدولة {{title}} إلى {{date}}.", "event_has_been_rescheduled": "تم التحديث - تم إعادة جدولة الحدث الخاص بك", @@ -101,6 +125,7 @@ "requested_to_reschedule_subject_attendee": "الإجراء المطلوب إعادة الجدولة: يُرجى حجز وقت جديد لمدة {{eventType}} مع {{name}}", "hi_user_name": "مرحبا {{name}}", "ics_event_title": "{{eventType}} مع {{name}}", + "please_book_a_time_sometime_later": "عفواً، لم نتمكن من الاتصال بك هذه المرة. الرجاء جدولة مكالمة مستقبلية بدلاً من ذلك", "new_event_subject": "حدث جديد: {{attendeeName}} - {{date}} - {{eventType}}", "join_by_entrypoint": "الانضمام بواسطة {{entryPoint}}", "notes": "ملاحظات", @@ -112,20 +137,26 @@ "invitee_timezone": "المنطقة الزمنية للمدعو", "time_left": "الوقت المتبقي", "event_type": "نوع الحدث", + "duplicate_event_type": "تكرار نوع الحدث", "enter_meeting": "ادخل الاجتماع", "video_call_provider": "مزود مكالمة الفيديو", "meeting_id": "رقم تعريف الاجتماع", "meeting_password": "كلمة سر الاجتماع", "meeting_url": "رابط الاجتماع", + "meeting_url_not_found": "لم يتم العثور على رابط الاجتماع", + "token_not_found": "لم يتم العثور على الرمز", + "some_other_host_already_accepted_the_meeting": "بعض المستضيفين قبلوا هذا الاجتماع. هل ما زلت ترغب بالانضمام؟ <1>الاستمرار للاجتماع", "meeting_request_rejected": "تم رفض طلبك للاجتماع", "rejected_event_type_with_organizer": "تم الرفض: {{eventType}} مع {{organizer}} في {{date}}", "hi": "مرحبا", "join_team": "انضم إلى للفريق", "manage_this_team": "إدارة هذا الفريق", "team_info": "معلومات الفريق", + "join_meeting": "الانضمام إلى الاجتماع", "request_another_invitation_email": "إذا كنت تفضل عدم استخدام {{toEmail}} كبريدك الإلكتروني {{appName}} أو لديك بالفعل حساب {{appName}} ، يرجى طلب دعوة أخرى إلى ذلك البريد الإلكتروني.", "you_have_been_invited": "تم دعوتك للانضمام إلى الفريق {{teamName}}", "user_invited_you": "يدعوك {{user}} للانضمام إلى فريق {{entity}} {{team}} على {{appName}}", + "user_invited_you_to_subteam": "{{user}} دعاك للانضمام إلى الفريق {{team}} من {{parentTeamName}} على {{appName}}", "hidden_team_member_title": "أنت في الوضع الخفي في هذا الفريق", "hidden_team_member_message": "لم يتم الدفع مقابل مقعدك. يمكنك الترقية إلى Pro أو إعلام مالك الفريق أنه يستطيع الدفع مقابل مقعدك.", "hidden_team_owner_message": "تحتاج إلى حساب Pro لاستخدام خدمة الفرق، وأنت حاليًا في الوضع الخفي حتى تقوم بالترقية.", @@ -226,8 +257,10 @@ "create_account": "إنشاء حساب", "confirm_password": "تأكيد كلمة المرور", "reset_your_password": "عيّن كلمة المرور الجديدة متبعاً الإرشادات المرسلة إلى عنوان بريدك الإلكتروني.", + "org_banner_instructions": "الرجاء رفع صورة بعرض {{width}} وطول {{height}}.", "email_change": "سجّل الدخول ثانيةً باستخدام عنوان بريدك الإلكتروني الجديد وكلمة مرور.", "create_your_account": "إنشاء حسابك", + "create_your_calcom_account": "إنشاء حسابك Cal.com", "sign_up": "تسجيل الاشتراك", "youve_been_logged_out": "لقد قمت بتسجيل الخروج", "hope_to_see_you_soon": "نأمل أن نراك قريبًا مجددًا!", @@ -265,6 +298,9 @@ "nearly_there_instructions": "وأخيرًا، يساعدك الوصف الموجز عنك والصورة في الحصول على الحجوزات والسماح للأشخاص بمعرفة الشخص الذين يحجزون معه.", "set_availability_instructions": "حدد الفترات الزمنية التي تكون متاحًا فيها بشكل متكرر. يمكنك لاحقًا تحديد المزيد منها وربطها مع تقاويم مختلفة.", "set_availability": "تحديد الوقت الذي تكون فيه متاحًا", + "set_availbility_description": "حدد الجداول الزمنية للأوقات التي ترغب بأن يتم حجزك فيها.", + "share_a_link_or_embed": "مشاركة رابط أو تضمين", + "share_a_link_or_embed_description": "شارك رابط {{appName}} أو ضمنه في موقعك.", "availability_settings": "إعدادات التوافرية", "continue_without_calendar": "المتابعة من دون تقويم", "continue_with": "الاستمرار مع {{appName}}", @@ -280,6 +316,7 @@ "welcome_to_calcom": "مرحبًا بك في {{appName}}", "welcome_instructions": "أخبرنا باسمك وبالمنطقة الزمنية التي توجد فيها. ستتمكن لاحقًا من تعديل هذا.", "connect_caldav": "الاتصال بخادم CalDav", + "connect_ics_feed": "اربط بـICS", "connect": "الاتصال", "try_for_free": "جرّبه مجانًا", "create_booking_link_with_calcom": "أنشئ رابط الحجز الخاص بك باستخدام {{appName}}", @@ -293,8 +330,10 @@ "add_another_calendar": "إضافة تقويم آخر", "other": "آخر", "email_sign_in_subject": "رابط تسجيل الدخول بك لـ{{appName}}", + "round_robin_emailed_you_and_attendees": "أنت تجتمع مع {{user}}. أرسلنا بريداً إلكترونياً مع دعوة اجتماع بكل التفاصيل إلى الجميع.", "emailed_you_and_attendees": "لقد أرسلنا إليك وإلى الحضور الآخرين دعوة للتقويم عبر البريد الإلكتروني تتضمن كل التفاصيل.", "emailed_you_and_attendees_recurring": "لقد أرسلنا إليك وإلى الحضور الآخرين دعوة تقويم عبر البريد الإلكتروني لأول هذه الأحداث المتكررة.", + "round_robin_emailed_you_and_attendees_recurring": "أنت تجتمع مع {{user}}. أرسلنا بريداً إلكترونياً مع دعوة اجتماع بكل التفاصيل إلى الجميع لأول اجتماع من هذه الاجتماعات الدورية.", "emailed_you_and_any_other_attendees": "تم إرسال هذه المعلومات إليك وإلى الحضور الآخرين عبر البريد الإلكتروني.", "needs_to_be_confirmed_or_rejected": "لا يزال الحجز الخاص بك يحتاج إلى التأكيد أو الرفض.", "needs_to_be_confirmed_or_rejected_recurring": "لا يزال الاجتماع المتكرر الخاص بك بحاجة إلى التأكيد أو الرفض.", @@ -418,6 +457,7 @@ "browse_api_documentation": "استعراض مستندات واجهة برمجة التطبيقات (API) لدينا", "leverage_our_api": "استفد من واجهة برمجة التطبيقات (API) لدينا من أجل قدرة كاملة على التحكم والتخصيص.", "create_webhook": "إنشاء الويب هوك", + "instant_meeting": "تم إنشاء اجتماع فوري", "booking_cancelled": "تم إلغاء الحجز", "booking_rescheduled": "تمت إعادة جدولة الحجز", "recording_ready": "رابط تنزيل التسجيل جاهز", @@ -532,6 +572,7 @@ "enter_number_between_range": "الرجاء إدخال رقم بين 1 و {{maxOccurences}}", "email_address": "عنوان البريد الإلكتروني", "enter_valid_email": "يرجى إدخال بريد إلكتروني صالح", + "please_schedule_future_call": " الرجاء جدولة مكالمة مستقبلية إذا لم نكن متاحين خلال {{seconds}} ثانية", "location": "الموقع", "address": "العنوان", "enter_address": "أدخل العنوان", @@ -584,6 +625,7 @@ "number_selected": "تم تحديد {{count}}", "owner": "المالك", "admin": "المشرف", + "admin_api": "Admin API", "administrator_user": "المستخدم المسؤول", "lets_create_first_administrator_user": "لنقم بإنشاء المستخدم المسؤول الأول.", "admin_user_created": "إعداد المستخدم المسؤول", @@ -591,6 +633,7 @@ "new_member": "العضو الجديد", "invite": "دعوة", "add_team_members": "إضافة أعضاء الفريق", + "add_org_members": "إضافة أعضاء", "add_team_members_description": "دعوة الآخرين للانضمام إلى فريقك", "add_team_member": "إضافة عضو فريق", "invite_new_member": "دعوة عضو جديد في الفريق", @@ -605,6 +648,7 @@ "hide_book_a_team_member_description": "إخفاء الزر \"حجز عضو فريق\" من صفحاتك العامة.", "danger_zone": "منطقة خطر", "account_deletion_cannot_be_undone": "احترس. لا يمكن التراجع عن حذف الحساب.", + "team_deletion_cannot_be_undone": "كن حذرا. لا يمكن التراجع عن حذف الفريق.", "back": "عودة", "cancel": "إلغاء", "cancel_all_remaining": "إلغاء كل ما تبقى", @@ -640,6 +684,7 @@ "user_from_team": "{{user}} من {{team}}", "preview": "معاينة", "link_copied": "تم نسخ الرابط!", + "copied": "تم النسخ!", "private_link_copied": "تم نسخ الرابط الخاص!", "link_shared": "تمت مشاركة الرابط!", "title": "العنوان", @@ -655,7 +700,9 @@ "default_duration": "المدة الافتراضية", "default_duration_no_options": "يرجى اختيار المدد المتاحة أولاً", "multiple_duration_mins": "{{count}} $t(minute_timeUnit)", + "multiple_duration_timeUnit": "{{count}} $t({{unit}}_timeUnit)", "minutes": "الدقائق", + "use_cal_ai_to_make_call_description": "استخدم Cal.ai للحصول على رقم هاتف مدعوم بالذكاء الاصطناعي أو إجراء مكالمات مع الضيوف.", "round_robin": "الترتيب الدوري", "round_robin_description": "نقل الاجتماعات بشكل دوري بين أعضاء الفريق المتعددين.", "managed_event": "حدث تم إدارته", @@ -667,9 +714,12 @@ "add_members": "إضافة أعضاء...", "no_assigned_members": "لا يوجد أعضاء معينين", "assigned_to": "تم التعيين إلى", + "you_must_be_logged_in_to": "يجب تسجيل الدخول إلى {{url}}", "start_assigning_members_above": "بدء تعيين الأعضاء أعلاه", "locked_fields_admin_description": "لن يتمكن الأعضاء من تعديل هذا", + "unlocked_fields_admin_description": "يمكن للأعضاء التعديل", "locked_fields_member_description": "قام مشرف الفريق بقفل هذا الخيار", + "unlocked_fields_member_description": "غير مقفل من قبل مشرف الفريق", "url": "URL", "hidden": "مخفي", "readonly": "للقراءة فقط", @@ -846,6 +896,7 @@ "next_step": "تخطي الخطوة", "prev_step": "الخطوة السابقة", "install": "تثبيت", + "start_paid_trial": "بدء تجربة مجانية", "installed": "تم التثبيت", "active_install_one": "{{count}} تثبيت نشط", "active_install_other": "{{count}} تثبيت نشط", @@ -860,6 +911,7 @@ "toggle_calendars_conflict": "قم بتبديل التقويمات التي تريد التحقق من وجود تضاربات فيها لمنع حدوث حجز مزدوج.", "connect_additional_calendar": "ربط رزنامة إضافية", "calendar_updated_successfully": "تم تحديث التقويم بنجاح", + "check_here": "تحقق هنا", "conferencing": "المؤتمرات عبر الفيديو", "calendar": "التقويم", "payments": "المدفوعات", @@ -937,8 +989,7 @@ "verify_wallet": "تأكيد المحفظة", "create_events_on": "إنشاء أحداث في", "enterprise_license": "هذه هي ميزة للمؤسسات", - "enterprise_license_description": "لتمكين هذه الميزة، احصل على مفتاح نشر في وحدة التحكم {{consoleUrl}} وأضفه إلى وحدة التحكم الخاصة بك. nv باسم CALCOM_LICENSE_KEY. إذا كان لدى فريقك بالفعل ترخيص، يرجى الاتصال بـ {{supportMail}} للحصول على المساعدة.", - "enterprise_license_development": "يمكنك اختبار هذه الميزة في وضع التطوير. لاستخدام الإنتاج، يرجى مطالبة المسؤول بالذهاب إلى <2>/auth/setup لإدخال مفتاح الترخيص.", + "enterprise_license_locally": "يمكنك تجرِبة هذه المِيزة على جهازك وليس على البيئة الإنتاجية.", "missing_license": "الترخيص مفقود", "next_steps": "الخطوات التالية", "acquire_commercial_license": "الحصول على ترخيص تجاري", @@ -1031,6 +1082,7 @@ "user_impersonation_heading": "انتحال شخصية مستخدم", "user_impersonation_description": "يسمح لفريق الدعم الخاص بنا بتسجيل الدخول مؤقتًا نيابة عنك لمساعدتنا على حل أي مشاكل تبلغ عنها بسرعة.", "team_impersonation_description": "يسمح لمالكي/مشرفي فريقك بتسجيل الدخول مؤقتًا نيابة عنك.", + "make_org_private": "اجعل المنظمة خاصة", "make_team_private": "اجعل الفريق خاصًا", "make_team_private_description": "لن يتمكن أعضاء فريقك من رؤية أعضاء الفريق الآخرين عند تشغيل هذا الإعداد.", "you_cannot_see_team_members": "لا يمكنك رؤية جميع أعضاء الفريق السري.", @@ -1090,6 +1142,7 @@ "developer_documentation": "مستندات المطور", "get_in_touch": "تواصل معنا", "contact_support": "الاتصال بالدعم", + "premium_support": "الدعم المميز", "community_support": "الدعم المجتمعي", "feedback": "الملاحظات", "submitted_feedback": "نشكرك على ملاحظاتك!", @@ -1187,6 +1240,7 @@ "reminder": "تذكير", "rescheduled": "تمت إعادة الجدولة", "completed": "تمّ", + "rating": "التقييم", "reminder_email": "تذكر {{eventType}} مع {{name}} في {{date}}", "not_triggering_existing_bookings": "لن يتم تشغيل الحجوزات الموجودة مسبقاً حيث سيتم طلب رقم الهاتف عند حجز الحدث.", "minute_one": "{{count}} دقيقة", @@ -1253,6 +1307,7 @@ "default_calendar_selected": "الرزنامة الافتراضية", "hide_from_profile": "إخفاء من الملف الشخصي", "event_setup_tab_title": "إعداد الحدث", + "availability_not_found_in_schedule_error": "لا يوجد مواعيد متاحة", "event_limit_tab_title": "الحدود", "event_limit_tab_description": "ما تواتر مرات الحجز", "event_advanced_tab_description": "إعدادات الرزنامة والمزيد...", @@ -1273,6 +1328,7 @@ "do_this": "افعل هذا", "turn_off": "إيقاف التشغيل", "turn_on": "تشغيل", + "cancelled_bookings_cannot_be_rescheduled": "الحجوزات الملغاة لا يمكن إعادة جدولتها", "settings_updated_successfully": "تم تحديث الإعدادات بنجاح", "error_updating_settings": "خطأ في تحديث الإعدادات", "personal_cal_url": "عنوان {{appName}} URL الخاص بي", @@ -1296,6 +1352,7 @@ "customize_your_brand_colors": "تخصيص لون العلامة التجارية الخاصة بك في صفحة الحجز.", "pro": "Pro", "removes_cal_branding": "إزالة أي علامات تجارية ذات صلة بـ{{appName}} ، أي 'تم تشغيلها من قبل {{appName}}.'", + "instant_meeting_with_title": "اجتماع فوري مع {{name}}", "profile_picture": "صورة الملف الشخصي", "upload": "تحميل", "add_profile_photo": "إضافة صورة الملف الشخصي", @@ -1351,6 +1408,7 @@ "event_name_info": "اسم نوع الحدث", "event_date_info": "تاريخ الحدث", "event_time_info": "وقت بدء الحدث", + "event_type_not_found": "لم يتم العثور على نوع الحدث", "location_variable": "الموقع", "location_info": "موقع الحدث", "additional_notes_variable": "ملاحظات إضافية", @@ -1363,7 +1421,12 @@ "download_responses_description": "تنزيل جميع الردود إلى النموذج بتنسيق CSV.", "download": "التنزيل", "download_recording": "تنزيل التسجيل", + "transcription_enabled": "التفريغ النصي مفعّل الآن", + "transcription_stopped": "التفريغ النصي متوقف الآن", + "download_transcript": "تحميل التفريغ النصي", "recording_from_your_recent_call": "تسجيل من مكالمتك الأخيرة على {{appName}} جاهز للتنزيل", + "transcript_from_previous_call": "التفريغ النصي من مكالمة الأخيرة على {{appName}} جاهز للتحميل. الروابط متاحة لمدة ساعة واحدة فقط", + "link_valid_for_12_hrs": "ملاحظة: رابط التحميل متاح لمدة 12 ساعة فقط. يمكنك إنشاء رابط تحميل جديد بإتباع التعليمات <1>هنا.", "create_your_first_form": "إنشاء أول استمارة", "create_your_first_form_description": "باستخدام نماذج المسارات، يمكنك طرح أسئلة التأهيل والتوجيه إلى الشخص/نوع الحدث المناسب.", "create_your_first_webhook": "إنشاء أول Webhook", @@ -1414,6 +1477,7 @@ "routing_forms_description": "أنشئ النماذج لتوجيه الحضور إلى الوجهات الصحيحة", "routing_forms_send_email_owner": "إرسال رسالة إلكترونية إلى المالك", "routing_forms_send_email_owner_description": "يرسل رسالة بريد إلكتروني إلى المالك عند إرسال النموذج", + "routing_forms_send_email_to": "إرسال بريد إلكتروني إلى", "add_new_form": "إضافة استمارة جديدة", "add_new_team_form": "إضافة نموذج جديد إلى فريقك", "create_your_first_route": "أنشئ مسارك الأول", @@ -1422,6 +1486,8 @@ "copy_link_to_form": "نسخ الرابط إلى النموذج", "theme": "السمة", "theme_applies_note": "ينطبق هذا فقط على صفحات الحجز العامة", + "app_theme": "مظهر لوحة التحكم", + "app_theme_applies_note": "هذا ينطبق فقط على لوحة التحكم المسجلة دخولك", "theme_system": "الافتراضي للنظام", "add_a_team": "إضافة فريق", "add_webhook_description": "تلقي بيانات الاجتماع في الوقت الحقيقي عندما يحدث شيء ما في {{appName}}", @@ -1528,6 +1594,8 @@ "member_already_invited": "تمت دعوة العضو بالفعل", "already_in_use_error": "اسم المستخدم مستخدم مسبقاً", "enter_email_or_username": "أدخل بريد إلكتروني أو اسم مستخدم", + "enter_email": "أدخل بريد إلكتروني", + "enter_emails": "أدخل رسائل البريد الإلكتروني", "team_name_taken": "هذا الاسم مأخوذ بالفعل", "must_enter_team_name": "يجب إدخال اسم فريق", "team_url_required": "يجب إدخال عنوان URL للفريق", @@ -1540,6 +1608,7 @@ "attendee_email_info": "البريد الإلكتروني للشخص الحجز", "kbar_search_placeholder": "اكتب أمرًا أو بحثًا...", "invalid_credential": "لا! يبدو أن الصلاحية انتهت أو تم إلغاؤها. يرجى إعادة التثبيت مرة أخرى.", + "invalid_credential_action": "إعادة تثبيت التطبيق", "reschedule_reason": "سبب إعادة الجدولة", "choose_common_schedule_team_event": "اختر جدولًا زمنيًا مشتركًا", "choose_common_schedule_team_event_description": "قم بتمكين هذا الخيار إذا كنت ترغب في استخدام جدول زمني مشترك بين المضيفين. عند تعطيل هذا الخيار، سيتم حجز كل مضيف على أساس جدوله الافتراضي.", @@ -1607,6 +1676,7 @@ "individual": "فرد", "all_bookings_filter_label": "جميع الحجوزات", "all_users_filter_label": "جميع المستخدمين", + "all_event_types_filter_label": "جميع أنواع الأحداث", "your_bookings_filter_label": "الحجوزات", "meeting_url_variable": "رابط الاجتماع", "meeting_url_info": "رابط فعالية اجتماع المؤتمر", @@ -1837,6 +1907,7 @@ "looking_for_more_analytics": "هل تبحث عن المزيد من التحليلات؟", "looking_for_more_insights": "هل تبحث عن المزيد من Insights؟", "add_filter": "إضافة عامل تصفية", + "email_verified": "تم التحقق من البريد الإلكتروني", "select_user": "اختر المستخدم", "select_event_type": "حدد نوع الحدث", "select_date_range": "حدد نطاق التاريخ", @@ -1937,8 +2008,10 @@ "must_enter_organization_name": "يجب إدخال اسم المنظمة", "must_enter_organization_admin_email": "يجب إدخال عنوان البريد الإلكتروني لمنظمتك", "admin_email": "عنوان البريد الإلكتروني لمنظمتك", + "platform_admin_email": "عنوان البريد الإلكتروني لمدير النظام", "admin_username": "اسم المستخدم للمسؤول", "organization_name": "اسم المنظمة", + "platform_name": "اسم المنصة", "organization_url": "رابط المنظمة", "organization_verify_header": "تأكيد البريد الإلكتروني لمنظمتك", "organization_verify_email_body": "الرجاء استخدام الرمز أدناه لتأكيد عنوان بريدك الإلكتروني لمواصلة إعداد منظمتك.", @@ -2059,6 +2132,7 @@ "scheduling_for_your_team": "أتمتة سير العمل", "no_members_found": "لم يُعثر على أعضاء", "directory_sync": "مزامنة الدليل", + "directory_sync_delete_connection": "حذف الاتصال", "event_setup_length_error": "إعداد الفعالية: يجب أن تكون المدة لدقيقة على الأقل.", "availability_schedules": "جدولة التوافر", "unauthorized": "غير مصرح به", @@ -2090,14 +2164,19 @@ "overlay_my_calendar": "تركيب تقويمي", "overlay_my_calendar_toc": "من خلال الارتباط بتقويمك، أنت تقبل سياسة الخصوصية وشروط الاستخدام. يمكنك إلغاء الوصول في أي وقت.", "view_overlay_calendar_events": "طالع أحداث تقويمك لمنع التضارب بين الحجوزات.", + "troubleshooting": "استكشاف الأخطاء وإصلاحها", + "locked": "مقفل", + "unlocked": "مفتوح", "lock_timezone_toggle_on_booking_page": "قفل المنطقة الزمنية في صفحة الحجز", "description_lock_timezone_toggle_on_booking_page": "تقفل المنطقة الزمنية على صفحة الحجز، وهذا مفيد للأحداث وجهاً لوجه.", "extensive_whitelabeling": "عملية انضمام ودعم هندسي مخصصين", "need_help": "هل تحتاج إلى مساعدة؟", "show_more": "إظهار المزيد", + "send_email": "إرسال بريد إلكتروني", "email_team_invite|subject|invited_to_regular_team": "قام {{user}} بدعوتك للانضمام إلى فريق {{team}} على {{appName}}", "email_team_invite|heading|invited_to_regular_team": "تمت دعوتك للانضمام إلى فريق {{appName}}", "email_team_invite|content|invited_to_regular_team": "دعاك {{invitedBy}} للانضمام إلى فريقه {{teamName}} على {{appName}}. إن {{appName}} هو برنامج جدولة الأحداث الذي يمكّنك أنت وفريقك من جدولة الاجتماعات دون الحاجة إلى المراسلة عبر البريد الإلكتروني.", "privacy": "الخصوصية", + "signing_up_terms": "بالمتابعة فإنك توافق على <1>الشروط و <2>سياسة الخصوصية الخاصة بنا.", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ أضف السلاسل الجديدة أعلاه هنا ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/az/common.json b/apps/web/public/static/locales/az/common.json index 9e26dfeeb6e641..0967ef424bce67 100644 --- a/apps/web/public/static/locales/az/common.json +++ b/apps/web/public/static/locales/az/common.json @@ -1 +1 @@ -{} \ No newline at end of file +{} diff --git a/apps/web/public/static/locales/bg/common.json b/apps/web/public/static/locales/bg/common.json index 9e26dfeeb6e641..c642e75add9615 100644 --- a/apps/web/public/static/locales/bg/common.json +++ b/apps/web/public/static/locales/bg/common.json @@ -1 +1,21 @@ -{} \ No newline at end of file +{ + "identity_provider": "Доставчик на самоличност", + "trial_days_left": "Остава $t(day, {\"count\": {{days}} }) до края на пробната ви версия на PRO", + "day_one": "{{count}} ден", + "day_other": "{{count}} дни", + "second_one": "{{count}} секунда", + "second_other": "{{count}} секунди", + "upgrade_now": "Обновяване сега", + "accept_invitation": "Приемане на покана", + "calcom_explained": "{{appName}} предоставя инфраструктура за планиране за абсолютно всички.", + "calcom_explained_new_user": "Завършете настройката на своя акаунт в {{appName}}! Само няколко стъпки Ви делят от решаването на всичките Ви проблеми с планирането.", + "have_any_questions": "Имате въпроси? Ние сме тук, за да ви помогнем.", + "reset_password_subject": "{{appName}}: Инструкции за нулиране на паролата", + "verify_email_subject": "{{appName}}: Потвърждаване на профила ви", + "verify_email_subject_verifying_email": "{{appName}}: Проверете имейла си", + "check_your_email": "Проверете електронната си поща", + "old_email_address": "Стар имейл", + "new_email_address": "Нов имейл", + "verify_email_page_body": "Изпратихме имейл до {{email}}. Важно е да проверите имейл адреса си, за да гарантирате най-добрата възможност за доставка на имейли и календари от {{appName}}.", + "verify_email_banner_body": "Проверете имейл адреса си, за да гарантирате най-добрата доставка на имейли и календари" +} diff --git a/apps/web/public/static/locales/ca/common.json b/apps/web/public/static/locales/ca/common.json index 004bc507262264..5963f321a46bc3 100644 --- a/apps/web/public/static/locales/ca/common.json +++ b/apps/web/public/static/locales/ca/common.json @@ -21,4 +21,4 @@ "load_more_results": "Carrega més resultats", "integration_meeting_id": "{{integrationName}} Identificador de la reunió: {{meetingId}}", "confirmed_event_type_subject": "Confirmat: {{eventType}} amb {{name}} el {{date}}" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/cs/common.json b/apps/web/public/static/locales/cs/common.json index 49e3a6ac267528..6c4fe92af0d349 100644 --- a/apps/web/public/static/locales/cs/common.json +++ b/apps/web/public/static/locales/cs/common.json @@ -937,8 +937,6 @@ "verify_wallet": "Ověřit peněženku", "create_events_on": "Vytvořit události v:", "enterprise_license": "Jedná se o firemní funkci", - "enterprise_license_description": "Pokud chcete povolit tuto funkci, získejte klíč pro nasazení v konzoli {{consoleUrl}} a přidejte ho do souboru .env jako CALCOM_LICENSE_KEY. Pokud váš tým již licenci má, kontaktujte prosím {{supportMail}} a požádejte o pomoc.", - "enterprise_license_development": "Tuto funkci můžete vyzkoušet v režimu vývoje. Produkční použití vyžaduje od správce zadání licenčního klíče v <2>/auth/setup.", "missing_license": "Chybějící licence", "next_steps": "Další kroky", "acquire_commercial_license": "Získat komerční licenci", @@ -1422,6 +1420,8 @@ "copy_link_to_form": "Kopírovat odkaz na formulář", "theme": "Motiv", "theme_applies_note": "Toto se týká pouze vašich veřejných stránek s rezervacemi", + "app_theme": "Téma dashboardu", + "app_theme_applies_note": "Tento se týká pouze vaše přihlášené dashboardu", "theme_system": "Výchozí nastavení systému", "add_a_team": "Přidat tým", "add_webhook_description": "Přijímejte data o schůzkách v reálném čase, pokud v {{appName}} dojde k nějaké akci", @@ -2095,9 +2095,10 @@ "extensive_whitelabeling": "Vyhrazená podpora zaškolovací a inženýrská podpora", "need_help": "Potřebujete pomoc?", "show_more": "Zobrazit více", + "send_email": "Odeslat e-mail", "email_team_invite|subject|invited_to_regular_team": "{{user}} vás pozval, abyste se připojili k týmu {{team}} na {{appName}}", "email_team_invite|heading|invited_to_regular_team": "Byli jste pozváni do týmu {{appName}}", "email_team_invite|content|invited_to_regular_team": "Uživatel {{invitedBy}} vás pozval, abyste se připojili k jeho týmu „{{teamName}}“ v aplikaci {{appName}}. {{appName}} je plánovač událostí, který vám a vašemu týmu umožňuje plánovat schůzky bez e-mailového pingpongu.", "privacy": "Ochrana soukromí", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Přidejte své nové řetězce nahoru ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/da/common.json b/apps/web/public/static/locales/da/common.json index 316191980b32fe..52fd63ac3d1862 100644 --- a/apps/web/public/static/locales/da/common.json +++ b/apps/web/public/static/locales/da/common.json @@ -800,7 +800,6 @@ "verify_wallet": "Verificér Wallet", "create_events_on": "Opret begivenheder på", "enterprise_license": "Dette er en virksomhedsfunktion", - "enterprise_license_description": "For at aktivere denne funktion, skal du gå til {{setupUrl}} for at indtaste en licensnøgle. Hvis en licensnøgle allerede er på plads, bedes du kontakte {{supportMail}} for hjælp.", "missing_license": "Manglende Licens", "next_steps": "Næste Trin", "acquire_commercial_license": "Erhverv en kommerciel licens", @@ -1231,6 +1230,8 @@ "copy_link_to_form": "Kopiér link til formular", "theme": "Tema", "theme_applies_note": "Dette gælder kun for dine offentlige bookingsider", + "app_theme": "Dashboard-tema", + "app_theme_applies_note": "Dette gælder kun for din loggede dashboard", "theme_system": "System standard", "add_a_team": "Tilføj et team", "add_webhook_description": "Modtag mødedata i realtid, når der sker noget i {{appName}}", @@ -1536,5 +1537,6 @@ "confirm_your_details": "Bekræft dine oplysninger", "overlay_my_calendar": "Vis min kalender", "need_help": "Brug for hjælp?", + "send_email": "Send e-mail", "email_team_invite|subject|invited_to_regular_team": "{{user}} inviterede dig til at deltage i teamet {{team}} på {{appName}}" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/de/common.json b/apps/web/public/static/locales/de/common.json index 1469dc42d69129..73a3f8613fa08b 100644 --- a/apps/web/public/static/locales/de/common.json +++ b/apps/web/public/static/locales/de/common.json @@ -12,6 +12,7 @@ "have_any_questions": "Haben Sie Fragen? Wir sind hier um Ihnen zu helfen.", "reset_password_subject": "{{appName}}: Anleitung zum Zurücksetzen des Passworts", "verify_email_subject": "{{appName}}: Bestätigen Sie Ihr Konto", + "verify_email_subject_verifying_email": "{{appName}}: Bestätigen Sie Ihre E-Mail-Adresse", "check_your_email": "Schauen Sie in Ihrem E-Mail-Postfach nach", "old_email_address": "Alte E-Mail-Adresse", "new_email_address": "Neue E-Mail-Adresse", @@ -19,6 +20,7 @@ "verify_email_banner_body": "Bestätigen Sie Ihre E-Mail-Adresse, um die Zustellbarkeit von E-Mails und Kalenderbenachrichtigungen zu gewährleisten", "verify_email_email_header": "Bestätigen Sie Ihre E-Mail-Adresse", "verify_email_email_button": "E-Mail bestätigen", + "cal_ai_assistant": "Cal KI-Assistent", "verify_email_change_description": "Sie haben vor kurzem angefordert, die E-Mail-Adresse zu ändern, die Sie verwenden, um sich bei Ihrem {{appName}} Konto anzumelden. Bitte klicken Sie auf die Schaltfläche unten, um Ihre neue E-Mail-Adresse zu bestätigen.", "verify_email_change_success_toast": "Ihre E-Mail wurde auf {{email}} aktualisiert", "verify_email_change_failure_toast": "Fehler beim Aktualisieren der E-Mail.", @@ -81,6 +83,8 @@ "payment": "Bezahlung", "missing_card_fields": "Fehlender Eintrag für Karteninformationen", "pay_now": "Jetzt bezahlen", + "general_prompt": "Allgemeine Aufforderung", + "begin_message": "Nachricht starten", "codebase_has_to_stay_opensource": "Die Codebasis muss Open Source bleiben, unabhängig davon, ob sie geändert wurde oder nicht", "cannot_repackage_codebase": "Sie dürfen die Codebasis nicht weiter verkaufen", "acquire_license": "Erwerben Sie eine kommerzielle Lizenz per Email, um diese Bedingungen zu entfernen", @@ -108,7 +112,9 @@ "event_still_awaiting_approval": "Ein Termin wartet noch auf Ihre Bestätigung", "booking_submitted_subject": "Termin eingereicht: {{title}} am {{date}}", "download_recording_subject": "Aufnahme herunterladen: {{title}} am {{date}}", + "download_transcript_email_subject": "Transkript herunterladen: {{title}} am {{date}}", "download_your_recording": "Ihre Aufnahme herunterladen", + "download_your_transcripts": "Ihre Transkripte herunterladen", "your_meeting_has_been_booked": "Ihr Termin wurde gebucht", "event_type_has_been_rescheduled_on_time_date": "Ihr {{title}} wurde auf den {{date}} verschoben.", "event_has_been_rescheduled": "Ihr Termin wurde verschoben.", @@ -131,6 +137,7 @@ "invitee_timezone": "Zeitzone der Teilnehmenden", "time_left": "Verbleibende Zeit", "event_type": "Termintyp", + "duplicate_event_type": "Doppelter Ereignistyp", "enter_meeting": "Termin beitreten", "video_call_provider": "Videoanbieter", "meeting_id": "Termin-ID", @@ -156,6 +163,9 @@ "link_expires": "p.s. Es läuft in {{expiresIn}} Stunden ab.", "upgrade_to_per_seat": "Upgrade auf Pro-Mitglied lizensierung", "seat_options_doesnt_support_confirmation": "Sitzplatzoption unterstützt keine Bestätigungsanforderung", + "multilocation_doesnt_support_seats": "Mehrere Standorte unterstützt die Sitzplätze-Option nicht", + "no_show_fee_doesnt_support_seats": "Gebühr für das Nichterscheinen unterstützt die Sitzplätze-Option nicht", + "seats_option_doesnt_support_multi_location": "Sitzplätze-Option unterstützt mehrere Standorte nicht", "team_upgrade_seats_details": "Von den {{memberCount}} Mitgliedern in Ihrem Team sind {{unpaidCount}} Sitze(n) unbezahlt. Bei ${{seatPrice}}/m pro Sitzplatz betragen die geschätzten Gesamtkosten Ihrer Mitgliedschaft ${{totalCost}}/m.", "team_upgrade_banner_description": "Vielen Dank, dass Sie unseren neuen Teamplan getestet haben. Wir haben festgestellt, dass Ihr Team „{{teamName}}“ aktualisiert werden muss.", "upgrade_banner_action": "Hier aufrüsten", @@ -250,6 +260,7 @@ "create_account": "Konto erstellen", "confirm_password": "Passwort bestätigen", "reset_your_password": "Legen Sie Ihr neues Passwort mit den Anweisungen fest, die an Ihre E-Mail-Adresse gesendet wurden.", + "org_banner_instructions": "Bitte laden Sie Bild mit einer Breite von {{width}} und einer Höhe von {{height}} hoch.", "email_change": "Melden Sie sich mit Ihrer neuen E-Mail-Adresse und Ihrem Passwort wieder an.", "create_your_account": "Erstellen Sie Ihr Konto", "create_your_calcom_account": "Erstellen Sie Ihr Cal.com-Konto", @@ -322,8 +333,10 @@ "add_another_calendar": "Einen weiteren Kalender hinzufügen", "other": "Sonstige", "email_sign_in_subject": "Ihr Anmelde-Link für {{appName}}", + "round_robin_emailed_you_and_attendees": "Sie treffen sich mit {{user}}. Wir haben eine E-Mail mit einer Kalendereinladung mit den Details an alle gesendet.", "emailed_you_and_attendees": "Wir haben eine E-Mail mit einer Kalendereinladung mit den Details an alle gesendet.", "emailed_you_and_attendees_recurring": "Wir haben eine E-Mail mit einer Kalendereinladung mit den Details für das erste dieser wiederkehrenden Termine an alle gesendet.", + "round_robin_emailed_you_and_attendees_recurring": "Sie treffen sich mit {{user}}. Wir haben eine E-Mail mit einer Kalendereinladung mit den Details für das erste dieser wiederkehrenden Termine an alle gesendet.", "emailed_you_and_any_other_attendees": "Wir haben eine E-Mail mit diesen Informationen an alle gesendet.", "needs_to_be_confirmed_or_rejected": "Ihr Termin muss noch bestätigt oder abgelehnt werden.", "needs_to_be_confirmed_or_rejected_recurring": "Ihr wiederkehrender Termin muss noch bestätigt oder abgelehnt werden.", @@ -615,6 +628,7 @@ "number_selected": "{{count}} ausgewählt", "owner": "Inhaber", "admin": "Administrator", + "admin_api": "Admin API", "administrator_user": "Administrator Benutzer", "lets_create_first_administrator_user": "Lass uns als erstes den Administrator Benutzer anlegen.", "admin_user_created": "Administrator-Benutzereinrichtung", @@ -673,6 +687,7 @@ "user_from_team": "{{user}} von {{team}}", "preview": "Vorschau", "link_copied": "Link kopiert!", + "copied": "Kopiert!", "private_link_copied": "Privater Link kopiert!", "link_shared": "Link geteilt!", "title": "Titel", @@ -690,6 +705,7 @@ "multiple_duration_mins": "{{count}} $t(minute_timeUnit)", "multiple_duration_timeUnit": "{{count}} $t({{unit}}_timeUnit)", "minutes": "Minuten", + "use_cal_ai_to_make_call_description": "Benutzen Sie Cal.ai, um eine KI-betriebene Nummer zu erhalten oder Anrufe an Gäste zu tätigen.", "round_robin": "Round Robin", "round_robin_description": "Treffen zwischen mehreren Teammitgliedern durchwechseln.", "managed_event": "Verwaltetes Ereignis", @@ -704,7 +720,9 @@ "you_must_be_logged_in_to": "Sie müssen bei {{url}} angemeldet sein", "start_assigning_members_above": "Mit der Zuordnung von Mitgliedern oben beginnen", "locked_fields_admin_description": "Mitglieder werden dies nicht bearbeiten können", + "unlocked_fields_admin_description": "Mitglieder können bearbeiten", "locked_fields_member_description": "Diese Option wurde vom Team-Admin gesperrt", + "unlocked_fields_member_description": "Vom Team-Admin entsperrt", "url": "URL", "hidden": "Versteckt", "readonly": "Schreibgeschützt", @@ -807,6 +825,8 @@ "label": "Bezeichnung", "placeholder": "Platzhalter", "display_add_to_calendar_organizer": "„Zum Kalender hinzufügen“-E-Mail als Organisator anzeigen", + "display_email_as_organizer": "Wir werden diese E-Mail-Adresse als Veranstalter anzeigen und Bestätigungs-E-Mails hierhin senden.", + "if_enabled_email_address_as_organizer": "Wenn aktiviert, werden wir die E-Mail-Adresse aus Ihrem \"Zum Kalender hinzufügen\" als Organisator anzeigen und dort Bestätigungs-E-Mails senden", "reconnect_calendar_to_use": "Bitte beachten Sie, dass Sie möglicherweise die Verbindung trennen und anschließend Ihr „Zum Kalender hinzufügen“-Konto erneut verbinden müssen, um diese Funktion nutzen zu können.", "type": "Typ", "edit": "Bearbeiten", @@ -859,7 +879,7 @@ "add_new_event_type": "Neuen Termintyp hinzufügen", "new_event_type_to_book_description": "Erstellen Sie einen neuen Termintyp, mit dem Personen Zeiten buchen können.", "length": "Länge", - "minimum_booking_notice": "Mindesvorlaufzeit für eine Buchung", + "minimum_booking_notice": "Mindestvorlaufzeit für eine Buchung", "offset_toggle": "Versetzte Startzeiten", "offset_toggle_description": "Versetzt die den Buchern angezeigten Zeitfenster um eine bestimmte Anzahl von Minuten", "offset_start": "Versetzt um", @@ -980,8 +1000,8 @@ "verify_wallet": "Wallet verifizieren", "create_events_on": "Erstelle Termine in:", "enterprise_license": "Das ist eine Enterprise-Funktion", - "enterprise_license_description": "Um diese Funktion zu aktivieren, holen Sie sich einen Deployment-Schlüssel von der {{consoleUrl}}-Konsole und fügen Sie ihn als CALCOM_LICENSE_KEY zu Ihrer .env hinzu. Wenn Ihr Team bereits eine Lizenz hat, wenden Sie sich bitte an {{supportMail}} für Hilfe.", - "enterprise_license_development": "Sie können diese Funktion im Entwicklungsmodus testen. Zur Nutzung im regulären Arbeitsumfeld, besuchen Sie bitte <2>/auth/setup, um einen Lizenzschlüssel einzugeben.", + "enterprise_license_locally": "Sie können diese Funktion lokal testen, aber nicht in der Produktionsumgebung.", + "enterprise_license_sales": "Um zur Enterprise Edition upzugraden, wenden Sie sich bitte an unser Vertriebsteam. Wenn bereits ein Lizenzschlüssel vorhanden ist, wenden Sie sich für weitere Hilfe bitte an support@cal.com.", "missing_license": "Lizenz fehlt", "next_steps": "Nächste Schritte", "acquire_commercial_license": "Eine kommerzielle Lizenz erwerben", @@ -1080,6 +1100,7 @@ "make_team_private": "Team privat stellen", "make_team_private_description": "Wenn diese Einstellung aktiv ist, können deine Teammitglieder keine anderen Teammitglieder sehen.", "you_cannot_see_team_members": "Sie können nicht alle Teammitglieder eines privaten Teams sehen.", + "you_cannot_see_teams_of_org": "Du kannst keine Teams einer privaten Organisation sehen.", "allow_booker_to_select_duration": "Bucher erlauben, die Länge zu wählen", "impersonate_user_tip": "Alle Verwendungen dieser Funktion werden geprüft.", "impersonating_user_warning": "Imitiere den Account {{user}}.", @@ -1117,6 +1138,7 @@ "connect_apple_server": "Mit Apple-Server verbinden", "calendar_url": "Kalender-URL", "apple_server_generate_password": "Generieren Sie ein App-spezifisches Passwort für {{appName}} unter", + "unable_to_add_apple_calendar": "Dieses Apple-Kalender-Konto konnte nicht hinzugefügt werden. Bitte stellen Sie sicher, dass Sie ein app-spezifisches Passwort und nicht Ihr Konto-Passwort verwenden.", "credentials_stored_encrypted": "Ihre Zugangsdaten werden verschlüsselt gespeichert.", "it_stored_encrypted": "Er wird gespeichert und verschlüsselt.", "go_to_app_store": "Zum App Store", @@ -1234,6 +1256,7 @@ "reminder": "Erinnerung", "rescheduled": "Neu geplant", "completed": "Erledigt", + "rating": "Bewertung", "reminder_email": "Erinnerung: {{eventType}} mit {{name}} bei {{date}}", "not_triggering_existing_bookings": "Wird nicht für bereits bestehende Buchungen ausgelöst, da der Benutzer bei der Buchung nach einer Telefonnummer gefragt wird.", "minute_one": "{{count}} Minute", @@ -1268,6 +1291,7 @@ "upgrade": "Upgraden", "upgrade_to_access_recordings_title": "Upgraden, um auf Aufnahmen zuzugreifen", "upgrade_to_access_recordings_description": "Aufnahmen sind nur als Teil unseres Teams-Plans verfügbar. Sie müssen upgraden, um Ihre Anrufe aufzuzeichnen", + "upgrade_to_cal_ai_phone_number_description": "Führen Sie ein Upgrade zum Enterprise-Plan durch, um eine KI-Agent-Telefonnummer zu generieren, die Gäste anrufen und Anrufe planen kann", "recordings_are_part_of_the_teams_plan": "Aufnahmen sind Teil des Teams-Plans", "team_feature_teams": "Dies ist eine Team-Funktion. Sie müssen auf die Team-Version upgraden, um die Verfügbarkeit Ihres Teams zu sehen.", "team_feature_workflows": "Dies ist eine Team-Funktion. Sie müssen auf die Team-Version upgraden, um Ihre Termin-Benachrichtigungen und Erinnerungen mit Workflows zu automatisieren.", @@ -1414,7 +1438,12 @@ "download_responses_description": "Laden Sie alle Antworten zu Ihrem Formular im CSV-Format herunter.", "download": "Herunterladen", "download_recording": "Aufnahme herunterladen", + "transcription_enabled": "Transkriptionen sind jetzt aktiviert", + "transcription_stopped": "Transkriptionen werden jetzt gestoppt", + "download_transcript": "Transkript herunterladen", "recording_from_your_recent_call": "Eine Aufnahme von Ihrem letzten Anruf auf {{appName}} steht zum Download bereit", + "transcript_from_previous_call": "Transkript von Ihrem letzten Anruf bei {{appName}} ist zum Herunterladen bereit. Links sind nur für 1 Stunde gültig", + "link_valid_for_12_hrs": "Hinweis: Der Download-Link ist nur für 12 Stunden gültig. Sie können einen neuen Downloadlink durch das Befolgen der Anweisungen <1>hier generieren.", "create_your_first_form": "Erstellen Sie Ihr erstes Formular", "create_your_first_form_description": "Mithilfe von Leitungsformularen können Sie qualifizierende Fragen stellen und zur richtigen Person oder zum richtigen Veranstaltungstyp weiterleiten.", "create_your_first_webhook": "Erstellen Sie Ihren ersten Webhook", @@ -1466,6 +1495,7 @@ "routing_forms_description": "Erstellen Sie Formulare , um Teilnehmer zu den richtigen Stellen weiterzuleiten", "routing_forms_send_email_owner": "E-Mail an Eigentümer senden", "routing_forms_send_email_owner_description": "Sendet eine E-Mail an den Eigentümer, wenn das Formular abgeschickt wird", + "routing_forms_send_email_to": "E-Mail senden an", "add_new_form": "Neues Formular hinzufügen", "add_new_team_form": "Neues Formular zu Ihrem Team hinzufügen", "create_your_first_route": "Erstellen Sie Ihre erste Weiterleitung", @@ -1474,7 +1504,7 @@ "copy_link_to_form": "Link in Formular kopieren", "theme": "Theme", "theme_applies_note": "Dies gilt nur für Ihre öffentlichen Buchungsseiten", - "app_theme": "Dashboard-Theme", + "app_theme": "Dashboard-Thema", "app_theme_applies_note": "Dies gilt nur für Ihr eingeloggtes Dashboard", "theme_system": "Systemstandard", "add_a_team": "Team hinzufügen", @@ -1512,8 +1542,6 @@ "report_app": "App melden", "limit_booking_frequency": "Buchungsfrequenz begrenzen", "limit_booking_frequency_description": "Begrenzen, wie oft dieses Ereignis gebucht werden kann", - "limit_booking_only_first_slot": "Buchung auf den ersten Platz beschränken", - "limit_booking_only_first_slot_description": "Nur die Buchung des ersten Platzes am Tag erlauben", "limit_total_booking_duration": "Gesamtbuchungsdauer beschränken", "limit_total_booking_duration_description": "Begrenzt die Gesamtanzahl, die dieser Termin gebucht werden kann", "add_limit": "Begrenzung hinzufügen", @@ -1615,6 +1643,8 @@ "test_routing": "Testweiterleitung", "payment_app_disabled": "Ein Administrator hat eine Zahlungs-App deaktiviert", "edit_event_type": "Termintyp bearbeiten", + "only_admin_can_see_members_of_org": "Diese Organisation ist privat und nur der Administrator oder Eigentümer der Organisation kann ihre Mitglieder sehen.", + "only_admin_can_manage_sso_org": "Nur der Administrator oder Eigentümer der Organisation kann die SSO-Einstellungen verwalten", "collective_scheduling": "Kollektive Terminplanung", "make_it_easy_to_book": "Machen Sie es einfach, Ihr Team zu buchen, wenn jeder verfügbar ist.", "find_the_best_person": "Finden Sie die beste verfügbare Person und rotieren Sie durch Ihr Team.", @@ -1674,6 +1704,7 @@ "meeting_url_variable": "Meeting-URL", "meeting_url_info": "Die URL der Meeting-Konferenz", "date_overrides": "Datumsüberschreibungen", + "date_overrides_delete_on_date": "Datumsüberschreibungen am {{date}} löschen", "date_overrides_subtitle": "Fügen Sie Termine hinzu, an denen Ihre Verfügbarkeit von Ihren üblichen Geschäftszeiten abweicht.", "date_overrides_info": "Überschreibungsdaten werden automatisch nach Überschreitung des Datums archiviert", "date_overrides_dialog_which_hours": "Zu welchen Stunden sind Sie verfügbar?", @@ -1747,6 +1778,7 @@ "configure": "Konfigurieren", "sso_configuration": "SAML-Konfiguration", "sso_configuration_description": "SAML/OIDC SSO konfigurieren und Teammitgliedern erlauben, sich mit einem Identitätsanbieter anzumelden", + "sso_configuration_description_orgs": "SAML/OIDC SSO konfigurieren und Organisationsmitgliedern erlauben, sich mit einem Identitätsanbieter anzumelden", "sso_oidc_heading": "SSO mit OIDC", "sso_oidc_description": "Konfigurieren Sie OIDC SSO mit einem Identitätsanbieter Ihrer Wahl.", "sso_oidc_configuration_title": "OIDC-Konfiguration", @@ -1887,7 +1919,15 @@ "requires_at_least_one_schedule": "Sie müssen mindestens einen Verfügbarkeitsplan haben", "default_conferencing_bulk_description": "Orte für die ausgewählten Termintypen aktualisieren", "locked_for_members": "Für Mitglieder gesperrt", + "unlocked_for_members": "Für Mitglieder freigeschaltet", "apps_locked_for_members_description": "Mitglieder können die aktiven Apps sehen, können aber keine App-Einstellungen anpassen", + "apps_unlocked_for_members_description": "Mitglieder können die aktiven Apps sehen und App-Einstellungen anpassen", + "apps_locked_by_team_admins_description": "Sie können die aktiven Apps sehen, können aber keine App-Einstellungen anpassen", + "apps_unlocked_by_team_admins_description": "Sie können die aktiven Apps sehen und App-Einstellungen anpassen", + "workflows_locked_for_members_description": "Mitglieder können ihre persönlichen Workflows nicht zu diesem Termintyp hinzufügen. Mitglieder können die aktiven Teamworkflows sehen, können aber keine Workflow-Einstellungen bearbeiten.", + "workflows_unlocked_for_members_description": "Mitglieder werden ihre persönlichen Workflows zu diesem Termintyp hinzufügen können. Mitglieder können die aktiven Teamworkflows sehen, können aber keine Workflow-Einstellungen bearbeiten.", + "workflows_locked_by_team_admins_description": "Sie werden die aktiven Team-Workflows sehen können, werden aber keine Workflow-Einstellungen ändern oder Ihre persönlichen Workflows zu diesem Termintypen hinzufügen können.", + "workflows_unlocked_by_team_admins_description": "Sie werden ihre persönlichen Workflows bei diesem Termintyp aktivieren/deaktivieren können. Sie können die aktiven Teamworkflows sehen, können aber keine Team-Workflow-Einstellungen bearbeiten.", "locked_by_team_admin": "Vom Team-Admin gesperrt", "app_not_connected": "Sie haben kein {{appName}}-Konto verbunden.", "connect_now": "Jetzt verbinden", @@ -1904,6 +1944,7 @@ "filters": "Filter", "add_filter": "Filter hinzufügen", "remove_filters": "Alle Filter löschen", + "email_verified": "E-Mail bestätigt", "select_user": "Benutzer auswählen", "select_event_type": "Ereignistyp auswählen", "select_date_range": "Datumsbereich auswählen", @@ -2001,12 +2042,16 @@ "organization_banner_description": "Schaffen Sie Umgebungen, in der Teams gemeinsame Apps, Workflows und Termintypen mit Round Robin und kollektiver Terminplanung erstellen können.", "organization_banner_title": "Verwalten Sie Organizations mit mehreren Teams", "set_up_your_organization": "Ihre Organization einrichten", + "set_up_your_platform_organization": "Richten Sie Ihre Plattform ein", "organizations_description": "Organizations sind geteilte Umgebungen, in denen Teams gemeinsame Termintypen, Apps, Workflows und mehr erstellen können.", + "platform_organization_description": "Mit der Cal.com-Plattform können Sie die Terminplanung mühelos mit Hilfe von Plattform-APIs und -Atoms in Ihre App integrieren.", "must_enter_organization_name": "Es muss ein Name für die Organization eingegeben werden", "must_enter_organization_admin_email": "Sie müssen Ihre Organization-Mailadresse eingeben\n", "admin_email": "Ihre Organization-E-Mail-Adresse", + "platform_admin_email": "Ihre Admin-E-Mail-Adresse", "admin_username": "Benutzername des Administrators", "organization_name": "Name der Organization", + "platform_name": "Plattformname", "organization_url": "URL der Organization ", "organization_verify_header": "Bestätigen Sie Ihre Organization-Mailadresse", "organization_verify_email_body": "Bitte verwenden Sie den folgenden Code, um Ihre E-Mail-Adresse zu bestätigen, um die Einrichtung Ihrer Organization fortzusetzen.", @@ -2080,6 +2125,7 @@ "organizations": "Organisationen", "upload_cal_video_logo": "Cal Video Logo hochladen", "update_cal_video_logo": "Cal Video Logo aktualisieren", + "upload_banner": "Banner hochladen", "cal_video_logo_upload_instruction": "Um sicherzustellen, dass Ihr Logo vor dem dunklen Hintergrund von Cal Video gut sichtbar ist, laden Sie bitte ein helles Bild im PNG- oder SVG-Format hoch, um die Transparenz zu erhalten.", "org_admin_other_teams": "Weitere Teams", "org_admin_other_teams_description": "Hier können Sie Teams innerhalb Ihrer Organisation sehen, zu denen Sie nicht gehören. Sie können sich bei Bedarf selbst hinzufügen.", @@ -2138,6 +2184,23 @@ "scheduling_for_your_team_description": "Planen Sie Ihr Team mit kollektiver Terminplanung und Round-Robin-Terminplanung", "no_members_found": "Keine Mitglieder gefunden", "directory_sync": "Verzeichnissynchronisierung", + "directory_name": "Verzeichnisname", + "directory_provider": "Verzeichnisanbieter", + "directory_scim_url": "SCIM-Basis-URL", + "directory_scim_token": "SCIM-Bearer-Token", + "directory_scim_url_copied": "SCIM-Basis-URL kopiert", + "directory_scim_token_copied": "SCIM-Bearer-Token kopiert", + "directory_sync_info_description": "Ihr Identitätsanbieter wird nach den folgenden Informationen fragen, um SCIM zu konfigurieren. Befolgen Sie die Anweisungen, um die Einrichtung abzuschließen.", + "directory_sync_configure": "Verzeichnissynchronisation konfigurieren", + "directory_sync_configure_description": "Wählen Sie einen Identitätsanbieter, um das Verzeichnis für Ihr Team zu konfigurieren.", + "directory_sync_title": "Konfigurieren Sie einen Identitätsanbieter, um mit SCIM zu starten.", + "directory_sync_created": "Verzeichnissynchronisierungs-Verbindung erstellt.", + "directory_sync_description": "Bereitstellen und Entfernen von Nutzern mit Ihrem Verzeichnisanbieter.\n", + "directory_sync_deleted": "Verzeichnissynchronisierungs-Verbindung gelöscht.", + "directory_sync_delete_connection": "Verbindung löschen", + "directory_sync_delete_title": "Verzeichnissynchronisierungs-Verbindung löschen", + "directory_sync_delete_description": "Sind Sie sicher, dass Sie diese Verzeichnissynchronisierungs-Verbindung löschen möchten?", + "directory_sync_delete_confirmation": "Diese Aktion kann nicht rückgängig gemacht werden. Dies wird die Verzeichnissynchronisierungs-Verbindung dauerhaft löschen.", "event_setup_length_error": "Ereignis-Einrichtung: Die Dauer muss mindestens 1 Minute betragen.", "availability_schedules": "Verfügbarkeitspläne", "unauthorized": "Nicht authorisiert", @@ -2153,6 +2216,8 @@ "access_bookings": "Lesen, Bearbeiten, Löschen Ihrer Termine", "allow_client_to_do": "{{clientName}} zulassen, dies zu tun?", "oauth_access_information": "Indem Sie auf „Erlauben“ klicken, erlauben Sie dieser App, Ihre Informationen gemäß ihrer Nutzungsbedingungen und Datenschutzrichtlinien zu verwenden. Sie können den Zugriff im {{appName}} App Store aufheben.", + "oauth_form_title": "OAuth Client-Erstellungsformular", + "oauth_form_description": "Dies ist das Formular, um einen neuen OAuth-Client zu erstellen", "allow": "Zulassen", "view_only_edit_availability_not_onboarded": "Dieser Benutzer hat das Onboarding noch nicht abgeschlossen. Sie können seine Verfügbarkeit erst festlegen, wenn er das Onboarding abgeschlossen hat.", "view_only_edit_availability": "Sie sehen die Verfügbarkeit dieses Benutzers. Sie können nur Ihre eigene Verfügbarkeit bearbeiten.", @@ -2175,6 +2240,8 @@ "availabilty_schedules": "Verfügbarkeitspläne", "manage_calendars": "Kalender verwalten", "manage_availability_schedules": "Verfügbarkeitspläne verwalten", + "locked": "Gesperrt", + "unlocked": "Freigeschaltet", "lock_timezone_toggle_on_booking_page": "Zeitzone auf der Buchungsseite sperren", "description_lock_timezone_toggle_on_booking_page": "Um die Zeitzone auf der Buchungsseite zu sperren, nützlich für Termine in Person.", "event_setup_multiple_payment_apps_error": "Sie können nur eine Zahlungs-App pro Ereignistyp aktiv haben.", @@ -2192,9 +2259,10 @@ "unified_billing_description": "Fügen Sie eine einzige Kreditkarte hinzu, um alle Abos Ihres Teams zu bezahlen", "advanced_managed_events": "Erweiterte verwaltete Ereignistypen", "advanced_managed_events_description": "Fügen Sie eine einzige Kreditkarte hinzu, um alle Abonnements Ihres Teams zu bezahlen", - "enterprise_description": "Rüsten Sie auf Enterprise auf, um Ihre Organisation zu erstellen", + "enterprise_description": "Upgraden Sie um Ihre Organisation zu erstellen", "create_your_org": "Erstellen Sie Ihre Organisation", - "create_your_org_description": "Rüsten Sie auf Enterprise auf und erhalten Sie eine Subdomain, einheitliche Abrechnung, Insights, umfangreiches Whitelabeling und mehr", + "create_your_org_description": "Upgraden und erhalten Sie eine Subdomain, einheitliche Abrechnungen, Insights, umfangreiches Whitelabeling und mehr", + "create_your_enterprise_description": "Rüsten Sie auf die Enterprise-Version auf, um Zugriff auf Active Directy Sync, SCIM automatische Benutzerbereitstellung, Cal.ai Voice Agents, Admin APIs und mehr zu erhalten!", "other_payment_app_enabled": "Sie können nur eine Zahlungs-App pro Ereignistyp aktivieren", "admin_delete_organization_description": "
  • Teams, die Mitglieder dieser Organisation sind, werden ebenfalls zusammen mit ihren Ereignistypen gelöscht
  • Benutzer, die Teil der Organisation waren, werden nicht gelöscht und ihre Ereignistypen bleiben ebenfalls intakt.
  • Benutzernamen würden geändert werden, um zu ermöglichen, dass sie außerhalb der Organisation existieren können
", "admin_delete_organization_title": "{{organizationName}} löschen?", @@ -2205,6 +2273,10 @@ "troubleshooter_tooltip": "Öffnen Sie die Problembehandlung und finden Sie heraus, was mit Ihrem Zeitplan nicht stimmt", "need_help": "Brauchst du Hilfe?", "troubleshooter": "Problembehandlung", + "number_to_call": "Nummer zum Anrufen", + "guest_name": "Gastname", + "guest_email": "Gast-E-Mail", + "guest_company": "Gastunternehmen", "please_install_a_calendar": "Bitte installieren Sie einen Kalender", "instant_tab_title": "Sofortige Buchung", "instant_event_tab_description": "Personen sofort buchen lassen", @@ -2212,6 +2284,7 @@ "dont_want_to_wait": "Sie möchten nicht warten?", "meeting_started": "Meeting gestartet", "pay_and_book": "Zum Buchen bezahlen", + "cal_ai_event_tab_description": "Lassen Sie sich von KI-Agenten buchen", "booking_not_found_error": "Buchung konnte nicht gefunden werden", "booking_seats_full_error": "Die Buchungsplätze sind voll", "missing_payment_credential_error": "Fehlende Zahlungsinformationen", @@ -2251,6 +2324,7 @@ "redirect_to": "Umleiten zu", "having_trouble_finding_time": "Haben Sie Schwierigkeiten, ein Zeitfenster zu finden?", "show_more": "Mehr anzeigen", + "forward_params_redirect": "Weiterleitungsparameter wie ?email=...&name=.... und mehr", "assignment_description": "Planen Sie Meetings ein, wenn jeder verfügbar ist, oder rotieren Sie durch die Mitglieder Ihres Team", "lowest": "Niedrigste", "low": "Niedrig", @@ -2264,17 +2338,140 @@ "field_identifiers_as_variables": "Verwenden Sie Feldbezeichner als Variablen für Ihre benutzerdefinierte Ereignisumleitung", "field_identifiers_as_variables_with_example": "Verwenden Sie Feldbezeichner als Variablen für Ihre benutzerdefinierte Ereignisumleitung (z. B. {{variable}})", "account_already_linked": "Konto ist bereits verknüpft", + "send_email": "E-Mail senden", + "mark_as_no_show": "Als No-Show markieren", + "unmark_as_no_show": "Markierung als No-Show entfernen", + "account_unlinked_success": "Konto erfolgreich getrennt", + "account_unlinked_error": "Beim Trennen der Verknüpfung des Kontos ist ein Fehler aufgetreten", + "travel_schedule": "Reiseplan", + "travel_schedule_description": "Planen Sie Ihre Reise im Voraus, um Ihren bestehenden Zeitplan in einer anderen Zeitzone zu behalten und zu verhindern, dass Sie um Mitternacht gebucht werden.", + "schedule_timezone_change": "Zeitzonenänderung planen", + "date": "Datum", + "overlaps_with_existing_schedule": "Dies überlappt sich mit einem bestehenden Zeitplan. Bitte wählen Sie ein anderes Datum.", + "org_admin_no_slots|subject": "Keine Verfügbarkeit für {{name}} gefunden", + "org_admin_no_slots|heading": "Keine Verfügbarkeit für {{name}} gefunden", + "org_admin_no_slots|content": "Hallo Organisationsadmins,

Bitte beachtet: Wir wurden darauf hingewiesen, dass {{username}} keine Verfügbarkeit hatte, als ein Benutzer {{username}}/{{slug}} besucht hat

Das könnte einige Gründe haben
Der Benutzer hat keine verbundenen Kalender
Seine Zeitpläne, die an dieses Ereignis angeschlossen sind, sind nicht aktiviert

Wir empfehlen, seine Verfügbarkeit zu überprüfen, um das Problem zu beheben.", + "org_admin_no_slots|cta": "Benutzerverfügbarkeit öffnen", + "organization_no_slots_notification_switch_title": "Erhalten Sie Benachrichtigungen, wenn Ihr Team keine Verfügbarkeiten hat", + "organization_no_slots_notification_switch_description": "Admins erhalten E-Mail-Benachrichtigungen, wenn ein Benutzer versucht, ein Teammitglied zu buchen, und „Keine Verfügbarkeit“ sieht. Wir lösen diese E-Mail nach zwei Vorfällen aus und erinnern Sie alle 7 Tage pro Benutzer. ", + "email_team_invite|subject|added_to_org": "{{user}} hat Sie zur Organisation {{team}} auf {{appName}} hinzugefügt", + "email_team_invite|subject|invited_to_org": "{{user}} hat Sie eingeladen, der Organisation {{team}} auf {{appName}} beizutreten", + "email_team_invite|subject|added_to_subteam": "{{user}} hat Sie zum Team {{team}} der Organisation {{parentTeamName}} auf {{appName}} hinzugefügt", "email_team_invite|subject|invited_to_subteam": "{{user}} hat Sie eingeladen, dem Team {{team}} der Organisation {{parentTeamName}} auf {{appName}} beizutreten", "email_team_invite|subject|invited_to_regular_team": "{{user}} hat Sie eingeladen, dem Team {{team}} auf {{appName}} beizutreten", + "email_team_invite|heading|added_to_org": "Sie wurden zu einer {{appName}}-Organisation hinzugefügt", + "email_team_invite|heading|invited_to_org": "Sie wurden zu einer {{appName}}-Organisation eingeladen", + "email_team_invite|heading|added_to_subteam": "Sie wurden zu einem Team einer {{parentTeamName}}-Organisation hinzugefügt", + "email_team_invite|heading|invited_to_subteam": "Sie wurden zu einem Team einer {{parentTeamName}}-Organisation eingeladen", "email_team_invite|heading|invited_to_regular_team": "Sie wurden eingeladen, einem {{appName}}-Team beizutreten", + "email_team_invite|content|added_to_org": "{{invitedBy}} hat Sie zur {{teamName}}-Organisation hinzugefügt.", + "email_team_invite|content|invited_to_org": "{{invitedBy}} hat Sie zur {{teamName}}-Organisation eingeladen.", + "email_team_invite|content|added_to_subteam": "{{invitedBy}} hat Sie zum Team {{teamName}} in seiner bzw. ihrer Organisation {{parentTeamName}} hinzugefügt. {{appName}} ist der Terminplaner, der es Ihnen und Ihrem Team ermöglicht, Meetings ohne Hin und Her zu planen.", + "email_team_invite|content|invited_to_subteam": "{{invitedBy}} hat Sie zum Team {{teamName}} in seiner bzw. ihrer Organisation {{parentTeamName}} eingeladen. {{appName}} ist der Terminplaner, der es Ihnen und Ihrem Team ermöglicht, Meetings ohne Hin und Her zu planen.", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} hat Sie eingeladen, dem Team „{{teamName}}“ beizutreten. {{appName}} ist der Event-Planer, der es Ihnen und Ihrem Team ermöglicht, Meetings ohne Hin und Her zu planen.", + "email|existing_user_added_link_will_change": "Beim Annehmen der Einladung wird Ihr Link zu einer Organisationsdomäne geändert, aber keine Sorge, alle vorherigen Links werden weiterhin funktionieren und entsprechend weiterleiten.

Hinweis: Alle Ihre persönlichen Termintypen werden in die Organisation {teamName} verschoben, das kann ebenfalls einen möglichen persönlichen Link enthalten.

Für persönliche Termine empfehlen wir, ein neues Konto mit einer persönlichen E-Mail-Adresse zu erstellen.", + "email|existing_user_added_link_changed": "Ihr Link wurde wurde von
{prevLinkWithoutProtocol} zu {newLinkWithoutProtocol} geändert, aber keine Sorge, alle vorherigen Links funktionieren immer noch und leiten entsprechend weiter.

Hinweis: Alle Ihre persönlichen Termintypen wurden in die Organisation {teamName} verschoben, welches ebenfalls möglicherweise Ihren persönlichen Link enthalten kann.

Bitte melden Sie sich an und stellen Sie sicher, dass Sie keine privaten Termine in Ihrem neuen Organisationskonto haben.

Für persönliche Termine empfehlen wir, ein neues Konto mit Ihrer persönlichen E-Mail-Adresse zu erstellen.

Hier ist Ihr neuer, sauberer Link: {newLinkWithoutProtocol}", + "email_organization_created|subject": "Ihre Organisation wurde erstellt", + "your_current_plan": "Ihr aktueller Tarif", + "organization_price_per_user_month": "37 $ pro Nutzer im Monat (mindestens 30 Sitzplätze)", + "privacy_organization_description": "Privatsphäre-Einstellungen für Ihre Organisation verwalten", "privacy": "Datenschutz", + "team_will_be_under_org": "Neue Teams werden unter Ihrer Organisation sein", + "add_group_name": "Gruppennamen hinzufügen", + "group_name": "Gruppenname", + "routers": "Router", "primary": "Primär", "make_primary": "Zur Primäradresse machen", "add_email": "E-Mail-Adresse hinzufügen", "add_email_description": "Fügen Sie eine E-Mail-Adresse hinzu, um die Ihre primäre E-Mail-Adresse ersetzt, oder als alternative E-Mail in Ihren Ereignistypen verwendet wird.", "confirm_email": "Bestätigen Sie Ihre E-Mail-Adresse", + "scheduler_first_name": "Der Vorname der buchenden Person", + "scheduler_last_name": "Der Nachname der buchenden Person", + "organizer_first_name": "Ihr Vorname", "confirm_email_description": "Wir haben eine E-Mail an {{email}} gesendet. Klicken Sie auf den Link in der E-Mail, um diese Adresse zu bestätigen.", "send_event_details_to": "Termindetails senden an", + "schedule_tz_without_end_date": "Zeitzone ohne Enddatum einplanen", + "select_members": "Mitglieder auswählen", + "lock_event_types_modal_header": "Was soll mit den bestehenden Termintypen Ihres Mitglieds geschehen?", + "org_delete_event_types_org_admin": "Alle individuellen Termintypen (außer verwaltete Typen) von Ihren Mitgliedern werden dauerhaft gelöscht. Sie werden nicht in der Lage sein, neue zu erstellen", + "org_hide_event_types_org_admin": "Die individuellen Termintypen werden von Profilen verborgen (abgesehen von verwalteten), die Links werden jedoch weiterhin aktiv sein. Sie werden nicht in der Lage sein, neue zu erstellen. ", + "hide_org_eventtypes": "Einzelne Termintypen verbergen", + "delete_org_eventtypes": "Einzelne Termintypen löschen", + "lock_org_users_eventtypes": "Erstellung einzelner Termintypen sperren", + "lock_org_users_eventtypes_description": "Mitglieder daran hindern, ihre eigenen Termintypen zu erstellen.", + "add_to_event_type": "Zu Termintyp hinzufügen", + "create_account_password": "Kontopasswort erstellen", + "error_creating_account_password": "Passwort konnte nicht erstellt werden", + "cannot_create_account_password_cal_provider": "Kann kein Kontopasswort für Cal-Konten erstellen", + "cannot_create_account_password_already_existing": "Es kann kein Passwort für bereits erstellte Konten erstellt werden", + "create_account_password_hint": "Sie haben kein Konto-Passwort. Erstellen Sie eines, indem Sie zu Sicherheit -> Passwort navigieren. Die Verbindung kann nicht getrennt werden, bis ein Konto-Passwort erstellt wurde.", + "disconnect_account": "Verbundenes Konto trennen", + "disconnect_account_hint": "Das Trennen Ihres verbundenen Kontos ändert die Art und Weise, wie Sie sich anmelden. Sie können sich nur mit E-Mail + Passwort bei Ihrem Konto anmelden", + "cookie_consent_checkbox": "Ich stimme unseren Datenschutzrichtlinien und der Verwendung von Cookies zu", + "make_a_call": "Anruf tätigen", + "skip_rr_assignment_label": "Round-Robin-Zuweisung überspringen, wenn der Kontakt in Salesforce existiert", + "skip_rr_description": "URL muss die E-Mail des Kontakts als Parameter enthalten, z. B. ?email=contactEmail", + "select_account_header": "Konto auswählen", + "select_account_description": "Installieren Sie {{appName}} auf Ihrem persönlichen Konto oder auf einem Teamkonto.", + "select_event_types_header": "Termintypen auswählen", + "select_event_types_description": "Auf welchem Termintypen möchten Sie {{appName}} installieren?", + "configure_app_header": "{{appName}} konfigurieren", + "configure_app_description": "App-Einrichtung abschließen. Sie können diese Einstellungen später ändern.", + "already_installed": "bereits installiert", + "ooo_reasons_unspecified": "Nicht angegeben", + "ooo_reasons_vacation": "Urlaub", + "ooo_reasons_travel": "Verreist", + "ooo_reasons_sick_leave": "Krankheitsurlaub", + "ooo_reasons_public_holiday": "Feiertag", + "ooo_forwarding_to": "Weiterleitung an {{username}}", + "ooo_not_forwarding": "Keine Weiterleitung", + "ooo_empty_title": "Eine Abwesenheit erstellen", + "ooo_empty_description": "Informieren Sie Ihre Bucher, wann Sie nicht zur Buchung bereitstehen. Sie können immer noch von ihnen bei Ihrer Rückkehr buchen oder sie an ein Teammitglied weiterleiten.", + "ooo_user_is_ooo": "{{displayName}} ist abwesend", + "ooo_slots_returning": "<0>{{displayName}} kann die Meetings während der Abwesenheit abhalten.", + "ooo_slots_book_with": "{{displayName}} buchen", + "ooo_create_entry_modal": "Abwesenheit eintragen", + "ooo_select_reason": "Grund auswählen", + "create_an_out_of_office": "Abwesenheit eintragen", + "submit_feedback": "Feedback absenden", + "host_no_show": "Ihr Gastgeber ist nicht erschienen", + "no_show_description": "Sie können ein anderes Meeting mit ihm bzw. ihr planen", + "how_can_we_improve": "Wie können wir unseren Service verbessern?", + "most_liked": "Was gefällt Ihnen am meisten?", + "review": "Überprüfung", + "reviewed": "Überprüft", + "unreviewed": "Ungeprüft", + "rating_url_info": "Die URL für das Bewertungsfeedback-Formular", + "no_show_url_info": "Die URL für Feedback zum Nichterscheinen anzeigen", + "no_support_needed": "Keine Unterstützung erforderlich?", + "hide_support": "Unterstützung ausblenden", + "event_ratings": "Durchschnittliche Bewertungen", + "event_no_show": "Veranstalter nicht erschienen", + "recent_ratings": "Aktuelle Bewertungen", + "no_ratings": "Keine Bewertungen eingereicht", + "no_ratings_description": "Fügen Sie einen Workflow mit „Bewertung“ hinzu, um Bewertungen nach Meetings zu sammeln", + "most_no_show_host": "Am häufigsten nicht erschienene Mitglieder", + "highest_rated_members": "Mitglieder mit den am höchsten bewerteten Meetings", + "lowest_rated_members": "Mitglieder mit den am niedrigsten bewerteten Meetings", + "csat_score": "CSAT-Bewertung", + "lockedSMS": "Gesperrte SMS", + "signing_up_terms": "Indem Sie fortfahren, stimmen Sie unseren <0>Nutzungsbedingungen und unserer <1>Datenschutzerklärung zu.", + "leave_without_assigning_anyone": "Verlassen, ohne jemanden zuzuordnen?", + "leave_without_adding_attendees": "Sind Sie sicher, dass Sie diesen Termin verlassen möchten, ohne Teilnehmer hinzuzufügen?", + "no_availability_shown_to_bookers": "Wenn Sie niemanden für diesen Termin zuweisen, wird den Buchenden keine Verfügbarkeit angezeigt.", + "go_back_and_assign": "Zurück und zuweisen", + "leave_without_assigning": "Ohne Zuordnung verlassen", + "always_show_x_days": "Immer für {{x}} Tage verfügbar", + "unable_to_subscribe_to_the_platform": "Beim Abonnieren des Platform-Plans ist ein Fehler aufgetreten. Bitte versuchen Sie es später erneut", + "updating_oauth_client_error": "Beim Aktualisieren des OAuth-Clients ist ein Fehler aufgetreten. Bitte versuchen Sie es später erneut", + "creating_oauth_client_error": "Beim Erstellen des OAuth-Clients ist ein Fehler aufgetreten. Bitte versuchen Sie es später erneut", + "mark_as_no_show_title": "Als nicht erschienen markieren", + "x_marked_as_no_show": "{{x}} als No-Show markiert", + "x_unmarked_as_no_show": "No-Show-Markierung von {{x}} entfernt", + "no_show_updated": "No-Show-Status für Teilnehmer aktualisiert", + "email_copied": "E-Mail kopiert", + "USER_PENDING_MEMBER_OF_THE_ORG": "Benutzer ist ein ausstehendes Mitglied der Organisation", + "USER_ALREADY_INVITED_OR_MEMBER": "Benutzer ist bereits ein Mitglied oder eingeladen", + "USER_MEMBER_OF_OTHER_ORGANIZATION": "Benutzer ist Mitglied einer Organisation, zu der dieses Team nicht angehört.", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Fügen Sie Ihre neuen Code-Zeilen über dieser hinzu ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/el/common.json b/apps/web/public/static/locales/el/common.json index 7fc92aa7e9862d..d04db01cb4e05a 100644 --- a/apps/web/public/static/locales/el/common.json +++ b/apps/web/public/static/locales/el/common.json @@ -278,6 +278,8 @@ "disable_guests": "Απενεργοποίηση επισκεπτών", "location_variable": "Τοποθεσία", "additional_notes_variable": "Πρόσθετες σημειώσεις", + "app_theme": "Θέμα του πίνακα ελέγχου", + "app_theme_applies_note": "Αυτό ισχύει μόνο για το πίνακα ελέγχου σας που έχεις συνδεθεί", "already_have_account": "Έχετε ήδη λογαριασμό;", "email_team_invite|subject|invited_to_regular_team": "Ο χρήστης {{user}} σας προσκάλεσε να συμμετάσχετε στην ομάδα {{team}} στο {{appName}}" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/en/common.json b/apps/web/public/static/locales/en/common.json index 91779164e3bb04..32fa46341e0a2a 100644 --- a/apps/web/public/static/locales/en/common.json +++ b/apps/web/public/static/locales/en/common.json @@ -12,6 +12,7 @@ "have_any_questions": "Have questions? We're here to help.", "reset_password_subject": "{{appName}}: Reset password instructions", "verify_email_subject": "{{appName}}: Verify your account", + "verify_email_subject_verifying_email": "{{appName}}: Verify your email", "check_your_email": "Check your email", "old_email_address": "Old Email", "new_email_address": "New Email", @@ -162,6 +163,9 @@ "link_expires": "p.s. It expires in {{expiresIn}} hours.", "upgrade_to_per_seat": "Upgrade to Per-Seat", "seat_options_doesnt_support_confirmation": "Seats option doesn't support confirmation requirement", + "multilocation_doesnt_support_seats": "Multiple Locations doesn't support seats option", + "no_show_fee_doesnt_support_seats": "No show fee doesn't support seats option", + "seats_option_doesnt_support_multi_location" : "Seats option doesn't support Multiple Locations", "team_upgrade_seats_details": "Of the {{memberCount}} members in your team, {{unpaidCount}} seat(s) are unpaid. At ${{seatPrice}}/month per seat the estimated total cost of your membership is ${{totalCost}}/month.", "team_upgrade_banner_description": "You haven't finished your team setup. Your team \"{{teamName}}\" needs to be upgraded.", "upgrade_banner_action": "Upgrade here", @@ -460,6 +464,7 @@ "booking_cancelled": "Booking Canceled", "booking_rescheduled": "Booking Rescheduled", "recording_ready": "Recording Download Link Ready", + "recording_transcription_generated": "Transcript Generated", "booking_created": "Booking Created", "booking_rejected": "Booking Rejected", "booking_requested": "Booking Requested", @@ -467,6 +472,7 @@ "meeting_ended": "Meeting Ended", "form_submitted": "Form Submitted", "booking_paid": "Booking Paid", + "booking_no_show_updated": "Booking No-Show Updated", "event_triggers": "Event Triggers", "subscriber_url": "Subscriber URL", "create_new_webhook": "Create a new webhook", @@ -624,6 +630,7 @@ "number_selected": "{{count}} selected", "owner": "Owner", "admin": "Admin", + "admin_api": "Admin API", "administrator_user": "Administrator user", "lets_create_first_administrator_user": "Let's create the first administrator user.", "admin_user_created": "Administrator user setup", @@ -682,6 +689,7 @@ "user_from_team": "{{user}} from {{team}}", "preview": "Preview", "link_copied": "Link copied!", + "copied": "Copied!", "private_link_copied": "Private link copied!", "link_shared": "Link shared!", "title": "Title", @@ -994,8 +1002,8 @@ "verify_wallet": "Verify Wallet", "create_events_on": "Create events on", "enterprise_license": "This is an enterprise feature", - "enterprise_license_description": "To enable this feature, have an administrator go to <2>/auth/setup to enter a license key. If a license key is already in place, please contact <5>{{SUPPORT_MAIL_ADDRESS}} for help.", - "enterprise_license_development": "You can test this feature on development mode. For production usage please have an administrator go to <2>/auth/setup to enter a license key.", + "enterprise_license_locally": "You can test this feature locally but not on production.", + "enterprise_license_sales": "To upgrade to the enterprise edition, please reach out to our sales team. If a license key is already in place, please contact support@cal.com for help.", "missing_license": "Missing License", "next_steps": "Next Steps", "acquire_commercial_license": "Acquire a commercial license", @@ -1037,6 +1045,7 @@ "seats_nearly_full": "Seats almost full", "seats_half_full": "Seats filling fast", "number_of_seats": "Number of seats per booking", + "set_instant_meeting_expiry_time_offset_description": "Set meeting join window (seconds): The time frame in seconds within which host can join and start the meeting. After this period, the meeting join url will expire.", "enter_number_of_seats": "Enter number of seats", "you_can_manage_your_schedules": "You can manage your schedules on the Availability page.", "booking_full": "No more seats available", @@ -1230,6 +1239,8 @@ "may_require_confirmation": "May require confirmation", "nr_event_type_one": "{{count}} event type", "nr_event_type_other": "{{count}} event types", + "count_team_one": "{{count}} team", + "count_team_other": "{{count}} teams", "add_action": "Add action", "set_whereby_link": "Set Whereby link", "invalid_whereby_link": "Please enter a valid Whereby Link", @@ -1267,7 +1278,12 @@ "problem_updating_calendar": "There was a problem updating your calendar", "active_on_event_types_one": "Active on {{count}} event type", "active_on_event_types_other": "Active on {{count}} event types", + "active_on_teams_one": "Active on {{count}} team", + "active_on_teams_other": "Active on {{count}} teams", + "active_on_all_event_types": "Active on all event types", + "active_on_all_teams": "Active on all teams", "no_active_event_types": "No active event types", + "no_active_teams": "No active teams", "new_seat_subject": "New Attendee {{name}} on {{eventType}} at {{date}}", "new_seat_title": "Someone has added themselves to an event", "variable": "Variable", @@ -1333,6 +1349,9 @@ "2fa_required": "Two factor authentication required", "incorrect_2fa": "Incorrect two factor authentication code", "which_event_type_apply": "Which event type will this apply to?", + "apply_to_all_event_types": "Apply to all, including future event types", + "apply_to_all_teams": "Apply to all team and user event types", + "which_team_apply": "Which team will this apply to?", "no_workflows_description": "Workflows enable simple automation to send notifications & reminders enabling you to build processes around your events.", "timeformat_profile_hint": "This is an internal setting and will not affect how times are displayed on public booking pages for you or anyone booking you.", "create_workflow": "Create a workflow", @@ -1536,8 +1555,8 @@ "report_app": "Report app", "limit_booking_frequency": "Limit booking frequency", "limit_booking_frequency_description": "Limit how many times this event can be booked", - "limit_booking_only_first_slot": "Limit booking only first slot", - "limit_booking_only_first_slot_description": "Allow only the first slot of every day to be booked", + "only_show_first_available_slot": "Only show the first slot of each day as available", + "only_show_first_available_slot_description": "This will limit your availability for this event type to one slot per day, scheduled at the earliest available time.", "limit_total_booking_duration": "Limit total booking duration", "limit_total_booking_duration_description": "Limit total amount of time that this event can be booked", "add_limit": "Add Limit", @@ -1742,6 +1761,7 @@ "new_attendee": "New Attendee", "awaiting_approval": "Awaiting Approval", "requires_google_calendar": "This app requires a Google Calendar connection", + "event_type_requires_google_calendar": "The “Add to calendar” for this event type needs to be a Google Calendar for Meet to work. Connect it <1>here.", "connected_google_calendar": "You have connected a Google Calendar account.", "using_meet_requires_calendar": "Using Google Meet requires a connected Google Calendar", "continue_to_install_google_calendar": "Continue to install Google Calendar", @@ -1940,6 +1960,7 @@ "filters": "Filters", "add_filter": "Add filter", "remove_filters": "Clear all filters", + "email_verified": "Email Verified", "select_user": "Select User", "select_event_type": "Select Event Type", "select_date_range": "Select Date Range", @@ -2022,7 +2043,7 @@ "invite_as": "Invite as", "form_updated_successfully": "Form updated successfully.", "disable_attendees_confirmation_emails": "Disable default confirmation emails for attendees", - "disable_attendees_confirmation_emails_description": "At least one workflow is active on this event type that sends an email to the attendees when the event is booked.", + "disable_attendees_confirmation_emails_description": "At least one workflow is active on this event type that sends a booking confirmation to the attendees.", "disable_host_confirmation_emails": "Disable default confirmation emails for host", "disable_host_confirmation_emails_description": "At least one workflow is active on this event type that sends an email to the host when the event is booked.", "add_an_override": "Add an override", @@ -2037,12 +2058,16 @@ "organization_banner_description": "Create an environments where your teams can create shared apps, workflows and event types with round-robin and collective scheduling.", "organization_banner_title": "Manage organizations with multiple teams", "set_up_your_organization": "Set up your organization", + "set_up_your_platform_organization": "Set up your platform", "organizations_description": "Organizations are shared environments where teams can create shared event types, apps, workflows and more.", + "platform_organization_description": "Cal.com Platform lets you integrate scheduling effortlessly into your app using platform apis and atoms.", "must_enter_organization_name": "Must enter an organization name", "must_enter_organization_admin_email": "Must enter your organization email address", "admin_email": "Your organization email address", + "platform_admin_email": "Your admin email address", "admin_username": "Administrator's username", "organization_name": "Organization name", + "platform_name": "Platform name", "organization_url": "Organization URL", "organization_verify_header": "Verify your organization email", "organization_verify_email_body": "Please use the code below to verify your email address to continue setting up your organization.", @@ -2252,9 +2277,10 @@ "advanced_managed_events_description": "Add a single credit card to pay for all your team's subscriptions", "enterprise_description": "Upgrade to Enterprise to create your Organization", "create_your_org": "Create your Organization", - "create_your_org_description": "Upgrade to Enterprise and receive a subdomain, unified billing, Insights, extensive whitelabeling and more", + "create_your_org_description": "Upgrade to Organizations and receive a subdomain, unified billing, Insights, extensive whitelabeling and more", + "create_your_enterprise_description": "Upgrade to Enterprise and get access to Active Directory Sync, SCIM Automatic User provisioning, Cal.ai Voice Agents, Admin APIs and more!", "other_payment_app_enabled": "You can only enable one payment app per event type", - "admin_delete_organization_description": "
  • Teams that are member of this organization will also be deleted along with their event-types
  • Users that were part of the organization will not be deleted and their event-types will also remain intact.
  • Usernames would be changed to allow them to exist outside the organization
", + "admin_delete_organization_description": "
  • Teams that are member of this organization will also be deleted along with their event-types
  • Users that were part of the organization will not be deleted but their usernames would be changed to allow them to exist outside the organization
  • User event-types created after the user was in the organization will be deleted
  • Migrated user event-types will not be deleted
", "admin_delete_organization_title": "Delete {{organizationName}}?", "published": "Published", "unpublished": "Unpublished", @@ -2314,6 +2340,7 @@ "redirect_to": "Redirect to", "having_trouble_finding_time": "Having trouble finding a time?", "show_more": "Show more", + "forward_params_redirect": "Forward parameters such as ?email=...&name=.... and more", "assignment_description": "Schedule meetings when everyone is available or rotate through members on your team", "lowest": "lowest", "low": "low", @@ -2327,12 +2354,24 @@ "field_identifiers_as_variables": "Use field identifiers as variables for your custom event redirect", "field_identifiers_as_variables_with_example": "Use field identifiers as variables for your custom event redirect (e.g. {{variable}})", "account_already_linked": "Account is already linked", + "send_email": "Send email", + "mark_as_no_show": "Mark as no-show", + "unmark_as_no_show": "Unmark no-show", + "account_unlinked_success": "Account unlinked successfully", + "account_unlinked_error": "There was an error unlinking the account", "travel_schedule": "Travel Schedule", "travel_schedule_description": "Plan your trip ahead to keep your existing schedule in a different timezone and prevent being booked at midnight.", "schedule_timezone_change": "Schedule timezone change", "date": "Date", "overlaps_with_existing_schedule": "This overlaps with an existing schedule. Please select a different date.", + "org_admin_no_slots|subject": "No availability found for {{name}}", + "org_admin_no_slots|heading": "No availability found for {{name}}", + "org_admin_no_slots|content": "Hello Organization Admins,

Please note: It has been brought to our attention that {{username}} has not had any availability when a user has visited {{username}}/{{slug}}

There’s a few reasons why this could be happening
The user does not have any calendars connected
Their schedules attached to this event are not enabled

We recommend checking their availability to resolve this.", + "org_admin_no_slots|cta": "Open users availability", + "organization_no_slots_notification_switch_title": "Get notifications when your team has no availability", + "organization_no_slots_notification_switch_description": "Admins will get email notifications when a user tries to book a team member and is faced with 'No availability'. We trigger this email after two occurrences and remind you every 7 days per user. ", + "email_team_invite|subject|added_to_org": "{{user}} added you to the organization {{team}} on {{appName}}", "email_team_invite|subject|invited_to_org": "{{user}} invited you to join the organization {{team}} on {{appName}}", "email_team_invite|subject|added_to_subteam": "{{user}} added you to the team {{team}} of organization {{parentTeamName}} on {{appName}}", @@ -2366,6 +2405,9 @@ "add_email": "Add Email", "add_email_description": "Add an email address to replace your primary or to use as an alternative email on your event types.", "confirm_email": "Confirm your email", + "scheduler_first_name": "The first name of the person booking", + "scheduler_last_name": "The last name of the person booking", + "organizer_first_name": "Your first name", "confirm_email_description": "We sent an email to {{email}}. Click the link in the email to verify this address.", "send_event_details_to": "Send event details to", "schedule_tz_without_end_date": "Schedule timezone without end date", @@ -2377,6 +2419,7 @@ "delete_org_eventtypes": "Delete individual event types", "lock_org_users_eventtypes": "Lock individual event type creation", "lock_org_users_eventtypes_description": "Prevent members from creating their own event types.", + "add_to_event_type": "Add to event type", "create_account_password": "Create account password", "error_creating_account_password": "Failed to create account password", "cannot_create_account_password_cal_provider": "Cannot create account password for cal accounts", @@ -2386,6 +2429,15 @@ "disconnect_account_hint": "Disconnecting your connected account will change the way you log in. You will only be able to login to your account using email + password", "cookie_consent_checkbox": "I consent to our privacy policy and cookie usage", "make_a_call": "Make a Call", + "skip_rr_assignment_label": "Skip round robin assignment if contact exists in Salesforce", + "skip_rr_description": "URL must contain the contacts email as a parameter ex. ?email=contactEmail", + "select_account_header": "Select Account", + "select_account_description": "Install {{appName}} on your personal account or on a team account.", + "select_event_types_header": "Select Event Types", + "select_event_types_description": "On which event type do you want to install {{appName}}?", + "configure_app_header": "Configure {{appName}}", + "configure_app_description": "Finalise the App setup. You can change these settings later.", + "already_installed": "already installed", "ooo_reasons_unspecified": "Unspecified", "ooo_reasons_vacation": "Vacation", "ooo_reasons_travel": "Travel", @@ -2413,5 +2465,39 @@ "no_show_url_info":"The URL for No Show Feedback", "no_support_needed":"No Support Needed?", "hide_support":"Hide Support", + "event_ratings": "Average Ratings", + "event_no_show": "Host No Show", + "recent_ratings": "Recent ratings", + "no_ratings": "No ratings submitted", + "no_ratings_description": "Add a workflow with 'Rating' to collect ratings after meetings", + "most_no_show_host": "Most No Show Members", + "highest_rated_members": "Members with highest rated meetings", + "lowest_rated_members": "Members with lowest rated meetings", + "csat_score": "CSAT Score", + "lockedSMS": "Locked SMS", + "leave_without_assigning_anyone": "Leave without assigning anyone?", + "leave_without_adding_attendees": "Are you sure want to leave this event without adding attendees?", + "no_availability_shown_to_bookers": "If you don't assign anyone for this event, there will be no availability shown to bookers.", + "go_back_and_assign": "Go back and Assign", + "leave_without_assigning": "Leave without Assigning", + "signing_up_terms": "By proceeding, you agree to our <0>Terms and <1>Privacy Policy.", + "always_show_x_days": "Always {{x}} days available", + "unable_to_subscribe_to_the_platform": "An error occurred while trying to subscribe to the platform plan, please try again later", + "updating_oauth_client_error": "An error occurred while updating the OAuth client, please try again later", + "creating_oauth_client_error": "An error occurred while creating the OAuth client, please try again later", + "mark_as_no_show_title": "Mark as no show", + "x_marked_as_no_show": "{{x}} marked as no-show", + "x_unmarked_as_no_show": "{{x}} unmarked as no-show", + "team_select_info": "triggers for all team event types and all team members' personal event types", + "no_show_updated": "No-show status updated for attendees", + "email_copied": "Email copied", + "USER_PENDING_MEMBER_OF_THE_ORG": "User is a pending member of the organization", + "USER_ALREADY_INVITED_OR_MEMBER": "User is already invited or a member", + "USER_MEMBER_OF_OTHER_ORGANIZATION": "User is member of an organization that this team is not a part of.", + "skip_writing_to_calendar": "Do not write to the ICS feed", + "rescheduling_not_possible": "Rescheduling is not possible as the event has expired", + "event_expired": "This event is expired", + "skip_contact_creation": "Skip creating contacts if they do not exist in {{appName}} ", + "skip_writing_to_calendar_note": "If your ICS link is read-only (e.g., Proton Calendar), check the box above to avoid errors. You'll also need to manually update your calendar for changes.", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Add your new strings above here ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" } diff --git a/apps/web/public/static/locales/es/common.json b/apps/web/public/static/locales/es/common.json index 434d8f3210b360..4dd52683248d08 100644 --- a/apps/web/public/static/locales/es/common.json +++ b/apps/web/public/static/locales/es/common.json @@ -936,8 +936,6 @@ "verify_wallet": "Verificar billetera", "create_events_on": "Crear eventos en", "enterprise_license": "Esta es una función empresarial", - "enterprise_license_description": "Para habilitar esta función, obtenga una clave de despliegue en la consola {{consoleUrl}} y añádala a su .env como CALCOM_LICENSE_KEY. Si su equipo ya tiene una licencia, póngase en contacto con {{supportMail}} para obtener ayuda.", - "enterprise_license_development": "Puede probar esta función en el modo de desarrollo. Para el uso de producción, haga que un administrador vaya a <2>/auth/setup para ingresar una clave de licencia.", "missing_license": "Falta la licencia", "next_steps": "Pasos siguientes", "acquire_commercial_license": "Adquirir una licencia comercial", @@ -1421,6 +1419,8 @@ "copy_link_to_form": "Copiar enlace al formulario", "theme": "Tema", "theme_applies_note": "Esto sólo se aplica a tus páginas públicas de reservas", + "app_theme": "Tema del tablero", + "app_theme_applies_note": "Esto solo se aplica a su tabla de control conectada", "theme_system": "Predeterminado del sistema", "add_a_team": "Añadir un equipo", "add_webhook_description": "Recibe los datos de la reunión en tiempo real cuando ocurra algo en {{appName}}", @@ -2094,9 +2094,10 @@ "extensive_whitelabeling": "Asistencia dedicada en materia de incorporación e ingeniería", "need_help": "¿Necesita ayuda?", "show_more": "Mostrar más", + "send_email": "Enviar correo electrónico", "email_team_invite|subject|invited_to_regular_team": "{{user}} te invitó a unirte al equipo {{team}} en {{appName}}", "email_team_invite|heading|invited_to_regular_team": "Lo han invitado a unirse a un equipo en {{appName}}", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} lo ha invitado a unirse a su equipo \"{{teamName}}\" en {{appName}}. {{appName}} es el planificador de eventos que le permite a usted y a su equipo programar reuniones sin correos electrónicos de ida y vuelta.", "privacy": "Privacidad", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Agregue sus nuevas cadenas arriba ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/et/common.json b/apps/web/public/static/locales/et/common.json index cf66529c566202..900550158eb98b 100644 --- a/apps/web/public/static/locales/et/common.json +++ b/apps/web/public/static/locales/et/common.json @@ -1,25 +1,2487 @@ { "identity_provider": "Identiteedi pakkuja", - "trial_days_left": "Teil on $t(day, {\"count\": {{days}} }) jäänud PRO prooviversiooni", + "trial_days_left": "Teil on veel $t(day, {\"count\": {{days}} }) jäänud PRO prooviversiooni", "day_one": "{{count}} päev", "day_other": "{{count}} päeva", - "second_one": "{{count}} sekundit", + "second_one": "{{count}} sekund", "second_other": "{{count}} sekundit", "upgrade_now": "Uuenda nüüd", "accept_invitation": "Võta kutse vastu", - "calcom_explained": "{{appName}} pakub ajakava infrastruktuuri absoluutselt kõigile.", + "calcom_explained": "{{appName}} pakub ajaplaneerimise infrastruktuuri absoluutselt kõigile.", + "calcom_explained_new_user": "Viige oma {{appName}} konto seadistamine lõpuni! Olete vaid mõne sammu kaugusel kõigi ajaplaneerimise probleemide lahendamisest.", + "have_any_questions": "Kas teil on küsimusi? Oleme siin, et aidata.", "reset_password_subject": "{{appName}}: Parooli taastamise juhend", "verify_email_subject": "{{appName}}: Kinnita oma konto", - "check_your_email": "Kontrolli enda e-posti", + "verify_email_subject_verifying_email": "{{appName}}: Kinnita oma e-posti aadress", + "check_your_email": "Kontrollige enda e-posti", "old_email_address": "Vana e-posti aadress", "new_email_address": "Uus e-posti aadress", - "verify_email_page_body": "Me saatsime e-kirja meiliaadressile: {{email}}. Oluline on kinnitada oma e-posti aadress, et tagada parim e-posti ja kalendri ühendus {{appName}}.", - "verify_email_banner_body": "Parima meili ja kalendri edastamise tagamiseks kinnitage oma e-posti aadress", - "verify_email_email_header": "Kinnita oma e-posti aadress", - "verify_email_email_button": "Kinnita e-posti aadress", + "verify_email_page_body": "Me saatsime e-kirja meiliaadressile: {{email}}. {{appName}} e-posti ja kalendri parima ühenduse tagamiseks on oluline oma e-posti aadressi kinnitamine.", + "verify_email_banner_body": "Kinnitage oma e-posti aadress, et tagada parim e-kirjade ja kalendri saabumus", + "verify_email_email_header": "Kinnitage oma e-posti aadress", + "verify_email_email_button": "Kinnitage e-post", + "cal_ai_assistant": "Cal AI Assistant", "verify_email_change_description": "Olete hiljuti taotlenud oma {{appName}} kontole sisselogimiseks kasutatava e-posti aadressi muutmist. Uue e-posti aadressi kinnitamiseks klõpsake alloleval nupul.", "verify_email_change_success_toast": "Teie e-posti aadress on värskendatud: {{email}}", "verify_email_change_failure_toast": "E-posti aadressi värskendamine ebaõnnestus.", - "change_of_email": "Kinnitage oma uus rakenduse {{appName}} e-posti aadress", - "change_of_email_toast": "Saatsime kinnituslingi aadressile {{email}}. Värskendame teie e-posti aadressi, kui klõpsate sellel lingil." -} \ No newline at end of file + "change_of_email": "Kinnitage oma uus {{appName}} e-posti aadress", + "change_of_email_toast": "Saatsime kinnituslingi meiliaadressile {{email}}. Värskendame teie e-posti aadressi, kui klõpsate sellel lingil.", + "copy_somewhere_safe": "Salvestage see API võti kuskile turvaliselt. Võtit ei ole võimalik uuesti vaadata.", + "verify_email_email_body": "Palun kinnitage oma e-posti aadress, klõpsates alloleval nupul.", + "verify_email_by_code_email_body": "Palun kinnitage oma e-posti aadress, kasutades allolevat koodi.", + "verify_email_email_link_text": "Siin on link juhuks, kui teile ei meeldi nuppude klõpsamine:", + "email_verification_code": "Sisesta kinnituskood", + "email_verification_code_placeholder": "Sisestage teie meilile saadetud kinnituskood", + "incorrect_email_verification_code": "Kinnituskood on vale.", + "email_sent": "E-kiri edukalt saadetud", + "email_not_sent": "Meili saatmisel ilmnes viga", + "event_declined_subject": "Keeldus: {{title}} kell {{date}}", + "event_cancelled_subject": "Tühistatud: {{title}} kell {{date}}", + "event_request_declined": "Teie ürituse taotlus on tagasi lükatud", + "event_request_declined_recurring": "Teie korduva ürituse taotlus on tagasi lükatud", + "event_request_cancelled": "Teie ajastatud üritus tühistati", + "organizer": "Korraldaja", + "need_to_reschedule_or_cancel": "Kas on vaja ümber ajastada või tühistada?", + "no_options_available": "Valikud pole saadaval", + "cancellation_reason": "Tühistamise põhjus (valikuline)", + "cancellation_reason_placeholder": "Miks sa tühistad?", + "rejection_reason": "Keeldumise põhjus", + "rejection_reason_title": "Kas keelduda broneerimistaotlusest?", + "rejection_reason_description": "Kas soovite kindlasti broneeringu tagasi lükata? Anname sellest teada inimesele, kes broneerida üritas. Põhjuse saate esitada allpool.", + "rejection_confirmation": "Keeldu broneeringust", + "manage_this_event": "Halda seda üritust", + "invite_team_member": "Kutsu meeskonnaliige", + "invite_team_individual_segment": "Kutsu üksikisik", + "invite_team_bulk_segment": "Hulgiimport", + "invite_team_notifcation_badge": "Kutse", + "your_event_has_been_scheduled": "Teie üritus on ajastatud", + "your_event_has_been_scheduled_recurring": "Teie korduv üritus on ajastatud", + "accept_our_license": "Nõustuge meie litsentsiga, muutes .env muutuja <1>NEXT_PUBLIC_LICENSE_CONSENT väärtuseks '{{agree}}'.", + "remove_banner_instructions": "Selle bänneri eemaldamiseks avage oma .env-fail ja muutke muutuja <1>NEXT_PUBLIC_LICENSE_CONSENT väärtuseks '{{agree}}'.", + "error_message": "Veateade oli: '{{errorMessage}}'", + "refund_failed_subject": "Tagasimakse ebaõnnestus: {{name}} - {{date}} - {{eventType}}", + "refund_failed": "Tagasimakse ürituse {{eventType}} eest kasutajaga {{userName}} kuupäeval {{date}} nurjus.", + "check_with_provider_and_user": "Pöörduge oma makseteenuse pakkuja ja {{user}} poole, kuidas seda käsitleda.", + "a_refund_failed": "Tagasimakse ebaõnnestus", + "awaiting_payment_subject": "Makse ootel: {{title}}, {{date}}", + "meeting_awaiting_payment": "Teie koosolek ootab tasumist", + "dark_theme_contrast_error": "Tumeda teema värv ei läbi kontrasti kontrolli. Soovitame teil seda värvi muuta, et nupud oleksid paremini nähtavad.", + "light_theme_contrast_error": "Heleda teema värv ei läbi kontrasti kontrolli. Soovitame teil seda värvi muuta, et teie nupud oleksid paremini nähtavad.", + "payment_not_created_error": "Makset ei olnud võimalik teostada", + "couldnt_charge_card_error": "Makse eest ei olnud võimalik debiteerida", + "no_available_users_found_error": "Saadaolevaid kasutajaid ei leitud. Kas saaksite proovida teist ajavahemikku?", + "request_body_end_time_internal_error": "Sisemine viga. Taotluse sisu ei sisalda lõpuaega", + "create_calendar_event_error": "Korraldaja kalendrisse ei olnud võimalik üritust luua", + "update_calendar_event_error": "Kalendri üritust ei olnud võimalik värskendada.", + "delete_calendar_event_error": "Kalendri üritust ei olnud võimalik kustutada.", + "already_signed_up_for_this_booking_error": "Olete selle broneeringu jaoks juba registreerunud.", + "hosts_unavailable_for_booking": "Mõned võõrustajad pole broneerimiseks saadaval.", + "help": "Abi", + "price": "Hind", + "paid": "Tasuline", + "refunded": "Tagastatud", + "payment": "Makse", + "missing_card_fields": "Kaardiväljad puuduvad", + "pay_now": "Maksa nüüd", + "general_prompt": "Üldine viip", + "begin_message": "Alusta sõnumit", + "codebase_has_to_stay_opensource": "Koodibaas peab jääma avatud lähtekoodiga, olenemata sellest, kas seda muudeti või mitte", + "cannot_repackage_codebase": "Te ei tohi koodibaasi ümber pakkida ega müüa", + "acquire_license": "Tingimuste eemaldamiseks hankige kommertslitsents e-kirja teel", + "terms_summary": "Tingimuste kokkuvõte", + "open_env": "Avage .env ja nõustuge meie litsentsiga", + "env_changed": "Ma olen muutnud oma .env faili", + "accept_license": "Nõustu litsentsiga", + "still_waiting_for_approval": "Üritus ootab endiselt heakskiitu", + "event_is_still_waiting": "Ürituse taotlus on endiselt ootel: {{attendeeName}} - {{date}} - {{eventType}}", + "no_more_results": "Enam tulemusi pole", + "no_results": "Tulemused puuduvad", + "load_more_results": "Lae rohkem tulemusi", + "integration_meeting_id": "{{integrationName}} koosoleku ID: {{meetingId}}", + "confirmed_event_type_subject": "Kinnitatud: {{eventType}} üritusega {{name}} kell {{date}}", + "new_event_request": "Uue ürituse taotlus: {{attendeeName}} - {{date}} - {{eventType}}", + "confirm_or_reject_request": "Taotluse kinnitamine või tagasilükkamine", + "check_bookings_page_to_confirm_or_reject": "Broneeringu kinnitamiseks või tagasilükkamiseks kontrollige oma broneeringute lehte.", + "event_awaiting_approval": "Üritus ootab teie heakskiitu", + "event_awaiting_approval_recurring": "Korduv üritus ootab teie heakskiitu", + "someone_requested_an_event": "Keegi on taotlenud teie kalendrisse ürituse ajastamist.", + "someone_requested_password_reset": "Keegi on palunud linki teie parooli muutmiseks.", + "password_reset_email_sent": "Kui see e-posti aadress on meie süsteemis olemas, peaksite saama lähtestamismeili.", + "password_reset_instructions": "Kui te seda ei taotlenud, võite seda meili ohutult ignoreerida ja teie parooli ei muudeta.", + "event_awaiting_approval_subject": "Ootab kinnitamist: {{title}} kell {{date}}", + "event_still_awaiting_approval": "Üks üritus ootab endiselt teie heakskiitu", + "booking_submitted_subject": "Broneering esitatud: {{title}} kell {{date}}", + "download_recording_subject": "Laadi salvestis alla: {{title}} kell {{date}}", + "download_transcript_email_subject": "Laadi alla transkriptsioon: {{title}} kell {{date}}", + "download_your_recording": "Laadige oma salvestis alla", + "download_your_transcripts": "Laadi alla oma ärakirjad", + "your_meeting_has_been_booked": "Teie koosolek on broneeritud", + "event_type_has_been_rescheduled_on_time_date": "Teie {{title}} on ümber ajastatud kuupäevaks {{date}}.", + "event_has_been_rescheduled": "Värskendatud – teie üritus on ümber ajastatud", + "request_reschedule_subtitle": "{{organizer}} tühistas broneeringu ja palus teil valida teise aja.", + "request_reschedule_title_organizer": "Olete taotlenud {{osaleja}} ajastamise muutmist", + "request_reschedule_subtitle_organizer": "Olete broneeringu tühistanud ja {{attendee}} peaks teiega uue broneerimisaja valima.", + "rescheduled_event_type_subject": "Ümberajastamise taotlus saadeti: {{eventType}} kasutajaga {{name}} kell {{date}}", + "requested_to_reschedule_subject_attendee": "Nõutud ümberajastamine: Palun broneerige oma {{eventType}} üritusele nimega {{name}} uus aeg", + "hi_user_name": "Tere, {{name}}", + "ics_event_title": "{{eventType}} koos {{name}}", + "please_book_a_time_sometime_later": "Vabandust, meil ei olnud võimalik teiega praegu ühendust luua. Ajastage selle asemel tulevane kõne", + "new_event_subject": "Uus üritus: {{attendeeName}} - {{date}} - {{eventType}}", + "join_by_entrypoint": "Liituge {{entryPoint}} viisil", + "notes": "Märkmed", + "manage_my_bookings": "Halda minu broneeringuid", + "need_to_make_a_change": "Kas on vaja muudatusi teha?", + "new_event_scheduled": "Uus üritus on ajastatud.", + "new_event_scheduled_recurring": "Uus korduv üritus on ajastatud.", + "invitee_email": "Kutsutava e-posti aadress", + "invitee_timezone": "Kutsutava ajavöönd", + "time_left": "Aega jäänud", + "event_type": "Ürituse tüüp", + "duplicate_event_type": "Dubleeri ürituse tüüpi", + "enter_meeting": "Sisene koosolekule", + "video_call_provider": "Videokõne pakkuja", + "meeting_id": "Koosoleku ID", + "meeting_password": "Koosoleku parool", + "meeting_url": "Koosoleku URL", + "meeting_url_not_found": "Koosoleku URL-i ei leitud", + "token_not_found": "Tookenit ei leitud", + "some_other_host_already_accepted_the_meeting": "Teine korraldaja juba nõustus koosolekuga. Kas soovite ikkagi liituda? <1>Jätka koosolekule", + "meeting_request_rejected": "Teie koosoleku taotlus on tagasi lükatud", + "rejected_event_type_with_organizer": "Tagasi lükatud: {{eventType}} koos {{organizer}} kuupäeval {{date}}", + "hi": "Tere", + "join_team": "Liitu meeskonnaga", + "manage_this_team": "Halda seda meeskonda", + "team_info": "Meeskonnainfo", + "join_meeting": "Liitu koosolekuga", + "request_another_invitation_email": "Kui te eelistate mitte kasutada {{toEmail}} oma {{appName}} e-posti aadressina või teil on juba {{appName}} konto, taotlege sellele e-posti aadressile uus kutse.", + "you_have_been_invited": "Teid on kutsutud liituma meeskonnaga {{teamName}}", + "user_invited_you": "{{user}} kutsus teid liituma meeskonnaga {{entity}} {{team}} rakenduses {{appName}}", + "user_invited_you_to_subteam": "{{user}} kutsus teid liituma organisatsiooni {{parentTeamName}} meeskonnaga {{team}} rakenduses {{appName}}", + "hidden_team_member_title": "Sa oled selles meeskonnas varjatud", + "hidden_team_member_message": "Teie koha eest ei maksta, minge üle PRO paketile või andke meeskonna omanikule teada, et nad võivad teie koha eest maksta.", + "hidden_team_owner_message": "Meeskondade kasutamiseks vajate PRO paketiga kontot, olete varjatud kuni vahetate paketti.", + "link_expires": "NB! See aegub {{expiresIn}} tunni pärast.", + "upgrade_to_per_seat": "Uuenda istekohapõhisele plaanile", + "seat_options_doesnt_support_confirmation": "Istekoha broneerimise valik ei ole toeta kinnitust nõudvate broneeringute puhul.", + "multilocation_doesnt_support_seats": "Mitme asukoha valik ei toeta istekoha broneerimise valikut", + "no_show_fee_doesnt_support_seats": "Kohale mitteilmumise trahvi valik ei toeta istekoha broneerimise valikut.", + "seats_option_doesnt_support_multi_location": "Istekoha broneerimise valik ei toeta mitme asukoha valikut", + "team_upgrade_seats_details": "Teie meeskonna {{memberCount}} liikmest on {{unpaidCount}} kohta tasustamata. Teie liikmelisuse hinnanguline kogumaksumus ${{seatPrice}}/kuus koha kohta on kokku ${{totalCost}}/kuus.", + "team_upgrade_banner_description": "Te pole oma meeskonna seadistamist lõpule viinud. Teie meeskonda \"{{teamName}}\" tuleb uuendada.", + "upgrade_banner_action": "Uuendage siin", + "team_upgraded_successfully": "Teie meeskonda uuendati edukalt!", + "org_upgrade_banner_description": "Täname, et proovisite meie organisatsiooni plaani. Märkasime, et teie organisatsiooni \"{{teamName}}\" tuleb uuendada.", + "org_upgraded_successfully": "Teie organisatsiooni uuendamine õnnestus!", + "use_link_to_reset_password": "Kasutage oma parooli lähtestamiseks allolevat linki", + "hey_there": "Tere,", + "forgot_your_password_calcom": "Unustasite oma parooli? - {{appName}}", + "delete_webhook_confirmation_message": "Kas soovite kindlasti selle veebihaagi kustutada? Kui üritus on ajastatud või tühistatud, ei saa te enam reaalajas {{appName}} koosoleku andmeid määratud URL-il.", + "confirm_delete_webhook": "Jah, kustuta veebihaak", + "edit_webhook": "Muuda veebihaaki", + "delete_webhook": "Kustuta veebihaak", + "webhook_status": "Veebihaagi olek", + "webhook_enabled": "Veebihaak lubatud", + "webhook_disabled": "Veebihaak keelatud", + "webhook_response": "Veebihaagi vastus", + "webhook_test": "Veebihaagi test", + "manage_your_webhook": "Halda oma veebihaaki", + "webhook_created_successfully": "Veebihaagi loomine õnnestus!", + "webhook_updated_successfully": "Veebihaagi värskendamine õnnestus!", + "webhook_removed_successfully": "Veebihaagi eemaldamine õnnestus!", + "payload_template": "Laengu mall", + "dismiss": "Ignoreeri", + "no_data_yet": "Andmeid veel pole", + "ping_test": "Ping test", + "add_to_homescreen": "Lisage see rakendus oma avakuvale kiiremaks juurdepääsuks ja parema kogemuse saamiseks.", + "upcoming": "Tulemas", + "recurring": "Korduv", + "past": "Minevik", + "choose_a_file": "Vali fail...", + "upload_image": "Laadi pilt üles", + "upload_target": "Laadi üles {{target}}", + "no_target": "Ei {{target}}", + "slide_zoom_drag_instructions": "Suumimiseks libistage, ümberpaigutamiseks lohistage", + "view_notifications": "Kuva teatised", + "view_public_page": "Kuva avalik leht", + "copy_public_page_link": "Kopeeri avaliku lehe link", + "sign_out": "Logi välja", + "add_another": "Lisa veel üks", + "install_another": "Installi teine", + "until": "kuni", + "powered_by": "teenust pakub", + "unavailable": "Pole saadaval", + "set_work_schedule": "Seadke oma töögraafik", + "change_bookings_availability": "Muuda, millal olete broneerimiseks saadaval", + "select": "Vali...", + "2fa_confirm_current_password": "Alustamiseks kinnitage oma praegune parool.", + "2fa_scan_image_or_use_code": "Skannige allolev pilt oma telefoni autentimisrakendusega või sisestage selle asemel tekstikood käsitsi.", + "text": "Tekst", + "your_phone_number": "Sinu telefoninumber", + "multiline_text": "Mitmerealine tekst", + "number": "Arv", + "checkbox": "Märkeruut", + "is_required": "On kohustuslik", + "required": "Kohustuslik", + "optional": "Valikuline", + "input_type": "Sisestustüüp", + "rejected": "Tagasi lükatud", + "unconfirmed": "Kinnitamata", + "guests": "Külalised", + "guest": "Külaline", + "web_conferencing_details_to_follow": "Veebikonverentsi üksikasjad mida järgida kinnitusmeilis.", + "404_the_user": "Kasutajanimi", + "username": "Kasutajanimi", + "is_still_available": "on endiselt saadaval.", + "documentation": "Dokumentatsioon", + "documentation_description": "Õppige, kuidas integreerida meie tööriistu oma rakendusega", + "api_reference": "API viide", + "api_reference_description": "Täielik API viide meie teekide jaoks", + "blog": "Blogi", + "blog_description": "Lugege meie viimaseid uudiseid ja artikleid", + "join_our_community": "Liituge meie kogukonnaga", + "join_our_discord": "Liitu meie Discordiga", + "404_claim_entity_user": "Taotle oma kasutajanimi ja ajasta üritusi", + "popular_pages": "Populaarsed lehed", + "register_now": "Registreeru kohe", + "register": "Registreeri", + "page_doesnt_exist": "Seda lehte ei eksisteeri.", + "check_spelling_mistakes_or_go_back": "Kontrollige kirjavigu või minge tagasi eelmisele lehele.", + "404_page_not_found": "404: Seda lehte ei leitud.", + "booker_event_not_found": "Me ei leidnud üritust, mida proovite broneerida.", + "getting_started": "Alustamine", + "15min_meeting": "15-minutiline koosolek", + "30min_meeting": "30-minutiline koosolek", + "secret": "Saladus", + "leave_blank_to_remove_secret": "Saladuse eemaldamiseks jätke tühjaks", + "webhook_secret_key_description": "Veenduge, et teie server saaks turvakaalutlustel ainult oodatud {{appName}} rakenduse päringuid", + "secret_meeting": "Salajane koosolek", + "login_instead": "Selle asemel logi sisse", + "already_have_an_account": "On juba konto?", + "create_account": "Loo konto", + "confirm_password": "Kinnita salasõna", + "reset_your_password": "Seadke oma uus parool teie e-posti aadressile saadetud juhiste järgi.", + "org_banner_instructions": "Palun laadige üles pilt laiusega {{width}} ja kõrgusega {{height}}.", + "email_change": "Logi uuesti sisse oma uue e-posti aadressi ja parooliga.", + "create_your_account": "Loo enda konto", + "create_your_calcom_account": "Loo oma Cal.com konto", + "sign_up": "Registreeri", + "youve_been_logged_out": "Teid on välja logitud", + "hope_to_see_you_soon": "Loodame varsti jälle näha!", + "logged_out": "Välja logitud", + "please_try_again_and_contact_us": "Palun proovige uuesti ja võtke meiega ühendust, kui probleem püsib.", + "incorrect_2fa_code": "Kaheastmeline kood on vale.", + "no_account_exists": "Sellele e-posti aadressile vastavat kontot pole olemas.", + "2fa_enabled_instructions": "Kaheastmeline autentimine on aktiveeritud. Sisestage autentimisrakenduse kuuekohaline kood.", + "2fa_enter_six_digit_code": "Sisestage allpool oma autentimisrakenduse kuuekohaline kood.", + "create_an_account": "Looge oma konto", + "dont_have_an_account": "Kas teil pole kontot?", + "2fa_code": "Kaheastmeline kood", + "sign_in_account": "Logi oma kontole sisse", + "sign_in": "Logi sisse", + "go_back_login": "Mine tagasi sisselogimislehele", + "error_during_login": "Teie sisselogimisel ilmnes viga. Minge tagasi sisselogimiskuvale ja proovige uuesti.", + "request_password_reset": "Saada lähtestamismeil", + "send_invite": "Saada kutse", + "forgot_password": "Unustasid parooli?", + "forgot": "Unustasid?", + "done": "Valmis", + "all_done": "Kõik tehtud!", + "all": "Kõik", + "yours": "Sinu konto", + "available_apps": "Saadaolevad Rakendused", + "available_apps_lower_case": "Saadaolevad rakendused", + "available_apps_desc": "Vaadake allpool populaarseid rakendusi ja uurige rohkem meie <1>App Store", + "fixed_host_helper": "Lisa kõik, kes peavad üritusel osalema. <1>Lisateave", + "round_robin_helper": "Inimesed rühmas käivad kordamööda ja üritusele ilmub ainult üks inimene.", + "check_email_reset_password": "Kontrollige oma e-posti. Saatsime teile lingi parooli lähtestamiseks.", + "finish": "Lõpetama", + "organization_general_description": "Meeskonna keele ja ajavööndi seadete haldamine", + "few_sentences_about_yourself": "Paar lauset enda kohta. See kuvatakse teie isiklikul URL-i lehel.", + "nearly_there": "Peaaegu seal!", + "nearly_there_instructions": "Viimane, lühike kirjeldus teie kohta ja foto aitavad teil broneeringuid teha ja inimestele teada anda, kelle juures nad broneerivad.", + "set_availability_instructions": "Määrake ajavahemikud, mil olete regulaarselt saadaval. Saate neid hiljem rohkem luua ja määrata need erinevatele kalendritele.", + "set_availability": "Määrake oma saadavus", + "set_availbility_description": "Määrake ajakavad kellaaegade jaoks, mida soovite broneerida.", + "share_a_link_or_embed": "Jaga linki või manustamist", + "share_a_link_or_embed_description": "Jagage oma {{appName}} linki või manustage oma saidile.", + "availability_settings": "Kättesaadavuse seaded", + "continue_without_calendar": "Jätka ilma kalendrita", + "continue_with": "Jätka rakendusega {{appName}}", + "connect_your_calendar": "Ühenda oma kalender", + "connect_your_video_app": "Ühenda oma videorakendused", + "connect_your_video_app_instructions": "Ühendage oma videorakendused, et neid oma sündmuste tüüpide puhul kasutada.", + "connect_your_calendar_instructions": "Ühendage oma kalender, et vaadata automaatselt kiireid aegu ja uusi sündmusi vastavalt ajakavale.", + "set_up_later": "Seadista hiljem", + "current_time": "Praegune aeg", + "details": "Üksikasjad", + "welcome": "Tere tulemast", + "welcome_back": "Tere tulemast tagasi", + "welcome_to_calcom": "Tere tulemast rakendusse {{appName}}", + "welcome_instructions": "Öelge meile, kuidas teile helistada, ja andke meile teada, mis ajavööndis te viibite. Saate seda hiljem muuta.", + "connect_caldav": "Ühenda CalDaviga (beeta)", + "connect_ics_feed": "Ühenda ICS-kanaliga", + "connect": "Ühenda", + "try_for_free": "Proovi tasuta", + "create_booking_link_with_calcom": "Looge oma broneerimislink rakendusega {{appName}}", + "who": "WHO", + "what": "Mida", + "when": "Millal", + "where": "Kus", + "add_to_calendar": "Lisa kalendrisse", + "add_to_calendar_description": "Valige, kuhu sündmusi lisada, kui olete broneeritud.", + "add_events_to": "Lisa sündmusi", + "add_another_calendar": "Lisa teine ​​kalender", + "other": "Muu", + "email_sign_in_subject": "Teie sisselogimislink rakendusele {{appName}}", + "round_robin_emailed_you_and_attendees": "Kohtute kasutajaga {{user}}. Saatsime kõigile meili kalendri kutsega koos üksikasjadega.", + "emailed_you_and_attendees": "Saatsime kõigile kalendrikutse üksikasjadega meili.", + "emailed_you_and_attendees_recurring": "Saatsime kõigile esimeste korduvate sündmuste üksikasjadega meili kalendrikutsega.", + "round_robin_emailed_you_and_attendees_recurring": "Kohtute kasutajaga {{user}}. Saatsime kõigile kalendrikutse koos üksikasjadega meili esimese korduva sündmuse kohta.", + "emailed_you_and_any_other_attendees": "Saatsime selle teabega kõigile meili.", + "needs_to_be_confirmed_or_rejected": "Teie broneering tuleb veel kinnitada või tagasi lükata.", + "needs_to_be_confirmed_or_rejected_recurring": "Teie korduv koosolek tuleb veel kinnitada või tagasi lükata.", + "user_needs_to_confirm_or_reject_booking": "{{user}} peab endiselt broneeringu kinnitama või tagasi lükkama.", + "user_needs_to_confirm_or_reject_booking_recurring": "{{user}} peab endiselt iga korduva koosoleku broneeringu kinnitama või tagasi lükkama.", + "meeting_is_scheduled": "See kohtumine on kavandatud", + "meeting_is_scheduled_recurring": "Korduvad sündmused on ajakavas", + "booking_submitted": "Teie broneering on esitatud", + "booking_submitted_recurring": "Teie korduv koosolek on esitatud", + "booking_confirmed": "Teie broneering on kinnitatud", + "booking_confirmed_recurring": "Teie korduv kohtumine on kinnitatud", + "warning_recurring_event_payment": "Makseid ei toetata veel korduvate sündmustega", + "warning_payment_recurring_event": "Maksetega ei toetata veel korduvaid sündmusi", + "enter_new_password": "Sisestage oma konto jaoks soovitud uus parool.", + "reset_password": "Parooli lähtestamine", + "change_your_password": "Muuda oma parooli", + "show_password": "Näita salasõna", + "hide_password": "Peida parool", + "try_again": "Proovi uuesti", + "request_is_expired": "See taotlus on aegunud.", + "reset_instructions": "Sisestage oma kontoga seotud e-posti aadress ja me saadame teile lingi parooli lähtestamiseks.", + "request_is_expired_instructions": "See taotlus on aegunud. Minge tagasi ja sisestage oma kontoga seotud e-posti aadress ning me saadame teile uue lingi parooli lähtestamiseks.", + "whoops": "Ohoo", + "login": "Logi sisse", + "success": "Edu", + "failed": "Ebaõnnestus", + "password_has_been_reset_login": "Teie parool on lähtestatud. Nüüd saate oma vastloodud parooliga sisse logida.", + "layout": "Paigutus", + "bookerlayout_default_title": "Vaikevaade", + "bookerlayout_description": "Saate valida mitu ja teie broneerijad saavad vaadet vahetada.", + "bookerlayout_user_settings_title": "Broneeringu paigutus", + "bookerlayout_user_settings_description": "Saate valida mitu ja broneerijad saavad vaadet vahetada. Selle saab iga sündmuse alusel tühistada.", + "bookerlayout_month_view": "Kuu", + "bookerlayout_week_view": "Iganädalane", + "bookerlayout_column_view": "Veerg", + "bookerlayout_error_min_one_enabled": "Vähemalt üks paigutus peab olema lubatud.", + "bookerlayout_error_default_not_enabled": "Vaikevaateks valitud paigutus ei kuulu lubatud paigutuste hulka.", + "bookerlayout_error_unknown_layout": "Teie valitud paigutus ei ole kehtiv paigutus.", + "bookerlayout_override_global_settings": "Saate seda kõigi oma sündmuste tüüpide puhul hallata ainult selle sündmuse jaotises Seaded -> <2>Välimus või <6>Alistamine.", + "unexpected_error_try_again": "Tekkis ootamatu viga. Proovige uuesti.", + "sunday_time_error": "Pühapäeval kehtetu aeg", + "monday_time_error": "Vale kellaaeg esmaspäeval", + "tuesday_time_error": "Vale aeg teisipäeval", + "wednesday_time_error": "Kolmapäeval kehtetu aeg", + "thursday_time_error": "Vigane aeg neljapäeval", + "friday_time_error": "Vigane aeg reedel", + "saturday_time_error": "Laupäeval kehtetu aeg", + "error_end_time_before_start_time": "Lõpuaeg ei saa olla enne algusaega", + "error_end_time_next_day": "Lõppaeg ei tohi olla pikem kui 24 tundi", + "back_to_bookings": "Tagasi broneeringute juurde", + "free_to_pick_another_event_type": "Valige igal ajal mõni muu sündmus.", + "cancelled": "Tühistatud", + "cancellation_successful": "Tühistamine õnnestus", + "really_cancel_booking": "Kas tõesti tühistada oma broneering?", + "cannot_cancel_booking": "Sa ei saa seda broneeringut tühistada", + "reschedule_instead": "Selle asemel võite selle ka ümber ajastada.", + "event_is_in_the_past": "Üritus on minevik", + "cancelling_event_recurring": "Sündmus on korduva sündmuse üks juhtum.", + "cancelling_all_recurring": "Need on kõik korduva sündmuse ülejäänud juhtumid.", + "error_with_status_code_occured": "Tekkis viga olekukoodiga {{status}}.", + "error_event_type_url_duplicate": "Selle URL-iga sündmuse tüüp on juba olemas.", + "error_event_type_unauthorized_create": "Te ei saa seda sündmust luua", + "error_event_type_unauthorized_update": "Te ei saa seda sündmust redigeerida", + "error_workflow_unauthorized_create": "Te ei saa seda töövoogu luua", + "error_schedule_unauthorized_create": "Te ei saa seda ajakava luua", + "booking_already_cancelled": "See broneering oli juba tühistatud", + "booking_already_accepted_rejected": "See broneering on juba vastu võetud või tagasi lükatud", + "go_back_home": "Mine tagasi koju", + "or_go_back_home": "Või mine koju tagasi", + "no_meeting_found": "Kohtumist ei leitud", + "no_meeting_found_description": "Seda koosolekut ei ole olemas. Uuendatud lingi saamiseks võtke ühendust koosoleku omanikuga.", + "no_status_bookings_yet": "Pole {{status}} broneeringuid", + "no_status_bookings_yet_description": "Teil pole {{status}} broneeringuid. {{description}}", + "event_between_users": "{{eventName}} {{host}} ja {{attendeeName}} vahel", + "bookings": "Broneeringud", + "booking_not_found": "Broneeringut ei leitud", + "bookings_description": "Vaadake oma sündmuse tüüpi linkide kaudu broneeritud tulevasi ja möödunud sündmusi.", + "upcoming_bookings": "Niipea, kui keegi teiega aja broneerib, kuvatakse see siin.", + "recurring_bookings": "Niipea, kui keegi teiega korduva kohtumise broneerib, kuvatakse see siin.", + "past_bookings": "Siin kuvatakse teie varasemad broneeringud.", + "cancelled_bookings": "Teie tühistatud broneeringud kuvatakse siin.", + "unconfirmed_bookings": "Siin kuvatakse teie kinnitamata broneeringud.", + "unconfirmed_bookings_tooltip": "Kinnitamata broneeringud", + "on": "peal", + "and": "ja", + "calendar_shows_busy_between": "Teie kalender näitab, et olete hõivatud vahemikus", + "troubleshoot": "Veaotsing", + "troubleshoot_description": "Saage aru, miks teatud ajad on saadaval ja teised on blokeeritud.", + "overview_of_day": "Siin on ülevaade teie päevast", + "hover_over_bold_times_tip": "Nõuanne: täieliku ajatempli kuvamiseks hõljutage kursorit rasvaste aegade kohal", + "start_time": "Algusaeg", + "end_time": "Lõpuaeg", + "buffer_time": "Puhvri aeg", + "before_event": "Enne sündmust", + "after_event": "Pärast sündmust", + "event_buffer_default": "Puhvriaeg puudub", + "buffer": "puhver", + "your_day_starts_at": "Sinu päev algab kell", + "your_day_ends_at": "Sinu päev lõpeb kell", + "launch_troubleshooter": "Käivitage tõrkeotsing", + "troubleshoot_availability": "Tehke oma saadavuse tõrkeotsing, et uurida, miks teie kellaaegu nii kuvatakse.", + "change_available_times": "Muuda saadaolevaid aegu", + "change_your_available_times": "Muutke oma saadaolevaid aegu", + "change_start_end": "Muutke oma päeva algus- ja lõpuaega", + "change_start_end_buffer": "Määrake oma päeva algus- ja lõpuaeg ning minimaalne puhver koosolekute vahel.", + "current_start_date": "Praegu on teie päev määratud algama kell", + "start_end_changed_successfully": "Teie päeva algus- ja lõpuaega on edukalt muudetud.", + "and_end_at": "ja lõpp kell", + "light": "Valgus", + "dark": "Tume", + "automatically_adjust_theme": "Automaatne teema kohandamine kutsutute eelistuste alusel", + "user_dynamic_booking_disabled": "Mõned grupi kasutajad on praegu dünaamilised grupibroneeringud keelanud", + "allow_dynamic_booking_tooltip": "Grupi broneerimise lingid, mida saab luua dünaamiliselt, lisades mitu kasutajanime plussmärgiga. Näide: '{{appName}}/bailey+peer'", + "allow_dynamic_booking": "Luba osalejatel teid dünaamiliste grupibroneeringute kaudu broneerida", + "dynamic_booking": "Dünaamilised grupilingid", + "allow_seo_indexing": "Luba otsingumootoritel juurdepääs teie avalikule sisule", + "seo_indexing": "Luba SEO indekseerimine", + "email": "E-post", + "email_placeholder": "jdoe@example.com", + "full_name": "Täisnimi", + "browse_api_documentation": "Sirvi meie API dokumentatsiooni", + "leverage_our_api": "Täieliku kontrolli ja kohandatavuse tagamiseks kasutage meie API-t.", + "create_webhook": "Loo veebihaak", + "instant_meeting": "Kiire koosolek loodud", + "booking_cancelled": "Broneering tühistatud", + "booking_rescheduled": "Broneering ümber ajastatud", + "recording_ready": "Salvestamise allalaadimislink on valmis", + "recording_transcription_generated": "Transkriptsioon loodud", + "booking_created": "Broneering loodud", + "booking_rejected": "Broneering tagasi lükatud", + "booking_requested": "Broneering on taotletud", + "booking_payment_initiated": "Broneeringu makse algatatud", + "meeting_ended": "Koosolek lõppes", + "form_submitted": "Vorm on esitatud", + "booking_paid": "Broneering tasutud", + "booking_no_show_updated": "Ei ilmunud broneering uuendatud", + "event_triggers": "Sündmuste käivitajad", + "subscriber_url": "Abonendi URL", + "create_new_webhook": "Loo uus veebihaak", + "webhooks": "Veebihaagid", + "team_webhooks": "Meeskonna veebihaagid", + "create_new_webhook_to_account": "Loo oma kontole uus veebihaak", + "new_webhook": "Uus veebihaak", + "receive_cal_meeting_data": "Saage {{appName}} koosoleku andmed reaalajas määratud URL-il, kui sündmus on ajastatud või tühistatud.", + "receive_cal_event_meeting_data": "Saage {{appName}} koosoleku andmed reaalajas kindlaks määratud URL-il, kui see sündmus on ajastatud või tühistatud.", + "responsive_fullscreen_iframe": "Automaatselt reageeriv täisekraani iframe", + "loading": "Laadimine...", + "deleting": "Kustutamine...", + "standard_iframe": "Standardne iframe", + "developer": "Arendaja", + "manage_developer_settings": "Halda oma arendaja seadeid.", + "iframe_embed": "iframe Embed", + "embed_calcom": "Lihtsaim viis rakenduse {{appName}} manustamiseks oma veebisaidile.", + "integrate_using_embed_or_webhooks": "Integreerige oma veebisaidiga meie manustamisvalikute abil või hankige reaalajas broneerimisteavet kohandatud veebihaagide abil.", + "schedule_a_meeting": "Leppige kokku kohtumine", + "view_and_manage_billing_details": "Vaadake ja hallake oma arveldusandmeid", + "view_and_edit_billing_details": "Vaadake ja muutke oma arveldusandmeid ning tühistage oma tellimus.", + "go_to_billing_portal": "Mine arveldusportaali", + "need_anything_else": "Kas on veel midagi vaja?", + "further_billing_help": "Kui vajate arveldamisel täiendavat abi, on meie tugitiim valmis teid aitama.", + "contact": "Kontakt", + "our_support_team": "meie tugimeeskond", + "contact_our_support_team": "Võtke ühendust meie tugimeeskonnaga", + "uh_oh": "Oh!", + "no_event_types_have_been_setup": "See kasutaja pole veel ühtegi sündmusetüüpi seadistanud.", + "edit_logo": "Muuda logo", + "upload_a_logo": "Laadi üles logo", + "upload_logo": "Laadi logo üles", + "remove_logo": "Eemalda logo", + "enable": "Luba", + "code": "Kood", + "code_is_incorrect": "Kood on vale.", + "add_time_availability": "Lisa uus ajapilu", + "add_an_extra_layer_of_security": "Lisage oma kontole täiendav turvakiht juhuks, kui teie parool varastatakse.", + "2fa": "Kahefaktoriline autentimine", + "2fa_disabled": "Kahefaktorilist autentimist saab lubada ainult e-posti ja parooliga autentimiseks", + "enable_2fa": "Luba kahefaktoriline autentimine", + "disable_2fa": "Keela kahefaktoriline autentimine", + "disable_2fa_recommendation": "Kui teil on vaja 2FA keelata, soovitame selle esimesel võimalusel uuesti lubada.", + "error_disabling_2fa": "Viga kahefaktorilise autentimise keelamisel", + "error_enabling_2fa": "Viga kahefaktorilise autentimise seadistamisel", + "security": "Turvalisus", + "manage_account_security": "Hallake oma konto turvalisust.", + "password": "Parool", + "password_updated_successfully": "Parooli värskendamine õnnestus", + "password_has_been_changed": "Teie parool on edukalt muudetud.", + "error_changing_password": "Viga parooli muutmisel", + "session_timeout_changed": "Teie seansi konfiguratsiooni värskendamine õnnestus.", + "session_timeout_change_error": "Viga seansi konfiguratsiooni värskendamisel", + "something_went_wrong": "Midagi läks valesti.", + "something_doesnt_look_right": "Midagi ei tundu õige?", + "please_try_again": "Palun proovi uuesti.", + "super_secure_new_password": "Teie üliturvaline uus parool", + "new_password": "Uus salasõna", + "your_old_password": "Teie vana parool", + "current_password": "Praegune salasõna", + "change_password": "Muuda salasõna", + "change_secret": "Muuda saladust", + "new_password_matches_old_password": "Uus parool ühtib teie vana parooliga. Valige mõni muu parool.", + "forgotten_secret_description": "Kui olete selle saladuse kaotanud või unustanud, saate seda muuta, kuid pidage meeles, et kõiki seda saladust kasutavaid integratsioone tuleb värskendada.", + "current_incorrect_password": "Praegune parool on vale", + "password_hint_caplow": "Suur- ja väiketähtede segu", + "password_hint_min": "Minimaalselt 7 tähemärki pikk", + "password_hint_admin_min": "Minimaalselt 15 tähemärki pikk", + "password_hint_num": "Sisaldab vähemalt 1 numbrit", + "max_limit_allowed_hint": "Peab olema {{limit}} või vähem tähemärki pikk", + "invalid_password_hint": "Parool peab koosnema vähemalt {{passwordLength}} tähemärgist, sisaldama vähemalt ühte numbrit ning koosnema suur- ja väiketähtedest", + "incorrect_password": "Parool on vale.", + "incorrect_email_password": "E-post või parool on vale.", + "use_setting": "Kasuta seadet", + "am_pm": "am/pm", + "time_options": "Aja valikud", + "january": "jaanuar", + "february": "veebruar", + "march": "märts", + "april": "aprill", + "may": "mai", + "june": "juuni", + "july": "juuli", + "august": "August", + "september": "september", + "october": "oktoober", + "november": "november", + "december": "detsember", + "monday": "esmaspäev", + "tuesday": "teisipäev", + "wednesday": "kolmapäev", + "thursday": "neljapäev", + "friday": "reede", + "saturday": "laupäev", + "sunday": "pühapäev", + "all_booked_today": "Kõik broneeritud.", + "slots_load_fail": "Saadaolevaid ajapilusid ei saanud laadida.", + "additional_guests": "Lisa külalisi", + "your_name": "Sinu nimi", + "your_full_name": "Teie täisnimi", + "no_name": "Nimetu", + "enter_number_between_range": "Palun sisestage arv vahemikus 1 kuni {{maxOccurences}}", + "email_address": "E-posti aadress", + "enter_valid_email": "Palun sisesta kehtiv email", + "please_schedule_future_call": "Palun planeerige tulevane kõne, kui me pole {{seconds}} sekundi pärast saadaval", + "location": "Asukoht", + "address": "Aadress", + "enter_address": "Sisesta aadress", + "in_person_attendee_address": "Isiklikult (osaleja aadress)", + "yes": "Jah", + "no": "Ei", + "additional_notes": "Lisamärkmed", + "booking_fail": "Kohtumist ei saanud broneerida.", + "reschedule_fail": "Koosolekut ei saanud ümber ajastada.", + "share_additional_notes": "Palun jagage kõike, mis aitab meie kohtumist ette valmistada.", + "booking_confirmation": "Kinnitage oma {{eventTypeTitle}} kasutajaga {{profileName}}", + "booking_reschedule_confirmation": "Ajasta oma {{eventTypeTitle}} ümber kasutajaga {{profileName}}", + "in_person_meeting": "Isiklik kohtumine", + "in_person": "Isiklikult (korraldaja aadress)", + "link_meeting": "Lingi koosolek", + "phone_number": "Telefoninumber", + "attendee_phone_number": "Osalejate telefoninumber", + "organizer_phone_number": "Korraldaja telefoninumber", + "enter_phone_number": "Sisesta telefoninumber", + "reschedule": "Ajastada ümber", + "reschedule_this": "Ajasta selle asemel ümber", + "book_a_team_member": "Broneerige selle asemel meeskonnaliige", + "or": "VÕI", + "go_back": "Mine tagasi", + "email_or_username": "Email või kasutajanimi", + "send_invite_email": "Saada kutse meil", + "role": "Roll", + "edit_role": "Muuda rolli", + "edit_team": "Muuda meeskonda", + "reject": "Keeldu", + "reject_all": "Keeldu kõik", + "accept": "Nõustu", + "leave": "Lahku", + "profile": "Profiil", + "my_team_url": "Minu meeskonna URL", + "my_teams": "Minu meeskonnad", + "team_name": "Meeskonna nimi", + "your_team_name": "Teie meeskonna nimi", + "team_updated_successfully": "Meeskonda värskendati edukalt", + "your_team_updated_successfully": "Teie meeskonda on edukalt värskendatud.", + "your_org_updated_successfully": "Teie organisatsiooni värskendamine õnnestus.", + "about": "Umbes", + "team_description": "Paar lauset teie meeskonna kohta. See kuvatakse teie meeskonna URL-i lehel.", + "org_description": "Paar lauset teie organisatsiooni kohta. See kuvatakse teie organisatsiooni URL-i lehel.", + "members": "Liikmed", + "organization_members": "Organisatsiooni liikmed", + "member": "liige", + "number_member_one": "{{count}} liige", + "number_member_other": "{{count}} liiget", + "number_selected": "{{count}} valitud", + "owner": "Omanik", + "admin": "Administraator", + "admin_api": "Administraatori API", + "administrator_user": "Administraatorkasutaja", + "lets_create_first_administrator_user": "Loome esimese administraatori kasutaja.", + "admin_user_created": "Administraatori kasutaja seadistamine", + "admin_user_created_description": "Olete juba loonud administraatori kasutaja. Nüüd saate oma kontole sisse logida.", + "new_member": "Uus liige", + "invite": "Kutsu", + "add_team_members": "Lisa meeskonnaliikmeid", + "add_org_members": "Lisa liikmeid", + "add_team_members_description": "Kutsu teisi oma meeskonnaga liituma", + "add_team_member": "Lisa meeskonnaliige", + "invite_new_member": "Kutsu uus meeskonnaliige", + "invite_new_member_description": "Märkus. See <1>maksab teie tellimusele lisakoha (15 $/m).", + "invite_new_team_member": "Kutsuge keegi oma meeskonda.", + "upload_csv_file": "Laadi üles .csv-fail", + "invite_via_email": "Kutsu meili teel", + "change_member_role": "Muuda meeskonnaliikme rolli", + "disable_cal_branding": "Keela {{appName}} bränding", + "disable_cal_branding_description": "Peida kõik rakenduse {{appName}} kaubamärgid oma avalikelt lehtedelt.", + "hide_book_a_team_member": "Peida meeskonnaliikme broneerimise nupp", + "hide_book_a_team_member_description": "Peida meeskonnaliikme broneerimise nupp oma avalikelt lehtedelt.", + "danger_zone": "Ohutsoon", + "account_deletion_cannot_be_undone": "Olge ettevaatlik. Konto kustutamist ei saa tagasi võtta.", + "team_deletion_cannot_be_undone": "Olge ettevaatlik. Meeskonna kustutamist ei saa tagasi võtta.", + "back": "Tagasi", + "cancel": "Tühista", + "cancel_all_remaining": "Tühista kõik ülejäänud", + "apply": "Rakenda", + "cancel_event": "Tühista sündmus", + "continue": "Jätka", + "confirm": "Kinnita", + "confirm_all": "Kinnita kõik", + "disband_team": "Meeskond laiali", + "disband_team_confirmation_message": "Kas soovite kindlasti selle meeskonna laiali saata? Kõik, kellega olete seda meeskonna linki jaganud, ei saa enam seda kasutades broneerida.", + "disband_org": "Organisatsioon laiali", + "disband_org_confirmation_message": "Kas olete kindel, et soovite selle organisatsiooni laiali saata? Kõik meeskonnad ja liikmed kustutatakse.", + "remove_member_confirmation_message": "Kas olete kindel, et soovite selle liikme meeskonnast eemaldada?", + "confirm_disband_team": "Jah, saada meeskond laiali", + "confirm_remove_member": "Jah, eemalda liige", + "remove_member": "Eemalda liige", + "manage_your_team": "Juhtige oma meeskonda", + "no_teams": "Teil pole veel ühtegi meeskonda.", + "no_teams_description": "Meeskonnad võimaldavad teistel broneerida teie töökaaslaste vahel jagatud sündmusi.", + "submit": "Esita", + "delete": "Kustuta", + "update": "Uuendus", + "save": "Salvesta", + "pending": "Ootel", + "open_options": "Ava valikud", + "copy_link": "Kopeeri sündmuse link", + "share": "Jaga", + "share_event": "Kas te sooviksite mu telefoni broneerida või saata mulle oma lingi?", + "copy_link_team": "Kopeeri link meeskonda", + "leave_team": "Lahku meeskonnast", + "confirm_leave_team": "Jah, lahkuge meeskonnast", + "leave_team_confirmation_message": "Kas soovite kindlasti sellest meeskonnast lahkuda? Te ei saa enam seda kasutades broneerida.", + "user_from_team": "{{user}} meeskonnast {{team}}", + "preview": "Eelvaade", + "link_copied": "Link kopeeritud!", + "copied": "Kopeeritud!", + "private_link_copied": "Privaatne link kopeeritud!", + "link_shared": "Link jagatud!", + "title": "Pealkiri", + "description": "Kirjeldus", + "apps_status": "Rakenduste olek", + "quick_video_meeting": "Kiire videokoosolek.", + "scheduling_type": "Ajakava tüüp", + "preview_team": "Eelvaate meeskond", + "collective": "Kollektiiv", + "collective_description": "Planeerige koosolekud, kui kõik valitud meeskonnaliikmed on saadaval.", + "duration": "Kestus", + "available_durations": "Saadaolevad kestused", + "default_duration": "Vaikekestus", + "default_duration_no_options": "Valige esmalt saadaolevad kestused", + "multiple_duration_mins": "{{count}} $t(minute_timeUnit)", + "multiple_duration_timeUnit": "{{count}} $t({{unit}}_timeUnit)", + "minutes": "Minutid", + "use_cal_ai_to_make_call_description": "Kasutage AI-d, et hankida AI-toega telefoninumber või helistada külalistele.", + "round_robin": "Round Robin", + "round_robin_description": "Korraldage koosolekuid mitme meeskonnaliikme vahel.", + "managed_event": "Hallatud sündmus", + "username_placeholder": "kasutajanimi", + "managed_event_description": "Sündmuste tüüpide hulgi loomine ja levitamine meeskonnaliikmetele", + "managed": "Hallatud", + "managed_event_url_clarification": "\"kasutajanimi\" täidetakse määratud liikmete kasutajanimega", + "assign_to": "Määrata", + "add_members": "Lisa liikmeid...", + "no_assigned_members": "Määratud liikmeid pole", + "assigned_to": "Määratud", + "you_must_be_logged_in_to": "Peate olema sisse logitud saidile {{url}}", + "start_assigning_members_above": "Alusta liikmete määramist ülal", + "locked_fields_admin_description": "Liikmed ei saa redigeerida", + "unlocked_fields_admin_description": "Liikmed saavad redigeerida", + "locked_fields_member_description": "Meeskonna administraatori poolt lukustatud", + "unlocked_fields_member_description": "Meeskonna administraatori poolt lahti lukustatud", + "url": "URL", + "hidden": "Varjatud", + "readonly": "Loe ainult", + "one_time_link": "Ühekordne link", + "plan_description": "Kasutate praegu plaani {{plan}}.", + "plan_upgrade_invitation": "Täiendage oma konto PRO-plaaniks, et avada kõik meie pakutavad funktsioonid.", + "plan_upgrade": "Peate oma plaani uuendama, et teil oleks rohkem kui üks aktiivne sündmusetüüp.", + "plan_upgrade_teams": "Meeskonna loomiseks peate oma plaani uuendama.", + "plan_upgrade_instructions": "Saate <1>siin uuendada.", + "event_types_page_title": "Sündmuste tüübid", + "event_types_page_subtitle": "Loo sündmusi, mida jagada, et inimesed saaksid teie kalendris broneerida.", + "new": "Uus", + "new_event_type_btn": "Uus sündmuse tüüp", + "new_event_type_heading": "Loo oma esimene sündmuse tüüp", + "new_event_type_description": "Sündmuste tüübid võimaldavad teil jagada linke, mis näitavad teie kalendris saadaolevaid aegu ja võimaldavad inimestel teiega broneeringuid teha.", + "event_type_created_successfully": "{{eventTypeTitle}} sündmuse tüüp on edukalt loodud", + "event_type_updated_successfully": "{{eventTypeTitle}} sündmuse tüübi värskendamine õnnestus", + "event_type_deleted_successfully": "Sündmuse tüüp on edukalt kustutatud", + "hours": "tunnid", + "people": "Inimesed", + "your_email": "Sinu email", + "change_avatar": "Muuda avatari", + "upload_avatar": "Laadi avatar üles", + "language": "Keel", + "timezone": "Ajavöönd", + "first_day_of_week": "Nädala esimene päev", + "repeats_up_to_one": "Kordub kuni {{count}} korda", + "repeats_up_to_other": "Kordub kuni {{count}} korda", + "every_for_freq": "Iga {{freq}} eest", + "event_remaining_one": "{{count}} sündmus jäänud", + "event_remaining_other": "{{count}} sündmust jäänud", + "repeats_every": "Kordab iga", + "occurrence_one": "esinemine", + "occurrence_other": "esinemised", + "weekly_one": "nädal", + "weekly_other": "nädalad", + "monthly_one": "kuu", + "monthly_other": "kuud", + "yearly_one": "aasta", + "yearly_other": "aastad", + "plus_more": "veel {{count}}", + "max": "Max", + "single_theme": "Üks teema", + "brand_color": "Brändi värv", + "light_brand_color": "Brändi värv (hele teema)", + "dark_brand_color": "Brändi värv (tume teema)", + "file_not_named": "Faili nime ei ole [idOrSlug]/[kasutaja]", + "create_team": "Loo meeskond", + "name": "Nimi", + "create_new_team_description": "Looge kasutajatega koostöö tegemiseks uus meeskond.", + "create_new_team": "Loo uus meeskond", + "open_invitations": "Avatud kutsed", + "new_team": "Uus meeskond", + "create_first_team_and_invite_others": "Looge oma esimene meeskond ja kutsuge teisi kasutajaid koos töötama.", + "create_team_to_get_started": "Alustamiseks looge meeskond", + "teams": "Meeskonnad", + "team": "Meeskond", + "organization": "Organisatsioon", + "team_billing": "Meeskonna arveldamine", + "team_billing_description": "Halda oma meeskonna arveldust", + "upgrade_to_flexible_pro_title": "Oleme muutnud meeskondade arveldust", + "upgrade_to_flexible_pro_message": "Teie meeskonnas on ilma istekohata liikmeid. Täiendage oma profiplaani, et katta puuduvad kohad.", + "changed_team_billing_info": "Alates 2022. aasta jaanuarist võtame meeskonnaliikmete eest tasu istmepõhiselt. Teie meeskonna liikmetel, kellel oli PRO tasuta, on nüüd 14-päevane prooviperiood. Kui prooviperiood aegub, peidetakse need liikmed teie meeskonna eest, kui te nüüd uuemale versioonile üle ei lähe. .", + "create_manage_teams_collaborative": "Looge ja hallake meeskondi, et kasutada koostööfunktsioone.", + "only_available_on_pro_plan": "See funktsioon on saadaval ainult Pro paketis", + "remove_cal_branding_description": "Brändi {{appName}} broneerimislehtedelt eemaldamiseks peate minema üle Pro-kontole.", + "edit_profile_info_description": "Muutke oma profiiliteavet, mis kuvatakse teie ajakava lingil.", + "change_email_tip": "Muudatuse jõustumiseks peate võib-olla välja logima ja uuesti sisse logima.", + "little_something_about": "Veidi midagi endast.", + "profile_updated_successfully": "Profiili värskendamine õnnestus", + "your_user_profile_updated_successfully": "Teie kasutajaprofiili värskendamine õnnestus.", + "user_cannot_found_db": "Kasutaja näib olevat sisse logitud, kuid teda ei leitud andmebaasist", + "embed_and_webhooks": "Manustamine ja veebihaagid", + "enabled": "Lubatud", + "disabled": "Puuetega", + "disable": "Keela", + "billing": "Arveldamine", + "manage_your_billing_info": "Hallake oma arveldusinfot ja tühistage tellimus.", + "availability": "Saadaval", + "edit_availability": "Muuda saadavust", + "configure_availability": "Seadista ajad, millal olete broneerimiseks saadaval.", + "copy_times_to": "Kopeeri ajad asukohta", + "copy_times_to_tooltip": "Kopeeri ajad …", + "change_weekly_schedule": "Muuda oma nädalaplaani", + "logo": "Logo", + "error": "Viga", + "at_least_characters_one": "Palun sisestage vähemalt üks märk", + "at_least_characters_other": "Palun sisestage vähemalt {{count}} tähemärki", + "team_logo": "Meeskonna logo", + "add_location": "Lisa asukoht", + "attendees": "Osalejad", + "add_attendees": "Lisa osalejaid", + "show_advanced_settings": "Kuva täpsemad seaded", + "event_name": "Sündmuse nimi", + "event_name_in_calendar": "Sündmuse nimega", + "event_name_tooltip": "Kalendrites kuvatav nimi", + "meeting_with_user": "{Event type title} between {Organiser} & {Scheduler}", + "additional_inputs": "Täiendavad sisendid", + "additional_input_description": "Nõua, et planeerija sisestaks enne broneeringu kinnitamist täiendavad sisendid", + "label": "Silt", + "placeholder": "Kohatäide", + "display_add_to_calendar_organizer": "Kasutage korraldajana meili \"Lisa kalendrisse\"", + "display_email_as_organizer": "Kuvame selle e-posti aadressi korraldajana ja saadame siia kinnitusmeile.", + "if_enabled_email_address_as_organizer": "Kui see on lubatud, kuvame korraldajana teie \"Lisa kalendrisse\" e-posti aadressi ja saadame sinna kinnitusmeile.", + "reconnect_calendar_to_use": "Pange tähele, et selle funktsiooni kasutamiseks peate võib-olla oma konto 'Lisa kalendrisse' katkestama ja seejärel uuesti ühendama.", + "type": "Tüüp", + "edit": "Muuda", + "add_input": "Lisa sisend", + "disable_notes": "Peida märkmed kalendris", + "disable_notes_description": "Privaatsuse huvides peidetakse kalendrikirjesse täiendavad sisestused ja märkmed. Need saadetakse endiselt teie meilile.", + "requires_confirmation_description": "Broneering tuleb käsitsi kinnitada, enne kui see suunatakse integratsioonidesse ja saadetakse kinnituskiri.", + "recurring_event": "Korduv sündmus", + "recurring_event_description": "Inimesed saavad tellida korduvaid sündmusi", + "cannot_be_used_with_paid_event_types": "Seda ei saa kasutada tasuliste sündmuste tüüpidega", + "warning_payment_instant_meeting_event": "Korduvate sündmuste ja makserakendustega kiirkoosolekuid veel ei toetata", + "warning_instant_meeting_experimental": "Eksperimentaalne: kiirkohtumise sündmused on praegu katselised.", + "starting": "Algus", + "disable_guests": "Külaliste keelamine", + "disable_guests_description": "Keela broneerimisel täiendavate külaliste lisamine.", + "private_link": "Loo privaatne link", + "enable_private_url": "Luba privaatne URL", + "private_link_label": "Privaatne link", + "private_link_hint": "Teie privaatne link taastatakse pärast iga kasutamist", + "copy_private_link": "Kopeeri privaatne link", + "copy_private_link_to_event": "Kopeeri sündmuse privaatne link", + "private_link_description": "Loo privaatne URL, mida jagate ilma oma {{appName}} kasutajanime paljastamata", + "invitees_can_schedule": "Kutsutud saavad ajakava koostada", + "date_range": "Kuupäevavahemik", + "calendar_days": "kalendripäevad", + "business_days": "äripäevad", + "set_address_place": "Määra aadress või koht", + "set_link_meeting": "Määra koosoleku link", + "cal_invitee_phone_number_scheduling": "{{appName}} palub teie kutsutul enne ajastamist telefoninumbri sisestada.", + "cal_provide_google_meet_location": "{{appName}} pakub Google Meeti asukohta.", + "cal_provide_zoom_meeting_url": "{{appName}} annab Zoomi koosoleku URL-i.", + "cal_provide_tandem_meeting_url": "{{appName}} annab Tandem-koosoleku URL-i.", + "cal_provide_video_meeting_url": "{{appName}} annab videokoosoleku URL-i.", + "cal_provide_jitsi_meeting_url": "Loome teie jaoks Jitsi Meeti URL-i.", + "cal_provide_huddle01_meeting_url": "{{appName}} pakub Huddle01 videokoosoleku URL-i.", + "cal_provide_teams_meeting_url": "{{appName}} annab MS Teamsi koosoleku URL-i. MÄRKUS: PEAB OLEMA TÖÖ- VÕI KOOLIKONTO", + "require_payment": "Nõua makset", + "you_need_to_add_a_name": "Peate nime lisama", + "commission_per_transaction": "vahendustasu tehingu kohta", + "event_type_updated_successfully_description": "Teie sündmuse tüüpi on edukalt värskendatud.", + "hide_event_type": "Peida sündmuse tüüp", + "edit_location": "Muuda asukohta", + "into_the_future": "tulevikku", + "when_booked_with_less_than_notice": "Kui broneerite vähem kui etteteatamisega", + "within_date_range": "Kuupäevavahemikus", + "indefinitely_into_future": "Lõpmatuseni tulevikku", + "add_new_custom_input_field": "Lisa uus kohandatud sisestusväli", + "quick_chat": "Kiire vestlus", + "add_new_team_event_type": "Lisa uus meeskonnaürituse tüüp", + "add_new_event_type": "Lisa uus sündmuse tüüp", + "new_event_type_to_book_description": "Loo uus sündmuse tüüp, et inimesed saaksid aega broneerida.", + "length": "Pikkus", + "minimum_booking_notice": "Minimaalne teade", + "offset_toggle": "Nihke algusaeg", + "offset_toggle_description": "Broneerijatele näidatud ajavahemike nihutamine määratud arvu minutite võrra", + "offset_start": "Tasutatud", + "offset_start_description": "nt see näitab teie broneerijatele ajapilusid kell {{ kohandatudTime }}, mitte {{ originalTime }}", + "slot_interval": "Ajavahemiku intervallid", + "slot_interval_default": "Kasuta sündmuse pikkust (vaikimisi)", + "delete_event_type": "Kas kustutada sündmuse tüüp?", + "delete_managed_event_type": "Kas kustutada hallatud sündmuse tüüp?", + "delete_event_type_description": "Igaüks, kellega olete seda linki jaganud, ei saa enam seda kasutades broneerida.", + "delete_managed_event_type_description": "
  • Sellele sündmusetüübile määratud liikmetel kustutatakse ka nende sündmuste tüübid.
  • Igaüks, kellega nad on linki jaganud, ei saa enam seda kasutades broneerida.
  • >
", + "confirm_delete_event_type": "Jah, kustuta", + "delete_account": "Kustuta konto", + "confirm_delete_account": "Jah, kustuta konto", + "delete_account_confirmation_message": "Igaüks, kellega olete oma konto linki jaganud, ei saa enam seda kasutades broneerida ja kõik teie salvestatud eelistused lähevad kaotsi.", + "integrations": "Integratsioonid", + "apps": "Rakendused", + "apps_description": "Siit leiate oma rakenduste loendi", + "apps_listing": "Rakenduse loend", + "category_apps": "{{category}} rakendused", + "app_store": "Rakenduste pood", + "app_store_description": "Inimeste, tehnoloogia ja töökoha ühendamine.", + "settings": "Seaded", + "event_type_moved_successfully": "Sündmuse tüüp on edukalt teisaldatud", + "next_step_text": "Järgmine samm", + "next_step": "Jäta samm vahele", + "prev_step": "Eelmine samm", + "install": "Install", + "start_paid_trial": "Alusta tasuta prooviversiooni", + "installed": "Paigaldatud", + "active_install_one": "{{count}} aktiivne installimine", + "active_install_other": "{{count}} aktiivset installimist", + "globally_install": "Ülemaailmselt paigaldatud", + "app_successfully_installed": "Rakendus edukalt installitud", + "app_could_not_be_installed": "Rakendust ei saanud installida", + "disconnect": "Katkesta ühendus", + "embed_your_calendar": "Manusta oma kalender oma veebilehele", + "connect_your_favourite_apps": "Ühendage oma lemmikrakendused.", + "automation": "Automaatika", + "configure_how_your_event_types_interact": "Seadistage, kuidas teie sündmuste tüübid peaksid teie kalendritega suhtlema.", + "toggle_calendars_conflict": "Topeltbroneeringute vältimiseks lülitage sisse kalendrid, mida soovite konfliktide suhtes kontrollida.", + "connect_additional_calendar": "Ühenda täiendav kalender", + "calendar_updated_successfully": "Kalendrit värskendati edukalt", + "check_here": "Kontrolli siit", + "conferencing": "Konverents", + "calendar": "Kalender", + "payments": "Maksed", + "not_installed": "Ei ole installeeritud", + "error_password_mismatch": "Paroolid ei sobi.", + "error_required_field": "Selle välja täitmine on kohustuslik.", + "status": "Olek", + "team_view_user_availability": "Vaata kasutaja saadavust", + "team_view_user_availability_disabled": "Kasutaja peab saadavuse vaatamiseks kutse vastu võtma", + "set_as_away": "Määra end eemale", + "set_as_free": "Keela eemaloleku olek", + "toggle_away_error": "Viga eemaloleku oleku värskendamisel", + "user_away": "See kasutaja on praegu eemal.", + "user_away_description": "Isik, keda proovite broneerida, on lahkunud ja seetõttu ei võta ta uusi broneeringuid vastu.", + "meet_people_with_the_same_tokens": "Kohtu inimestega, kellel on samad märgid", + "only_book_people_and_allow": "Broneerige ja lubage broneeringuid ainult inimestelt, kes jagavad samu märke, DAO-sid või NFT-sid.", + "account_created_with_identity_provider": "Teie konto loodi identiteedipakkuja abil.", + "account_managed_by_identity_provider": "Teie kontot haldab {{provider}}", + "account_managed_by_identity_provider_description": "E-posti aadressi, parooli muutmiseks, kahefaktorilise autentimise ja muu lubamiseks külastage oma teenusepakkuja {{provider}} konto seadeid.", + "signin_with_google": "Logi sisse Google'iga", + "signin_with_saml": "Logi sisse SAML-iga", + "signin_with_saml_oidc": "Logi sisse SAML-i/OIDC-ga", + "you_will_need_to_generate": "Peate oma vanast ajastamistööriistast looma juurdepääsuluba.", + "import": "Import", + "import_from": "Impordi asukohast", + "access_token": "Juurdepääsuluba", + "visit_roadmap": "Teekaart", + "featured_categories": "Esiletõstetud kategooriad", + "popular_categories": "Populaarsed kategooriad", + "number_apps_one": "{{count}} rakendus", + "number_apps_other": "{{count}} rakendust", + "trending_apps": "Trendivad rakendused", + "most_popular": "Populaarseim", + "installed_apps": "Installitud rakendused", + "free_to_use_apps": "Tasuta", + "no_category_apps": "Pole {{category}} rakendusi", + "all_apps": "Kõik rakendused", + "no_category_apps_description_calendar": "Lisa kalendrirakendus konfliktide kontrollimiseks, et vältida topeltbroneeringuid", + "no_category_apps_description_conferencing": "Proovige lisada oma klientidega videokõnede jaoks konverentsirakendus", + "no_category_apps_description_payment": "Makserakenduse lisamine teie ja teie klientide vaheliste tehingute hõlbustamiseks", + "no_category_apps_description_analytics": "Lisage oma broneerimislehtedele analüüsirakendus", + "no_category_apps_description_automation": "Lisa kasutamiseks automatiseerimisrakendus", + "no_category_apps_description_other": "Lisage mis tahes muud tüüpi rakendusi igasuguste toimingute tegemiseks", + "no_category_apps_description_messaging": "Lisa sõnumsiderakendus kohandatud märguannete ja meeldetuletuste seadistamiseks", + "no_category_apps_description_crm": "Lisa CRM-i rakendus, et jälgida, kellega olete kohtunud", + "installed_app_calendar_description": "Määrake kalendrid konfliktide kontrollimiseks, et vältida topeltbroneeringuid.", + "installed_app_payment_description": "Seadistage, milliseid maksetöötlusteenuseid oma klientidelt tasu võtmisel kasutada.", + "installed_app_analytics_description": "Seadistage, milliseid analüüsirakendusi broneerimislehtede jaoks kasutada", + "installed_app_other_description": "Kõik teie installitud rakendused teistest kategooriatest.", + "installed_app_conferencing_description": "Seadistage, milliseid konverentsirakendusi kasutada", + "installed_app_automation_description": "Konfigureerige, milliseid automatiseerimisrakendusi kasutada", + "installed_app_messaging_description": "Seadistage, milliseid sõnumsiderakendusi kohandatud märguannete ja meeldetuletuste seadistamiseks kasutada", + "installed_app_crm_description": "Seadistage, milliseid CRM-i rakendusi kasutada, et jälgida, kellega olete kohtunud", + "analytics": "Analüütika", + "empty_installed_apps_headline": "Rakendusi pole installitud", + "empty_installed_apps_description": "Rakendused võimaldavad teil oma töövoogu täiustada ja ajakava oluliselt parandada.", + "empty_installed_apps_button": "Sirvi App Store'i", + "manage_your_connected_apps": "Hallake installitud rakendusi või muutke seadeid", + "browse_apps": "Sirvi rakendusi", + "features": "Funktsioonid", + "permissions": "Load", + "terms_and_privacy": "Tingimused ja privaatsus", + "published_by": "Avaldanud {{author}}", + "subscribe": "Telli", + "buy": "Osta", + "install_app": "Installi äpp", + "categories": "Kategooriad", + "pricing": "Hinnakujundus", + "learn_more": "Lisateave", + "privacy_policy": "Privaatsuspoliitika", + "terms_of_service": "Kasutustingimused", + "remove": "Eemalda", + "add": "Lisama", + "installed_other": "{{count}} installitud", + "verify_wallet": "Kinnita rahakott", + "create_events_on": "Loo sündmusi", + "enterprise_license": "See on ettevõtte funktsioon", + "enterprise_license_locally": "Saate seda funktsiooni kohapeal testida, kuid mitte tootmises.", + "enterprise_license_sales": "Ettevõtte versioonile üleminekuks võtke ühendust meie müügimeeskonnaga. Kui litsentsivõti on juba olemas, võtke abi saamiseks ühendust aadressil support@cal.com.", + "missing_license": "Puuduv litsents", + "next_steps": "Järgmised sammud", + "acquire_commercial_license": "Oma ärilitsents", + "the_infrastructure_plan": "Infrastruktuuri plaan on kasutuspõhine ja sellel on käivitussõbralikud allahindlused.", + "prisma_studio_tip": "Loo konto Prisma Studio kaudu", + "prisma_studio_tip_description": "Õppige oma esimest kasutajat seadistama", + "contact_sales": "Võtke ühendust müügiga", + "error_404": "Viga 404", + "default": "Vaikimisi", + "set_to_default": "Set to Default", + "new_schedule_btn": "Uus ajakava", + "add_new_schedule": "Lisa uus ajakava", + "add_new_calendar": "Lisa uus kalender", + "set_calendar": "Määrake, kuhu lisada uusi sündmusi, kui olete broneeritud.", + "delete_schedule": "Kustuta ajakava", + "delete_schedule_description": "Ajakava kustutamine eemaldab selle kõikidest sündmuste tüüpidest. Seda toimingut ei saa tagasi võtta.", + "schedule_created_successfully": "{{scheduleName}} ajakava on edukalt loodud", + "availability_updated_successfully": "{{scheduleName}} ajakava värskendamine õnnestus", + "schedule_deleted_successfully": "Ajakava kustutati edukalt", + "default_schedule_name": "Töötunnid", + "new_schedule_heading": "Loo saadavuse ajakava", + "new_schedule_description": "Saadavaloleku ajakavade loomine võimaldab hallata saadavust erinevate sündmuste tüüpide vahel. Neid saab rakendada ühele või mitmele sündmusetüübile.", + "requires_ownership_of_a_token": "Nõuab järgmisele aadressile kuuluva märgi omandiõigust:", + "example_name": "John Doe", + "time_format": "Aja formaat", + "12_hour": "12 tundi", + "24_hour": "24 tundi", + "12_hour_short": "12h", + "24_hour_short": "24h", + "redirect_success_booking": "Ümbersuunamine broneerimisel", + "you_are_being_redirected": "Teid suunatakse $t(sekundis, {\"count\": {{sekundit}} }) aadressile {{ url }}.", + "external_redirect_url": "https://example.com/redirect-to-my-success-page", + "redirect_url_description": "Pärast edukat broneerimist suuna ümber kohandatud URL-ile", + "duplicate": "Duplikaat", + "offer_seats": "Pakkuge kohti", + "offer_seats_description": "Paku broneerimiseks kohti. See keelab automaatselt külaliste ja lubamise broneeringud.", + "seats_available_one": "saadaval", + "seats_available_other": "saadaval", + "seats_nearly_full": "Istmed peaaegu täis", + "seats_half_full": "Istmed täituvad kiiresti", + "number_of_seats": "kohtade arv broneeringu kohta", + "set_instant_meeting_expiry_time_offset_description": "Määra koosolekuga liitumise aken (sekundites): ajavahemik sekundites, mille jooksul korraldaja saab koosolekuga liituda ja alustada. Pärast seda perioodi koosolekuga liitumise URL aegub.", + "enter_number_of_seats": "Sisesta kohtade arv", + "you_can_manage_your_schedules": "Saate oma ajakavasid hallata saadavuse lehel.", + "booking_full": "Rohkem kohti pole saadaval", + "api_keys": "API võtmed", + "api_key": "API võti", + "test_api_key": "Testi API võtit", + "test_passed": "Test läbitud!", + "test_failed": "Test ebaõnnestus", + "provide_api_key": "Esita API võti", + "api_key_modal_subtitle": "API võtmed võimaldavad teil teha oma konto jaoks API-kõnesid.", + "api_keys_subtitle": "Generate API võtmed, mida kasutada oma kontole juurdepääsuks.", + "create_api_key": "Loo API võti", + "personal_note": "Nimeta see võti", + "personal_note_placeholder": "Nt arendus", + "api_key_no_note": "Nimetu API võti", + "api_key_never_expires": "Sellel API võtmel pole aegumiskuupäeva", + "edit_api_key": "Muuda API võtit", + "success_api_key_created": "API-võti loodi edukalt", + "success_api_key_edited": "API võtme värskendamine õnnestus", + "create": "Loo", + "success_api_key_created_bold_tagline": "Salvesta see API võti kuskile turvalisse kohta.", + "you_will_only_view_it_once": "Kui selle modaali sulgete, ei saa te seda enam vaadata.", + "copy_to_clipboard": "Kopeerida lõikelauale", + "enabled_after_update": "Lubatud pärast värskendamist", + "enabled_after_update_description": "Privaatne link töötab pärast salvestamist", + "confirm_delete_api_key": "Tühista see API võti", + "revoke_api_key": "Tühista API võti", + "api_key_copied": "API võti kopeeritud!", + "api_key_expires_on": "API võti aegub", + "delete_api_key_confirm_title": "Kas eemaldada see API võti oma kontolt jäädavalt?", + "copy": "Kopeeri", + "expire_date": "Aegumiskuupäev", + "expired": "Aegunud", + "never_expires": "Ei aegu kunagi", + "expires": "Aegub", + "request_reschedule_booking": "Taotlus broneeringu ümber ajatamiseks", + "reason_for_reschedule": "Ümberajamise põhjus", + "book_a_new_time": "Broneerige uus aeg", + "reschedule_request_sent": "Ümberajastamise taotlus saadetud", + "reschedule_modal_description": "See tühistab kavandatud koosoleku, teavitab planeerijat ja palub tal valida uus aeg.", + "reason_for_reschedule_request": "Ümberajastamise taotluse põhjus", + "send_reschedule_request": "Taotle ajakava muutmist", + "edit_booking": "Muuda broneeringut", + "reschedule_booking": "Ajasta broneerimine ümber", + "former_time": "Endine aeg", + "confirmation_page_gif": "Lisa GIF oma kinnituslehele", + "search": "Otsing", + "impersonate": "Esita kellegi teisena", + "user_impersonation_heading": "Kasutaja kellegi teisena esinemine", + "user_impersonation_description": "Võimaldab meie tugimeeskonnal ajutiselt teiena sisse logida, et aidata meil kiiresti lahendada kõik probleemid, millest meile teatate.", + "team_impersonation_description": "Lubab teie meeskonna omanikel/administraatoritel ajutiselt teiena sisse logida.", + "cal_signup_description": "Tasuta üksikisikutele. Meeskonnaplaanid koostööfunktsioonide jaoks.", + "make_org_private": "Tee organisatsioon privaatseks", + "make_org_private_description": "Teie organisatsiooni liikmed ei näe teisi organisatsiooni liikmeid, kui see on sisse lülitatud.", + "make_team_private": "Tee meeskond privaatseks", + "make_team_private_description": "Teie meeskonnaliikmed ei näe teisi meeskonnaliikmeid, kui see on sisse lülitatud.", + "you_cannot_see_team_members": "Te ei saa näha erameeskonna kõiki meeskonnaliikmeid.", + "you_cannot_see_teams_of_org": "Te ei saa näha eraorganisatsiooni meeskondi.", + "allow_booker_to_select_duration": "Luba broneerijal valida kestus", + "impersonate_user_tip": "Kõik selle funktsiooni kasutused on auditeeritud.", + "impersonating_user_warning": "Esitan end kasutajanimena \"{{user}}\".", + "impersonating_stop_instructions": "Peatamiseks klõpsake siin", + "event_location_changed": "Värskendatud – teie sündmus muutis asukohta", + "location_changed_event_type_subject": "Asukoht muudetud: {{eventType}} kasutajaga {{name}} kell {{date}}", + "current_location": "Praegune asukoht", + "new_location": "Uus asukoht", + "session": "Seanss", + "session_description": "Konto seansi juhtimine", + "session_timeout_after": "Timeout session after", + "session_timeout": "Seansi ajalõpp", + "session_timeout_description": "Tühista oma seanss teatud aja möödudes.", + "no_location": "Asukoht pole määratletud", + "set_location": "Määra asukoht", + "update_location": "Uuenda asukohta", + "location_updated": "Asukoht värskendatud", + "email_validation_error": "See ei näe välja nagu meiliaadress", + "place_where_cal_widget_appear": "Paigutage see kood oma HTML-i kohta, kus soovite oma {{appName}} vidina kuvada.", + "create_update_react_component": "Looge või värskendage olemasolev Reacti komponent, nagu allpool näidatud.", + "copy_code": "Kopeeri kood", + "code_copied": "Kood kopeeritud!", + "how_you_want_add_cal_site": "Kuidas soovite rakenduse {{appName}} oma saidile lisada?", + "choose_ways_put_cal_site": "Valige üks järgmistest viisidest, et lisada {{appName}} oma saidile.", + "setting_up_zapier": "Zapieri integratsiooni seadistamine", + "setting_up_make": "Make integratsiooni seadistamine", + "generate_api_key": "Generate API võti", + "generate_api_key_description": "Generate API võti, mida kasutada rakendusega {{appName}} aadressil", + "your_unique_api_key": "Teie ainulaadne API võti", + "copy_safe_api_key": "Kopeerige see API võti ja salvestage see kuskile turvalisse kohta. Kui kaotate selle võtme, peate looma uue.", + "zapier_setup_instructions": "<0>Logige sisse oma Zapieri kontole ja looge uus Zap.<1>Valige oma Triggeri rakenduseks Cal.com. Valige ka Triggeri sündmus.<2>Valige oma konto ja seejärel sisestage teie unikaalne API võti.<3>Testige oma päästikut.<4>Olete valmis!", + "make_setup_instructions": "<0>Avage <1><0>Tee kutse link ja installige Cal.com-i rakendus.<1>Logige sisse oma Make kontole ja looge uus stsenaarium.< /1><2>Valige oma Triggeri rakenduseks Cal.com. Valige ka Triggeri sündmus.<3>Valige oma konto ja sisestage kordumatu API võti.<4>Testige oma Triggerit. <5>Olete valmis!", + "install_zapier_app": "Palun installige esmalt rakenduste poest Zapieri rakendus.", + "install_make_app": "Palun esmalt installige rakendus Make App rakenduste poest.", + "connect_apple_server": "Ühenda Apple Serveriga", + "calendar_url": "Kalendri URL", + "apple_server_generate_password": "Loo rakendusepõhine parool, mida rakendusega {{appName}} kasutada", + "unable_to_add_apple_calendar": "Seda Apple'i kalendri kontot ei saa lisada. Veenduge, et kasutaksite oma konto parooli asemel rakendusepõhist parooli.", + "credentials_stored_encrypted": "Teie mandaadid salvestatakse ja krüpteeritakse.", + "it_stored_encrypted": "See salvestatakse ja krüpteeritakse.", + "go_to_app_store": "Mine App Store'i", + "calendar_error": "Proovige oma kalender kõigi vajalike lubadega uuesti ühendada", + "set_your_phone_number": "Määra koosoleku telefoninumber", + "calendar_no_busy_slots": "Pole hõivatud teenindusaegu", + "display_location_label": "Kuva broneerimislehel", + "display_location_info_badge": "Asukoht on nähtav enne broneeringu kinnitamist", + "add_gif": "Lisa GIF", + "search_giphy": "Otsi Giphyst", + "add_link_from_giphy": "Lisa link Giphyst", + "add_gif_to_confirmation": "GIF-i lisamine kinnituslehele", + "find_gif_spice_confirmation": "Otsige GIF-i kinnituslehe vürtsitamiseks", + "share_feedback": "Jaga tagasisidet", + "resources": "Ressursid", + "support_documentation": "Tugidokumentatsioon", + "developer_documentation": "Arendaja dokumentatsioon", + "get_in_touch": "Ühendust võtma", + "contact_support": "Võtke ühendust toega", + "premium_support": "Premium tugi", + "community_support": "Kogukonna tugi", + "feedback": "Tagasiside", + "submitted_feedback": "Aitäh tagasiside eest!", + "feedback_error": "Viga tagasiside saatmisel", + "comments": "Jagage oma kommentaare siin:", + "booking_details": "Broneeringu üksikasjad", + "or_lowercase": "või", + "nevermind": "Ära pane tähele", + "go_to": "Minema: ", + "zapier_invite_link": "Zapieri kutselink", + "meeting_url_provided_after_confirmed": "Koosoleku URL luuakse pärast sündmuse kinnitamist.", + "dynamically_display_attendee_or_organizer": "Kuva dünaamiliselt teie jaoks osaleja nimi või teie nimi, kui teie osaleja seda vaatab", + "event_location": "Sündmuse asukoht", + "reschedule_optional": "Ümberajamise põhjus (valikuline)", + "reschedule_placeholder": "Andke teistele teada, miks peate ajakava muutma", + "event_cancelled": "See sündmus on tühistatud", + "emailed_information_about_cancelled_event": "Saatsime kõigile teada andmiseks meili.", + "this_input_will_shown_booking_this_event": "Seda sisestust näidatakse selle sündmuse broneerimisel", + "meeting_url_in_confirmation_email": "Koosoleku URL on kinnitusmeilis", + "url_start_with_https": "URL peab algama tähega http:// või https://", + "number_provided": "Telefoninumber antakse", + "before_event_trigger": "enne ürituse algust", + "event_cancelled_trigger": "Kui sündmus tühistatakse", + "new_event_trigger": "kui uus sündmus on broneeritud", + "email_host_action": "saada e-kiri hostile", + "email_attendee_action": "saada osalejatele e-kiri", + "sms_attendee_action": "Saada osalejale SMS", + "sms_number_action": "Saada SMS kindlale numbrile", + "send_reminder_sms": "Saatke oma osalejatele koosolekute meeldetuletusi hõlpsalt SMS-i teel", + "whatsapp_number_action": "Saada WhatsAppi sõnum konkreetsele numbrile", + "whatsapp_attendee_action": "saada osalejale WhatsAppi sõnum", + "workflows": "Töövood", + "new_workflow_btn": "Uus töövoog", + "add_new_workflow": "Lisa uus töövoog", + "reschedule_event_trigger": "kui sündmus on ümber planeeritud", + "trigger": "Päädik", + "triggers": "Päästikud", + "action": "Tegevus", + "workflows_to_automate_notifications": "Teatiste ja meeldetuletuste automatiseerimiseks töövoogude loomine", + "workflow_name": "Töövoo nimi", + "custom_workflow": "Kohandatud töövoog", + "workflow_created_successfully": "{{workflowName}} on edukalt loodud", + "delete_workflow_description": "Kas olete kindel, et soovite selle töövoo kustutada?", + "delete_workflow": "Kustuta töövoog", + "confirm_delete_workflow": "Jah, kustuta töövoog", + "workflow_deleted_successfully": "Töövoo kustutamine õnnestus", + "how_long_before": "Kui kaua enne ürituse algust?", + "day_timeUnit": "päevad", + "hour_timeUnit": "tunnid", + "minute_timeUnit": "minutit", + "new_workflow_heading": "Looge oma esimene töövoog", + "new_workflow_description": "Töövood võimaldavad teil meeldetuletuste ja teatiste saatmist automatiseerida.", + "active_on": "Aktiivne sees", + "workflow_updated_successfully": "{{workflowName}} töövoo värskendamine õnnestus", + "premium_to_standard_username_description": "See on tavaline kasutajanimi ja värskendamine viib teid madalamale versioonile üleminekuks arveldamise juurde.", + "premium_username": "See on esmaklassiline kasutajanimi, hankige oma hinnaga {{price}}", + "current": "Praegune", + "premium": "lisatasu", + "standard": "standard", + "confirm_username_change_dialog_title": "Kinnita kasutajanime muudatus", + "change_username_standard_to_premium": "Kuna muutute tavaliselt kasutajanimelt esmaklassiliseks kasutajanimeks, suunatakse teid uuendamiseks kassasse.", + "change_username_premium_to_standard": "Kuna vahetate lisatasu kasutajanimelt standardsele kasutajanimele, suunatakse teid madalamale versioonile üleminekuks kassasse.", + "go_to_stripe_billing": "Mine arveldusse", + "stripe_description": "Broneeringute eest tasumine (0,5% + vahendustasu 0,10 € tehingu kohta)", + "trial_expired": "Teie prooviperiood on aegunud", + "remove_app": "Eemalda rakendus", + "yes_remove_app": "Jah, eemalda rakendus", + "are_you_sure_you_want_to_remove_this_app": "Kas olete kindel, et soovite selle rakenduse eemaldada?", + "app_removed_successfully": "Rakendus on edukalt eemaldatud", + "error_removing_app": "Viga rakenduse eemaldamisel", + "web_conference": "Veebikonverents", + "requires_confirmation": "Nõuab kinnitust", + "always_requires_confirmation": "Alati", + "requires_confirmation_threshold": "Nõuab kinnitust, kui broneering on < {{time}} $t({{unit}}_timeUnit)", + "may_require_confirmation": "Võib nõuda kinnitust", + "nr_event_type_one": "{{count}} sündmuse tüüp", + "nr_event_type_other": "{{count}} sündmuse tüüpi", + "add_action": "Lisa toiming", + "set_whereby_link": "Määra kuhu link", + "invalid_whereby_link": "Palun sisestage kehtiv Whereby Link", + "set_around_link": "Set Around.Co link", + "invalid_around_link": "Palun sisestage kehtiv ümberlink", + "set_riverside_link": "Määra jõeäärne link", + "invalid_riverside_link": "Palun sisestage kehtiv Riverside link", + "invalid_ping_link": "Palun sisestage kehtiv Ping.gg link", + "add_exchange2013": "Ühenda Exchange 2013 server", + "add_exchange2016": "Ühenda Exchange 2016 server", + "custom_template": "Kohandatud mall", + "email_body": "E-posti sisu", + "text_message": "Tekstisõnum", + "specific_issue": "Kas teil on konkreetne probleem?", + "browse_our_docs": "sirvi meie dokumente", + "choose_template": "Vali mall", + "custom": "Kohandatud", + "reminder": "Meeldetuletus", + "rescheduled": "Ümber ajastatud", + "completed": "Lõpetatud", + "rating": "Hinnang", + "reminder_email": "Meeldetuletus: {{eventType}} kasutajaga {{name}} kell {{date}}", + "not_triggering_existing_bookings": "Ei käivitu juba olemasolevate broneeringute puhul, kuna sündmuse broneerimisel küsitakse kasutajalt telefoninumbrit.", + "minute_one": "{{count}} minut", + "minute_other": "{{count}} minutit", + "hour_one": "{{count}} tund", + "hour_other": "{{count}} tundi", + "invalid_input": "Vigane sisestus", + "broken_video_action": "Me ei saanud lisada koosoleku linki <1>{{location}} teie kavandatud sündmusele. Võtke ühendust kutsututega või värskendage oma kalendrisündmust üksikasjade lisamiseks. Saate kas <3> muuta oma asukohta sündmusel tippige või proovige <5>rakendust eemaldada ja uuesti lisada.", + "broken_calendar_action": "Me ei saanud teie kalendrit <1>{{calendar}} värskendada. <2> Kontrollige oma kalendri seadeid või eemaldage ja lisage kalender uuesti ", + "attendee_name": "osaleja nimi", + "scheduler_full_name": "Broneerija täisnimi", + "broken_integration": "Katkine integratsioon", + "problem_adding_video_link": "Videolingi lisamisel tekkis probleem", + "problem_updating_calendar": "Teie kalendri värskendamisel ilmnes probleem", + "active_on_event_types_one": "Aktiivne {{count}} sündmuse tüübil", + "active_on_event_types_other": "Aktiivne {{count}} sündmusetüübil", + "no_active_event_types": "Aktiivseid sündmuse tüüpe pole", + "new_seat_subject": "Uus osaleja {{name}} sündmusel {{eventType}} kell {{date}}", + "new_seat_title": "Keegi on end sündmusele lisanud", + "variable": "Muutuja", + "event_name_variable": "Sündmuse nimi", + "attendee_name_variable": "osaleja", + "event_date_variable": "Ürituse kuupäev", + "event_time_variable": "Sündmuse aeg", + "organizer_name_variable": "Korraldaja nimi", + "app_upgrade_description": "Selle funktsiooni kasutamiseks peate üle minema Pro-kontole.", + "invalid_number": "Vale telefoninumber", + "invalid_url_error_message": "Invalid URL for {{label}}. Näidis-URL: {{sampleUrl}}", + "navigate": "Navigeeri", + "open": "Avatud", + "close": "Sulge", + "upgrade": "Uuendus", + "upgrade_to_access_recordings_title": "Uuenda salvestistele juurdepääsuks", + "upgrade_to_access_recordings_description": "Salvestised on saadaval ainult osana meie meeskonnaplaanist. Kõnede salvestamise alustamiseks minge uuemale versioonile.", + "upgrade_to_cal_ai_phone_number_description": "Minge üle Enterprise'ile, et luua tehisintellekti agendi telefoninumber, mis saab külalistele helistada, et kõnesid ajastada", + "recordings_are_part_of_the_teams_plan": "Salvestised on osa meeskonnaplaanist", + "team_feature_teams": "See on meeskonna funktsioon. Minge üle meeskonnale, et näha oma meeskonna saadavust.", + "team_feature_workflows": "See on meeskonna funktsioon. Minge üle meeskonnale, et automatiseerida oma sündmuste märguandeid ja meeldetuletusi töövoogude abil.", + "show_eventtype_on_profile": "Näita profiilil", + "embed": "Manusta", + "new_username": "Uus kasutajanimi", + "current_username": "Praegune kasutajanimi", + "example_1": "Näide 1", + "example_2": "Näide 2", + "booking_question_identifier": "Broneerimisküsimuse identifikaator", + "company_size": "Ettevõtte suurus", + "what_help_needed": "Millega sa abi vajad?", + "variable_format": "Muutuva formaat", + "webhook_subscriber_url_reserved": "Veebihaagi abonendi URL on juba määratletud", + "custom_input_as_variable_info": "Ignoreerige kõiki täiendava sisestussildi erimärke (kasutage ainult tähti ja numbreid), kasutage kõigi tähtede jaoks suurtähti ja asendage tühikud alakriipsudega.", + "using_booking_questions_as_variables": "Kuidas kasutada broneerimisküsimusi muutujatena?", + "download_desktop_app": "Laadi alla töölauarakendus", + "set_ping_link": "Määra Ping link", + "rate_limit_exceeded": "Määruse piirang ületatud", + "when_something_happens": "Kui midagi juhtub", + "action_is_performed": "Tegevus sooritatakse", + "test_action": "Katsetegevus", + "notification_sent": "Teade on saadetud", + "no_input": "Sisend puudub", + "test_workflow_action": "Testi töövoo toimingut", + "send_sms": "Saada SMS", + "send_sms_to_number": "Kas soovite kindlasti saata SMS-i numbrile {{number}}?", + "missing_connected_calendar": "Vaikekalender pole ühendatud", + "connect_your_calendar_and_link": "Saate oma kalendri ühendada <1>siit.", + "default_calendar_selected": "Vaikekalender", + "hide_from_profile": "Peida profiilist", + "event_setup_tab_title": "Sündmuse seadistamine", + "availability_not_found_in_schedule_error": "Ajakavas ei leitud saadavust", + "event_limit_tab_title": "Piirangud", + "event_limit_tab_description": "Kui sageli saate broneerida", + "event_advanced_tab_description": "Kalendri seaded ja muu...", + "event_advanced_tab_title": "Täpsem", + "event_setup_multiple_duration_error": "Sündmuse seadistamine: mitu kestust nõuab vähemalt ühte valikut.", + "event_setup_multiple_duration_default_error": "Sündmuse seadistamine: valige kehtiv vaikekestus.", + "event_setup_booking_limits_error": "Broneerimislimiidid peavad olema kasvavas järjekorras. [päev, nädal, kuu, aasta]", + "event_setup_duration_limits_error": "Kestuse piirangud peavad olema kasvavas järjekorras. [päev, nädal, kuu, aasta]", + "select_which_cal": "Kalender, kuhu broneeringuid lisada", + "custom_event_name": "Kohandatud sündmuse nimi", + "custom_event_name_description": "Loo kohandatud sündmuste nimed kalendrisündmusel kuvamiseks", + "2fa_required": "Vajalik on kahefaktoriline autentimine", + "incorrect_2fa": "Vale kahefaktoriline autentimiskood", + "which_event_type_apply": "Millise sündmuse tüübi kohta see kehtib?", + "no_workflows_description": "Töövood võimaldavad märguannete ja meeldetuletuste saatmise lihtsat automatiseerimist, mis võimaldab teil sündmuste ümber protsesse üles ehitada.", + "timeformat_profile_hint": "See on sisemine seade ja see ei mõjuta seda, kuidas kellaajad kuvatakse avalikel broneerimislehtedel teile ega teistele, kes teid broneerivad.", + "create_workflow": "Loo töövoog", + "do_this": "Tee seda", + "turn_off": "Lülita välja", + "turn_on": "Lülita sisse", + "cancelled_bookings_cannot_be_rescheduled": "Tühistatud broneeringuid ei saa ümber ajastada", + "settings_updated_successfully": "Seadete värskendamine õnnestus", + "error_updating_settings": "Viga seadete värskendamisel", + "personal_cal_url": "Minu isiklik {{appName}} URL", + "bio_hint": "Paar lauset enda kohta. See kuvatakse teie isiklikul URL-i lehel.", + "user_has_no_bio": "See kasutaja pole veel biograafiat lisanud.", + "bio": "Bio", + "delete_account_modal_title": "Kustuta konto", + "confirm_delete_account_modal": "Kas soovite kindlasti oma {{appName}} konto kustutada?", + "delete_my_account": "Kustuta minu konto", + "start_of_week": "Nädala algus", + "recordings_title": "Salvestised", + "recording": "Salvestus", + "happy_scheduling": "Head ajakava koostamist", + "select_calendars": "Valige, milliseid kalendreid soovite kontrollida konfliktide suhtes, et vältida topeltbroneeringuid.", + "check_for_conflicts": "Otsi konflikte", + "view_recordings": "Vaata salvestisi", + "check_for_recordings": "Kontrolli salvestisi", + "adding_events_to": "Sündmuste lisamine", + "follow_system_preferences": "Järgige süsteemi eelistusi", + "custom_brand_colors": "Kohandatud brändi värvid", + "customize_your_brand_colors": "Kohandage oma broneerimislehel oma brändi värvi.", + "pro": "Pro", + "removes_cal_branding": "Eemaldab kõik rakendusega {{appName}} seotud kaubamärgid, st 'Toidab {{appName}}'.", + "instant_meeting_with_title": "Kiirkohtumine kasutajaga {{name}}", + "profile_picture": "Profiili pilti", + "upload": "Laadi üles", + "add_profile_photo": "Lisa profiilifoto", + "token_address": "Token Address", + "blockchain": "Blockchain", + "old_password": "Vana parool", + "secure_password": "Teie uus üliturvaline parool", + "error_updating_password": "Viga parooli värskendamisel", + "two_factor_auth": "Kahefaktoriline autentimine", + "recurring_event_tab_description": "Seadista korduv ajakava", + "today": "täna", + "appearance": "Välimus", + "my_account": "Minu konto", + "general": "Kindral", + "calendars": "Kalendrid", + "2fa_auth": "Kahefaktoriline autentimine", + "invoices": "Arved", + "embeds": "Manustad", + "impersonation": "Esinemine kellegi teisena", + "impersonation_description": "Kasutaja kellegi teisena esinemise haldamise seaded", + "users": "Kasutajad", + "user": "Kasutaja", + "profile_description": "Hallake oma {{appName}} profiili seadeid", + "users_description": "Siit leiate kõigi kasutajate loendi", + "users_listing": "Kasutajate loend", + "general_description": "Keele ja ajavööndi seadete haldamine", + "calendars_description": "Seadistage, kuidas teie sündmusetüübid teie kalendritega suhtlevad", + "appearance_description": "Hallake oma broneeringu välimuse seadeid", + "conferencing_description": "Lisage koosolekute jaoks oma lemmikvideokonverentsirakendused", + "add_conferencing_app": "Lisa konverentsirakendus", + "password_description": "Halda oma konto paroolide seadeid", + "set_up_two_factor_authentication": "Seadista oma kahefaktoriline autentimine", + "we_just_need_basic_info": "Teie profiili seadistamiseks vajame põhiteavet.", + "skip": "Vahele jätma", + "do_this_later": "Tehke seda hiljem", + "set_availability_getting_started_subtitle_1": "Määrake ajavahemikud, millal olete saadaval", + "set_availability_getting_started_subtitle_2": "Saate seda kõike hiljem saadavuse lehel kohandada.", + "connect_calendars_from_app_store": "Saate lisada rohkem kalendreid rakenduste poest", + "connect_conference_apps": "Ühenda konverentsirakendused", + "connect_calendar_apps": "Ühenda kalendrirakendused", + "connect_payment_apps": "Makserakenduste ühendamine", + "connect_automation_apps": "Ühenda automatiseerimisrakendused", + "connect_analytics_apps": "Ühenda analüüsirakendused", + "connect_other_apps": "Ühenda teisi rakendusi", + "connect_messaging_apps": "Ühenda sõnumsiderakendused", + "connect_crm_apps": "Ühenda CRM-i rakendused", + "current_step_of_total": "Step {{currentStep}} / {{maxSteps}}", + "add_variable": "Lisa muutuja", + "custom_phone_number": "Kohandatud telefoninumber", + "message_template": "Sõnumi mall", + "email_subject": "E-posti teema", + "add_dynamic_variables": "Dünaamiliste tekstimuutujate lisamine", + "event_name_info": "Sündmuse tüübi nimi", + "event_date_info": "Ürituse kuupäev", + "event_time_info": "Ürituse algusaeg", + "event_type_not_found": "Sündmuse tüüpi ei leitud", + "location_variable": "Asukoht", + "location_info": "Sündmuse koht", + "additional_notes_variable": "Lisamärkmed", + "additional_notes_info": "Broneerimise lisamärkused", + "attendee_name_info": "Broneerija nimi", + "organizer_name_info": "Korraldaja nimi", + "to": "To", + "workflow_turned_on_successfully": "{{workflowName}} töövoog lülitati {{offOn}} edukalt sisse", + "download_responses": "Laadi vastused alla", + "download_responses_description": "Laadige kõik vastused oma vormile alla CSV-vormingus.", + "download": "Lae alla", + "download_recording": "Laadi salvestis alla", + "transcription_enabled": "Transkriptsioonid on nüüd lubatud", + "transcription_stopped": "Transkriptsioonid on nüüd peatatud", + "download_transcript": "Laadi alla transkript", + "recording_from_your_recent_call": "Teie hiljutise kõne salvestis rakenduses {{appName}} on allalaadimiseks valmis", + "transcript_from_previous_call": "Teie hiljutise kõne transkriptsioon rakenduses {{appName}} on allalaadimiseks valmis. Lingid kehtivad ainult 1 tund", + "link_valid_for_12_hrs": "Märkus. Allalaadimislink kehtib ainult 12 tundi. Uue allalaadimislingi saate luua, järgides <1>siin juhiseid.", + "create_your_first_form": "Loo oma esimene vorm", + "create_your_first_form_description": "Marsruutimisvormide abil saate esitada kvalifitseeruvaid küsimusi ja suunata õige inimese või sündmuse tüübi.", + "create_your_first_webhook": "Loo oma esimene veebihaak", + "create_your_first_webhook_description": "Webhooksiga saate koosolekuandmeid reaalajas vastu võtta, kui rakenduses {{appName}} midagi juhtub.", + "for_a_maximum_of": "maksimaalselt", + "event_one": "sündmus", + "event_other": "sündmused", + "profile_team_description": "Meeskonnaprofiili seadete haldamine", + "profile_org_description": "Oma organisatsiooni profiili seadete haldamine", + "members_team_description": "Rühmas olevad kasutajad", + "organization_description": "Oma organisatsiooni administraatorite ja liikmete haldamine", + "team_url": "Meeskonna URL", + "team_members": "Meeskonna liikmed", + "more": "Veel", + "more_page_footer": "Me vaatame mobiilirakendust veebirakenduse laiendusena. Keeruliste toimingute tegemisel pöörduge tagasi veebirakenduse poole.", + "workflow_example_1": "Saada osalejatele SMS-meeldetuletus 24 tundi enne sündmuse algust", + "workflow_example_2": "Saada kohandatud SMS, kui sündmus on osalejale ümber ajastatud", + "workflow_example_3": "Saada kohandatud meil, kui uus sündmus on hostile broneeritud", + "workflow_example_4": "Saada meili meeldetuletus 1 tund enne sündmuste algust osalejatele", + "workflow_example_5": "Saada kohandatud e-kiri, kui sündmus on korraldajale ümber ajastatud", + "workflow_example_6": "Saada kohandatud SMS, kui uus sündmus on hostile broneeritud", + "welcome_to_cal_header": "Tere tulemast rakendusse {{appName}}!", + "edit_form_later_subtitle": "Saate seda hiljem muuta.", + "connect_calendar_later": "Ma ühendan oma kalendri hiljem", + "problem_saving_user_profile": "Teie andmete salvestamisel ilmnes probleem. Proovige uuesti või võtke ühendust klienditoega.", + "purchase_missing_seats": "Ostke puuduvad istmed", + "slot_length": "Plusa pikkus", + "booking_appearance": "Broneeringu välimus", + "appearance_team_description": "Halda oma meeskonna broneeringu välimuse seadeid", + "appearance_org_description": "Oma organisatsiooni broneeringu välimuse seadete haldamine", + "only_owner_change": "Ainult selle meeskonna omanik saab meeskonna broneeringus muudatusi teha", + "team_disable_cal_branding_description": "Eemaldab kõik rakendusega {{appName}} seotud kaubamärgid, st 'Toidab {{appName}}'", + "invited_by_team": "{{teamName}} kutsus teid liituma oma meeskonnaga kui {{role}}", + "token_invalid_expired": "Token on kas kehtetu või aegunud.", + "exchange_add": "Ühenda Microsoft Exchange'iga", + "exchange_authentication": "Autentimismeetod", + "exchange_authentication_standard": "Põhiautentimine", + "exchange_authentication_ntlm": "NTLM autentimine", + "exchange_compression": "GZip-i tihendamine", + "exchange_version": "Vahetusversioon", + "exchange_version_2007_SP1": "2007 SP1", + "exchange_version_2010": "2010", + "exchange_version_2010_SP1": "2010 SP1", + "exchange_version_2010_SP2": "2010 SP2", + "exchange_version_2013": "2013", + "exchange_version_2013_SP1": "2013 SP1", + "exchange_version_2015": "2015", + "exchange_version_2016": "2016", + "routing_forms_description": "Loo vormid osalejate suunamiseks õigetesse sihtkohtadesse", + "routing_forms_send_email_owner": "Saada e-kiri omanikule", + "routing_forms_send_email_owner_description": "Saadab vormi esitamisel omanikule meili", + "routing_forms_send_email_to": "Saada e-kiri aadressile", + "add_new_form": "Lisa uus vorm", + "add_new_team_form": "Lisage oma meeskonda uus vorm", + "create_your_first_route": "Loo oma esimene marsruut", + "route_to_the_right_person": "Tee vormi vastuste põhjal marsruut õigele inimesele", + "form_description": "Loo oma vorm broneerija suunamiseks", + "copy_link_to_form": "Kopeeri link vormile", + "theme": "Broneerimislehe teema", + "theme_applies_note": "See kehtib ainult teie avalike broneerimislehtede kohta", + "app_theme": "Armatuurlaua teema", + "app_theme_applies_note": "See kehtib ainult teie sisselogitud juhtpaneeli kohta", + "theme_system": "Süsteemi vaikeseade", + "add_a_team": "Lisa meeskond", + "add_webhook_description": "Saage koosoleku andmeid reaalajas, kui rakenduses {{appName}} midagi juhtub", + "triggers_when": "Käivitab millal", + "test_webhook": "Enne loomist pingi testi.", + "enable_webhook": "Luba veebihaak", + "add_webhook": "Lisa veebihaak", + "webhook_edited_successfully": "Veebihaak salvestatud", + "api_keys_description": "Generate API võtmed oma kontole juurdepääsuks", + "new_api_key": "Uus API võti", + "active": "aktiivne", + "api_key_updated": "API võtme nimi värskendatud", + "api_key_update_failed": "Viga API võtme nime värskendamisel", + "embeds_title": "HTML iframe embed", + "embeds_description": "Manusta kõik oma sündmusetüübid oma veebisaidile", + "create_first_api_key": "Loo oma esimene API võti", + "create_first_api_key_description": "API võtmed võimaldavad teistel rakendustel suhelda rakendusega {{appName}}", + "back_to_signin": "Tagasi sisselogimiseks", + "reset_link_sent": "Lähtesta link saadetud", + "password_reset_email": "E-kiri on teel aadressile {{email}} koos juhistega parooli lähtestamiseks.", + "password_reset_leading": "Kui te ei saa peagi e-kirja, kontrollige, kas sisestatud e-posti aadress on õige, kontrollige oma rämpsposti kausta või pöörduge toe poole, kui probleem püsib.", + "password_updated": "Parool uuendatud!", + "pending_payment": "Ootel makse", + "pending_invites": "Ootel kutsed", + "pending_organization_invites": "Ootel organisatsiooni kutsed", + "not_on_cal": "Pole rakenduses {{appName}}", + "no_calendar_installed": "Kalendrit pole installitud", + "no_calendar_installed_description": "Te pole veel ühtegi oma kalendrit ühendanud", + "add_a_calendar": "Lisa kalender", + "change_email_hint": "Muudatuste jõustumiseks peate võib-olla välja logima ja uuesti sisse logima", + "confirm_password_change_email": "Palun kinnitage oma parool enne e-posti aadressi muutmist", + "seats": "istmed", + "every_app_published": "Kõik rakenduses {{appName}} App Store avaldatud rakendused on avatud lähtekoodiga ja neid testitakse põhjalikult kolleegide arvustuste kaudu. Sellegipoolest ei toeta ega sertifitseeri {{companyName}} neid rakendusi, välja arvatud juhul, kui {{appName}} on need avaldanud. Kui te Kui märkate sobimatut sisu või käitumist, teavitage sellest.", + "report_app": "Teavita rakendusest", + "limit_booking_frequency": "Limit broneerimissagedust", + "limit_booking_frequency_description": "Piira, mitu korda seda üritust saab broneerida", + "limit_booking_only_first_slot": "Piira broneerimist ainult esimene pesa", + "limit_booking_only_first_slot_description": "Luba broneerida ainult iga päeva esimene teenindusaeg", + "limit_total_booking_duration": "Limit kogu broneeringu kestust", + "limit_total_booking_duration_description": "Piirake selle sündmuse broneerimiseks kuluvat aega", + "add_limit": "Lisa piir", + "team_name_required": "Vaja on meeskonna nimi", + "show_attendees": "Osalejate teabe jagamine külaliste vahel", + "show_available_seats_count": "Näita vabade kohtade arvu", + "how_booking_questions_as_variables": "Kuidas kasutada broneerimisküsimusi muutujatena?", + "format": "Formaat", + "uppercase_for_letters": "Kasuta kõigi tähtede jaoks suurtähti", + "replace_whitespaces_underscores": "Asenda tühikud alakriipsudega", + "manage_billing": "Arvelduse haldamine", + "manage_billing_description": "Hallake kõike arveldust", + "billing_freeplan_title": "Teil on praegu TASUTA plaan", + "billing_freeplan_description": "Me töötame paremini meeskondades. Laiendage oma töövooge ring- ja kollektiivsete sündmustega ning koostage täpsemaid marsruutimisvorme", + "billing_freeplan_cta": "Proovige nüüd", + "billing_portal": "Arveldusportaal", + "billing_help_cta": "Võtke ühendust toega", + "ignore_special_characters_booking_questions": "Ignoreeri broneeringuküsimuse identifikaatoris erimärke. Kasutage ainult tähti ja numbreid", + "retry": "Uuesti proovima", + "fetching_calendars_error": "Teie kalendrite toomisel ilmnes probleem. <1>Proovige uuesti või võtke ühendust klienditoega.", + "calendar_connection_fail": "Kalendri ühendus ebaõnnestus", + "booking_confirmation_success": "Broneeringu kinnitamine õnnestus", + "booking_rejection_success": "Broneeringu tagasilükkamine õnnestus", + "booking_tentative": "See broneering on esialgne", + "booking_accept_intent": "Oih, ma tahan nõustuda", + "we_wont_show_again": "Me ei näita seda enam", + "couldnt_update_timezone": "Me ei saanud ajavööndit värskendada", + "updated_timezone_to": "Värskendatud ajavöönd väärtusele {{formattedCurrentTz}}", + "update_timezone": "Uuenda ajavööndit", + "update_timezone_question": "Uuenda ajavööndit?", + "update_timezone_description": "Tundub, et teie kohalik ajavöönd on muutunud {{formattedCurrentTz}}-ks. Väga oluline on õige ajavöönd, et vältida broneeringuid soovimatutel aegadel. Kas soovite seda värskendada?", + "dont_update": "Ära värskenda", + "require_additional_notes": "Nõua lisamärkmeid", + "require_additional_notes_description": "Nõua broneerimisel lisamärkuste täitmist", + "email_address_action": "saada e-kiri kindlale e-posti aadressile", + "after_event_trigger": "pärast sündmuse lõppu", + "how_long_after": "Kui kaua pärast ürituse lõppu?", + "no_available_slots": "Saadaolevaid teenindusaegu pole", + "time_available": "Aeg saadaval", + "cant_find_the_right_video_app_visit_our_app_store": "Kas te ei leia õiget videorakendust? Külastage meie <1>App Store'i.", + "install_new_calendar_app": "Installi uus kalendrirakendus", + "make_phone_number_required": "Tee telefoninumber ürituse broneerimiseks vajalikuks", + "new_event_type_availability": "{{eventTypeTitle}} Saadavus", + "error_editing_availability": "Viga saadavuse redigeerimisel", + "dont_have_permission": "Teil pole sellele ressursile juurdepääsu luba.", + "saml_config": "SAML", + "saml_configuration_placeholder": "Palun kleepige siia oma identiteedipakkuja SAML-i metaandmed", + "saml_email_required": "Palun sisestage e-posti aadress, et saaksime leida teie SAML-i identiteedipakkuja", + "saml_sp_title": "Teenusepakkuja üksikasjad", + "saml_sp_description": "Teie identiteedipakkuja (IdP) küsib teilt SAML-i rakenduse konfigureerimise lõpuleviimiseks järgmisi üksikasju.", + "saml_sp_acs_url": "ACS URL", + "saml_sp_entity_id": "SP Entity ID", + "saml_sp_acs_url_copied": "ACS URL kopeeritud!", + "saml_sp_entity_id_copied": "SP Entity ID kopeeritud!", + "add_calendar": "Lisa kalender", + "limit_future_bookings": "Piira tulevasi broneeringuid", + "limit_future_bookings_description": "Piira, kui kaugele tulevikus saab seda üritust broneerida", + "no_event_types": "Sündmuste tüüpide seadistamine puudub", + "no_event_types_description": "{{name}} ei ole teile broneerimiseks seadistanud ühtegi sündmusetüüpi.", + "billing_frequency": "Arveldussagedus", + "monthly": "Igakuine", + "yearly": "Iga-aastane", + "checkout": "Kassasse", + "your_team_disbanded_successfully": "Teie meeskond on edukalt laiali saadetud", + "your_org_disbanded_successfully": "Teie organisatsioon on edukalt laiali saadetud", + "error_creating_team": "Viga meeskonna loomisel", + "you": "Sina", + "or_continue_with": "Või jätka", + "resend_email": "Saada meil uuesti", + "member_already_invited": "Liige on juba kutsutud", + "already_in_use_error": "Kasutajanimi on juba kasutusel", + "enter_email_or_username": "Sisestage e-posti aadress või kasutajanimi", + "enter_email": "Sisesta e-kiri", + "enter_emails": "Sisesta e-posti aadressid", + "too_many_invites": "Te võite kutsuda maksimaalselt {{nbUsers}} kasutajat korraga.", + "team_name_taken": "See nimi on juba võetud", + "must_enter_team_name": "Tuleb sisestada meeskonna nimi", + "team_url_required": "Tuleb sisestada meeskonna URL", + "url_taken": "See URL on juba hõivatud", + "problem_registering_domain": "Alamdomeeni registreerimisel ilmnes probleem, proovige uuesti või võtke ühendust administraatoriga", + "team_publish": "Avaldamise meeskond", + "number_text_notifications": "Telefoninumber (tekstiteated)", + "number_sms_notifications": "Telefoninumber (SMS-teatised)", + "attendee_email_variable": "Osalejate e-post", + "attendee_email_info": "Broneerija meiliaadress", + "kbar_search_placeholder": "Sisestage käsk või otsige...", + "invalid_credential": "Tundub, et rakenduse {{appName}} load on aegunud või tühistatud.", + "invalid_credential_action": "installige rakendus uuesti", + "reschedule_reason": "Ajastamise põhjus", + "choose_common_schedule_team_event": "Valige ühine ajakava", + "choose_common_schedule_team_event_description": "Lubage see, kui soovite kasutada hostide vahel ühist ajakava. Kui see on keelatud, broneeritakse iga host nende vaikegraafiku alusel.", + "reason": "Põhjus", + "sender_id": "Saatja ID", + "sender_id_error_message": "Lubatud on ainult tähed, numbrid ja tühikud (max 11 tähemärki)", + "test_routing_form": "Testi marsruutimise vorm", + "test_preview": "Testi eelvaade", + "route_to": "Route to", + "test_preview_description": "Testige oma marsruutimisvormi ilma andmeid esitamata", + "test_routing": "Testi marsruutimist", + "payment_app_disabled": "Administraator keelas makserakenduse", + "edit_event_type": "Muuda sündmuse tüüpi", + "only_admin_can_see_members_of_org": "See organisatsioon on privaatne ja selle liikmeid saavad vaadata ainult organisatsiooni administraator või omanik.", + "only_admin_can_manage_sso_org": "Ainult organisatsiooni administraator või omanik saab hallata SSO seadeid", + "collective_scheduling": "Kollektiivne ajakava", + "make_it_easy_to_book": "Tehke oma meeskonna broneerimine lihtsaks, kui kõik on saadaval.", + "find_the_best_person": "Leidke parim saadaolev inimene ja sõitke läbi oma meeskonna.", + "fixed_round_robin": "Fikseeritud ringmäng", + "add_one_fixed_attendee": "Lisage üks fikseeritud osaleja ja liikuge läbi paljude osalejate arvu.", + "calcom_is_better_with_team": "{{appName}} on meeskondades parem", + "the_calcom_team": "Tiim {{companyName}}", + "add_your_team_members": "Lisage oma meeskonnaliikmeid oma sündmuste tüüpide hulka. Kasutage kollektiivset ajakava, et kaasata kõik või leidke ringmängu ajakavaga sobivaim inimene.", + "booking_limit_reached": "Selle sündmusetüübi broneerimislimiit on täis", + "duration_limit_reached": "Selle sündmusetüübi kestuse limiit on täis", + "admin_has_disabled": "Administraator keelas rakenduse {{appName}}", + "disabled_app_affects_event_type": "Administraator keelas rakenduse {{appName}}, mis mõjutab teie sündmuse tüüpi {{eventType}}", + "event_replaced_notice": "Administraator on asendanud ühe teie sündmuse tüübist", + "email_subject_slug_replacement": "Tiimi administraator asendas teie sündmuse /{{slug}}", + "email_body_slug_replacement_notice": "Tiimi {{teamName}} administraator asendas teie sündmuse tüübi /{{slug}} hallatava sündmuse tüübiga, mida nad juhivad.", + "email_body_slug_replacement_info": "Teie link töötab edasi, kuid mõned selle seaded võivad olla muutunud. Saate selle üle vaadata sündmuste tüüpides.", + "email_body_slug_replacement_suggestion": "Kui teil on sündmuse tüübi kohta küsimusi, võtke ühendust oma administraatoriga.

Head ajakava koostamist,
Cal.com-i meeskond", + "disable_payment_app": "Administraator on keelanud rakenduse {{appName}}, mis mõjutab teie sündmuse tüüpi {{title}}. Osalejad saavad endiselt seda tüüpi sündmusi broneerida, kuid neil ei paluta maksta. Selle vältimiseks võite sündmuse tüübi peita kuni kuni hetkeni teie administraator lubab teie makseviisi uuesti.", + "payment_disabled_still_able_to_book": "Osalejad saavad seda tüüpi sündmusi endiselt broneerida, kuid neil ei nõuta tasumist. Selle vältimiseks võite sündmuse tüübi peita seni, kuni administraator teie makseviisi uuesti lubab.", + "app_disabled_with_event_type": "Administraator keelas rakenduse {{appName}}, mis mõjutab teie sündmuse tüüpi {{title}}.", + "app_disabled_video": "Administraator on keelanud rakenduse {{appName}}, mis võib mõjutada teie sündmuste tüüpe. Kui teil on sündmuse tüübid, mille asukoht on {{appName}}, siis vaikimisi on see Cal Video.", + "app_disabled_subject": "{{appName}} on keelatud", + "navigate_installed_apps": "Mine installitud rakendustesse", + "disabled_calendar": "Kui teil on installitud mõni muu kalender, lisatakse sellele uued broneeringud. Kui ei, siis ühendage uus kalender, et te ei jääks uutest broneeringutest ilma.", + "enable_apps": "Luba rakendused", + "enable_apps_description": "Luba rakendused, mida kasutajad saavad rakendusega {{appName}} integreerida", + "purchase_license": "Ostke litsents", + "already_have_account": "On juba konto?", + "already_have_key": "Mul on võti juba olemas:", + "already_have_key_suggestion": "Palun kopeerige siia oma olemasolev keskkonnamuutuja CALCOM_LICENSE_KEY.", + "app_is_enabled": "{{appName}} on lubatud", + "app_is_disabled": "{{appName}} on keelatud", + "keys_have_been_saved": "Võtmed on salvestatud", + "disable_app": "Keela rakendus", + "disable_app_description": "Selle rakenduse keelamine võib põhjustada probleeme selles, kuidas teie kasutajad Caliga suhtlevad", + "edit_keys": "Muuda võtmeid", + "admin_apps_description": "Luba rakendused oma Cali eksemplari jaoks", + "no_available_apps": "Saadaolevaid rakendusi pole", + "no_available_apps_description": "Veenduge, et jaotises 'Packages/app-store' on teie juurutamisel rakendusi.", + "no_apps": "Selles Cali eksemplaris pole ühtegi rakendust lubatud", + "no_apps_configured": "Ühtegi rakendust pole veel konfigureeritud", + "enable_in_settings": "Saate rakendusi seadetes lubada", + "please_contact_admin": "Palun võtke ühendust oma administraatoriga", + "apps_settings": "Rakenduste seaded", + "fill_this_field": "Palun täitke see väli", + "options": "Valikud", + "enter_option": "Sisestage valik {{index}}", + "add_an_option": "Lisa valik", + "location_already_exists": "See asukoht on juba olemas. Valige uus asukoht", + "radio": "Raadio", + "google_meet_warning": "Google Meeti kasutamiseks peate määrama oma sihtkalendri Google'i kalendriks", + "individual": "Individuaalne", + "all_bookings_filter_label": "Kõik broneeringud", + "all_users_filter_label": "Kõik kasutajad", + "all_event_types_filter_label": "Kõik sündmuste tüübid", + "your_bookings_filter_label": "Teie broneeringud", + "meeting_url_variable": "Kohtumise url", + "meeting_url_info": "Ürituse koosoleku konverentsi URL", + "date_overrides": "Kuupäev alistab", + "date_overrides_delete_on_date": "Kustuta kuupäeva alistamised kuupäeval {{date}}", + "date_overrides_subtitle": "Lisa kuupäevad, kui teie saadavus muutub teie igapäevastest lahtiolekuaegadest.", + "date_overrides_info": "Kuupäeva alistamised arhiveeritakse automaatselt pärast kuupäeva möödumist", + "date_overrides_dialog_which_hours": "Mis kellaajad teil vabad on?", + "date_overrides_dialog_which_hours_unavailable": "Millistel tundidel olete hõivatud?", + "date_overrides_dialog_title": "Valige tühistatavad kuupäevad", + "date_overrides_unavailable": "Pole saadaval terve päeva", + "date_overrides_mark_all_day_unavailable_one": "Märgi kättesaamatuks (kogu päev)", + "date_overrides_mark_all_day_unavailable_other": "Märgi valitud kuupäevadel kättesaamatuks", + "date_overrides_add_btn": "Lisa alistamine", + "date_overrides_update_btn": "Uuenduste tühistamine", + "date_successfully_added": "Kuupäeva alistamine edukalt lisatud", + "event_type_duplicate_copy_text": "{{slug}}-copy", + "set_as_default": "Määra vaikimisi", + "hide_eventtype_details": "Peida sündmuse tüübi üksikasjad", + "show_navigation": "Näita navigeerimist", + "hide_navigation": "Peida navigeerimine", + "verification_code_sent": "Kinnituskood saadetud", + "verified_successfully": "Kinnitatud edukalt", + "wrong_code": "Vale kinnituskood", + "not_verified": "Pole veel kinnitatud", + "no_availability_in_month": "Pole saadaval {{kuus}}", + "view_next_month": "Vaata järgmist kuud", + "send_code": "Saada kood", + "number_verified": "Number kinnitatud", + "create_your_first_team_webhook_description": "Loo oma esimene veebihaak selle meeskonnaürituse tüübi jaoks", + "create_webhook_team_event_type": "Loo selle meeskonnaürituse tüübi jaoks veebihaak", + "disable_success_page": "Keela eduleht (töötab ainult siis, kui teil on ümbersuunamise URL)", + "invalid_admin_password": "Olete administraator, kuid teil pole veel vähemalt 15 tähemärgi pikkust parooli või teil pole veel 2FA-d", + "change_password_admin": "Administraatori juurdepääsu saamiseks muutke parooli", + "username_already_taken": "Kasutajanimi on juba võetud", + "assignment": "Ülesanne", + "fixed_hosts": "Fikseeritud hostid", + "add_fixed_hosts": "Lisa fikseeritud hostid", + "round_robin_hosts": "Ring-Robini võõrustajad", + "minimum_round_robin_hosts_count": "Osalemiseks vajalik võõrustajate arv", + "hosts": "Võõrustajad", + "upgrade_to_enable_feature": "Selle funktsiooni lubamiseks peate looma meeskonna. Klõpsake meeskonna loomiseks.", + "orgs_upgrade_to_enable_feature": "Selle funktsiooni lubamiseks peate üle minema meie ettevõtteplaanile.", + "new_attendee": "Uus osaleja", + "awaiting_approval": "Ootan heakskiitu", + "requires_google_calendar": "See rakendus nõuab Google'i kalendri ühendust", + "event_type_requires_google_calendar": "Selle sündmusetüübi jaoks peab 'Lisa kalendrisse' olema Google'i kalender Meeti jaoks. Ühendage see <1>siin.", + "connected_google_calendar": "Olete ühendanud Google'i kalendri konto.", + "using_meet_requires_calendar": "Google Meeti kasutamiseks on vaja ühendatud Google'i kalendrit", + "continue_to_install_google_calendar": "Jätka Google'i kalendri installimist", + "install_google_meet": "Install Google Meet", + "install_google_calendar": "Install Google Calendar", + "sender_name": "Saatja nimi", + "already_invited": "Osaleija on juba kutsutud", + "no_recordings_found": "Salvestisi ei leitud", + "new_workflow_subtitle": "Uus töövoog...", + "reporting": "Aruandlus", + "reporting_feature": "Vaadake kõiki sissetulevaid vormiandmeid ja laadige need alla CSV-vormingus", + "teams_plan_required": "Vaja on meeskonnaplaani", + "routing_forms_are_a_great_way": "Marsruutimisvormid on suurepärane viis sissetulevate müügivihjete suunamiseks õigele inimesele. Sellele funktsioonile juurdepääsuks minge üle Teamsi plaanile.", + "choose_a_license": "Vali litsents", + "choose_license_description": "Cal.com-iga on kaasas juurdepääsetav ja tasuta AGPLv3 litsents, millel on piirangud. Võtame Enterprise'i kliente kommertslitsentsi saamiseks, mille kohta saate küsida, võttes ühendust allpool oleva müügiga.", + "license": "Litsents", + "agplv3_license": "AGPLv3 litsents", + "no_need_to_keep_your_code_open_source": "Pole vaja hoida oma koodi avatud lähtekoodiga", + "repackage_rebrand_resell": "Lihtne ümber pakkimine, kaubamärgi muutmine ja edasimüümine", + "a_vast_suite_of_enterprise_features": "Suur ettevõtte funktsioonide komplekt", + "free_license_fee": "0,00 $ kuus", + "forever_open_and_free": "Igavesti avatud ja tasuta", + "required_to_keep_your_code_open_source": "Nõutav, et hoida teie kood avatud lähtekoodiga", + "cannot_repackage_and_resell": "Ei saa lihtsalt ümber pakendada, ümber brändida ja edasi müüa", + "no_enterprise_features": "Ettevõtte funktsioone pole", + "step_enterprise_license": "Ettevõtte litsents", + "step_enterprise_license_description": "Kõik äriliseks kasutamiseks koos privaatse hostimise, ümberpakendamise, kaubamärgi muutmise ja edasimüümisega ning juurdepääs eksklusiivsetele ettevõtte komponentidele.", + "setup": "Seadistamine", + "setup_description": "Seadista Cal.com näide", + "configure": "Seadista", + "sso_configuration": "Ühekordne sisselogimine", + "sso_configuration_description": "Seadista SAML/OIDC SSO ja luba meeskonnaliikmetel identiteedipakkuja abil sisse logida", + "sso_configuration_description_orgs": "Seadista SAML/OIDC SSO ja luba organisatsiooni liikmetel identiteedipakkuja abil sisse logida", + "sso_oidc_heading": "SSO OIDC-ga", + "sso_oidc_description": "Oidc SSO seadistamine oma valitud identiteedipakkujaga.", + "sso_oidc_configuration_title": "OIDC konfiguratsioon", + "sso_oidc_configuration_description": "Seadista OIDC-ühendus oma identiteedipakkujaga. Vajaliku teabe leiate oma identiteedipakkujast.", + "sso_oidc_callback_copied": "Tagasihelistamis-URL kopeeritud", + "sso_saml_heading": "SSO koos SAML-iga", + "sso_saml_description": "Seadista SAML SSO teie valitud identiteedipakkujaga.", + "sso_saml_configuration_title": "SAML-i konfiguratsioon", + "sso_saml_configuration_description": "Seadista SAML-ühendus oma identiteedipakkujaga. Vajaliku teabe leiate oma identiteedipakkujast.", + "sso_saml_acsurl_copied": "ACS URL kopeeritud", + "sso_saml_entityid_copied": "Olemi ID kopeeritud", + "sso_connection_created_successfully": "{{connectionType}} konfiguratsioon on edukalt loodud", + "sso_connection_deleted_successfully": "{{connectionType}} konfiguratsiooni kustutamine õnnestus", + "delete_sso_configuration": "Kustuta {{connectionType}} konfiguratsioon", + "delete_sso_configuration_confirmation": "Jah, kustuta {{connectionType}} konfiguratsioon", + "delete_sso_configuration_confirmation_description": "Kas soovite kindlasti konfiguratsiooni {{connectionType}} kustutada? Teie meeskonnaliikmed, kes kasutavad {{connectionType}} sisselogimist, ei pääse enam saidile Cal.com juurde.", + "organizer_timezone": "Korraldaja ajavöönd", + "email_user_cta": "Vaata kutset", + "email_no_user_invite_heading_team": "Teid on kutsutud liituma rakenduse {{appName}} meeskonnaga", + "email_no_user_invite_heading_subteam": "Teid on kutsutud liituma organisatsiooni {{parentTeamName}} meeskonnaga", + "email_no_user_invite_heading_org": "Teid on kutsutud liituma organisatsiooniga {{appName}}", + "email_no_user_invite_subheading": "{{invitedBy}} kutsus teid liituma oma meeskonnaga rakenduses {{appName}}. {{appName}} on sündmustega žongleerimise ajakava, mis võimaldab teil ja teie meeskonnal koosolekuid ajastada ilma meilitenniseta.", + "email_user_invite_subheading_team": "{{invitedBy}} kutsus teid liituma oma meeskonnaga {{teamName}} rakenduses {{appName}}. {{appName}} on sündmuste žongleerimise ajakava, mis võimaldab teil ja teie meeskonnal koosolekuid ajastada ilma meilitenniseta. ", + "email_user_invite_subheading_subteam": "{{invitedBy}} kutsus teid liituma tiimiga {{teamName}} nende organisatsioonis {{parentTeamName}} rakenduses {{appName}}. {{appName}} on sündmuste žongleerimise ajakava, mis võimaldab teil ja teie meeskonnal koosolekute planeerimiseks ilma meilita tenniseta.", + "email_user_invite_subheading_org": "{{invitedBy}} kutsus teid liituma oma organisatsiooniga {{teamName}} rakenduses {{appName}}. {{appName}} on sündmuste žongleerimise ajakava, mis võimaldab teil ja teie organisatsioonil koosolekuid ajastada ilma meilita. ", + "email_no_user_invite_steps_intro": "Juhendame teid mõne lühikese sammuga ja saate kiiresti oma {{entity}}-ga stressivaba ajagraafiku koostamist nautida.", + "email_no_user_step_one": "Vali oma kasutajanimi", + "email_no_user_step_two": "Ühenda oma kalendrikonto", + "email_no_user_step_three": "Määrake oma saadavus", + "email_no_user_step_four": "Liitu {{teamName}}", + "email_no_user_signoff": "Head ajakava koostamist {{appName}} meeskonnalt", + "impersonation_user_tip": "Olete kehastamas kasutajat, mis tähendab, et saate tema nimel muudatusi teha. Olge ettevaatlik.", + "available_variables": "Saadaolevad muutujad", + "scheduler": "{Scheduler}", + "no_workflows": "Töövooge pole", + "change_filter": "Muuda filtrit, et näha oma isiklikke ja meeskonnatöövooge.", + "change_filter_common": "Tulemuste nägemiseks muutke filtrit.", + "no_results_for_filter": "Filtrile pole tulemusi", + "recommended_next_steps": "Soovitatavad järgmised sammud", + "create_a_managed_event": "Loo hallatud sündmuse tüüp", + "meetings_are_better_with_the_right": "Kohtumised on seal paremad õigete meeskonnaliikmetega. Kutsuge nad kohe.", + "create_a_one_one_template": "Looge sündmuse tüübi jaoks üks-üks mall ja levitage seda mitmele liikmele.", + "collective_or_roundrobin": "Kollektiiv või ringmäng", + "book_your_team_members": "Broneerige oma meeskonnaliikmed ühisüritustele või sõitke läbi, et leida õige inimene ringiga.", + "event_no_longer_attending_subject": "Ei osale enam {{title}} kell {{date}}", + "no_longer_attending": "Te ei osale enam sellel üritusel", + "attendee_no_longer_attending_subject": "Osaleja ei osale enam kuupäeval {{title}} kell {{date}}", + "attendee_no_longer_attending": "Osaleja ei osale enam teie üritusel", + "attendee_no_longer_attending_subtitle": "{{name}} on tühistanud. See tähendab, et selle ajapilu jaoks on koht avatud", + "create_event_on": "Loo sündmus sisse", + "create_routing_form_on": "Loo marsruutimisvorm sisse", + "default_app_link_title": "Rakenduse vaikelingi määramine", + "default_app_link_description": "Rakenduse vaikelingi määramine võimaldab kõigil äsja loodud sündmuste tüüpidel kasutada teie määratud rakenduse linki.", + "organizer_default_conferencing_app": "Korraldaja vaikerakendus", + "under_maintenance": "Hoolduseks maha", + "under_maintenance_description": "Tiim {{appName}} teeb plaanipärast hooldust. Kui teil on küsimusi, võtke ühendust toega.", + "event_type_seats": "{{numberOfSeats}} kohta", + "booking_questions_title": "Broneerimisküsimused", + "booking_questions_description": "Kohanda broneerimislehel küsitavaid küsimusi", + "add_a_booking_question": "Lisa küsimus", + "identifier": "Identifitseerija", + "duplicate_email": "E-post on duplikaat", + "booking_with_payment_cancelled": "Selle sündmuse eest tasumine pole enam võimalik", + "booking_with_payment_cancelled_already_paid": "Selle broneeringu makse tagasimakse on teel.", + "booking_with_payment_cancelled_refunded": "See broneeringu makse on tagastatud.", + "booking_confirmation_failed": "Broneeringu kinnitamine ebaõnnestus", + "not_enough_seats": "Pole piisavalt kohti", + "form_builder_field_already_exists": "Selle nimega väli on juba olemas", + "show_on_booking_page": "Näita broneerimislehel", + "get_started_zapier_templates": "Alustage Zapieri mallidega", + "team_is_unpublished": "{{team}} on avaldamata", + "org_is_unpublished_description": "See organisatsiooni link pole praegu saadaval. Võtke ühendust organisatsiooni omanikuga või paluge tal see avaldada.", + "team_is_unpublished_description": "See meeskonnalink pole praegu saadaval. Võtke ühendust meeskonna omanikuga või paluge tal see avaldada.", + "team_member": "Meeskonna liige", + "a_routing_form": "Marsruutimisvorm", + "form_description_placeholder": "Vormi kirjeldus", + "keep_me_connected_with_form": "Hoidke mind vormiga ühenduses", + "fields_in_form_duplicated": "Kõik muudatused ruuteris ja dubleeritava vormi väljades kajastuvad duplikaadis.", + "form_deleted": "Vorm kustutatud", + "delete_form": "Kas olete kindel, et soovite selle vormi kustutada?", + "delete_form_action": "Jah, kustuta vorm", + "delete_form_confirmation": "Igaüks, kellega olete linki jaganud, ei pääse sellele enam juurde.", + "delete_form_confirmation_2": "Kõik seotud vastused kustutatakse.", + "typeform_redirect_url_copied": "Typeform Redirect URL kopeeritud! Võite minna ja määrata URL Typeformi vormis.", + "modifications_in_fields_warning": "Järgmiste vormide väljade ja marsruutide muudatused kajastuvad sellel vormil.", + "connected_forms": "Ühendatud vormid", + "form_modifications_warning": "Kui muudate siin välju või marsruute, mõjutab see järgmisi vorme.", + "responses_collection_waiting_description": "Oodake mõnda aega, kuni vastused kogutakse. Võite minna ka ise vormi esitama.", + "this_is_what_your_users_would_see": "See on see, mida teie kasutajad näeksid", + "identifies_name_field": "Identifitseerib selle nimega välja.", + "add_1_option_per_line": "Lisa 1 valik rea kohta", + "select_a_router": "Vali ruuter", + "add_a_new_route": "Lisa uus marsruut", + "make_informed_decisions": "Tehke Insightsi abil teadlikke otsuseid", + "make_informed_decisions_description": "Meie Insightsi armatuurlaud kuvab kogu teie meeskonna tegevuse ja näitab teile suundumusi, mis võimaldavad meeskonna paremat ajakava ja otsuste tegemist.", + "view_bookings_across": "Vaadake kõigi liikmete broneeringuid", + "view_bookings_across_description": "Vaadake, kes saavad kõige rohkem broneeringuid, ja tagage parim jaotus teie meeskonnas", + "identify_booking_trends": "Tuvastage broneerimistrendid", + "identify_booking_trends_description": "Vaadake, millised nädalaajad ja päevaajad on teie broneerijate jaoks populaarsed", + "spot_popular_event_types": "Märkige populaarseid sündmuste tüüpe", + "spot_popular_event_types_description": "Vaadake, millised teie sündmusetüübid saavad kõige rohkem klikke ja broneeringuid", + "no_responses_yet": "Vastust pole veel", + "no_routes_defined": "Marsruute pole määratletud", + "this_will_be_the_placeholder": "See on kohatäide", + "error_booking_event": "Ürituse broneerimisel ilmnes viga, värskendage lehte ja proovige uuesti", + "timeslot_missing_title": "Ajapilu pole valitud", + "timeslot_missing_description": "Sündmuse broneerimiseks valige aeg.", + "timeslot_missing_cta": "Vali ajavahemik", + "switch_monthly": "Lülitu kuuvaatele", + "switch_weekly": "Lülitu nädalavaatele", + "switch_multiday": "Lülita päevavaatele", + "switch_columnview": "Lülita veeruvaatele", + "num_locations": "{{num}} asukohavalikut", + "select_on_next_step": "Vali järgmises etapis", + "this_meeting_has_not_started_yet": "See kohtumine pole veel alanud", + "this_app_requires_connected_account": "{{appName}} nõuab ühendatud {{dependencyName}} kontot", + "connect_app": "Connect {{dependencyName}}", + "app_is_connected": "{{dependencyName}} on ühendatud", + "requires_app": "Nõuab {{dependencyName}}", + "verification_code": "Kinnituskood", + "can_you_try_again": "Kas saate teise ajaga uuesti proovida?", + "verify": "Kinnita", + "timezone_variable": "Ajavöönd", + "timezone_info": "Saava isiku ajavöönd", + "event_end_time_variable": "Sündmuse lõpuaeg", + "event_end_time_info": "Ürituse lõpuaeg", + "cancel_url_variable": "Tühista URL", + "cancel_url_info": "URL broneeringu tühistamiseks", + "reschedule_url_variable": "Ajasta URL ümber", + "reschedule_url_info": "URL broneeringu ümberajatamiseks", + "invalid_event_name_variables": "Teie sündmuse nimes on kehtetu muutuja", + "select_all": "Vali kõik", + "default_conferencing_bulk_title": "Olemasolevate sündmuste tüüpide hulgivärskendus", + "default_timezone_bulk_title": "Olemasolevate saadavuste hulgivärskendus", + "members_default_schedule": "Liikme vaikegraafik", + "set_by_admin": "Seadi meeskonna administraatori poolt", + "members_default_location": "Liikme vaikeasukoht", + "members_default_schedule_description": "Kasutame iga liikme vaikimisi saadavuse ajakava. Nad saavad seda redigeerida või muuta.", + "requires_at_least_one_schedule": "Teil peab olema vähemalt üks ajakava", + "default_conferencing_bulk_description": "Värskenda valitud sündmuste tüüpide asukohti", + "default_timezone_bulk_description": "Uuenda valitud saadavuste ajavööndit.", + "locked_for_members": "Liikmete jaoks lukustatud", + "unlocked_for_members": "Liikmete jaoks lukustamata", + "apps_locked_for_members_description": "Liikmed näevad aktiivseid rakendusi, kuid ei saa muuta rakenduse seadeid", + "apps_unlocked_for_members_description": "Liikmed näevad aktiivseid rakendusi ja saavad muuta mis tahes rakenduse seadeid", + "apps_locked_by_team_admins_description": "Näete aktiivseid rakendusi, kuid te ei saa muuta rakenduse seadeid", + "apps_unlocked_by_team_admins_description": "Näete aktiivseid rakendusi ja saate muuta mis tahes rakenduse seadeid", + "workflows_locked_for_members_description": "Liikmed ei saa sellele sündmusetüübile lisada oma isiklikke töövooge. Liikmed näevad aktiivseid meeskonna töövooge, kuid ei saa muuta töövoo sätteid.", + "workflows_unlocked_for_members_description": "Liikmed saavad sellele sündmusetüübile lisada oma isiklikud töövood. Liikmed näevad aktiivseid meeskonna töövooge, kuid ei saa muuta töövoo sätteid.", + "workflows_locked_by_team_admins_description": "Näete aktiivseid meeskonnatöövooge, kuid te ei saa muuta töövoo sätteid ega lisada sellele sündmusetüübile oma isiklikke töövooge.", + "workflows_unlocked_by_team_admins_description": "Selle sündmusetüübi puhul saate lubada/keelata isiklikke töövooge. Näete aktiivseid meeskonnatöövooge, kuid ei saa muuta meeskonna töövoo sätteid.", + "locked_by_team_admin": "Meeskonna administraatori poolt lukustatud", + "app_not_connected": "Te pole rakenduse {{appName}} kontot ühendanud.", + "connect_now": "Ühenda kohe", + "managed_event_dialog_confirm_button_one": "Asenda ja teavita {{count}} liiget", + "managed_event_dialog_confirm_button_other": "Asenda ja teavitage {{count}} liiget", + "managed_event_dialog_title_one": "URL /{{slug}} on {{count}} liikme jaoks juba olemas. Kas soovite selle asendada?", + "managed_event_dialog_title_other": "URL /{{slug}} on juba {{count}} liikme jaoks olemas. Kas soovite selle asendada?", + "managed_event_dialog_information_one": "{{names}} kasutab juba URL-i /{{slug}}.", + "managed_event_dialog_information_other": "{{names}} kasutavad juba URL-i /{{slug}}.", + "managed_event_dialog_clarification": "Kui otsustate selle asendada, teavitame neid. Kui te ei soovi seda üle kirjutada, minge tagasi ja eemaldage need.", + "review_event_type": "Ürituse tüübi ülevaatamine", + "looking_for_more_analytics": "Kas otsite rohkem analüüse?", + "looking_for_more_insights": "Kas otsite rohkem teadmisi?", + "filters": "Filtrid", + "add_filter": "Lisa filter", + "remove_filters": "Tühjenda kõik filtrid", + "email_verified": "E-post kinnitatud", + "select_user": "Vali kasutaja", + "select_event_type": "Valige sündmuse tüüp", + "select_date_range": "Vali kuupäevavahemik", + "popular_events": "Populaarsed sündmused", + "no_event_types_found": "Ühtegi sündmuse tüüpi ei leitud", + "average_event_duration": "Ürituse keskmine kestus", + "most_booked_members": "Enim broneeritud liikmed", + "least_booked_members": "Kõige vähem broneeritud liikmed", + "events_created": "Loodud sündmused", + "events_completed": "Sündmused lõpetatud", + "events_cancelled": "Üritused tühistatud", + "events_rescheduled": "Üritatud sündmused", + "from_last_period": "eelmisest perioodist", + "from_to_date_period": "From: {{startDate}} To: {{endDate}}", + "redirect_url_warning": "Ümbersuunamise lisamine keelab eduka lehe. Kindlasti mainige oma kohandatud edulehel \"Broneering kinnitatud\".", + "event_trends": "Sündmuste suundumused", + "clear_filters": "Tühjenda filtrid", + "clear": "Tühjenda", + "hold": "Hoia", + "on_booking_option": "Makse kogumine broneerimisel", + "hold_option": "Charge no-show fee", + "card_held": "Kaart käes", + "charge_card": "Maksekaart", + "card_charged": "Kaart laetud", + "no_show_fee_amount": "{{summa, valuuta}} mitteilmumise tasu", + "no_show_fee": "Ära ilmumise tasu", + "submit_card": "Esita kaart", + "submit_payment_information": "Esita makseteave", + "meeting_awaiting_payment_method": "Teie kohtumine ootab makseviisi", + "no_show_fee_charged_email_subject": "Mitte ilmumise tasu {{summa, valuuta}}, mis on võetud {{title}} eest kuupäeval {{date}}", + "no_show_fee_charged_text_body": "Võeti mitteilmumise tasu", + "no_show_fee_charged_subtitle": "Järgmise sündmuse eest võeti mitteilmumise tasu {{summa, valuuta}}", + "error_charging_card": "Midagi läks mitteilmumise tasu võtmisel valesti. Proovige hiljem uuesti.", + "collect_no_show_fee": "Koguge mitteilmumise tasu", + "no_show_fee_charged": "Tasutakse mitteilmumise tasu", + "insights": "Teadmisi", + "testing_workflow_info_message": "Selle töövoo testimisel pidage meeles, et e-kirju ja SMS-e saab ajastada ainult vähemalt 1 tund ette", + "insights_no_data_found_for_filter": "Valitud filtri või valitud kuupäevade kohta andmeid ei leitud.", + "acknowledge_booking_no_show_fee": "Ma tean, et kui ma sellel üritusel ei osale, rakendatakse minu kaardile {{summa, valuuta}} mitteilmumise tasu.", + "card_details": "Kaardi andmed", + "something_went_wrong_on_our_end": "Meil läks midagi valesti. Võtke ühendust meie tugitiimiga ja me parandame selle teie jaoks kohe ära.", + "please_provide_following_text_to_suppport": "Teid paremaks abistamiseks esitage tugiteenusega ühenduse võtmisel järgmine tekst", + "seats_and_no_show_fee_error": "Praegu ei saa lubada istekohti ja võtta mitteilmumise tasu", + "complete_your_booking": "Lõpetage broneering", + "complete_your_booking_subject": "Lõpetage broneering: {{title}} kuupäeval {{date}}", + "confirm_your_details": "Kinnitage oma andmed", + "copy_invite_link": "Kopeeri kutse link", + "edit_invite_link": "Muuda lingi seadeid", + "invite_link_copied": "Kutse link kopeeritud", + "invite_link_deleted": "Kutse link kustutatud", + "api_key_deleted": "API võti kustutatud", + "invite_link_updated": "Kutse lingi seaded on salvestatud", + "link_expires_after": "Lingid aeguma pärast...", + "one_day": "1 päev", + "seven_days": "7 päeva", + "thirty_days": "30 päeva", + "three_months": "3 kuud", + "one_year": "1 aasta", + "team_invite_received": "Teid on kutsutud liituma meeskonnaga {{teamName}}", + "currency_string": "{{summa, valuuta}}", + "charge_card_dialog_body": "Olete võtmas osalejalt tasu {{summa, valuuta}}. Kas soovite kindlasti jätkata?", + "charge_attendee": "Tasuta osaleja {{summa, valuuta}}", + "payment_app_commission": "Nõua makset ({{paymentFeePercentage}}% + {{fee, currency}} vahendustasu tehingu kohta)", + "email_invite_team": "{{email}} on kutsutud", + "email_invite_team_bulk": "{{userCount}} kasutajat on kutsutud", + "error_collecting_card": "Viga kaardi kogumisel", + "image_size_limit_exceed": "Üleslaaditud pildi suurus ei tohiks ületada 5 MB", + "unauthorized_workflow_error_message": "{{errorCode}}: teil ei ole luba seda töövoogu lubada ega keelata", + "inline_embed": "Inline Embed", + "load_inline_content": "Laadib teie sündmuse tüübi otse koos teie veebisaidi muu sisuga.", + "floating_pop_up_button": "Ujuv hüpiknupp", + "floating_button_trigger_modal": "Paneb teie saidile ujuva nupu, mis käivitab teie sündmuse tüübiga modaali.", + "pop_up_element_click": "Pop up via element click", + "open_dialog_with_element_click": "Avage oma kalender dialoogiaknana, kui keegi klõpsab elemendil.", + "need_help_embedding": "Kas vajate abi? Vaadake meie juhendeid Cali manustamiseks Wixis, Squarespace'is või WordPressis, vaadake meie levinud küsimusi või uurige täpsemaid manustamisvalikuid.", + "book_my_cal": "Broneeri mu Cal", + "first_name": "Eesnimi", + "last_name": "Perekonnanimi", + "first_last_name": "Eesnimi Perekonnanimi", + "invite_as": "Kutsu kui", + "form_updated_successfully": "Vormi värskendamine õnnestus.", + "disable_attendees_confirmation_emails": "Keela osalejate vaikekinnitusmeilid", + "disable_attendees_confirmation_emails_description": "Selle sündmusetüübi puhul on aktiivne vähemalt üks töövoog, mis saadab osalejatele broneeringu kinnituse.", + "disable_host_confirmation_emails": "Keela hosti vaikekinnitusmeilid", + "disable_host_confirmation_emails_description": "Selle sündmusetüübi puhul on aktiivne vähemalt üks töövoog, mis saadab sündmuse broneerimisel hostile meili.", + "add_an_override": "Lisa alistamine", + "import_from_google_workspace": "Impordi kasutajad Google Workspace'ist", + "connect_google_workspace": "Ühenda Google Workspace", + "google_workspace_admin_tooltip": "Selle funktsiooni kasutamiseks peate olema tööruumi administraator", + "first_event_type_webhook_description": "Loo oma esimene veebihaak selle sündmusetüübi jaoks", + "create_instant_meeting_webhook_description": "Looge oma esimene veebihaak, kasutades selle sündmusetüübi päästikuks 'Instant Meeting Created'", + "install_app_on": "Installi rakendus sisse", + "create_for": "Loo jaoks", + "currency": "valuuta", + "organization_banner_description": "Looge keskkondi, kus teie meeskonnad saavad ringtöö ja kollektiivse ajastamise abil luua jagatud rakendusi, töövooge ja sündmuste tüüpe.", + "organization_banner_title": "Halda organisatsioone mitme meeskonnaga", + "set_up_your_organization": "Seadistage oma organisatsioon", + "set_up_your_platform_organization": "Seadista oma platvorm", + "organizations_description": "Organisatsioonid on jagatud keskkonnad, kus meeskonnad saavad luua jagatud sündmuste tüüpe, rakendusi, töövooge ja palju muud.", + "platform_organization_description": "Platvorm Cal.com võimaldab teil ajakava hõlpsalt oma rakendusse integreerida, kasutades platvormi apisid ja aatomeid.", + "must_enter_organization_name": "Tuleb sisestada organisatsiooni nimi", + "must_enter_organization_admin_email": "Tuleb sisestada oma organisatsiooni e-posti aadress", + "admin_email": "Teie organisatsiooni e-posti aadress", + "platform_admin_email": "Teie administraatori e-posti aadress", + "admin_username": "Administraatori kasutajanimi", + "organization_name": "Organisatsiooni nimi", + "platform_name": "Platvormi nimi", + "organization_url": "Organisatsiooni URL", + "organization_verify_header": "Kinnitage oma organisatsiooni e-posti aadress", + "organization_verify_email_body": "Organisatsiooni seadistamise jätkamiseks kasutage oma e-posti aadressi kinnitamiseks allolevat koodi.", + "additional_url_parameters": "Täiendavad URL-i parameetrid", + "about_your_organization": "Teie organisatsiooni kohta", + "about_your_organization_description": "Organisatsioonid on jagatud keskkonnad, kus saate luua mitu meeskonda jagatud liikmete, sündmuste tüüpide, rakenduste, töövoogude ja muuga.", + "create_your_teams": "Looge oma meeskonnad", + "create_your_teams_description": "Alustage koos ajakava koostamist, lisades oma meeskonnaliikmed oma organisatsiooni", + "invite_organization_admins": "Kutsu organisatsiooni liikmeid", + "invite_organization_admins_description": "Kutsuge teisi oma organisatsiooniga liituma. Liikmeid saate hiljem lisada.", + "set_a_password": "Seadista parool", + "set_a_password_description": "See loob teie organisatsiooni e-posti aadressi ja selle parooliga uue kasutajakonto.", + "organization_logo": "Organisatsiooni logo", + "organization_about_description": "Paar lauset teie organisatsiooni kohta. See kuvatakse teie organisatsiooni avalikul profiililehel.", + "ill_do_this_later": "Ma teen seda hiljem", + "verify_your_email": "Kinnitage oma e-posti aadress", + "enter_digit_code": "Sisestage 6-kohaline kood, mille saatsime aadressile {{email}}", + "verify_email_organization": "Organisatsiooni loomiseks kinnitage oma e-posti aadress", + "code_provided_invalid": "Esitatud kood ei kehti, proovige uuesti", + "email_already_used": "E-posti juba kasutatakse", + "organization_admin_invited_heading": "Teid on kutsutud liituma organisatsiooniga {{orgName}}", + "organization_admin_invited_body": "Liituge oma meeskonnaga saidil {{orgName}} ja hakake keskenduma koosolekutele, mitte koosolekute korraldamisele!", + "duplicated_slugs_warning": "Järgmisi meeskondi ei saanud luua dubleeritud nälkjate tõttu: {{slugs}}", + "team_names_empty": "Meeskondade nimed ei tohi olla tühjad", + "team_names_repeated": "Meeskondade nimesid ei saa korrata", + "user_belongs_organization": "Kasutaja kuulub organisatsiooni", + "org_no_teams_yet": "Sellel organisatsioonil pole veel meeskondi", + "org_no_teams_yet_description": "Kui olete administraator, looge kindlasti siin kuvamiseks meeskonnad.", + "set_up": "Seadista", + "my_profile": "Minu profiil", + "my_settings": "Minu seaded", + "crm": "CRM", + "messaging": "Sõnumite saatmine", + "sender_id_info": "SMS-i saatjana kuvatud nimi või number (mõned riigid ei luba tähtnumbrilisi saatja ID-sid)", + "org_admins_can_create_new_teams": "Uusi meeskondi saab luua ainult teie organisatsiooni administraator", + "google_new_spam_policy": "Google'i uued rämpspostieeskirjad võivad takistada teil selle broneeringu kohta meili- ja kalendrimärguandeid saamast.", + "resolve": "Lahenda", + "no_organization_slug": "Selle organisatsiooni jaoks meeskondade loomisel ilmnes viga. Puuduv URL-i slug.", + "copy_link_org": "Kopeeri link organisatsioonile", + "404_the_org": "Organisatsioon", + "404_the_team": "Meeskond", + "404_claim_entity_org": "Taotlege oma organisatsiooni alamdomeen", + "404_claim_entity_team": "Võtke see meeskond vastu ja hakake ühiselt ajakavasid haldama", + "insights_team_filter": "Meeskond: {{teamName}}", + "insights_user_filter": "Kasutaja: {{userName}}", + "insights_subtitle": "Vaadake oma sündmuste broneerimise statistikat", + "location_options": "{{locationCount}} asukohavalikut", + "custom_plan": "Kohandatud plaan", + "email_embed": "E-posti manustamine", + "add_times_to_your_email": "Valige mõned vabad ajad ja manustage need oma e-kirja", + "select_time": "Vali aeg", + "select_date": "Vali kuupäev", + "connecting_you_to_someone": "Me ühendame teid kellegagi.", + "please_do_not_close_this_tab": "Palun ärge sulgege seda vahekaarti", + "see_all_available_times": "Vaata kõiki saadaolevaid aegu", + "org_team_names_example_1": "nt turundusmeeskond", + "org_team_names_example_2": "nt müügimeeskond", + "org_team_names_example_3": "nt disainimeeskond", + "org_team_names_example_4": "nt insenerimeeskond", + "org_team_names_example_5": "nt Andmeanalüüsi meeskond", + "org_max_team_warnings": "Hiljem saate rohkem meeskondi lisada.", + "what_is_this_meeting_about": "Millest see kohtumine räägib?", + "add_to_team": "Lisa meeskonda", + "remove_users_from_org": "Eemalda kasutajad organisatsioonist", + "remove_users_from_org_confirm": "Kas soovite kindlasti eemaldada sellest organisatsioonist {{userCount}} kasutajat?", + "user_has_no_schedules": "See kasutaja pole veel ühtegi ajakava seadistanud", + "user_isnt_in_any_teams": "See kasutaja ei ole üheski meeskonnas", + "requires_booker_email_verification": "Nõuab broneerija e-posti kinnitust", + "description_requires_booker_email_verification": "Broneerija e-posti kinnituse tagamiseks enne sündmuste ajastamist", + "requires_confirmation_mandatory": "Tekstisõnumeid saab osalejatele saata ainult siis, kui sündmuse tüüp nõuab kinnitust.", + "organizations": "Organisatsioonid", + "upload_cal_video_logo": "Laadi üles Cal video logo", + "update_cal_video_logo": "Uuenda Cal Video Logo", + "upload_banner": "Laadi bänner üles", + "cal_video_logo_upload_instruction": "Tagamaks, et teie logo oleks Cal video tumedal taustal nähtav, laadige läbipaistvuse säilitamiseks üles hele pilt PNG- või SVG-vormingus.", + "org_admin_other_teams": "Teised meeskonnad", + "org_admin_other_teams_description": "Siin näete oma organisatsioonisiseseid meeskondi, kuhu te ei kuulu. Vajadusel saate end nende hulka lisada.", + "not_part_of_org": "Te ei ole ühegi organisatsiooni osa", + "no_other_teams_found": "Teisi meeskondi ei leitud", + "no_other_teams_found_description": "Selles organisatsioonis pole teisi meeskondi.", + "attendee_first_name_variable": "osaleja eesnimi", + "attendee_last_name_variable": "osaleja perekonnanimi", + "attendee_first_name_info": "Broneerija eesnimi", + "attendee_last_name_info": "Broneerija perekonnanimi", + "your_monthly_digest": "Sinu igakuine kokkuvõte", + "member_name": "Liikme nimi", + "most_popular_events": "Kõige populaarsemad sündmused", + "summary_of_events_for_your_team_for_the_last_30_days": "Siin on teie meeskonna {{teamName}} populaarsete sündmuste kokkuvõte viimase 30 päeva jooksul", + "me": "Mina", + "monthly_digest_email": "Monthly Digest Email", + "monthly_digest_email_for_teams": "Igakuine kokkuvõtte meilimeeskondadele", + "verify_team_tooltip": "Kinnitage oma meeskond, et võimaldada osalejatele sõnumite saatmine", + "member_removed": "Liige eemaldatud", + "my_availability": "Minu saadavus", + "team_availability": "Meeskonna saadavus", + "backup_code": "Varukood", + "backup_codes": "Varukoodid", + "backup_code_instructions": "Iga varukoodi saab kasutada täpselt üks kord, et anda juurdepääs ilma teie autentijata.", + "backup_codes_copied": "Varukoodid kopeeritud!", + "incorrect_backup_code": "Varukood on vale.", + "lost_access": "Kaotatud juurdepääs", + "missing_backup_codes": "Varukoode ei leitud. Looge need oma seadetes.", + "admin_org_notification_email_subject": "Uus organisatsioon loodud: ootel toiming", + "hi_admin": "Tere administraator", + "admin_org_notification_email_title": "Organisatsioon vajab DNS-i seadistamist", + "admin_org_notification_email_body_part1": "Loodi organisatsioon slug-iga \"{{orgSlug}}\".

Kindlasti konfigureerige oma DNS-i register nii, et see suunaks uuele organisatsioonile vastava alamdomeeni sinna, kus põhirakendus töötab. Vastasel juhul organisatsioon ei tööta.

Siin on vaid väga lihtsad valikud, kuidas konfigureerida alamdomeen osutama nende rakendusele, et see laadiks organisatsiooni profiililehe.

Saate teha see kas A-kirjega:", + "admin_org_notification_email_body_part2": "Või CNAME-kirje:", + "admin_org_notification_email_body_part3": "Kui olete alamdomeeni konfigureerinud, märkige organisatsioonide administraatori seadetes DNS-i konfiguratsioon tehtuks.", + "admin_org_notification_email_cta": "Ava organisatsioonide administraatori seaded", + "org_has_been_processed": "Organisatsioon on töödeldud", + "org_error_processing": "Selle organisatsiooni töötlemisel ilmnes viga", + "orgs_page_description": "Kõigi organisatsioonide loend. Organisatsiooni aktsepteerimine võimaldab kõigil selle e-posti domeeni kasutajatel registreeruda ILMA meili kinnituseta.", + "unverified": "Kinnitamata", + "verified": "Kinnitatud", + "dns_missing": "DNS puudub", + "dns_configured": "DNS konfigureeritud", + "mark_dns_configured": "Märgi DNS konfigureerituks", + "value": "Väärtus", + "your_organization_updated_sucessfully": "Teie organisatsiooni värskendamine õnnestus", + "team_no_event_types": "Sellel meeskonnal pole sündmuste tüüpe", + "seat_options_doesnt_multiple_durations": "Istme valik ei toeta mitut kestust", + "include_calendar_event": "Kaasa kalendrisündmus", + "oAuth": "OAuth", + "recently_added": "Viimati lisatud", + "connect_all_calendars": "Ühenda kõik oma kalendrid", + "connect_all_calendars_description": "{{appName}} loeb saadavust kõigist teie olemasolevatest kalendritest", + "workflow_automation": "Töövoo automatiseerimine", + "workflow_automation_description": "Isikupärastage oma ajastamiskogemust töövoogude abil", + "scheduling_for_your_team": "Töövoo automatiseerimine", + "scheduling_for_your_team_description": "Koostage oma meeskonna ajakava kollektiivse ja ringplaaniga", + "no_members_found": "Liikmeid ei leitud", + "directory_sync": "Kataloogide sünkroonimine", + "directory_name": "Kataloogi nimi", + "directory_provider": "Kataloogipakkuja", + "directory_scim_url": "SCIM-i baas-URL", + "directory_scim_token": "SCIM kandja märk", + "directory_scim_url_copied": "SCIM-i baas-URL kopeeritud", + "directory_scim_token_copied": "SCIM Bearer Token kopeeritud", + "directory_sync_info_description": "Teie identiteedipakkuja küsib SCIM-i konfigureerimiseks järgmist teavet. Seadistamise lõpetamiseks järgige juhiseid.", + "directory_sync_configure": "Configure Directory Sync", + "directory_sync_configure_description": "Valige oma meeskonna jaoks kataloogi konfigureerimiseks identiteedi pakkuja.", + "directory_sync_title": "SCIM-iga alustamiseks seadistage identiteedipakkuja.", + "directory_sync_created": "Kataloogi sünkroonimisühendus loodud.", + "directory_sync_description": "Teie kataloogipakkujaga kasutajate pakkumine ja eraldamine.", + "directory_sync_deleted": "Kataloogi sünkroonimisühendus kustutatud.", + "directory_sync_delete_connection": "Kustuta ühendus", + "directory_sync_delete_title": "Kustuta kataloogi sünkroonimisühendus", + "directory_sync_delete_description": "Kas olete kindel, et soovite selle kataloogi sünkroonimisühenduse kustutada?", + "directory_sync_delete_confirmation": "Seda toimingut ei saa tagasi võtta. See kustutab jäädavalt kataloogi sünkroonimise ühenduse.", + "event_setup_length_error": "Sündmuse seadistamine: kestus peab olema vähemalt 1 minut.", + "availability_schedules": "Saadavaloleku ajakava", + "unauthorized": "volituseta", + "access_cal_account": "{{clientName}} soovib juurdepääsu teie {{appName}} kontole", + "select_account_team": "Vali konto või meeskond", + "allow_client_to": "See võimaldab kasutajal {{clientName}}", + "associate_with_cal_account": "Seostada teid oma isikuandmetega kasutajalt {{clientName}}", + "see_personal_info": "Vaadake oma isiklikku teavet, sealhulgas isiklikku teavet, mille olete avalikult kättesaadavaks teinud", + "see_primary_email_address": "Vaadake oma esmast e-posti aadressi", + "connect_installed_apps": "Ühenda installitud rakendustega", + "access_event_type": "Sündmuste tüüpide lugemine, muutmine, kustutamine", + "access_availability": "Lugege, muutke, kustutage oma saadavus", + "access_bookings": "Lugege, muutke, kustutage oma broneeringuid", + "allow_client_to_do": "Kas lubada kasutajal {{clientName}} seda teha?", + "oauth_access_information": "Klõpsates käsul Luba, lubate sellel rakendusel kasutada teie teavet vastavalt nende teenusetingimustele ja privaatsuseeskirjadele. Saate juurdepääsu eemaldada {{appName}} App Store'is.", + "oauth_form_title": "OAuthi kliendi loomise vorm", + "oauth_form_description": "See on vorm uue OAuthi kliendi loomiseks", + "allow": "Lubama", + "view_only_edit_availability_not_onboarded": "See kasutaja pole liitumist lõpetanud. Te ei saa tema saadavust määrata enne, kui ta on liitumise lõpetanud.", + "view_only_edit_availability": "Te vaatate selle kasutaja saadavust. Saate muuta ainult enda saadavust.", + "you_can_override_calendar_in_advanced_tab": "Saate selle iga sündmuse tüübi täpsemates seadetes sündmusepõhiselt alistada.", + "edit_users_availability": "Muuda kasutaja saadavust: {{kasutajanimi}}", + "resend_invitation": "Saada kutse uuesti", + "invitation_resent": "Kutse saadeti uuesti.", + "saml_sso": "SAML", + "add_client": "Lisa klient", + "copy_client_secret_info": "Pärast saladuse kopeerimist ei saa te seda enam vaadata", + "add_new_client": "Lisa uus klient", + "this_app_is_not_setup_already": "Seda rakendust pole veel seadistatud", + "as_csv": "CSV-na", + "overlay_my_calendar": "Katta minu kalender", + "overlay_my_calendar_toc": "Oma kalendriga ühenduse loomisel nõustute meie privaatsuspoliitika ja kasutustingimustega. Võite juurdepääsu igal ajal tühistada.", + "view_overlay_calendar_events": "Vaadake oma kalendrisündmusi, et vältida vastuolulisi broneeringuid.", + "join_event_location": "Liitu {{eventLocationType}}", + "troubleshooting": "Veaotsing", + "calendars_were_checking_for_conflicts": "Kalendrid, mida kontrollime konfliktide suhtes", + "availabilty_schedules": "Saadavaloleku ajakavad", + "manage_calendars": "Kalendrite haldamine", + "manage_availability_schedules": "Halda saadavuse ajakavasid", + "locked": "Lukus", + "unlocked": "Avatud", + "lock_timezone_toggle_on_booking_page": "Lukusta ajavöönd broneerimislehel", + "description_lock_timezone_toggle_on_booking_page": "Ajavööndi lukustamiseks broneerimislehel, kasulik isiklikuks sündmuseks.", + "event_setup_multiple_payment_apps_error": "Ühe sündmuse tüübi kohta saab lubada ainult ühe makserakenduse.", + "number_in_international_format": "Palun sisestage number rahvusvahelises vormingus.", + "install_calendar": "Installi kalender", + "branded_subdomain": "Kaubamärgiga alamdomeen", + "branded_subdomain_description": "Hankige oma kaubamärgiga alamdomeen, nt acme.cal.com", + "org_insights": "Organisatsiooniülesed ülevaated", + "org_insights_description": "Saage aru, kuidas kogu teie organisatsioon aega veedab", + "extensive_whitelabeling": "Laiaulatuslik märgistamine", + "extensive_whitelabeling_description": "Kohandage oma ajastamiskogemust oma logo, värvide ja muuga", + "unlimited_teams": "Piiramatu arv meeskondi", + "unlimited_teams_description": "Lisage oma organisatsiooni nii palju alammeeskondi kui vaja", + "unified_billing": "Ühtne arveldamine", + "unified_billing_description": "Lisage kõigi oma meeskonna tellimuste eest tasumiseks üks krediitkaart", + "advanced_managed_events": "Täpsemad hallatud sündmuste tüübid", + "advanced_managed_events_description": "Lisage kõigi oma meeskonna tellimuste eest tasumiseks üks krediitkaart", + "enterprise_description": "Oma organisatsiooni loomiseks minge üle ettevõttele", + "create_your_org": "Loo oma organisatsioon", + "create_your_org_description": "Minge üle organisatsioonidele ja saate alamdomeeni, ühtse arvelduse, ülevaate, ulatusliku valge sildistamise ja palju muud", + "create_your_enterprise_description": "Minge üle ettevõtte versioonile ja hankige juurdepääs Active Directory sünkroonimisele, SCIM-i automaatsele kasutajate ettevalmistamisele, Cal.ai häälagentidele, administraatori API-dele ja muule!", + "other_payment_app_enabled": "Saate lubada ainult ühe makserakenduse sündmuse tüübi kohta", + "admin_delete_organization_description": "
  • Sellesse organisatsiooni kuuluvad meeskonnad kustutatakse ka koos nende sündmuste tüüpidega.
  • Organisatsiooni kuulunud kasutajaid ei kustutata, kuid nende kasutajanimesid muudetakse, et lubada need eksisteerivad väljaspool organisatsiooni
  • Kasutaja sündmuste tüübid, mis on loodud pärast seda, kui kasutaja oli organisatsioonis, kustutatakse
  • Migreeritud kasutajate sündmuste tüüpe ei kustutata
  • ", + "admin_delete_organization_title": "Kas kustutada {{organizationName}}?", + "published": "Avaldatud", + "unpublished": "Avaldamata", + "publish": "Avalda", + "org_publish_error": "Organisatsiooni ei saanud avaldada", + "troubleshooter_tooltip": "Avage tõrkeotsing ja selgitage välja, mis teie ajakavas valesti on", + "need_help": "Abi vajama?", + "troubleshooter": "Veaotsing", + "number_to_call": "Number helistamiseks", + "guest_name": "Külalise nimi", + "guest_email": "Külalise e-post", + "guest_company": "Külaliste ettevõte", + "please_install_a_calendar": "Palun installige kalender", + "instant_tab_title": "Kiire broneerimine", + "instant_event_tab_description": "Las inimestel kohe broneerida", + "uprade_to_create_instant_bookings": "Minge üle Enterprise'ile ja lubage külalistel liituda kiirkõnega, kuhu osalejad saavad otse sisse hüpata. See on ainult meeskonnaürituste tüüpide jaoks", + "dont_want_to_wait": "Kas te ei taha oodata?", + "meeting_started": "Koosolek algas", + "pay_and_book": "Maksa broneerimiseks", + "cal_ai_event_tab_description": "Las tehisintellekti agentidel teid broneerida", + "booking_not_found_error": "Ei leidnud broneeringut", + "booking_seats_full_error": "Broneeritavad kohad on täis", + "missing_payment_credential_error": "Puuduvad maksevolitused", + "missing_payment_app_id_error": "Makserakenduse ID puudub", + "not_enough_available_seats_error": "Broneeringus ei ole piisavalt vabu kohti", + "user_redirect_title": "{{username}} on praegu lühikest aega eemal.", + "user_redirect_description": "Seni vastutab {{profile.username}} kasutaja {{username}} nimel kõigi uute ajastatud koosolekute eest.", + "out_of_office": "Kontorist väljas", + "out_of_office_description": "Andke oma broneerijatele teada, kui olete OOO.", + "send_request": "Saada taotlus", + "start_date_and_end_date_required": "Alguskuupäev ja lõppkuupäev on nõutavad", + "start_date_must_be_before_end_date": "Alguskuupäev peab olema varasem kui lõppkuupäev", + "start_date_must_be_in_the_future": "Alguskuupäev peab olema tulevikus", + "user_not_found": "Kasutajat ei leitud", + "out_of_office_entry_already_exists": "Kontoriväline sissekanne on juba olemas", + "out_of_office_id_required": "Kontorist väljas sisenemise ID nõutav", + "booking_redirect_infinite_not_allowed": "Sellelt kasutajalt on juba tehtud broneeringu ümbersuunamine teile.", + "success_entry_created": "Uue kirje loomine õnnestus", + "booking_redirect_email_subject": "Broneeringu ümbersuunamise teatis", + "booking_redirect_email_title": "Broneeringu ümbersuunamise teatis", + "booking_redirect_email_description": "Saite kasutajalt {{toName}} broneeringu ümbersuunamise, nii et tema profiililingid suunatakse teie omale järgmise ajavahemiku jooksul: ", + "success_accept_booking_redirect": "Olete selle broneeringu ümbersuunamise taotluse vastu võtnud.", + "success_reject_booking_redirect": "Olete selle broneeringu ümbersuunamise taotluse tagasi lükanud.", + "copy_link_booking_redirect_request": "Kopeeri link jagamistaotlusele", + "booking_redirect_request_title": "Broneeringu ümbersuunamise taotlus", + "select_team_member": "Vali meeskonnaliige", + "going_away_title": "Kas lähete ära? Märkige lihtsalt oma profiili link teatud aja jooksul kättesaamatuks.", + "redirect_team_enabled": "Esita link meeskonnaliikmele, kui OOO", + "redirect_team_disabled": "Esitage link meeskonnaliikmele, kui OOO (vajalik meeskonnaplaan)", + "out_of_office_unavailable_list": "Kontorist väljas kättesaamatuse loend", + "success_deleted_entry_out_of_office": "Kirje edukalt kustutatud", + "temporarily_out_of_office": "Ajutiselt kontorist väljas?", + "add_a_redirect": "Lisa ümbersuunamine", + "create_entry": "Loo kirje", + "time_range": "Ajavahemik", + "automatically_add_all_team_members": "Lisa kõik meeskonnaliikmed, sealhulgas tulevased liikmed", + "redirect_to": "Redirect to", + "having_trouble_finding_time": "Kas teil on raskusi aja leidmisega?", + "show_more": "Näita rohkem", + "forward_params_redirect": "Edasta parameetrid, nagu ?email=...&name=.... ja rohkem", + "assignment_description": "Planeerige koosolekuid, kui kõik on saadaval, või vahetage oma meeskonnaliikmeid", + "lowest": "madalaim", + "low": "madal", + "medium": "keskmine", + "high": "kõrge", + "Highest": "kõrgeim", + "send_booker_to": "Saada broneerija aadressile", + "set_priority": "Määra prioriteet", + "priority_for_user": "Priority for {{userName}}", + "change_priority": "muuda prioriteeti", + "field_identifiers_as_variables": "Kasutage kohandatud sündmuste ümbersuunamise muutujatena välja identifikaatoreid", + "field_identifiers_as_variables_with_example": "Kasutage kohandatud sündmuste ümbersuunamise muutujatena välja identifikaatoreid (nt {{muutuja}})", + "account_already_linked": "Konto on juba lingitud", + "send_email": "Saada email", + "mark_as_no_show": "Märgi mitteilmuvaks", + "unmark_as_no_show": "Tühista mitteilmumise märkimine", + "account_unlinked_success": "Konto linkimine õnnestus", + "account_unlinked_error": "Konto linkimise tühistamisel ilmnes viga", + "travel_schedule": "Reisiplaan", + "travel_schedule_description": "Planeerige oma reis ette, et hoida oma olemasolevat ajakava teises ajavööndis ja vältida broneerimist keskööl.", + "schedule_timezone_change": "Ajavööndi muutmise ajakava", + "date": "Kuupäev", + "overlaps_with_existing_schedule": "See kattub olemasoleva ajakavaga. Valige mõni muu kuupäev.", + "org_admin_no_slots|subject": "Saadavust ei leitud kasutajale {{name}}", + "org_admin_no_slots|heading": "Saadavust ei leitud kasutajale {{name}}", + "org_admin_no_slots|content": "Tere organisatsiooni administraatorid!

    Pange tähele: meie tähelepanu juhiti sellele, et kasutajal {{username}} pole olnud saadaval, kui kasutaja on külastanud aadressi {{username}}/{{slug}}

    Sellel võib olla mitu põhjust.
    Kasutaja ei ole ühendatud ühtegi kalendrit
    Selle sündmusega seotud ajakavad pole lubatud

    Selle lahendamiseks soovitame kontrollida nende saadavust.", + "org_admin_no_slots|cta": "Ava kasutajate saadavus", + "organization_no_slots_notification_switch_title": "Saage märguandeid, kui teie meeskond pole saadaval", + "organization_no_slots_notification_switch_description": "Administraatorid saavad meilimärguandeid, kui kasutaja üritab broneerida meeskonnaliiget ja seisab silmitsi olekuga 'Saadaval puudub'. Saadame selle meili pärast kahte juhtumit ja tuletame teile meelde iga 7 päeva tagant kasutaja kohta. ", + "email_team_invite|subject|added_to_org": "{{user}} lisas teid rakenduses {{appName}} organisatsiooni {{team}}", + "email_team_invite|subject|invited_to_org": "{{user}} kutsus teid liituma organisatsiooniga {{team}} rakenduses {{appName}}", + "email_team_invite|subject|added_to_subteam": "{{user}} lisas teid organisatsiooni {{parentTeamName}} meeskonda {{team}} rakenduses {{appName}}", + "email_team_invite|subject|invited_to_subteam": "{{user}} kutsus teid liituma organisatsiooni {{parentTeamName}} meeskonnaga {{team}} rakenduses {{appName}}", + "email_team_invite|subject|invited_to_regular_team": "{{user}} kutsus teid liituma tiimiga {{team}} rakenduses {{appName}}", + "email_team_invite|heading|added_to_org": "Teid lisati organisatsiooni {{appName}}", + "email_team_invite|heading|invited_to_org": "Teid on kutsutud organisatsiooni {{appName}}", + "email_team_invite|heading|added_to_subteam": "Teid lisati organisatsiooni {{parentTeamName}} meeskonda", + "email_team_invite|heading|invited_to_subteam": "Teid on kutsutud organisatsiooni {{parentTeamName}} meeskonda", + "email_team_invite|heading|invited_to_regular_team": "Teid on kutsutud liituma rakenduse {{appName}} meeskonnaga", + "email_team_invite|content|added_to_org": "{{invitedBy}} lisas teid organisatsiooni {{teamName}}.", + "email_team_invite|content|invited_to_org": "{{invitedBy}} kutsus teid liituma organisatsiooniga {{teamName}}.", + "email_team_invite|content|added_to_subteam": "{{invitedBy}} lisas teid oma organisatsioonis {{parentTeamName}} meeskonda {{teamName}}. {{appName}} on sündmuste žongleerimise ajakava, mis võimaldab teil ja teie meeskonnal koosolekute planeerimiseks ilma meilita tenniseta.", + "email_team_invite|content|invited_to_subteam": "{{invitedBy}} kutsus teid liituma meeskonnaga {{teamName}} nende organisatsioonis {{parentTeamName}}. {{appName}} on sündmuste žongleerimise ajakava, mis võimaldab teil ja teie meeskond, et planeerida koosolekuid ilma meilitenniseta.", + "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} kutsus teid liituma oma meeskonnaga {{teamName}} rakenduses {{appName}}. {{appName}} on sündmuste žongleerimise ajakava, mis võimaldab teil ja teie meeskonnal koosolekuid ajastada ilma meilitenniseta. ", + "email|existing_user_added_link_will_change": "Kutse vastuvõtmisel muutub teie link teie organisatsiooni domeeniks, kuid ärge muretsege, kõik eelmised lingid töötavad endiselt ja suunavad need ümber.

    Pange tähele: kõik teie isikliku sündmuse tüübid teisaldatakse organisatsiooni {teamName}, mis võib sisaldada ka potentsiaalset isiklikku linki.

    Isiklike sündmuste jaoks soovitame luua uue konto isikliku e-posti aadressiga.", + "email|existing_user_added_link_changed": "Teie link on muudetud lingist {prevLinkWithoutProtocol} linki { newLinkWithoutProtocol}, kuid ärge muretsege, kõik eelmised lingid töötavad endiselt ja suunavad asjakohaselt ümber.

    Pange tähele: kõik teie isiklikud sündmusetüübid on teisaldatud kausta {teamName}<. /strong> organisatsioon, mis võib sisaldada ka potentsiaalset isiklikku linki.

    Logige sisse ja veenduge, et teie uuel organisatsioonikontol poleks privaatseid sündmusi.

    Isiklike sündmuste puhul me soovitame luua uue konto isikliku e-posti aadressiga.

    Nautige oma uut puhast linki: {newLinkWithoutProtocol}", + "email_organization_created|subject": "Teie organisatsioon on loodud", + "your_current_plan": "Teie praegune plaan", + "organization_price_per_user_month": "37 dollarit kasutaja kohta kuus (minimaalselt 30 kohta)", + "privacy_organization_description": "Oma organisatsiooni privaatsusseadete haldamine", + "privacy": "Privaatsus", + "team_will_be_under_org": "Teie organisatsiooni alla kuuluvad uued meeskonnad", + "add_group_name": "Lisa rühma nimi", + "group_name": "Grupi nimi", + "routers": "ruuterid", + "primary": "Esmane", + "make_primary": "Tee esmaseks", + "add_email": "Lisa e-post", + "add_email_description": "Lisage e-posti aadress, et asendada oma esmane e-posti aadress või kasutada seda alternatiivse e-posti aadressina oma sündmuste tüüpide puhul.", + "confirm_email": "Kinnita oma e-posti aadress", + "scheduler_first_name": "Broneerija eesnimi", + "scheduler_last_name": "Broneerija perekonnanimi", + "organizer_first_name": "Sinu eesnimi", + "confirm_email_description": "Saatsime meili aadressile {{email}}. Selle aadressi kinnitamiseks klõpsake meilis oleval lingil.", + "send_event_details_to": "Saada sündmuse üksikasjad aadressile", + "schedule_tz_without_end_date": "Ajavöönd ilma lõppkuupäeva ajakava", + "select_members": "Vali liikmed", + "lock_event_types_modal_header": "Mida me peaksime teie liikme olemasolevate sündmuste tüüpidega tegema?", + "org_delete_event_types_org_admin": "Kõik teie liikmete individuaalsed sündmusetüübid (välja arvatud hallatavad) kustutatakse jäädavalt. Nad ei saa uusi luua", + "org_hide_event_types_org_admin": "Teie liikmete individuaalsed sündmusetüübid peidetakse (v.a hallatavad) profiilide eest, kuid lingid on endiselt aktiivsed. Nad ei saa uusi luua. ", + "hide_org_eventtypes": "Peida üksikud sündmusetüübid", + "delete_org_eventtypes": "Kustuta üksikud sündmusetüübid", + "lock_org_users_eventtypes": "Lukusta üksiku sündmuse tüübi loomine", + "lock_org_users_eventtypes_description": "Takistage liikmetel oma sündmuste tüüpide loomist.", + "add_to_event_type": "Lisa sündmuse tüübile", + "create_account_password": "Loo konto parool", + "error_creating_account_password": "Konto parooli loomine ebaõnnestus", + "cannot_create_account_password_cal_provider": "Ei saa luua konto parooli cal kontodele", + "cannot_create_account_password_already_existing": "Ei saa luua konto parooli juba loodud paroolidele", + "create_account_password_hint": "Teil pole konto parooli, looge see, navigeerides jaotisesse Turvalisus -> Parool. Ühendust ei saa katkestada enne, kui konto parool on loodud.", + "disconnect_account": "Katkesta ühendatud konto ühendus", + "disconnect_account_hint": "Ühendatud konto lahtiühendamine muudab sisselogimise viisi. Saate oma kontole sisse logida ainult e-posti + parooliga", + "cookie_consent_checkbox": "Nõustun meie privaatsuspoliitika ja küpsiste kasutamisega", + "make_a_call": "Helista", + "skip_rr_assignment_label": "Jäta ümberringi määramine vahele, kui Salesforce'is on kontakt olemas", + "skip_rr_description": "URL peab sisaldama parameetrina kontakti e-posti aadressi, nt ?email=contactEmail", + "select_account_header": "Vali konto", + "select_account_description": "Installi {{appName}} oma isiklikule kontole või meeskonnakontole.", + "select_event_types_header": "Valige sündmuste tüübid", + "select_event_types_description": "Millisele sündmusetüübile soovite rakenduse {{appName}} installida?", + "configure_app_header": "Seadista {{appName}}", + "configure_app_description": "Lõpetage rakenduse seadistamine. Saate neid seadeid hiljem muuta.", + "already_installed": "juba installeeritud", + "ooo_reasons_unspecified": "Täpsustamata", + "ooo_reasons_vacation": "Puhkus", + "ooo_reasons_travel": "Reisimine", + "ooo_reasons_sick_leave": "Haigusleht", + "ooo_reasons_public_holiday": "Riigipüha", + "ooo_forwarding_to": "Edastamine aadressile {{username}}", + "ooo_not_forwarding": "Edastus ei toimu", + "ooo_empty_title": "Loo OOO", + "ooo_empty_description": "Suhtlege oma broneerijatega, kui te pole broneeringute vastuvõtmiseks saadaval. Nad saavad teid siiski broneerida pärast tagasipöördumist või saate need edasi anda meeskonnaliikmele.", + "ooo_user_is_ooo": "{{displayName}} on OOO", + "ooo_slots_returning": "<0>{{displayName}} saab koosolekutel osaleda, kui nad on eemal.", + "ooo_slots_book_with": "Raamat {{displayName}}", + "ooo_create_entry_modal": "Mine kontorist välja", + "ooo_select_reason": "Vali põhjus", + "create_an_out_of_office": "Mine kontorist välja", + "submit_feedback": "Esita tagasisidet", + "host_no_show": "Teie võõrustaja ei ilmunud", + "no_show_description": "Võite nendega teise kohtumise uuesti kokku leppida", + "how_can_we_improve": "Kuidas saaksime oma teenust täiustada?", + "most_liked": "Mis teile kõige rohkem meeldis?", + "review": "Ülevaade", + "reviewed": "Üle vaadatud", + "unreviewed": "Ülevaatamata", + "rating_url_info": "URL reitingu tagasiside vormi jaoks", + "no_show_url_info": "The URL for No Show Feedback", + "no_support_needed": "Kas tuge pole vaja?", + "hide_support": "Peida tugi", + "event_ratings": "Keskmised hinnangud", + "event_no_show": "Saatejuht ei näita", + "recent_ratings": "Hiljutised hinnangud", + "no_ratings": "Hinnuseid pole esitatud", + "no_ratings_description": "Lisage reitinguga töövoog, et pärast koosolekuid hinnanguid koguda", + "most_no_show_host": "Enamik ei näita liikmeid", + "highest_rated_members": "Kõrgeima hinnanguga koosolekutega liikmed", + "lowest_rated_members": "Madalaima reitinguga koosolekutega liikmed", + "csat_score": "CSAT skoor", + "lockedSMS": "Lukustatud SMS", + "leave_without_assigning_anyone": "Lahkuda kedagi määramata?", + "leave_without_adding_attendees": "Kas soovite kindlasti sellelt sündmuselt lahkuda ilma osalejaid lisamata?", + "no_availability_shown_to_bookers": "Kui te sellele sündmusele kedagi ei määra, ei kuvata broneerijatele saadavust.", + "go_back_and_assign": "Mine tagasi ja määrake", + "leave_without_assigning": "Lahku määramata", + "signing_up_terms": "Jätkamisel nõustute meie <0>tingimuste ja <1>privaatsuspoliitikaga.", + "always_show_x_days": "Alati {{x}} päeva saadaval", + "unable_to_subscribe_to_the_platform": "Platvormipaketi tellimisel ilmnes viga, proovige hiljem uuesti", + "updating_oauth_client_error": "OAuthi kliendi värskendamisel ilmnes viga, proovige hiljem uuesti", + "creating_oauth_client_error": "OAuthi kliendi loomisel ilmnes viga, proovige hiljem uuesti", + "mark_as_no_show_title": "Märgi näitamata jätmiseks", + "x_marked_as_no_show": "{{x}} märgitud mitteilmumiseks", + "x_unmarked_as_no_show": "{{x}} tühistati mitteilmumisena", + "no_show_updated": "Osalejate mitteilmumise olek on värskendatud", + "email_copied": "E-post kopeeritud", + "USER_PENDING_MEMBER_OF_THE_ORG": "Kasutaja on organisatsiooni ootel liige", + "USER_ALREADY_INVITED_OR_MEMBER": "Kasutaja on juba kutsutud või liige", + "USER_MEMBER_OF_OTHER_ORGANIZATION": "Kasutaja on organisatsiooni liige, millesse see meeskond ei kuulu.", + "rescheduling_not_possible": "Ümberajastamine ei ole võimalik, kuna sündmus on aegunud", + "event_expired": "See sündmus on aegunud", + "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Add your new strings above here ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" +} diff --git a/apps/web/public/static/locales/eu/common.json b/apps/web/public/static/locales/eu/common.json index dfdc49682e3b10..9655cdbc8b7a6f 100644 --- a/apps/web/public/static/locales/eu/common.json +++ b/apps/web/public/static/locales/eu/common.json @@ -761,4 +761,4 @@ "radio": "Irratia", "all_bookings_filter_label": "Erreserba guztiak", "timezone_variable": "Ordu-eremua" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/fi/common.json b/apps/web/public/static/locales/fi/common.json new file mode 100644 index 00000000000000..e4d91bb903e31d --- /dev/null +++ b/apps/web/public/static/locales/fi/common.json @@ -0,0 +1,18 @@ +{ + "trial_days_left": "Sinulla on $t(day, {\"count\": {{days}} }) jäljellä PRO-kokeiluversiossa", + "day_one": "{{count}} päivä", + "day_other": "{{count}} päivää", + "second_one": "{{count}} sekunti", + "second_other": "{{count}} sekuntia", + "upgrade_now": "Päivitä nyt", + "accept_invitation": "Hyväksy Kutsu", + "calcom_explained": "{{appName}} tarjoaa aikataulutusinfrastruktuurin aivan kaikille.", + "email_verification_code": "Syötä vahvistuskoodi", + "email_verification_code_placeholder": "Syötä sähköpostiisi lähetetty vahvistuskoodi", + "email_sent": "Sähköpostin lähetys onnistui", + "email_not_sent": "Sähköpostin lähettämisessä tapahtui virhe", + "rejection_confirmation": "Hylkää varaus", + "manage_this_event": "Hallinnoi tätä tapahtumaa", + "invite_team_member": "Kutsu tiimin jäsen", + "invite_team_individual_segment": "Kutsu henkilö" +} diff --git a/apps/web/public/static/locales/fr/common.json b/apps/web/public/static/locales/fr/common.json index 76092d4df278ef..0db7ee49092b76 100644 --- a/apps/web/public/static/locales/fr/common.json +++ b/apps/web/public/static/locales/fr/common.json @@ -12,6 +12,7 @@ "have_any_questions": "Vous avez des questions ? Nous sommes là pour vous aider.", "reset_password_subject": "{{appName}} : Instructions de réinitialisation de mot de passe", "verify_email_subject": "{{appName}} : Vérifiez votre compte", + "verify_email_subject_verifying_email": "{{appName}} : Faites vérifier votre adresse e-mail", "check_your_email": "Vérifiez votre e-mail", "old_email_address": "Ancienne adresse e-mail", "new_email_address": "Nouvelle adresse e-mail", @@ -19,6 +20,7 @@ "verify_email_banner_body": "Vérifiez votre adresse e-mail pour garantir la meilleure délivrabilité des e-mails et des calendriers", "verify_email_email_header": "Vérifiez votre adresse e-mail", "verify_email_email_button": "Vérifier l'adresse e-mail", + "cal_ai_assistant": "Assistant Cal AI", "verify_email_change_description": "Vous avez récemment demandé à changer l'adresse e-mail que vous utilisez pour vous connecter à votre compte {{appName}}. Veuillez cliquer sur le bouton ci-dessous pour confirmer votre nouvelle adresse e-mail.", "verify_email_change_success_toast": "Mise à jour de votre adresse e-mail. Nouvelle : {{email}}", "verify_email_change_failure_toast": "Échec de la mise à jour de l'adresse e-mail.", @@ -81,6 +83,8 @@ "payment": "Paiement", "missing_card_fields": "Champs de carte manquants", "pay_now": "Payer maintenant", + "general_prompt": "Invite générale", + "begin_message": "Commencer le message", "codebase_has_to_stay_opensource": "La base de code doit rester open source, qu'elle ait été modifiée ou non", "cannot_repackage_codebase": "Vous ne pouvez pas restructurer ou vendre la base de code", "acquire_license": "Obtenez une licence commerciale pour supprimer ces termes en envoyant un e-mail", @@ -108,7 +112,9 @@ "event_still_awaiting_approval": "Un événement est toujours en attente de votre validation", "booking_submitted_subject": "En attente de validation: {{title}} le {{date}}", "download_recording_subject": "Télécharger l'enregistrement : {{title}} le {{date}}", + "download_transcript_email_subject": "Télécharger l'enregistrement : {{title}} le {{date}}", "download_your_recording": "Télécharger votre enregistrement", + "download_your_transcripts": "Téléchargez vos transcriptions", "your_meeting_has_been_booked": "Votre rendez-vous a été réservé", "event_type_has_been_rescheduled_on_time_date": "Votre {{title}} a été replanifié le {{date}}", "event_has_been_rescheduled": "Mise à jour - Votre événement a été replanifié", @@ -131,6 +137,7 @@ "invitee_timezone": "Fuseau horaire de l'invité", "time_left": "Temps restant", "event_type": "Type d'événement", + "duplicate_event_type": "Dupliquer le type d'événement", "enter_meeting": "Rejoindre le rendez-vous", "video_call_provider": "Service d'appel vidéo", "meeting_id": "ID du rendez-vous", @@ -156,6 +163,9 @@ "link_expires": "p.s. Il expire dans {{expiresIn}} heures.", "upgrade_to_per_seat": "Mise à niveau vers la place", "seat_options_doesnt_support_confirmation": "L'option de places ne prend pas en charge l'exigence de confirmation", + "multilocation_doesnt_support_seats": "Plusieurs lieux ne prennent pas en charge l'option de places", + "no_show_fee_doesnt_support_seats": "Les frais d'absence ne prennent pas en charge l'option de places", + "seats_option_doesnt_support_multi_location": "L'option de places ne prend pas en charge plusieurs lieux", "team_upgrade_seats_details": "Parmi les {{memberCount}} membres de votre équipe, {{unpaidCount}} place(s) sont impayées. À {{seatPrice}} $/mois par place, le coût total estimé de votre abonnement est de {{totalCost}} $/mois.", "team_upgrade_banner_description": "Vous n'avez pas terminé la configuration de votre équipe. Votre équipe « {{teamName}} » doit être mise à niveau.", "upgrade_banner_action": "Mettre à niveau", @@ -323,8 +333,10 @@ "add_another_calendar": "Ajouter un autre calendrier", "other": "Autre", "email_sign_in_subject": "Votre lien de connexion pour {{appName}}", + "round_robin_emailed_you_and_attendees": "Vous avez rendez-vous avec {{user}}. Nous avons envoyé un e-mail avec une invitation de calendrier comprenant les détails à tout le monde.", "emailed_you_and_attendees": "Nous avons envoyé un e-mail avec une invitation de calendrier comprenant les détails à tout le monde.", "emailed_you_and_attendees_recurring": "Nous avons envoyé un e-mail avec une invitation de calendrier comprenant les détails à tout le monde pour le premier de ces événements récurrents.", + "round_robin_emailed_you_and_attendees_recurring": "Vous avez rendez-vous avec {{user}}. Nous avons envoyé un e-mail avec une invitation de calendrier comprenant les détails à tout le monde pour le premier de ces événements récurrents.", "emailed_you_and_any_other_attendees": "Nous avons envoyé cette information à tout le monde par e-mail.", "needs_to_be_confirmed_or_rejected": "Votre réservation doit encore être confirmée ou refusée.", "needs_to_be_confirmed_or_rejected_recurring": "Votre rendez-vous récurrent doit encore être confirmé ou refusé.", @@ -616,6 +628,7 @@ "number_selected": "{{count}} sélectionnés", "owner": "Propriétaire", "admin": "Administrateur", + "admin_api": "API admin", "administrator_user": "Utilisateur administrateur", "lets_create_first_administrator_user": "Nous allons créer le premier utilisateur administrateur.", "admin_user_created": "Utilisateur administrateur configuré", @@ -674,6 +687,7 @@ "user_from_team": "{{user}} de {{team}}", "preview": "Aperçu", "link_copied": "Lien copié !", + "copied": "Copié !", "private_link_copied": "Lien privé copié !", "link_shared": "Lien partagé !", "title": "Titre", @@ -691,6 +705,7 @@ "multiple_duration_mins": "{{count}} $t(minute_timeUnit)", "multiple_duration_timeUnit": "{{count}} $t({{unit}}_timeUnit)", "minutes": "minutes", + "use_cal_ai_to_make_call_description": "Utilisez Cal.ai pour obtenir un numéro de téléphone géré par une IA ou pour passer des appels à des invités.", "round_robin": "Round-robin", "round_robin_description": "Alternez vos rendez-vous entre plusieurs membres d'équipe.", "managed_event": "Événement géré", @@ -705,7 +720,9 @@ "you_must_be_logged_in_to": "Vous devez être connecté(e) à {{url}}", "start_assigning_members_above": "Commencez à assigner des membres ci-dessus", "locked_fields_admin_description": "Les membres ne pourront pas modifier ceci.", + "unlocked_fields_admin_description": "Les membres peuvent modifier", "locked_fields_member_description": "Cette option a été verrouillée par l'administrateur de l'équipe.", + "unlocked_fields_member_description": "Déverrouillé par l'administrateur de l'équipe", "url": "Lien", "hidden": "Masqué", "readonly": "Lecture seule", @@ -808,6 +825,8 @@ "label": "Libellé", "placeholder": "Texte de substitution", "display_add_to_calendar_organizer": "Afficher l'e-mail « Ajouter au calendrier » en tant qu'organisateur", + "display_email_as_organizer": "Nous afficherons cette adresse e-mail en tant qu'organisateur et enverrons les e-mails de confirmation à cette adresse.", + "if_enabled_email_address_as_organizer": "Si cette option est activée, nous afficherons l'adresse e-mail de votre « Ajouter au calendrier » en tant qu'organisateur et nous enverrons des e-mails de confirmation à cette adresse", "reconnect_calendar_to_use": "Veuillez noter que vous devrez peut-être vous déconnecter puis reconnecter votre compte 'Ajouter au calendrier' pour utiliser cette fonctionnalité.", "type": "Type", "edit": "Modifier", @@ -981,8 +1000,8 @@ "verify_wallet": "Vérifier le portefeuille", "create_events_on": "Créer des événements dans :", "enterprise_license": "Il s'agit d'une fonctionnalité d'entreprise", - "enterprise_license_description": "Pour activer cette fonctionnalité, demandez à un administrateur d'accéder à <2>/auth/setup pour saisir une clé de licence. Si une clé de licence est déjà en place, veuillez contacter <5>{{SUPPORT_MAIL_ADDRESS}} pour obtenir de l'aide.", - "enterprise_license_development": "Vous pouvez tester cette fonctionnalité en mode développement. Pour une utilisation en production, veuillez demander à un administrateur d'aller à <2>/auth/setup pour entrer une clé de licence.", + "enterprise_license_locally": "Vous pouvez tester cette fonctionnalité en local, mais pas en production.", + "enterprise_license_sales": "Pour passer sur l'édition entreprise, veuillez contacter notre équipe commerciale. Si une clé de licence est déjà en place, veuillez contacter support@cal.com pour obtenir de l'aide.", "missing_license": "Licence manquante", "next_steps": "Prochaines étapes", "acquire_commercial_license": "Obtenir une licence commerciale", @@ -1081,6 +1100,7 @@ "make_team_private": "Rendre l'équipe privée", "make_team_private_description": "Les membres de votre équipe ne pourront pas voir les autres membres de l'équipe si cette option est activée.", "you_cannot_see_team_members": "Vous ne pouvez pas voir tous les membres d'une équipe privée.", + "you_cannot_see_teams_of_org": "Vous ne pouvez pas voir les équipes d'une organisation privée.", "allow_booker_to_select_duration": "Autoriser l'utilisateur à sélectionner la durée", "impersonate_user_tip": "Toutes les utilisations de cette fonctionnalité sont vérifiées.", "impersonating_user_warning": "Emprunt du nom d'utilisateur « {{user}} ».", @@ -1118,6 +1138,7 @@ "connect_apple_server": "Se connecter au serveur d'Apple", "calendar_url": "Lien du calendrier", "apple_server_generate_password": "Générez un mot de passe pour application à utiliser avec {{appName}} sur", + "unable_to_add_apple_calendar": "Impossible d'ajouter ce compte Apple Calendar. Veuillez vous assurer que vous utilisez un mot de passe spécifique à l'application plutôt que le mot de passe de votre compte.", "credentials_stored_encrypted": "Vos identifiants seront stockés et chiffrés.", "it_stored_encrypted": "Elle sera stockée et chiffrée.", "go_to_app_store": "Accéder à l'App Store", @@ -1235,6 +1256,7 @@ "reminder": "Rappel", "rescheduled": "Replanifié", "completed": "Terminé", + "rating": "Évaluation", "reminder_email": "Rappel : {{eventType}} avec {{name}} le {{date}}", "not_triggering_existing_bookings": "Ne se déclenchera pas pour les réservations déjà existantes car l'utilisateur sera invité à fournir un numéro de téléphone lors de la réservation de l'événement.", "minute_one": "{{count}} minute", @@ -1269,6 +1291,7 @@ "upgrade": "Mettre à niveau", "upgrade_to_access_recordings_title": "Mettez à niveau pour accéder aux enregistrements", "upgrade_to_access_recordings_description": "Les enregistrements ne sont disponibles que dans le plan Équipes. Mettez à niveau pour commencer à enregistrer vos appels.", + "upgrade_to_cal_ai_phone_number_description": "Passez à la version Entreprise pour générer un numéro de téléphone d'agent IA capable d'appeler les invités pour planifier des appels", "recordings_are_part_of_the_teams_plan": "Les enregistrements font partie du plan Équipes", "team_feature_teams": "Ceci est une fonctionnalité d'équipe. Mettez à jour vers le plan Équipes pour voir les disponibilités de votre équipe.", "team_feature_workflows": "Ceci est une fonctionnalité d'équipe. Mettez à jour vers le plan Équipes pour automatiser vos notifications et rappels d'événements avec les workflows.", @@ -1415,7 +1438,12 @@ "download_responses_description": "Téléchargez toutes les réponses à votre formulaire au format CSV.", "download": "Télécharger", "download_recording": "Télécharger l'enregistrement", + "transcription_enabled": "Les transcriptions sont désormais activées", + "transcription_stopped": "Les transcriptions sont désormais arrêtées", + "download_transcript": "Télécharger la transcription", "recording_from_your_recent_call": "Un enregistrement de votre appel récent sur {{appName}} est prêt à être téléchargé", + "transcript_from_previous_call": "La transcription de votre récent appel sur {{appName}} est prête à être téléchargée. Les liens ne sont valides que pendant 1 heure", + "link_valid_for_12_hrs": "Remarque : le lien de téléchargement n'est valide que pendant 12 heures. Vous pouvez générer un nouveau lien de téléchargement en suivant les instructions <1>ici.", "create_your_first_form": "Créez votre premier formulaire", "create_your_first_form_description": "Avec les formulaires de routage, vous pouvez poser des questions de qualification et rediriger vers la bonne personne ou le bon type d'événement.", "create_your_first_webhook": "Créez votre premier webhook", @@ -1467,6 +1495,7 @@ "routing_forms_description": "Créez des formulaires pour acheminer les participants vers les bonnes destinations.", "routing_forms_send_email_owner": "Envoyer un e-mail au propriétaire", "routing_forms_send_email_owner_description": "Envoie un e-mail au propriétaire lorsque le formulaire est soumis", + "routing_forms_send_email_to": "Envoyer un e-mail à", "add_new_form": "Ajouter un nouveau formulaire", "add_new_team_form": "Ajouter un nouveau formulaire à votre équipe", "create_your_first_route": "Créez votre première route", @@ -1513,8 +1542,6 @@ "report_app": "Signaler l'application", "limit_booking_frequency": "Limiter la fréquence de réservation", "limit_booking_frequency_description": "Limitez le nombre de réservations possibles pour cet événement.", - "limit_booking_only_first_slot": "Limiter la réservation à un seul créneau", - "limit_booking_only_first_slot_description": "N'autoriser la réservation que du premier créneau de chaque jour", "limit_total_booking_duration": "Limiter la durée totale de réservation", "limit_total_booking_duration_description": "Limitez la durée totale pendant laquelle cet événement peut être réservé.", "add_limit": "Ajouter une limite", @@ -1616,6 +1643,8 @@ "test_routing": "Tester le routage", "payment_app_disabled": "Un administrateur a désactivé une application de paiement", "edit_event_type": "Modifier le type d'événement", + "only_admin_can_see_members_of_org": "Cette organisation est privée et seuls son administrateur ou son propriétaire peuvent en voir les membres.", + "only_admin_can_manage_sso_org": "Seuls l'administrateur ou le propriétaire de l'organisation peuvent gérer les paramètres SSO", "collective_scheduling": "Planification collective", "make_it_easy_to_book": "Facilitez la réservation de votre équipe lorsque tout le monde est disponible.", "find_the_best_person": "Trouvez la meilleure personne disponible et alternez à travers votre équipe.", @@ -1675,6 +1704,7 @@ "meeting_url_variable": "Lien du rendez-vous", "meeting_url_info": "Lien de la visioconférence du rendez-vous", "date_overrides": "Superpositions de dates", + "date_overrides_delete_on_date": "Supprimer les superpositions de date le {{date}}", "date_overrides_subtitle": "Ajoutez les dates où vos disponibilités changent de vos heures quotidiennes.", "date_overrides_info": "Les superpositions de dates sont archivées automatiquement une fois la date passée", "date_overrides_dialog_which_hours": "À quelles heures êtes-vous disponible ?", @@ -1748,6 +1778,7 @@ "configure": "Configurer", "sso_configuration": "Authentification unique", "sso_configuration_description": "Configurez le SSO SAML/OIDC et autorisez les membres d'équipe à se connecter à l'aide d'un fournisseur d'identité.", + "sso_configuration_description_orgs": "Configurez le SSO SAML/OIDC et autorisez les membres de l'organisation à se connecter à l'aide d'un fournisseur d'identité", "sso_oidc_heading": "SSO avec OIDC", "sso_oidc_description": "Configurez le SSO OIDC avec le fournisseur d'identité de votre choix.", "sso_oidc_configuration_title": "Configuration OIDC", @@ -1888,7 +1919,15 @@ "requires_at_least_one_schedule": "Vous devez avoir au moins un planning", "default_conferencing_bulk_description": "Mettez à jour les emplacements pour les types d'événements sélectionnés.", "locked_for_members": "Verrouillé pour les membres", + "unlocked_for_members": "Déverrouillé pour les membres", "apps_locked_for_members_description": "Les membres pourront voir les applications actives, mais ne pourront pas modifier leurs paramètres.", + "apps_unlocked_for_members_description": "Les membres pourront voir les applications actives et modifier leurs paramètres", + "apps_locked_by_team_admins_description": "Vous pourrez voir les applications actives, mais ne pourrez pas modifier leurs paramètres", + "apps_unlocked_by_team_admins_description": "Vous pourrez voir les applications actives et modifier leurs paramètres", + "workflows_locked_for_members_description": "Les membres ne peuvent pas ajouter leurs propres flux de travail à ce type d'évènement. Ils pourront voir les flux de travail actifs de l'équipe, mais ne pourront pas en modifier les paramètres.", + "workflows_unlocked_for_members_description": "Les membres pourront ajouter leurs propres flux de travail à ce type d'évènement. Ils pourront voir les flux de travail actifs de l'équipe, mais ne pourront pas en modifier les paramètres.", + "workflows_locked_by_team_admins_description": "Vous pourrez voir les flux de travail actifs de l'équipe, mais vous ne pourrez pas modifier les paramètres de flux de travail ni ajouter vos flux de travail personnels à ce type d'évènement.", + "workflows_unlocked_by_team_admins_description": "Vous pourrez activer/désactiver les flux de travail personnels pour ce type d'évènement. Vous pourrez voir les flux de travail d'équipe actifs, mais vous ne pourrez pas modifier les paramètres des flux de travail d'équipe.", "locked_by_team_admin": "Verrouillé par l'administrateur de l'équipe", "app_not_connected": "Vous n'avez pas connecté de compte {{appName}}.", "connect_now": "Connecter maintenant", @@ -1905,6 +1944,7 @@ "filters": "Filtres", "add_filter": "Ajouter un filtre", "remove_filters": "Effacer les filtres", + "email_verified": "E-mail vérifié", "select_user": "Sélectionner un utilisateur", "select_event_type": "Sélectionner un type d'événement", "select_date_range": "Sélectionner une plage de dates", @@ -2002,12 +2042,16 @@ "organization_banner_description": "Créez un environnement où vos équipes peuvent créer des applications partagées, des workflows et des types d'événements avec une planification round-robin et collective.", "organization_banner_title": "Gérer les organisations avec plusieurs équipes", "set_up_your_organization": "Configurer votre organisation", + "set_up_your_platform_organization": "Configurer votre plateforme", "organizations_description": "Les organisations sont des environnements partagés dans lesquels les équipes peuvent créer des types d'événements partagés, des applications, des workflows, etc.", + "platform_organization_description": "La plateforme Cal.com vous permet d'intégrer sans effort la planification dans votre application en utilisant les API et atoms de la plateforme.", "must_enter_organization_name": "Vous devez entrer un nom d'organisation", "must_enter_organization_admin_email": "Vous devez entrer l'adresse e-mail de votre organisation", "admin_email": "Adresse e-mail de votre organisation", + "platform_admin_email": "Adresse e-mail de votre administrateur", "admin_username": "Nom d'utilisateur de l'administrateur", "organization_name": "Nom de l'organisation", + "platform_name": "Nom de la plateforme", "organization_url": "Lien de l'organisation", "organization_verify_header": "Vérifier l'adresse e-mail de votre organisation", "organization_verify_email_body": "Veuillez utiliser le code ci-dessous pour vérifier votre adresse e-mail et continuer à configurer votre organisation.", @@ -2172,6 +2216,8 @@ "access_bookings": "Lire, modifier, supprimer vos réservations", "allow_client_to_do": "Autoriser {{clientName}} à faire cela ?", "oauth_access_information": "En cliquant sur autoriser, vous autorisez cette application à utiliser vos informations conformément à ses conditions de service et à sa politique de confidentialité. Vous pouvez supprimer l'accès dans l'App Store de {{appName}}.", + "oauth_form_title": "Formulaire de création de client OAuth", + "oauth_form_description": "Voici le formulaire pour créer un nouveau client OAuth", "allow": "Autoriser", "view_only_edit_availability_not_onboarded": "Cet utilisateur n'a pas terminé son intégration. Vous ne pourrez pas définir sa disponibilité tant qu'il n'aura pas terminé son intégration.", "view_only_edit_availability": "Vous consultez les disponibilités de cet utilisateur. Vous ne pouvez modifier que vos propres disponibilités.", @@ -2194,6 +2240,8 @@ "availabilty_schedules": "Horaires de disponibilité", "manage_calendars": "Gérer les calendriers", "manage_availability_schedules": "Gérer les horaires de disponibilité", + "locked": "Verrouillé", + "unlocked": "Déverrouillé", "lock_timezone_toggle_on_booking_page": "Verrouiller le fuseau horaire sur la page de réservation", "description_lock_timezone_toggle_on_booking_page": "Pour verrouiller le fuseau horaire sur la page de réservation, utile pour les événements en personne.", "event_setup_multiple_payment_apps_error": "Vous ne pouvez activer qu'une seule application de paiement par type d'événement.", @@ -2213,7 +2261,8 @@ "advanced_managed_events_description": "Ajoutez une seule carte de crédit pour payer tous les abonnements de votre équipe", "enterprise_description": "Passez en Entreprise pour créer votre organisation", "create_your_org": "Créer votre organisation", - "create_your_org_description": "Passez en Entreprise et recevez un sous-domaine, une facturation unifiée, des statistiques, un marquage blanc extensif et plus encore", + "create_your_org_description": "Passez en Organizations et recevez un sous-domaine, une facturation unifiée, des statistiques, un marquage blanc extensif et plus encore", + "create_your_enterprise_description": "Passez à la version Entreprise et accédez à Synchronisation Active Directory, au provisionnement automatique des utilisateurs SCIM, aux agents vocaux Cal.ai, aux API d'administration et à bien d'autres choses encore !", "other_payment_app_enabled": "Vous ne pouvez activer qu'une seule application de paiement par type d'événement", "admin_delete_organization_description": "
    • Les équipes qui sont membres de cette organisation seront également supprimées, ainsi que leurs types d'événements
    • Les utilisateurs qui faisaient partie de l'organisation ne seront pas supprimés et leurs types d'événements resteront intacts.
    • Les noms d'utilisateur seront modifiés pour leur permettre d'exister en dehors de l'organisation
    ", "admin_delete_organization_title": "Supprimer {{organizationName}} ?", @@ -2224,6 +2273,10 @@ "troubleshooter_tooltip": "Ouvrez l'outil de dépannage et déterminez ce qui ne va pas avec votre planning", "need_help": "Besoin d'aide ?", "troubleshooter": "Dépannage", + "number_to_call": "Numéro à appeler", + "guest_name": "Nom de l'invité", + "guest_email": "Adresse e-mail de l'invité", + "guest_company": "Entreprise de l'invité", "please_install_a_calendar": "Veuillez installer un publier", "instant_tab_title": "Réservation instantanée", "instant_event_tab_description": "Autoriser les gens à réserver immédiatement", @@ -2231,6 +2284,7 @@ "dont_want_to_wait": "Vous ne voulez pas attendre ?", "meeting_started": "Le rendez-vous a commencé", "pay_and_book": "Payer pour réserver", + "cal_ai_event_tab_description": "Laissez les agents IA vous réserver", "booking_not_found_error": "Impossible de trouver la réservation", "booking_seats_full_error": "Les places de réservation sont complètes", "missing_payment_credential_error": "Identifiants de paiement manquants", @@ -2238,15 +2292,15 @@ "not_enough_available_seats_error": "La réservation n'a pas assez de places disponibles", "user_redirect_title": "{{username}} est actuellement en absence de courte durée.", "user_redirect_description": "Pendant ce temps, {{profile.username}} sera responsable de tous les rendez-vous programmés de la part de {{username}}.", - "out_of_office": "Pas au bureau", + "out_of_office": "Absent du bureau", "out_of_office_description": "Configurez des actions dans votre profil pendant votre absence.", "send_request": "Envoyer une demande", "start_date_and_end_date_required": "Les dates de début et de fin sont requises", "start_date_must_be_before_end_date": "La date de début doit être antérieure à la date de fin", "start_date_must_be_in_the_future": "La date de début doit être dans le futur", "user_not_found": "Utilisateur introuvable", - "out_of_office_entry_already_exists": "L'entrée Pas au bureau existe déjà", - "out_of_office_id_required": "L'id de l'entrée Pas au bureau est requis", + "out_of_office_entry_already_exists": "L'entrée absent du bureau existe déjà", + "out_of_office_id_required": "L'id de l'entrée absent du bureau est requis", "booking_redirect_infinite_not_allowed": "Une redirection de réservation de cet utilisateur vers vous existe déjà.", "success_entry_created": "Création d'une nouvelle entrée réussie", "booking_redirect_email_subject": "Notification de redirection de réservation", @@ -2257,20 +2311,21 @@ "copy_link_booking_redirect_request": "Copier le lien pour partager la demande", "booking_redirect_request_title": "Demande de redirection de réservation", "select_team_member": "Sélectionner un membre de l'équipe", - "going_away_title": "Vous partez ? Marquez simplement le lien de votre profil comme étant indisponible pendant un certain temps.", + "going_away_title": "Vous partez? Marquez simplement le lien de votre profil comme étant indisponible pendant un certain temps.", "redirect_team_enabled": "Redirigez votre profil vers un autre membre de l'équipe", "redirect_team_disabled": "Redirigez votre profil vers un autre membre de l'équipe (formule Équipe requise)", - "out_of_office_unavailable_list": "Liste des indisponibilités Pas au bureau", + "out_of_office_unavailable_list": "Liste des indisponibilités absent du bureau", "success_deleted_entry_out_of_office": "Suppression de l'entrée réussie", - "temporarily_out_of_office": "Temporairement Pas au bureau ?", + "temporarily_out_of_office": "Temporairement absent du bureau?", "add_a_redirect": "Ajouter une redirection", "create_entry": "Créer une entrée", "time_range": "Plage temporelle", "automatically_add_all_team_members": "Ajouter tous les membres de l'équipe, y compris les futurs membres", "redirect_to": "Redirection vers", - "having_trouble_finding_time": "Vous avez du mal à trouver une heure ?", + "having_trouble_finding_time": "Vous avez du mal à trouver un créneau?", "show_more": "En voir plus", - "assignment_description": "Planifiez des rendez-vous lorsque tout le monde est disponible ou faites tourner les membres de votre équipe", + "forward_params_redirect": "Transmettez des paramètres tels que ?email=...&name=.... et plus", + "assignment_description": "Planifiez des rendez-vous lorsque tout le monde est disponible ou faites une rotation entre les membres de votre équipe", "lowest": "le plus bas", "low": "bas", "medium": "moyen", @@ -2283,18 +2338,140 @@ "field_identifiers_as_variables": "Utiliser les identifiants de champs comme variables pour la redirection de votre événement personnalisé", "field_identifiers_as_variables_with_example": "Utiliser les identifiants de champs comme variables pour la redirection de votre événement personnalisé (par ex. : {{variable}})", "account_already_linked": "Le compte est déjà associé", + "send_email": "Envoyer un e-mail", + "mark_as_no_show": "Marquer comme absence", + "unmark_as_no_show": "Ne plus marquer comme absence", + "account_unlinked_success": "Dissociation du compte réussie", + "account_unlinked_error": "Une erreur est survenue lors de la dissociation du compte", + "travel_schedule": "Programme de voyage", + "travel_schedule_description": "Planifiez votre voyage à l'avance pour conserver votre horaire actuel dans un fuseau horaire différent et éviter d'être réservé à minuit.", + "schedule_timezone_change": "Changement de fuseau horaire", + "date": "Date", + "overlaps_with_existing_schedule": "Cette date chevauche un horaire existant. Veuillez sélectionner une autre date.", + "org_admin_no_slots|subject": "Aucune disponibilité trouvée pour {{name}}", + "org_admin_no_slots|heading": "Aucune disponibilité trouvée pour {{name}}", + "org_admin_no_slots|content": "Bonjour, administrateurs d'organisations,

    Notez qu'il a été porté à notre attention que {{username}} n'avait aucune disponibilité lorsqu'un utilisateur a visité {{username}}/{{slug}}

    Plusieurs raisons peuvent expliquer cela
    L'utilisateur n'a pas de calendriers connectés
    Les horaires joints à cet évènement ne sont pas activés

    Nous vous recommandons de vérifier leur disponibilité pour résoudre ce problème.", + "org_admin_no_slots|cta": "Ouvrir les disponibilités de l'utilisateur", + "organization_no_slots_notification_switch_title": "Recevez des notifications lorsque votre équipe n'est pas disponible", + "organization_no_slots_notification_switch_description": "Les administrateurs recevront des notifications par e-mail lorsqu'un utilisateur essaiera de réserver un membre de l'équipe et qu'il rencontrera la mention « Pas de disponibilité ». Nous déclenchons cet e-mail après deux occurrences et nous vous rappelons tous les 7 jours par utilisateur. ", + "email_team_invite|subject|added_to_org": "{{user}} vous a ajouté(e) à l'organisation {{team}} sur {{appName}}", + "email_team_invite|subject|invited_to_org": "{{user}} vous a invité(e) à rejoindre l'organisation {{team}} sur {{appName}}", + "email_team_invite|subject|added_to_subteam": "{{user}} vous a ajouté(e) à l'équipe {{team}} de l'organisation {{parentTeamName}} sur {{appName}}", "email_team_invite|subject|invited_to_subteam": "{{user}} vous a invité(e) à rejoindre l'équipe {{team}} de l'organisation {{parentTeamName}} sur {{appName}}", "email_team_invite|subject|invited_to_regular_team": "{{user}} vous a invité à rejoindre l'équipe {{team}} sur {{appName}}", + "email_team_invite|heading|added_to_org": "Vous avez été ajouté(e) à une organisation {{appName}}", + "email_team_invite|heading|invited_to_org": "Vous avez été invité(e) à rejoindre une organisation {{appName}}", + "email_team_invite|heading|added_to_subteam": "Vous avez été ajouté(e) à une équipe de l'organisation {{parentTeamName}}", + "email_team_invite|heading|invited_to_subteam": "Vous avez été invité(e) à rejoindre une équipe de l'organisation {{parentTeamName}}", "email_team_invite|heading|invited_to_regular_team": "Vous avez été invité à rejoindre une équipe {{appName}}", + "email_team_invite|content|added_to_org": "{{invitedBy}} vous a ajouté(e) à l'organisation {{teamName}}.", + "email_team_invite|content|invited_to_org": "{{invitedBy}} vous a invité(e) à rejoindre l'organisation {{teamName}}.", + "email_team_invite|content|added_to_subteam": "{{invitedBy}} vous a ajouté(e) à son équipe {{teamName}} de son organisation {{parentTeamName}}. {{appName}} est le planificateur d'événements qui vous permet à vous et à votre équipe d'organiser des rendez-vous sans échanges d'e-mails.", + "email_team_invite|content|invited_to_subteam": "{{invitedBy}} vous a invité(e) à rejoindre son équipe {{teamName}} de son organisation {{parentTeamName}}. {{appName}} est le planificateur d'événements qui vous permet à vous et à votre équipe d'organiser des rendez-vous sans échanges d'e-mails.", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} vous a invité à rejoindre son équipe « {{teamName}} » sur {{appName}}. {{appName}} est le planificateur d'événements qui vous permet à vous et à votre équipe d'organiser des rendez-vous sans échanges d'e-mails.", + "email|existing_user_added_link_will_change": "En acceptant l'invitation, votre lien passe sur le domaine de votre organisation, mais ne vous inquiétez pas, tous les liens précédents fonctionnent toujours et les redirections appropriées sont assurées.

    Veuillez noter : tous vos types d'évènements personnels seront transférés dans l'organisation {teamName}, qui peut également inclure un lien personnel potentiel.

    Pour les évènements personnels, nous vous recommandons de créer un nouveau compte avec une adresse e-mail personnelle.", + "email|existing_user_added_link_changed": "Votre lien a été modifié de {prevLinkWithoutProtocol} à {newLinkWithoutProtocol}, mais ne vous inquiétez pas, tous les liens précédents fonctionnent toujours et les redirections appropriées sont assurées.

    Notez que tous vos types d'évènements personnels ont été transférés dans l'organisation {teamName}, qui peut également inclure un lien personnel potentiel.

    Veuillez vous connecter et vous assurer que vous n'avez pas d'évènements privés sur votre nouveau compte d'organisation.

    Pour les évènements personnels, nous vous recommandons de créer un nouveau compte avec une adresse e-mail personnelle.

    Profitez bien de votre nouveau lien propre : {newLinkWithoutProtocol}", + "email_organization_created|subject": "Votre organisation a été créée", + "your_current_plan": "Votre formule actuelle", + "organization_price_per_user_month": "$37 par utilisateur par mois (30 places minimum)", + "privacy_organization_description": "Gérez les paramètres de confidentialité de votre organisation", "privacy": "Confidentialité", + "team_will_be_under_org": "De nouvelles équipes seront rattachées à votre organisation", + "add_group_name": "Ajouter un nom de groupe", + "group_name": "Nom de groupe", "routers": "Routeurs", "primary": "Primaire", "make_primary": "Rendre primaire", "add_email": "Ajouter un e-mail", "add_email_description": "Ajoutez une adresse e-mail pour remplacer votre adresse principale ou pour utiliser comme adresse de courriel alternative sur vos types d'événements.", "confirm_email": "Confirmez votre adresse e-mail", + "scheduler_first_name": "Le prénom de la personne qui effectue la réservation", + "scheduler_last_name": "Le nom de famille de la personne qui effectue la réservation", + "organizer_first_name": "Votre prénom", "confirm_email_description": "Nous avons envoyé un e-mail à {{email}}. Cliquez sur le lien dans l'e-mail pour vérifier cette adresse.", "send_event_details_to": "Envoyer les détails de l'événement à", + "schedule_tz_without_end_date": "Fuseau horaire de la planification sans date de fin", + "select_members": "Sélectionner les membres", + "lock_event_types_modal_header": "Que devons-nous faire des types d'évènements existants de votre membre ?", + "org_delete_event_types_org_admin": "Tous les types d'évènements individuels de vos membres (à l'exception des évènements gérés) seront définitivement supprimés. Ils ne pourront plus en créer de nouveaux", + "org_hide_event_types_org_admin": "Les types d'évènements individuels de vos membres seront masqués (à l'exception des évènements gérés) dans les profils, mais les liens seront toujours actifs. Ils ne pourront pas en créer de nouveaux. ", + "hide_org_eventtypes": "Masquer les types d'évènements individuels", + "delete_org_eventtypes": "Supprimer les types d'évènements individuels", + "lock_org_users_eventtypes": "Verrouiller la création de types d'évènements individuels", + "lock_org_users_eventtypes_description": "Empêchez les membres de créer leurs propres types d'évènements.", + "add_to_event_type": "Ajouter un type d'évènement", + "create_account_password": "Créer le mot de passe du compte", + "error_creating_account_password": "Échec de la création du mot de passe du compte", + "cannot_create_account_password_cal_provider": "Impossible de créer un mot de passe pour les comptes cal", + "cannot_create_account_password_already_existing": "Impossible de créer un mot de passe pour un compte déjà créé", + "create_account_password_hint": "Vous n'avez pas de mot de passe pour votre compte. Créez-en un depuis Sécurité -> Mot de passe. Vous ne pouvez pas vous déconnecter tant que le mot de passe du compte n'a pas été créé.", + "disconnect_account": "Déconnecter le compte connecté", + "disconnect_account_hint": "La déconnexion de votre compte connecté modifiera votre façon de vous connecter. Vous ne pourrez plus vous connecter à votre compte qu'en utilisant votre adresse e-mail et votre mot de passe", + "cookie_consent_checkbox": "J'accepte notre politique de confidentialité et l'utilisation des cookies", + "make_a_call": "Passer un appel", + "skip_rr_assignment_label": "Ignorer l'affectation par permutation circulaire si le contact existe dans Salesforce", + "skip_rr_description": "L'URL doit contenir l'adresse e-mail du contact en tant que paramètre. Ex. : ?email=contactEmail", + "select_account_header": "Sélectionnez un compte", + "select_account_description": "Installez {{appName}} sur votre compte personnel ou sur le compte d'une équipe.", + "select_event_types_header": "Sélectionner des types d'évènement", + "select_event_types_description": "Sur quel type d'évènement voulez-vous installer {{appName}} ?", + "configure_app_header": "Configurer {{appName}}", + "configure_app_description": "Finalisez la configuration de l'application. Vous pourrez modifier ces paramètres ultérieurement.", + "already_installed": "déjà installé", + "ooo_reasons_unspecified": "Non spécifiée", + "ooo_reasons_vacation": "Vacances", + "ooo_reasons_travel": "Voyage", + "ooo_reasons_sick_leave": "Congé maladie", + "ooo_reasons_public_holiday": "Jour férié", + "ooo_forwarding_to": "Transférer à {{username}}", + "ooo_not_forwarding": "Pas de transfert", + "ooo_empty_title": "Créer une absence", + "ooo_empty_description": "Communiquez à vos utilisateurs lorsque vous n'êtes pas disponible pour prendre des réservations. Ils peuvent toujours prendre une réservation à votre retour ou vous pouvez les transmettre à un membre de l'équipe.", + "ooo_user_is_ooo": "{{displayName}} est en absence", + "ooo_slots_returning": "<0>{{displayName}} peut prendre vos rendez-vous quand vous n'êtes pas là.", + "ooo_slots_book_with": "Réserver {{displayName}}", + "ooo_create_entry_modal": "Passer en absence", + "ooo_select_reason": "Sélectionnez une raison", + "create_an_out_of_office": "Passer en absence", + "submit_feedback": "Envoyer un commentaire", + "host_no_show": "Votre hôte ne s'est pas présenté", + "no_show_description": "Vous pouvez reprogrammer un autre rendez-vous avec lui ou elle", + "how_can_we_improve": "Comment pouvons-nous améliorer notre service ?", + "most_liked": "Qu'avez-vous préféré ?", + "review": "Examiner", + "reviewed": "Évalué", + "unreviewed": "Sans évaluation", + "rating_url_info": "L'URL du formulaire de commentaire et d'évaluation", + "no_show_url_info": "L'URL de commentaire en cas de non présentation", + "no_support_needed": "Pas besoin d'assistance ?", + "hide_support": "Masquer l'assistance", + "event_ratings": "Évaluations moyennes", + "event_no_show": "Hôte absent", + "recent_ratings": "Évaluations récentes", + "no_ratings": "Aucune évaluation envoyée", + "no_ratings_description": "Ajoutez un flux de travail avec « Évaluation » pour récupérer les évaluations après les réunions", + "most_no_show_host": "Membres les plus absents", + "highest_rated_members": "Membres dont les réunions sont les mieux notées", + "lowest_rated_members": "Membres dont les réunions sont les moins bien notées", + "csat_score": "Score CSAT", + "lockedSMS": "SMS verrouillé", + "signing_up_terms": "En poursuivant, vous acceptez nos <0>Conditions d'utilisation et <1>Politique de confidentialité.", + "leave_without_assigning_anyone": "Partir sans affecter personne ?", + "leave_without_adding_attendees": "Voulez-vous vraiment quitter cet évènement sans ajouter de participants ?", + "no_availability_shown_to_bookers": "Si vous n'affectez personne à cet évènement, aucune disponibilité ne sera indiquée aux personnes qui effectuent une réservation.", + "go_back_and_assign": "Revenir en arrière et affecter", + "leave_without_assigning": "Quitter sans affecter", + "always_show_x_days": "Tout disponible pendant {{x}} jours", + "unable_to_subscribe_to_the_platform": "Une erreur est survenue lors de la souscription à l'offre de plateforme. Veuillez réessayer plus tard", + "updating_oauth_client_error": "Une erreur est survenue lors de la mise à jour du client OAuth. Veuillez réessayer plus tard", + "creating_oauth_client_error": "Une erreur est survenue lors de la création du client OAuth. Veuillez réessayer plus tard", + "mark_as_no_show_title": "Marquer comme absence", + "x_marked_as_no_show": "{{x}} marqués comme absences", + "x_unmarked_as_no_show": "{{x}} plus marqués comme absences", + "no_show_updated": "Statut absence mis à jour pour les participants", + "email_copied": "E-mail copié", + "USER_PENDING_MEMBER_OF_THE_ORG": "L'utilisateur est un membre en attente de l'organisation", + "USER_ALREADY_INVITED_OR_MEMBER": "L'utilisateur a déjà été invité ou est déjà membre", + "USER_MEMBER_OF_OTHER_ORGANIZATION": "L'utilisateur est membre d'une organisation dont cette équipe ne fait pas partie.", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Ajoutez vos nouvelles chaînes ci-dessus ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/he/common.json b/apps/web/public/static/locales/he/common.json index 34e36b2554bd56..205c9391f75ac0 100644 --- a/apps/web/public/static/locales/he/common.json +++ b/apps/web/public/static/locales/he/common.json @@ -12,6 +12,7 @@ "have_any_questions": "יש לך שאלות? אנחנו כאן כדי לעזור.", "reset_password_subject": "{{appName}}: הנחיות לאיפוס סיסמה", "verify_email_subject": "{{appName}}: יש לאמת את החשבון", + "verify_email_subject_verifying_email": "{{appName}}: אימות כתובת הדוא״ל שלך", "check_your_email": "נא לבדוק את הדוא״ל שלך", "old_email_address": "כתובת דוא״ל ישנה", "new_email_address": "כתובת דוא״ל חדשה", @@ -19,6 +20,7 @@ "verify_email_banner_body": "יש לאמת את כתובת הדוא״ל כדי להבטיח שתוכל/י לקבל הודעות לכתובת הדוא״ל וללוח השנה בצורה הטובה ביותר", "verify_email_email_header": "יש לאמת את כתובת הדוא״ל שלך", "verify_email_email_button": "אימות כתובת דוא״ל", + "cal_ai_assistant": "מסייע בינה מלאכותית ל־Cal", "verify_email_change_description": "בדקות האחרונות ביקשת לשנות את כתובת הדוא״ל שמשמשת אותך לכניסה לחשבון שלך אצל {{appName}}. נא ללחוץ על הכפתור להלן כדי לאשר את כתובת הדוא״ל החדשה שלך.", "verify_email_change_success_toast": "כתובת הדוא״ל שלך עודכנה ל־{{email}}", "verify_email_change_failure_toast": "עדכון כתובת הדוא״ל נכשל.", @@ -81,6 +83,7 @@ "payment": "תשלום", "missing_card_fields": "שדות פרטי כרטיס חסרים", "pay_now": "לשלם עכשיו", + "general_prompt": "בקשה כללית", "begin_message": "התחלת הודעה", "codebase_has_to_stay_opensource": "בין אם בוצעו שינויים בבסיס הקוד ובין אם לא, הקוד חייב להישאר פתוח", "cannot_repackage_codebase": "לא ניתן לארוז מחדש או למכור את בסיס הקוד", @@ -109,7 +112,9 @@ "event_still_awaiting_approval": "אירוע עדיין ממתין לאישורך", "booking_submitted_subject": "ההזמנה נשלחה: {{title}} ב- {{date}}", "download_recording_subject": "הורדת ההקלטה: {{title}} בתאריך {{date}}", + "download_transcript_email_subject": "הורדת התמלול: {{title}} בתאריך {{date}}", "download_your_recording": "הורד/י את ההקלטה שלך", + "download_your_transcripts": "הורדת התמלולים שלך", "your_meeting_has_been_booked": "הפגישה שלך הוזמנה", "event_type_has_been_rescheduled_on_time_date": "{{title}} תוזמן מחדש לתאריך {{date}}.", "event_has_been_rescheduled": "עודכן – מועד האירוע שלך השתנה", @@ -325,8 +330,10 @@ "add_another_calendar": "להוסיף לוח שנה אחר", "other": "אחר", "email_sign_in_subject": "קישור הכניסה שלך אל {{appName}}", + "round_robin_emailed_you_and_attendees": "נקבעה לך פגישה עם {{user}}. שלחנו לך ולמשתתפים האחרים הודעת דוא״ל עם הזמנה בלוח השנה הכוללת את כל הפרטים.", "emailed_you_and_attendees": "שלחנו לך ולמשתתפים האחרים הודעת דוא\"ל עם הזמנה בלוח השנה הכוללת את כל הפרטים.", "emailed_you_and_attendees_recurring": "שלחנו לך ולמשתתפים האחרים הודעת דוא\"ל עם הזמנה בלוח השנה לאירוע הראשון מבין האירועים החוזרים האלה.", + "round_robin_emailed_you_and_attendees_recurring": "נקבעה לך פגישה עם {{user}}. שלחנו לך ולמשתתפים האחרים הודעת דוא״ל עם הזמנה בלוח השנה לאירוע הראשון מבין האירועים החוזרים האלה.", "emailed_you_and_any_other_attendees": "שלחנו לך ולמשתתפים האחרים, אם ישנם כאלה, הודעת דוא\"ל עם הפרטים האלה.", "needs_to_be_confirmed_or_rejected": "ההזמנה שלך עדיין ממתינה לאישור או לדחייה.", "needs_to_be_confirmed_or_rejected_recurring": "עדיין לא אישרת/דחית את הפגישה החוזרת.", @@ -618,6 +625,7 @@ "number_selected": "{{count}} נבחרו", "owner": "בעלים", "admin": "מנהל/ת מערכת", + "admin_api": "API לניהול", "administrator_user": "משתמש המוגדר כמנהל מערכת", "lets_create_first_administrator_user": "עכשיו ניצור את המשתמש הראשון המוגדר כמנהל מערכת.", "admin_user_created": "הגדרת משתמש מנהל", @@ -676,6 +684,7 @@ "user_from_team": "{{user}} מצוות {{team}}", "preview": "תצוגה מקדימה", "link_copied": "הקישור הועתק!", + "copied": "הועתק!", "private_link_copied": "הקישור הפרטי הועתק!", "link_shared": "הקישור שותף!", "title": "תפקיד", @@ -988,8 +997,8 @@ "verify_wallet": "אימות הארנק", "create_events_on": "ליצור אירועים ב-", "enterprise_license": "תכונה זו זמינה רק במינוי Enterprise", - "enterprise_license_description": "כדי להפעיל את יכולת זו, בקש ממנהל לגשת אל הקישור {{setupUrl}} והקלדת הרישיון. אם כבר יש רישיון מוגדר, צור קשר עם {{supportMail}} לעזרה.", - "enterprise_license_development": "ניתן לבדוק את התכונה הזו במצב פיתוח. לשימוש מצב הייצור, מנהל/ת מערכת צריך/ה לעבור אל <2>/auth/setup ולהזין מפתח רישיון.", + "enterprise_license_locally": "אפשר לבדוק את היכולת הזאת מקומית אבל לא בסביבה המבצעית.", + "enterprise_license_sales": "כדי לשדרג למהדורה הארגונית, נא לגשת לצוות המכירות שלנו. אם כבר יש לך מפתח רישיון, נא ליצור קשר עם support@cal.com לקבלת עזרה.", "missing_license": "חסר רישיון", "next_steps": "השלבים הבאים", "acquire_commercial_license": "רכישת רישיון לשימוש מסחרי", @@ -1031,6 +1040,7 @@ "seats_nearly_full": "כמעט כל המקומות תפוסים", "seats_half_full": "המקומות מתמלאים במהירות", "number_of_seats": "מספר המקומות לכל הזמנה", + "set_instant_meeting_expiry_time_offset_description": "הגדרת חלון הצטרפות לישיבה (שניות): חלון הזמן בשניות בו המארח יכול להצטרף ולהתחיל את הישיבה. לאחר פרק הזמן הזה, תוקף כתובת ההצטרפות לישיבה יפוג.", "enter_number_of_seats": "יש להזין את מספר המקומות", "you_can_manage_your_schedules": "ניתן לנהל את לוחות הזמנים בדף 'זמינות'.", "booking_full": "אין יותר מקומות זמינים", @@ -1244,6 +1254,7 @@ "reminder": "תזכורת", "rescheduled": "נקבע מועד חדש", "completed": "הושלמה", + "rating": "דירוג", "reminder_email": "תזכורת: {{eventType}} עם {{name}} בתאריך {{date}}", "not_triggering_existing_bookings": "לא יופעל עבור הזמנות קיימות מאחר שהמשתמש יתבקש למסור מספר טלפון בעת הזמנת האירוע.", "minute_one": "{{count}} דקה", @@ -1424,7 +1435,12 @@ "download_responses_description": "הורד את כל התגובות לטופס שלך בפורמט CSV.", "download": "הורדה", "download_recording": "הורדת ההקלטה", + "transcription_enabled": "תמלולים פעילים כרגע", + "transcription_stopped": "תמלולים מופסקים כרגע", + "download_transcript": "הורדת תמלול", "recording_from_your_recent_call": "הקלטה של שיחה שערכת לאחרונה ב-{{appName}} מוכנה להורדה", + "transcript_from_previous_call": "תמלול השיחה האחרונה שלך ב־{{appName}} זמין להורדה. קישורים תקפים למשך שעה בלבד", + "link_valid_for_12_hrs": "לתשומת ליבך: קישור ההורדה תקף רק למשך 12 שעות. אפשר לייצר קישור הורדה חדש על ידי מעקב אחר ההוראות <1>שכאן.", "create_your_first_form": "צור/צרי את הטופס הראשון שלך", "create_your_first_form_description": "באמצעות טפסי ניתוב ניתן לשאול שאלות סיווג ולנתב אל האדם או אל סוג האירוע המתאימים.", "create_your_first_webhook": "יצירת ה-Webhook הראשון שלך", @@ -1523,8 +1539,6 @@ "report_app": "דיווח על האפליקציה", "limit_booking_frequency": "הגבלת תדירות ההזמנות", "limit_booking_frequency_description": "הגבלת מספר הפעמים שבהן ניתן להזמין את האירוע הזה", - "limit_booking_only_first_slot": "להגביל את ההזמנה לחלון הפנוי הראשון בלבד", - "limit_booking_only_first_slot_description": "לאפשר להזמין רק את החלון הפנוי הראשון בכל יום", "limit_total_booking_duration": "הגבל משך תזמון כולל", "limit_total_booking_duration_description": "הגבלת משך הזמן הכולל שבו ניתן להזמין את האירוע הזה", "add_limit": "הוספת הגבלה", @@ -1923,6 +1937,7 @@ "filters": "מסננים", "add_filter": "הוסף סנן", "remove_filters": "ניקוי כל המסננים", + "email_verified": "כתובת הדוא״ל אומתה", "select_user": "בחר משתמש", "select_event_type": "בחר סוג ארוע", "select_date_range": "בחר טווח תאריכים", @@ -2020,12 +2035,15 @@ "organization_banner_description": "צור/צרי סביבות שבהן הצוותים שלך יוכלו ליצור אפליקציות, תהליכי עבודה וסוגי אירועים משותפים, עם תכונות כמו סבב וקביעת מועדים שיתופית.", "organization_banner_title": "ניהול ארגונים עם צוותים מרובים", "set_up_your_organization": "הגדרת הארגון שלך", + "set_up_your_platform_organization": "הגדרת הפלטפורמה שלך", "organizations_description": "ארגונים הם סביבות משותפות שבהן צוותים יכולים ליצור משאבים משותפים, כמו סוגי אירועים, אפליקציות, תהליכי עבודה ועוד.", "must_enter_organization_name": "יש להזין שם ארגון", "must_enter_organization_admin_email": "יש להזין את כתובת הדוא״ל של הארגון", "admin_email": "כתובת הדוא״ל של הארגון", + "platform_admin_email": "כתובת הדוא״ל של הניהול", "admin_username": "שם המשתמש/ת המוגדר/ת כמנהל/ת מערכת", "organization_name": "שם הארגון", + "platform_name": "שם הפלטפורמה", "organization_url": "כתובת ה-URL של הארגון", "organization_verify_header": "אימות כתובת הדוא״ל של הארגון", "organization_verify_email_body": "השתמש/י בקוד שלהלן כדי לאמת את כתובת הדוא״ל שלך לצורך המשך הגדרת הארגון.", @@ -2164,9 +2182,16 @@ "directory_scim_token": "אסימון זהות (Bearer) SCIM", "directory_scim_url_copied": "כתובת בסיס SCIM הועתקה", "directory_scim_token_copied": "אסימון זהות (Bearer) SCIM הועתק", + "directory_sync_info_description": "ספק הזהות שלך יבקש מך את הפרטים האלה כדי להגדיר SCIM. יש לעקוב אחר ההנחיות כדי לסיים את ההקמה.", "directory_sync_configure": "הגדרת סנכרון ספרייה", + "directory_sync_configure_description": "נא לבחור ספק זהות להגדרת ספריה לצוות שלך.", + "directory_sync_title": "יש להגדיר ספק שירות כדי להתחיל עם SCIM.", + "directory_sync_created": "חיבור סנכרון מדריך נוצר.", + "directory_sync_deleted": "חיבור סנכרון מדריך נכשל.", "directory_sync_delete_connection": "מחיקת החיבור", + "directory_sync_delete_title": "מחיקת חיבור סנכרון מדריך", "directory_sync_delete_description": "למחוק את חיבור סנכרון הספרייה?", + "directory_sync_delete_confirmation": "אי אפשר לבטל את הפעולה הזאת. היא תמחק לצמיתות את חיבור סנכרון המדריך.", "event_setup_length_error": "הגדרת אירוע: משך הזמן חייב להיות לפחות דקה אחת.", "availability_schedules": "לוחות זמנים לזמינוּת", "unauthorized": "אין הרשאה", @@ -2249,6 +2274,7 @@ "dont_want_to_wait": "לא רוצה להמתין?", "meeting_started": "הפגישה החלה", "pay_and_book": "נא לשלם כדי להזמין", + "cal_ai_event_tab_description": "לאפשר לסוכני בינה מלאכותית להזמין בשבילך", "booking_not_found_error": "לא ניתן למצוא הזמנה", "booking_seats_full_error": "חלונות ההזמנה מלאים", "missing_payment_credential_error": "פרטי התשלום חסרים", @@ -2288,6 +2314,7 @@ "redirect_to": "הפניה אל", "having_trouble_finding_time": "לא הצלחת למצוא חלון זמן פנוי?", "show_more": "הצג עוד", + "forward_params_redirect": "העברת משתנים כמו ‎?email=...&name=....‎ ועוד", "assignment_description": "תזמון פגישות כשכולם זמינים או להחליף בסבב בין החברים בצוות שלך", "lowest": "הנמוכה ביותר", "low": "נמוכה", @@ -2301,16 +2328,34 @@ "field_identifiers_as_variables": "להשתמש במזהי השדות כמשתנים להפניות האירועים בהתאמה אישית", "field_identifiers_as_variables_with_example": "להשתמש במזהי השדות כמשתנים להפניות האירועים בהתאמה אישית (למשל: {{variable}})", "account_already_linked": "החשבון כבר מקושר", + "send_email": "שליחת דוא\"ל", + "account_unlinked_success": "החשבון נותק בהצלחה", + "account_unlinked_error": "אירעה שגיאה בניתוק החשבון", "travel_schedule": "תזמון טיול", + "travel_schedule_description": "כדאי לתכנן את הנסיעה שלך מראש כדי לשמור על לוח הזמנים שלך בין אזורי זמן שונים כדי להימנע מקביעת פגישות בחצות.", "schedule_timezone_change": "תזמון שינוי אזור זמן", "date": "תאריך", + "overlaps_with_existing_schedule": "חופף עם הלו״ז הנוכחי. נא לבחור תאריך אחר.", + "org_admin_no_slots|subject": "לא נמצאה זמינות עבור {{name}}", + "org_admin_no_slots|heading": "לא נמצאה זמינות עבור {{name}}", + "org_admin_no_slots|cta": "פתיחת זמינות משתמשים", + "organization_no_slots_notification_switch_title": "קבלת התראות כשהצוות שלך לא זמין", + "email_team_invite|subject|added_to_org": "נוספת לארגון {{team}} ב־{{appName}} על ידי {{user}}", + "email_team_invite|subject|invited_to_org": "הוזמנת להצטרף לארגון {{team}} ב־{{appName}} על ידי {{user}}", + "email_team_invite|subject|added_to_subteam": "נוספת לצוות {{team}} בארגון {{parentTeamName}} על ידי {{user}} אצל {{appName}}", "email_team_invite|subject|invited_to_subteam": "הוזמנת על ידי {{user}} להצטרף לצוות {{team}} של הארגון {{parentTeamName}} אצל {{appName}}", "email_team_invite|subject|invited_to_regular_team": "{{user}} הזמין אותך להצטרף לצוות {{team}} ב-{{appName}}", + "email_team_invite|heading|added_to_org": "נוספת לארגון ב־{{appName}}", + "email_team_invite|heading|invited_to_org": "הוזמנת להצטרף לארגון ב־{{appName}}", + "email_team_invite|heading|added_to_subteam": "נוספת לצוות בארגון {{parentTeamName}}", "email_team_invite|heading|invited_to_subteam": "הוזמנת לצוות בארגון {{parentTeamName}}", "email_team_invite|heading|invited_to_regular_team": "הוזמנת להצטרף לצוות ב-{{appName}}", "email_team_invite|content|added_to_org": "נוספת לארגון {{teamName}} על ידי {{invitedBy}}.", + "email_team_invite|content|invited_to_org": "הוזמנת להצטרף לארגון {{teamName}} על ידי {{invitedBy}}.", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} הזמין/ה אותך להצטרף לצוות שלו/ה בשם '{{teamName}}' באפליקציה {{appName}}. אפליקציית {{appName}} היא כלי לקביעת מועדים לאירועים שמאפשר לך ולצוות שלך לתזמן פגישות בלי כל הפינג פונג במיילים.", + "email_organization_created|subject": "הארגון שלך נוצר", "your_current_plan": "התוכנית הנוכחית שלך", + "organization_price_per_user_month": "$37 למשתמש לחודש (30 מקומות לכל הפחות)", "privacy_organization_description": "ניהול הגדרות פרטיות לארגון שלך", "privacy": "פרטיות", "team_will_be_under_org": "צוותים חדשים יהיו תחת הארגון שלך", @@ -2322,12 +2367,59 @@ "add_email": "הוספת כתובת דוא״ל", "add_email_description": "אפשר להוסיף כתובת דוא״ל כדי להחליף את הכתובת העיקרית שלך או ככתובת חלופית לסוגי האירועים שלך.", "confirm_email": "אישור כתובת הדוא״ל שלך", + "organizer_first_name": "שמך הפרטי", "confirm_email_description": "שלחנו הודעה בדוא״ל אל {{email}}. נא ללחוץ על הקישור בהודעה כדי לאמת את הכתובת הזאת.", "send_event_details_to": "שליחת פרטי האירוע אל", + "schedule_tz_without_end_date": "אזור זמן התזמון ללא תאריך סיום", "select_members": "בחירת חברים", + "lock_event_types_modal_header": "מה לעשות עם סוגי האירועים הקיימים של החבר שלך?", + "add_to_event_type": "הוספה לסוגי האירועים", + "create_account_password": "יצירת סיסמת חשבון", + "error_creating_account_password": "יצירת סיסמת חשבון נכשלה", + "cannot_create_account_password_cal_provider": "לא ניתן ליצור סיסמת חשבון לחשבונות cal", + "cannot_create_account_password_already_existing": "לא ניתן ליצור סיסמת חשבון לחשבונות שכבר נוצרה להם סיסמה", + "create_account_password_hint": "אין סיסמה לחשבון שלך, אפשר ליצור סיסמה על ידי ניווט לאבטחה -> סיסמה. אי אפשר לנתק עד שסיסמת החשבון נוצרת.", + "disconnect_account": "ניתוק חשבון מקושר", "cookie_consent_checkbox": "מדיניות הפרטיות והשימוש בעוגיות מוסכמים עליי", + "select_account_header": "בחירת חשבון", + "select_account_description": "התקנת {{appName}} בחשבון הפרטי או בחשבון הצוותי שלך.", + "select_event_types_header": "בחירת סוגי אירועים", + "select_event_types_description": "באיזה סוג אירועים להתקין את {{appName}}?", + "configure_app_header": "הגדרת {{appName}}", + "already_installed": "כבר מותקן", + "ooo_reasons_vacation": "חופשה", + "ooo_reasons_travel": "טיול", + "ooo_reasons_sick_leave": "חופשת מחלה", + "ooo_reasons_public_holiday": "חג ציבורי", + "ooo_forwarding_to": "העברה אל {{username}}", + "ooo_not_forwarding": "ללא העברה", + "ooo_empty_title": "יצירת יציאה מהמשרד", + "ooo_user_is_ooo": "{{displayName}} מחוץ למשרד", + "ooo_slots_book_with": "הזמנת {{displayName}}", + "ooo_create_entry_modal": "יציאה מהמשרד", + "ooo_select_reason": "בחירת סיבה", + "create_an_out_of_office": "יציאה מהמשרד", + "submit_feedback": "הגשת משוב", + "host_no_show": "המארח/ת שלך לא הופיע/ה", + "no_show_description": "אפשר לתזמן מולם פגישה נוספת מחדש", + "how_can_we_improve": "איך נוכל לשפר את השירות שלנו?", + "most_liked": "מה הכי אהבת?", "review": "סקירה", "reviewed": "נסקר", "unreviewed": "לא נסקר", + "rating_url_info": "הכתובת לטופס משוב דירוג", + "no_show_url_info": "הכתובת למשוב לפגישה חד־צדדית", + "no_support_needed": "אין צורך בתמיכה?", + "hide_support": "הסתרת תמיכה", + "event_ratings": "דירוגים ממוצעים", + "event_no_show": "מארח נעדר מהפגישה", + "recent_ratings": "דירוגים אחרונים", + "no_ratings": "לא הוגשו דירוגים", + "most_no_show_host": "החברים שלא הופיעו הכי הרבה", + "highest_rated_members": "חברים עם הפגישות בדירוג הגבוה ביותר", + "lowest_rated_members": "חברים עם הפגישות בדירוג הנמוך ביותר", + "csat_score": "ניקוד מדד שביעות רצון", + "lockedSMS": "מסרון נעול", + "signing_up_terms": "המשך מהווה את הסכמתך ל<1>תנאים ול<2>מדיניות הפרטיות שלנו.", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Add your new strings above here ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/hr/common.json b/apps/web/public/static/locales/hr/common.json index 5d6e4457a7ab6d..22a5ec78c3901d 100644 --- a/apps/web/public/static/locales/hr/common.json +++ b/apps/web/public/static/locales/hr/common.json @@ -414,6 +414,8 @@ "error": "Greška", "edit_location": "Uredi lokaciju", "into_the_future": "u budućnost", + "app_theme": "Tema kontrolne ploče", + "app_theme_applies_note": "Ovo se primjenjuje samo na vašu prijavljenu kontrolnu ploču", "already_have_account": "Već imate račun?", "email_team_invite|subject|invited_to_regular_team": "{{user}} vas je pozvao da se pridružite timu {{team}} na {{appName}}" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/hu/common.json b/apps/web/public/static/locales/hu/common.json index 1ca6905192cc29..d66b7712826db8 100644 --- a/apps/web/public/static/locales/hu/common.json +++ b/apps/web/public/static/locales/hu/common.json @@ -12,6 +12,7 @@ "have_any_questions": "Van kérdésed? Itt vagyunk hogy segítsünk.", "reset_password_subject": "{{appName}}: Jelszóváltoztatási lépések", "verify_email_subject": "{{appName}}: Igazold a fiókod", + "verify_email_subject_verifying_email": "{{appName}}: Igazolja e-mail-címét", "check_your_email": "Ellenőrizd az e-mail fiókod", "old_email_address": "Régi E-mail", "new_email_address": "Új E-mail", @@ -19,6 +20,7 @@ "verify_email_banner_body": "Igazold vissza az e-mail címed, hogy biztosíthassuk Neked a legjobb email és naptár funkciókat", "verify_email_email_header": "Igazold vissza az e-mail címed", "verify_email_email_button": "E-mail igazolása", + "cal_ai_assistant": "Cal AI asszisztens", "verify_email_change_description": "Nemrég kérte a(z) {{appName}} fiókjába való bejelentkezéshez használt e-mail cím módosítását. Kérjük, kattintson az alábbi gombra az új e-mail cím megerősítéséhez.", "verify_email_change_success_toast": "E-mail címed módosítva a következőre: {{email}}", "verify_email_change_failure_toast": "Sikertelen e-mail módosítás.", @@ -110,7 +112,9 @@ "event_still_awaiting_approval": "Egy esemény még mindig jóváhagyásra vár", "booking_submitted_subject": "Foglalás elküldve: {{title}}, {{date}}", "download_recording_subject": "Felvétel letöltése: {{title}}, {{date}}", + "download_transcript_email_subject": "Átirat letöltése: {{title}}, {{date}}", "download_your_recording": "Töltse le a felvételt", + "download_your_transcripts": "Töltse le az átiratait", "your_meeting_has_been_booked": "A találkozód le lett foglalva", "event_type_has_been_rescheduled_on_time_date": "{{title}} át lett ütemezve ekkorra: {{date}}.", "event_has_been_rescheduled": "Frissítve - Az időpontod át lett ütemezve", @@ -326,8 +330,10 @@ "add_another_calendar": "Másik naptár hozzáadása", "other": "Egyéb", "email_sign_in_subject": "Bejelentkezési link a következőhöz: {{appName}}", + "round_robin_emailed_you_and_attendees": "Találkotó a következővel: {{user}}. Mindenkinek küldtünk egy naptári meghívót a részletekkel.", "emailed_you_and_attendees": "Mindenkinek küldtünk egy e-mailt a naptár meghívóval és a részletekkel.", "emailed_you_and_attendees_recurring": "Mindenkinek küldtünk e-mailben egy naptár meghívót a részletekkel az első ismétlődő eseményről.", + "round_robin_emailed_you_and_attendees_recurring": "Találkozó a következővel: {{user}}. E-mailben küldtünk egy naptári meghívót mindenkinek az első ismétlődő esemény részleteivel.", "emailed_you_and_any_other_attendees": "Küldtünk egy e-mail-t mindenkinek ezekről az információkról.", "needs_to_be_confirmed_or_rejected": "Foglalását még meg kell erősíteni vagy el kell utasítani.", "needs_to_be_confirmed_or_rejected_recurring": "Az ismétlődő találkozót még meg kell erősíteni vagy el kell utasítani.", @@ -619,6 +625,7 @@ "number_selected": "{{count}} kiválasztva", "owner": "Tulajdonos", "admin": "Rendszergazda", + "admin_api": "Admin API", "administrator_user": "Rendszergazda felhasználó", "lets_create_first_administrator_user": "Hozzuk létre az első rendszergazda felhasználót.", "admin_user_created": "Rendszergazda felhasználói beállítások", @@ -677,6 +684,7 @@ "user_from_team": "{{user}} a következőtől: {{team}}", "preview": "Előnézet", "link_copied": "Link másolva!", + "copied": "Másolva!", "private_link_copied": "Privát link másolva!", "link_shared": "Link megosztva!", "title": "Cím", @@ -989,8 +997,8 @@ "verify_wallet": "A Tárca ellenőrzése", "create_events_on": "Események létrehozása", "enterprise_license": "Ez egy vállalati szolgáltatás", - "enterprise_license_description": "A funkció engedélyezéséhez kérjen meg egy rendszergazdát, hogy lépjen a <2>/auth/setup oldalra, és adja meg a licenckulcsot. Ha már van licenckulcs, segítségért forduljon a következőhöz: <5>{{SUPPORT_MAIL_ADDRESS}}.", - "enterprise_license_development": "Ezt a funkciót fejlesztési módban tesztelheti. Éles használathoz kérjen meg egy rendszergazdát, hogy lépjen be a <2>/auth/setup oldalra, és adja meg a licenckulcsot.", + "enterprise_license_locally": "Ezt a funkciót helyben tesztelheti, éles környezetben azonban nem.", + "enterprise_license_sales": "A vállalati kiadásra való frissítéshez forduljon értékesítési csapatunkhoz. Ha a licenckulcs már rendelkezésre áll, segítségért forduljon a support@cal.com címhez.", "missing_license": "Hiányzó licenc", "next_steps": "Következő lépések", "acquire_commercial_license": "Szerezzen kereskedelmi licenc-et", @@ -1427,7 +1435,11 @@ "download_responses_description": "Töltse le az űrlapra adott összes választ CSV formátumban.", "download": "Letöltés", "download_recording": "Felvétel letöltése", + "transcription_enabled": "Az átírások most engedélyezve vannak", + "transcription_stopped": "Az átírások most le lett állítva", + "download_transcript": "Átirat letöltése", "recording_from_your_recent_call": "A legutóbbi {{appName}} hívásáról készült felvétel letölthető", + "transcript_from_previous_call": "A(z) {{appName}} nevű legutóbbi hívásának átirata letölthető. A linkek csak 1 óráig érvényesek", "link_valid_for_12_hrs": "Megjegyzés: A letöltési link csak 12 óráig érvényes. Az <1>utasításokat követve hozhat létre új letöltési linket.", "create_your_first_form": "Hozza létre az első űrlapot", "create_your_first_form_description": "A Routing Forms segítségével minősítő kérdéseket tehet fel, és a megfelelő személyhez vagy eseménytípushoz irányíthat.", @@ -1527,8 +1539,6 @@ "report_app": "Alkalmazás jelentése", "limit_booking_frequency": "Korlátozza a foglalás gyakoriságát", "limit_booking_frequency_description": "Korlátozza, hányszor foglalható le ez az esemény", - "limit_booking_only_first_slot": "Korlátozza a foglalást csak az első lehetőségre", - "limit_booking_only_first_slot_description": "Minden nap csak az első hely foglalását engedélyezze", "limit_total_booking_duration": "Korlátozza a foglalás teljes időtartamát", "limit_total_booking_duration_description": "Korlátozza az esemény foglalható teljes időtartamát", "add_limit": "Korlát hozzáadása", @@ -1931,6 +1941,7 @@ "filters": "Szűrők", "add_filter": "Szűrő hozzáadása", "remove_filters": "Törölje az összes szűrőt", + "email_verified": "E-mail ellenőrizve", "select_user": "Felhasználó kiválasztása", "select_event_type": "Esemény típus választása", "select_date_range": "Válassza a Dátumtartomány lehetőséget", @@ -2028,12 +2039,16 @@ "organization_banner_description": "Hozzon létre olyan környezeteket, ahol csapatai megosztott alkalmazásokat, munkafolyamatokat és eseménytípusokat hozhatnak létre körmérkőzéses és kollektív ütemezéssel.", "organization_banner_title": "Több csapattal rendelkező szervezetek kezelése", "set_up_your_organization": "Állítsa be szervezetét", + "set_up_your_platform_organization": "Állítsa be a platformot", "organizations_description": "A szervezetek megosztott környezetek, ahol a csapatok megosztott eseménytípusokat, alkalmazásokat, munkafolyamatokat és egyebeket hozhatnak létre.", + "platform_organization_description": "A Cal.com Platform segítségével könnyedén integrálhatja az ütemezést az alkalmazásba a platform apis és atomok segítségével.", "must_enter_organization_name": "Meg kell adni a szervezet nevét", "must_enter_organization_admin_email": "Meg kell adnia a szervezet e-mail címét", "admin_email": "A szervezet e-mail címe", + "platform_admin_email": "Az Ön adminisztrátori e-mail címe", "admin_username": "A rendszergazda felhasználóneve", "organization_name": "Szervezet neve", + "platform_name": "Platform neve", "organization_url": "Szervezet URL-je", "organization_verify_header": "Igazolja szervezeti e-mail-címét", "organization_verify_email_body": "Kérjük, használja az alábbi kódot e-mail címének igazolásához szervezete beállításának folytatásához.", @@ -2244,6 +2259,7 @@ "enterprise_description": "Szervezete létrehozásához frissítsen Vállalati-ra", "create_your_org": "Hozd létre a szervezetedet", "create_your_org_description": "Frissítsen Vállalati-ra, és kapjon aldomaint, egységes számlázást, Elemzés szolgáltatást, kiterjedt fehér címkézést és sok mást", + "create_your_enterprise_description": "Frissítsen Enterprise-ra, és szerezzen hozzáférést az Active Directory Sync-hez, az SCIM automatikus felhasználói kiépítéshez, a Cal.ai Voice Agents-hez, az Admin API-khoz és még sok máshoz!", "other_payment_app_enabled": "Eseménytípusonként csak egy fizetési alkalmazást engedélyezhet", "admin_delete_organization_description": "
    • A szervezethez tartozó csapatok is törlésre kerülnek az eseménytípusukkal együtt.
    • A szervezethez tartozó felhasználók nem törlődnek, és eseménytípusaik is érintetlenül maradnak .
    • A felhasználónevek módosulnak, hogy a szervezeten kívül is létezhessenek
    ", "admin_delete_organization_title": "Törli a következőt: {{organizationName}}?", @@ -2305,6 +2321,7 @@ "redirect_to": "Átirányítás ide", "having_trouble_finding_time": "Nehezen talál időt?", "show_more": "Mutass többet", + "forward_params_redirect": "Továbbítási paraméterek, például ?email=...&name=.... és így tovább", "assignment_description": "Ütemezze be az értekezleteket, amikor mindenki elérhető, vagy váltogassa a csapat tagjait", "lowest": "legalacsonyabb", "low": "alacsony", @@ -2318,11 +2335,19 @@ "field_identifiers_as_variables": "Használjon mezőazonosítókat változóként az egyéni eseményátirányításhoz", "field_identifiers_as_variables_with_example": "Használjon mezőazonosítókat változóként az egyéni eseményátirányításhoz (pl. {{variable}})", "account_already_linked": "A fiók már össze van kapcsolva", + "account_unlinked_success": "A fiók sikeresen leválasztva", + "account_unlinked_error": "Hiba történt a fiók leválasztásakor", "travel_schedule": "Utazási menetrend", "travel_schedule_description": "Tervezze meg utazását előre, hogy meglévő menetrendje más időzónában maradjon, és ne lehessen éjfélkor lefoglalni.", "schedule_timezone_change": "Időzóna módosításának ütemezése", "date": "Dátum", "overlaps_with_existing_schedule": "Ez átfedésben van egy meglévő ütemezéssel. Kérjük, válasszon másik dátumot.", + "org_admin_no_slots|subject": "Nem található elérhetőség a következőhöz: {{name}}", + "org_admin_no_slots|heading": "Nem található elérhetőség a következőhöz: {{name}}", + "org_admin_no_slots|content": "Kedves szervezeti adminisztrátorok!

    Kérjük, vegye figyelembe: Felhívtuk a figyelmünket, hogy a(z) {{username}} nem volt elérhető, amikor egy felhasználó felkereste a(z) {{username}}/{{slug}} webhelyet.

    Van néhány ok, amiért ez megtörténhet
    A felhasználóhoz nem csatlakozik egyetlen naptár sem.
    Az eseményhez csatolt ütemterveik nincsenek engedélyezve

    Mi javasoljuk, hogy ellenőrizze elérhetőségüket a probléma megoldásához.", + "org_admin_no_slots|cta": "Nyissa meg a felhasználók elérhetőségét", + "organization_no_slots_notification_switch_title": "Értesítéseket kaphat, ha csapata nem áll rendelkezésre", + "organization_no_slots_notification_switch_description": "Az adminisztrátorok e-mailes értesítést kapnak, ha a felhasználó megpróbál lefoglalni egy csapattagot, és a „Nincs elérhetőség” üzenettel szembesül. Ezt az e-mailt két előfordulás után indítjuk el, és felhasználónként 7 naponta emlékeztetjük. ", "email_team_invite|subject|added_to_org": "{{user}} felvette Önt a(z) {{team}} szervezetbe a(z) {{appName}} alkalmazásban", "email_team_invite|subject|invited_to_org": "{{user}} meghívott, hogy csatlakozzon a(z) {{team}} szervezethez a(z) {{appName}} alkalmazásban", "email_team_invite|subject|added_to_subteam": "{{user}} felvette Önt a(z) {{parentTeamName}} szervezet {{team}} csapatába itt: {{appName}}", @@ -2401,5 +2426,19 @@ "no_show_url_info": "A nem látható visszajelzés URL-je", "no_support_needed": "Nincs szükség támogatásra?", "hide_support": "Támogatás elrejtése", + "event_ratings": "Átlagos értékelések", + "event_no_show": "Gazda nem jelent meg", + "recent_ratings": "Legutóbbi értékelések", + "no_ratings": "Nincs beküldött értékelés", + "no_ratings_description": "Adjon hozzá egy munkafolyamatot az „Értékelés” funkcióval az értékelések összegyűjtéséhez az értekezletek után", + "most_no_show_host": "Legtöbbször meg nem jelent tagok", + "highest_rated_members": "A legmagasabb értékelésű találkozókkal rendelkező tagok", + "lowest_rated_members": "A legalacsonyabbra értékelt ülésekkel rendelkező tagok", + "csat_score": "CSAT pontszám", + "lockedSMS": "Zárolt SMS", + "always_show_x_days": "Mindig {{x}} nap áll rendelkezésre", + "unable_to_subscribe_to_the_platform": "Hiba történt a platformcsomagra való előfizetés során. Kérjük, próbálja újra később", + "updating_oauth_client_error": "Hiba történt az OAuth-kliens frissítésekor. Kérjük, próbálja újra később", + "creating_oauth_client_error": "Hiba történt az OAuth-kliens létrehozásakor. Kérjük, próbálja újra később", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Adja hozzá az új karakterláncokat fent ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/id/common.json b/apps/web/public/static/locales/id/common.json index 78aa4c2f094f5f..6f0350d3e2418e 100644 --- a/apps/web/public/static/locales/id/common.json +++ b/apps/web/public/static/locales/id/common.json @@ -128,4 +128,4 @@ "no_account_exists": "Tidak ada akun dengan email tersebut.", "need_help": "Butuh bantuan?", "email_team_invite|subject|invited_to_regular_team": "{{user}} mengundangmu untuk bergabung ke tim {{team}} di {{appName}}" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/it/common.json b/apps/web/public/static/locales/it/common.json index 2aa97abf2a963a..c933d547f891ef 100644 --- a/apps/web/public/static/locales/it/common.json +++ b/apps/web/public/static/locales/it/common.json @@ -12,6 +12,7 @@ "have_any_questions": "Hai domande? Siamo qui per aiutare.", "reset_password_subject": "{{appName}}: istruzioni per reimpostare la password", "verify_email_subject": "{{appName}}: verifica il tuo account", + "verify_email_subject_verifying_email": "{{appName}}: Verifica la tua email", "check_your_email": "Controlla la tua e-mail", "old_email_address": "Vecchio indirizzo email", "new_email_address": "Nuovo indirizzo email", @@ -19,6 +20,7 @@ "verify_email_banner_body": "Verifica il tuo indirizzo e-mail per garantire la consegna delle e-mail e delle notifiche del calendario", "verify_email_email_header": "Verifica il tuo indirizzo e-mail", "verify_email_email_button": "Verifica l'e-mail", + "cal_ai_assistant": "Assistente IA di Cal", "verify_email_change_description": "Hai recentemente chiesto di cambiare l'indirizzo email che utilizzi per accedere al tuo account {{appName}}. Fai clic sul pulsante qui sotto pe confermare il tuo nuovo indirizzo email.", "verify_email_change_success_toast": "Indirizzo email aggiornato: {{email}}", "verify_email_change_failure_toast": "Aggiornamento email non riuscito.", @@ -81,6 +83,8 @@ "payment": "Pagamento", "missing_card_fields": "Campi della carta mancanti", "pay_now": "Paga ora", + "general_prompt": "General Prompt", + "begin_message": "Inizia messaggio", "codebase_has_to_stay_opensource": "Il codebase deve rimanere open source, che sia stato modificato o meno", "cannot_repackage_codebase": "Non è possibile rimontare o vendere il codebase", "acquire_license": "Acquista una licenza commerciale per rimuovere questi termini via email", @@ -108,7 +112,9 @@ "event_still_awaiting_approval": "Un evento è ancora in attesa della tua approvazione", "booking_submitted_subject": "Prenotazione inviata: {{title}} il {{date}}", "download_recording_subject": "Scarica registrazione: {{title}} alle {{date}}", + "download_transcript_email_subject": "Scarica trascrizione: {{title}} il {{date}}", "download_your_recording": "Scarica la tua registrazione", + "download_your_transcripts": "Scarica le trascrizioni", "your_meeting_has_been_booked": "Il tuo meeting è stata prenotato", "event_type_has_been_rescheduled_on_time_date": "Il tuo {{title}} è stato riprogrammato per il {{date}}.", "event_has_been_rescheduled": "Aggiornato: il tuo evento è stato riprogrammato", @@ -131,6 +137,7 @@ "invitee_timezone": "Fuso Orario dell' invitato", "time_left": "Tempo rimanente", "event_type": "Tipo di Evento", + "duplicate_event_type": "Duplica tipo di evento", "enter_meeting": "Inserisci Riunione", "video_call_provider": "Provider di videochiamate", "meeting_id": "Meeting ID", @@ -156,6 +163,9 @@ "link_expires": "p.s. Scade tra {{expiresIn}} ore.", "upgrade_to_per_seat": "Passa al piano Per-posto", "seat_options_doesnt_support_confirmation": "L'opzione di prenotazione dei posti non è disponibile per le prenotazioni che richiedono conferma", + "multilocation_doesnt_support_seats": "Le ubicazioni multiple non sono compatibili con l'opzione di prenotazione dei posti", + "no_show_fee_doesnt_support_seats": "La penale per mancata presentazione non è compatibile con l'opzione di prenotazione dei posti", + "seats_option_doesnt_support_multi_location": "L'opzione di prenotazione dei posti non supporta ubicazioni multiple", "team_upgrade_seats_details": "Per i {{memberCount}} membri del tuo team, {{unpaidCount}} posti non sono pagati. A € {{seatPrice}}/m per posto, il costo totale stimato della tua adesione è di € {{totalCost}}/m.", "team_upgrade_banner_description": "Grazie per aver provato il nostro piano team. Abbiamo notato che è necessario effettuare l'upgrade del tuo team \"{{teamName}}\".", "upgrade_banner_action": "Effettua l'upgrade", @@ -250,6 +260,7 @@ "create_account": "Crea Account", "confirm_password": "Conferma password", "reset_your_password": "Imposta la nuova password seguendo le istruzioni che ti sono state inviate via e-mail.", + "org_banner_instructions": "Carica un'immagine larga {{width}} e alta {{height}}.", "email_change": "Accedi di nuovo con il nuovo indirizzo e-mail e la nuova password.", "create_your_account": "Crea il tuo account", "create_your_calcom_account": "Crea il tuo accout Cal.com", @@ -322,8 +333,10 @@ "add_another_calendar": "Aggiungi un altro calendario", "other": "Altro", "email_sign_in_subject": "Link di accesso a {{appName}}", + "round_robin_emailed_you_and_attendees": "Avrai un incontro con {{user}}. Abbiamo inviato a tutti un'email di invito contenente tutte le informazioni.", "emailed_you_and_attendees": "Abbiamo inviato via email a te e agli altri partecipanti un invito al calendario con tutti i dettagli.", "emailed_you_and_attendees_recurring": "Abbiamo inviato via email a te e agli altri partecipanti un invito al primo di questi eventi ricorrenti.", + "round_robin_emailed_you_and_attendees_recurring": "Avrai un incontro con {{user}}. Abbiamo inviato a tutti un'email di invito contenente tutte le informazioni per il primo di questi eventi ricorrenti.", "emailed_you_and_any_other_attendees": "Tu e tutti gli altri partecipanti siete stati inviati via email con queste informazioni.", "needs_to_be_confirmed_or_rejected": "La tua prenotazione deve ancora essere confermata o rifiutata.", "needs_to_be_confirmed_or_rejected_recurring": "La tua riunione ricorrente deve ancora essere confermata o rifiutata.", @@ -615,6 +628,7 @@ "number_selected": "{{count}} selezionato/i", "owner": "Proprietario", "admin": "Amministratore", + "admin_api": "API di amministrazione", "administrator_user": "Utente amministratore", "lets_create_first_administrator_user": "Creiamo il primo utente amministratore.", "admin_user_created": "Impostazione utente amministratore", @@ -673,6 +687,7 @@ "user_from_team": "{{user}} da {{team}}", "preview": "Anteprima", "link_copied": "Link copiato!", + "copied": "Copiato!", "private_link_copied": "Link privato copiato!", "link_shared": "Link condiviso!", "title": "Titolo", @@ -690,6 +705,7 @@ "multiple_duration_mins": "{{count}} $t(minute_timeUnit)", "multiple_duration_timeUnit": "{{count}} $t({{unit}}_timeUnit)", "minutes": "Minuti", + "use_cal_ai_to_make_call_description": "Usa Cal.ai per avere un numero di telefono gestito dalla IA o per chiamare agli ospiti.", "round_robin": "Round Robin", "round_robin_description": "Ciclo di riunioni tra più membri del team.", "managed_event": "Evento gestito", @@ -704,7 +720,9 @@ "you_must_be_logged_in_to": "Devi effettuare l'accesso a {{url}}", "start_assigning_members_above": "Inizia ad assegnare membri in alto", "locked_fields_admin_description": "I membri non potranno fare modifiche", + "unlocked_fields_admin_description": "I membri possono fare modifiche", "locked_fields_member_description": "Questa opzione è stata bloccata dall'amministratore del team", + "unlocked_fields_member_description": "Sbloccato dall'amministratore del team", "url": "URL", "hidden": "Nascosto", "readonly": "Sola lettura", @@ -807,6 +825,8 @@ "label": "Etichetta", "placeholder": "Segnaposto", "display_add_to_calendar_organizer": "Visualizza l'email \"Aggiungi al calendario\" come organizzatore", + "display_email_as_organizer": "Indicheremo questo indirizzo email come organizzatore e invieremo qui le email di conferma.", + "if_enabled_email_address_as_organizer": "Se attivata, indicheremo l'indirizzo email del tuo \"Aggiungi al calendario\" come organizzatore e invieremo a tale indirizzo le email di conferma", "reconnect_calendar_to_use": "Nota che potrebbe essere necessario disconnettere e poi riconnettere l'account \"Aggiungi al calendario\" per utilizzare questa funzione.", "type": "Tipo", "edit": "Modifica", @@ -980,8 +1000,8 @@ "verify_wallet": "Verifica Wallet", "create_events_on": "Crea eventi su:", "enterprise_license": "Questa è una funzione Enterprise", - "enterprise_license_description": "Per abilitare questa funzione, ottenere una chiave di distribuzione presso la console {{consoleUrl}} e aggiungerla al proprio .env come CALCOM_LICENSE_KEY. Nel caso il team possieda già una licenza, contattare {{supportMail}} per assistenza.", - "enterprise_license_development": "Puoi testare questa funzionalità in modalità sviluppo. Per l'utilizzo in produzione, l'amministratore deve accedere a <2>/auth/setup e immettere la chiave di licenza.", + "enterprise_license_locally": "Puoi testare questa funzione localmente ma non in ambiente di produzione.", + "enterprise_license_sales": "Per passare all'edizione aziendale, contatta i nostri agenti di vendita. Se esiste già una chiave di licenza, contatta support@cal.com per chiedere assistenza.", "missing_license": "Licenza mancante", "next_steps": "Prossimi Passi", "acquire_commercial_license": "Acquista una licenza commerciale", @@ -1080,6 +1100,7 @@ "make_team_private": "Rendi il team privato", "make_team_private_description": "Quando questa opzione è attivata, i membri del tuo team non potranno vedere gli altri membri del team.", "you_cannot_see_team_members": "Non è possibile vedere tutti i membri di un team privato.", + "you_cannot_see_teams_of_org": "Non puoi vedere i team di un'organizzazione privata.", "allow_booker_to_select_duration": "Consenti alla persona che prenota di selezionare la durata", "impersonate_user_tip": "Ogni utilizzo di questa funzionalità viene controllato.", "impersonating_user_warning": "Accesso con l'identità dell'utente \"{{user}}\".", @@ -1117,6 +1138,7 @@ "connect_apple_server": "Connetti al server Apple", "calendar_url": "URL del calendario", "apple_server_generate_password": "Genera una password specifica dell'app da usare con {{appName}} presso", + "unable_to_add_apple_calendar": "Impossibile aggiungere questo account Apple Calendar. Assicurati di usare una password specifica per l'app e non la password del tuo account.", "credentials_stored_encrypted": "Le tue credenziali verranno memorizzate e crittografate.", "it_stored_encrypted": "Sarà memorizzata e crittografata.", "go_to_app_store": "Vai all'App Store", @@ -1234,6 +1256,7 @@ "reminder": "Promemoria", "rescheduled": "Riprogrammato", "completed": "Completato", + "rating": "Valutazione", "reminder_email": "Promemoria: {{eventType}} con {{name}} il {{date}}", "not_triggering_existing_bookings": "Non verrà attivato per le prenotazioni già esistenti, in quanto agli utenti verrà chiesto di specificare il numero di telefono al momento della prenotazione dell'evento.", "minute_one": "{{count}} minuto", @@ -1268,6 +1291,7 @@ "upgrade": "Effettua l'upgrade", "upgrade_to_access_recordings_title": "Effettua l'upgrade per accedere alle registrazioni", "upgrade_to_access_recordings_description": "Le registrazioni sono disponibili solo con il piano team. Effettua l'upgrade per registrare le tue chiamate", + "upgrade_to_cal_ai_phone_number_description": "Passa a Enterprise per generare un numero di telefono con operatore IA, in grado di contattare gli ospiti per pianificare le chiamate", "recordings_are_part_of_the_teams_plan": "Le registrazioni sono disponibili con il piano team", "team_feature_teams": "Questa è una funzionalità del piano Team. Effettua l'upgrade al piano Team per vedere la disponibilità del tuo team.", "team_feature_workflows": "Questa è una funzionalità del piano Team. Effettua l'upgrade al piano Team per automatizzare le notifiche e i promemoria degli eventi con i flussi di lavoro.", @@ -1414,7 +1438,12 @@ "download_responses_description": "Scarica tutte le risposte al tuo modulo in formato CSV.", "download": "Scarica", "download_recording": "Scarica registrazione", + "transcription_enabled": "Le trascrizioni sono attivate", + "transcription_stopped": "Le trascrizioni non sono attive", + "download_transcript": "Scarica trascrizione", "recording_from_your_recent_call": "La registrazione della tua recente chiamata su {{appName}} è pronta per il download", + "transcript_from_previous_call": "La trascrizione dalla tua recente chiamata su {{appName}} è pronta per essere scaricata. I link sono validi solo per 1 ora", + "link_valid_for_12_hrs": "Nota: Il link per il download è valido solo per 12 ore. Puoi generare un nuovo link di download seguendo le istruzioni <1>qui.", "create_your_first_form": "Crea il tuo primo modulo", "create_your_first_form_description": "I Moduli di instradamento consentono di porre domande qualificanti agli utenti per indirizzarli a persone o eventi pertinenti.", "create_your_first_webhook": "Crea il tuo primo Webhook", @@ -1466,6 +1495,7 @@ "routing_forms_description": "Crea moduli per indirizzare i partecipanti alle destinazioni corrette", "routing_forms_send_email_owner": "Invia e-mail al proprietario", "routing_forms_send_email_owner_description": "Invia un'e-mail al proprietario quando il modulo viene inviato", + "routing_forms_send_email_to": "Invia email a", "add_new_form": "Aggiungi nuovo modulo", "add_new_team_form": "Aggiungi un nuovo modulo per il tuo team", "create_your_first_route": "Crea il tuo primo percorso", @@ -1512,8 +1542,6 @@ "report_app": "Segnala app", "limit_booking_frequency": "Limita frequenza di prenotazione", "limit_booking_frequency_description": "Indica quante volte è possibile prenotare questo evento", - "limit_booking_only_first_slot": "Limita prenotazione solo prima fascia", - "limit_booking_only_first_slot_description": "Consenti la prenotazione solo nella prima fascia oraria di ogni giorno", "limit_total_booking_duration": "Limita durata totale prenotazione", "limit_total_booking_duration_description": "Indicare la quantità di tempo totale disponibile per prenotare questo evento", "add_limit": "Aggiungi limite", @@ -1615,6 +1643,8 @@ "test_routing": "Test instradamento", "payment_app_disabled": "Un amministratore ha disabilitato un'app di pagamento", "edit_event_type": "Modifica tipo di evento", + "only_admin_can_see_members_of_org": "Questa organizzazione è privata e solo l'amministratore o il proprietario dell'organizzazione può visualizzare i suoi membri.", + "only_admin_can_manage_sso_org": "Solo l'amministratore o il proprietario dell'organizzazione può gestire le impostazioni SSO", "collective_scheduling": "Pianificazione collettiva", "make_it_easy_to_book": "Facilita la prenotazione del tuo team quando tutti sono disponibili.", "find_the_best_person": "Trova la persona più adatta disponibile e fai ruotare i membri del team.", @@ -1674,6 +1704,7 @@ "meeting_url_variable": "URL della riunione", "meeting_url_info": "URL dell'evento, dell'incontro o della conferenza", "date_overrides": "Configurazione date specifiche", + "date_overrides_delete_on_date": "Cancella configurazione specifica per il {{date}}", "date_overrides_subtitle": "Aggiungi le date in cui la tua disponibilità differisce dall'orario giornaliero.", "date_overrides_info": "Le configurazioni valide per date specifiche vengono archiviate automaticamente dopo tali date", "date_overrides_dialog_which_hours": "In quali orari sei libero/a?", @@ -1747,6 +1778,7 @@ "configure": "Configura", "sso_configuration": "Configurazione SAML", "sso_configuration_description": "Configura accesso SSO tramite SAML/OIDC e consenti ai membri del team di accedere utilizzando un provider di identità", + "sso_configuration_description_orgs": "Configura l'accesso SSO con SAML/OIDC per consentire ai membri dell'organizzazione di accedere utilizzando un provider di identità", "sso_oidc_heading": "SSO con OIDC", "sso_oidc_description": "Configura accesso SSO tramite OIDC con un provider di identità di tua scelta.", "sso_oidc_configuration_title": "Configurazione OIDC", @@ -1887,7 +1919,15 @@ "requires_at_least_one_schedule": "È necessario avere almeno un programma", "default_conferencing_bulk_description": "Aggiorna le posizioni per i tipi di eventi selezionati", "locked_for_members": "Bloccato per i membri", + "unlocked_for_members": "Sbloccato per i membri", "apps_locked_for_members_description": "I membri potranno vedere le app attive, ma non potranno modificare le impostazioni delle app", + "apps_unlocked_for_members_description": "I membri potranno vedere le app attive e modificare le impostazioni delle app", + "apps_locked_by_team_admins_description": "Potrai vedere le app attive, ma non potrai modificare le impostazioni delle app", + "apps_unlocked_by_team_admins_description": "Potrai vedere le app attive e modificare le impostazioni delle app", + "workflows_locked_for_members_description": "I membri non possono aggiungere i loro flussi di lavoro personali a questo tipo di evento. I membri potranno vedere i flussi di lavoro attivi del team, ma non potranno modificare le impostazioni dei flussi di lavoro.", + "workflows_unlocked_for_members_description": "I membri possono aggiungere i loro flussi di lavoro personali a questo tipo di evento. I membri potranno vedere i flussi di lavoro attivi del team, ma non potranno modificare le impostazioni dei flussi di lavoro.", + "workflows_locked_by_team_admins_description": "Potrai vedere i flussi di lavoro attivi del team, ma non potrai modificare le impostazioni dei flussi di lavoro né aggiungere i tuoi flussi di lavoro personali a questo tipo di evento.", + "workflows_unlocked_by_team_admins_description": "Potrai attivare/disattivare flussi di lavoro personali su questo tipo di evento. Potrai vedere i flussi di lavoro attivi del team, ma non potrai modificare le impostazioni dei flussi di lavoro.", "locked_by_team_admin": "Bloccato dall'amministratore del team", "app_not_connected": "Non è stato connesso un account di {{appName}}.", "connect_now": "Connetti ora", @@ -1904,6 +1944,7 @@ "filters": "Filtri", "add_filter": "Aggiungi filtro", "remove_filters": "Cancella tutti i filtri", + "email_verified": "Email verificata", "select_user": "Seleziona utente", "select_event_type": "Seleziona tipo di evento", "select_date_range": "Seleziona intervallo di date", @@ -2001,12 +2042,16 @@ "organization_banner_description": "Crea ambienti dove i tuoi team potranno creare e condividere applicazioni, flussi di lavoro e tipi di eventi con pianificazioni di gruppo e round robin.", "organization_banner_title": "Gestisci organizzazioni con più team", "set_up_your_organization": "Imposta la tua organizzazione", + "set_up_your_platform_organization": "Configura la tua piattaforma", "organizations_description": "Le organizzazioni sono ambienti condivisi dove i team possono creare e condividere tipi di eventi, applicazioni, flussi di lavoro e altro ancora.", + "platform_organization_description": "La piattaforma Cal.com ti permette di integrare facilmente la pianificazione nella tua app utilizzando API e atom della piattaforma.", "must_enter_organization_name": "È necessario inserire il nome dell'organizzazione", "must_enter_organization_admin_email": "È necessario inserire l'indirizzo e-mail dell'organizzazione", "admin_email": "Il tuo indirizzo e-mail nell'organizzazione", + "platform_admin_email": "Indirizzo email dell'amministratore", "admin_username": "Nome utente dell'amministratore", "organization_name": "Nome dell'organizzazione", + "platform_name": "Nome della piattaforma", "organization_url": "URL dell'organizzazione", "organization_verify_header": "Verifica il tuo indirizzo e-mail", "organization_verify_email_body": "Usa il codice sottostante per verificare il tuo indirizzo e-mail e proseguire la configurazione dell'organizzazione.", @@ -2080,6 +2125,7 @@ "organizations": "Organizzazioni", "upload_cal_video_logo": "Carica il logo Cal Video", "update_cal_video_logo": "Aggiorna il logo Cal Video", + "upload_banner": "Carica banner", "cal_video_logo_upload_instruction": "Per fare in modo che il tuo logo sia visibile sullo sfondo scuro del video Cal, carica un'immagine di colore chiaro in formato PNG o SVG per mantenere la trasparenza.", "org_admin_other_teams": "Atri team", "org_admin_other_teams_description": "Qui puoi vedere i team di cui non fai parte all'interno della tua organizzazione. Puoi entrare a far parte di tali team se necessario.", @@ -2138,6 +2184,23 @@ "scheduling_for_your_team_description": "Usa la programmazione collettiva e round robin per il tuo team", "no_members_found": "Nessun membro trovato", "directory_sync": "Directory Sync", + "directory_name": "Nome directory", + "directory_provider": "Provider directory", + "directory_scim_url": "URL base SCIM", + "directory_scim_token": "Token SCIM al portatore", + "directory_scim_url_copied": "ULR base SCIM copiato", + "directory_scim_token_copied": "Token SCIM al portatore copiato", + "directory_sync_info_description": "Il tuo provider di identità chiederà le seguenti informazioni per configurare SCIM. Segui le istruzioni per completare la configurazione.", + "directory_sync_configure": "Configura sincronizzazione directory", + "directory_sync_configure_description": "Scegli un provider di identità per configurare la directory per il tuo team.", + "directory_sync_title": "Configurare un provider di identità per iniziare con SCIM.", + "directory_sync_created": "Connessione per sincronizzazione directory creata.", + "directory_sync_description": "Crea ed elimina account degli utenti presso il servizio di directory.", + "directory_sync_deleted": "Connessione per sincronizzazione directory eliminata.", + "directory_sync_delete_connection": "Elimina Connessione", + "directory_sync_delete_title": "Elimina connessione di sincronizzazione directory", + "directory_sync_delete_description": "Confermi di voler eliminare questa connessione di sincronizzazione directory?", + "directory_sync_delete_confirmation": "Questa operazione non può essere annullata. Eliminerà definitivamente la connessione di sincronizzazione della directory.", "event_setup_length_error": "Impostazione evento: la durata deve essere di almeno 1 minuto.", "availability_schedules": "Calendario disponibilità", "unauthorized": "Non autorizzato", @@ -2153,6 +2216,8 @@ "access_bookings": "Leggere, modificare, eliminare le tue prenotazioni", "allow_client_to_do": "Consentire a {{clientName}} di farlo?", "oauth_access_information": "Facendo clic su Consenti, consentirai a questa applicazione di usare i tuoi dati in conformità ai suoi termini di servizio e informativa sulla privacy. Puoi revocare l'accesso nelle impostazioni di {{appName}} nell'App Store.", + "oauth_form_title": "Modulo di creazione client OAuth", + "oauth_form_description": "Questo è il modulo per creare un nuovo client OAuth", "allow": "Consenti", "view_only_edit_availability_not_onboarded": "Questo utente non ha completato l'onboarding. Non sarai in grado di impostare la sua disponibilità fino a quando non avrà completato l'onboarding.", "view_only_edit_availability": "Stai visualizzando la disponibilità di questo utente. Puoi solo modificare la tua disponibilità.", @@ -2175,6 +2240,8 @@ "availabilty_schedules": "Programmi di disponibilità", "manage_calendars": "Gestisci calendari", "manage_availability_schedules": "Gestisci programmi di disponibilità", + "locked": "Bloccato", + "unlocked": "Sbloccato", "lock_timezone_toggle_on_booking_page": "Blocca fuso orario nella pagina di prenotazione", "description_lock_timezone_toggle_on_booking_page": "Per bloccare il fuso orario nella pagina di prenotazione, utile per gli eventi di persona.", "event_setup_multiple_payment_apps_error": "Puoi avere solo un'app di pagamento abilitata per ciascun tipo di evento.", @@ -2194,7 +2261,8 @@ "advanced_managed_events_description": "Indica una singola carta di credito per pagare tutti gli abbonamenti del tuo team", "enterprise_description": "Passa a Enterprise per creare la tua organizzazione", "create_your_org": "Crea la tua organizzazione", - "create_your_org_description": "Passa a Enterprise per avere sottodominio, fatturazione unificata, approfondimenti, personalizzazione completa e altro ancora", + "create_your_org_description": "Passa a Organizations per avere sottodominio, fatturazione unificata, approfondimenti, personalizzazione completa e altro ancora", + "create_your_enterprise_description": "Passa a Enterprise per poter utilizzare la sincronizzazione per Active Directory, la configurazione automatica SCIM degli utenti, gli operatori vocali Cal.ai, l'API di amministrazione e altro ancora!", "other_payment_app_enabled": "Puoi attivare solo un'app di pagamento per ciascun tipo di evento", "admin_delete_organization_description": "
    • Verranno eliminati anche i team che sono membri di questa organizzazione, insieme ai rispettivi tipi di evento
    • Gli utenti che facevano parte dell'organizzazione non verranno eliminati e anche i loro tipi di evento rimarranno inalterati.
    • I nomi utente saranno modificati in modo che possano esistere al di fuori dell'organizzazione
    ", "admin_delete_organization_title": "Eliminare {{organizationName}}?", @@ -2205,6 +2273,10 @@ "troubleshooter_tooltip": "Apri lo strumento di soluzione dei problemi per individuare il problema del tuo programma", "need_help": "Hai bisogno di aiuto?", "troubleshooter": "Risoluzione problemi", + "number_to_call": "Numero da chiamare", + "guest_name": "Nome ospite", + "guest_email": "E-mail ospite", + "guest_company": "Azienda ospite", "please_install_a_calendar": "Installa un calendario", "instant_tab_title": "Prenotazione immediata", "instant_event_tab_description": "Consenti alle persone di prenotare immediatamente", @@ -2212,6 +2284,7 @@ "dont_want_to_wait": "Non vuoi aspettare?", "meeting_started": "Riunione iniziata", "pay_and_book": "Pagare per prenotare", + "cal_ai_event_tab_description": "Consenti agli operatori IA di prenotare", "booking_not_found_error": "Prenotazione non trovata", "booking_seats_full_error": "I posti sono esauriti", "missing_payment_credential_error": "Credenziali di pagamento mancanti", @@ -2251,6 +2324,7 @@ "redirect_to": "Reindirizza a", "having_trouble_finding_time": "Non riesci a trovare un orario?", "show_more": "Mostra altro", + "forward_params_redirect": "Parametri di inoltro come ?email=...&name=.... e altri", "assignment_description": "Pianifica le riunioni quando tutti sono disponibili, oppure ruota tra i membri del tuo team", "lowest": "più basso", "low": "basso", @@ -2264,17 +2338,140 @@ "field_identifiers_as_variables": "Usa gli identificatori di campo come variabili per il reindirizzamento dell'evento personalizzato", "field_identifiers_as_variables_with_example": "Usa gli identificatori di campo come variabili per il reindirizzamento dell'evento personalizzato (es: {{variable}})", "account_already_linked": "L'account è già collegato", + "send_email": "Invia e-mail", + "mark_as_no_show": "Contrassegna come Mancata presentazione", + "unmark_as_no_show": "Elimina contrassegno di Mancata presentazione", + "account_unlinked_success": "Account scollegato correttamente", + "account_unlinked_error": "Si è verificato un errore nello scollegare l'account", + "travel_schedule": "Programma di viaggio", + "travel_schedule_description": "Pianifica il tuo viaggio anticipatamente per mantenere il tuo programma esistente in un fuso orario diverso ed evitare di avere prenotazioni a mezzanotte.", + "schedule_timezone_change": "Programma un cambio di fuso orario", + "date": "Data", + "overlaps_with_existing_schedule": "Si sovrappone con un altro programma. Seleziona una data diversa.", + "org_admin_no_slots|subject": "Nessuna disponibilità trovata per {{name}}", + "org_admin_no_slots|heading": "Nessuna disponibilità trovata per {{name}}", + "org_admin_no_slots|content": "Gentili amministratori,

    vi preghiamo di notare: ci è stato segnalato che {{username}} non aveva alcuna disponibilità quando un utente ha visitato {{username}}/{{slug}}

    Le possibili ragioni di ciò sono le seguenti
    L'utente non ha calendari collegati
    Le sue pianificazioni collegate a questo evento non sono abilitate

    Vi invitiamo di controllare la sua disponibilità per risolvere il problema.", + "org_admin_no_slots|cta": "Apri disponibilità utenti", + "organization_no_slots_notification_switch_title": "Ricevi una notifica quando il tuo team non ha disponibilità", + "organization_no_slots_notification_switch_description": "Gli amministratori riceveranno una notifica via email quando un utente cerca di prenotare un membro del team e riceve il messaggio \"Nessuna disponibilità\". Questa email viene attivata dopo due casi, e riceverai un promemoria ogni 7 giorni per ciascun utente. ", + "email_team_invite|subject|added_to_org": "{{user}} ti ha inserito nell'organizzazione {{team}} su {{appName}}", + "email_team_invite|subject|invited_to_org": "{{user}} ti ha invitato nell'organizzazione {{team}} su {{appName}}", + "email_team_invite|subject|added_to_subteam": "{{user}} ti ha inserito nel team {{team}} dell'organizzazione {{parentTeamName}} su {{appName}}", "email_team_invite|subject|invited_to_subteam": "{{user}} ti ha invitato a entrare nel team {{team}} dell'organizzazione {{parentTeamName}} su {{appName}}", "email_team_invite|subject|invited_to_regular_team": "{{user}} ti ha invitato a unirti alla squadra {{team}} su {{appName}}", + "email_team_invite|heading|added_to_org": "Sei stato inserito in un'organizzazione su {{appName}}", + "email_team_invite|heading|invited_to_org": "Sei stato invitato in un'organizzazione su {{appName}}", + "email_team_invite|heading|added_to_subteam": "Sei stato inserito in un team dell'organizzazione {{parentTeamName}}", + "email_team_invite|heading|invited_to_subteam": "Sei stato invitato in un team dell'organizzazione {{parentTeamName}}", "email_team_invite|heading|invited_to_regular_team": "Hai ricevuto un invito a entrare a far parte del team di {{appName}}", + "email_team_invite|content|added_to_org": "{{invitedBy}} ti ha inserito nell'organizzazione {{teamName}}.", + "email_team_invite|content|invited_to_org": "{{invitedBy}} ti ha invitato nell'organizzazione {{teamName}}.", + "email_team_invite|content|added_to_subteam": "{{invitedBy}} ti ha inserito nel team {{teamName}} della sua organizzazione {{parentTeamName}}. {{appName}} è lo strumento di programmazione degli eventi che consente a te e al tuo team di programmare riunioni senza infiniti scambi di email.", + "email_team_invite|content|invited_to_subteam": "{{invitedBy}} ti ha invitato nel team {{teamName}} della sua organizzazione {{parentTeamName}}. {{appName}} è lo strumento di programmazione degli eventi che consente a te e al tuo team di programmare riunioni senza infiniti scambi di email.", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} ti ha invitato a unirti al suo team `{{teamName}}` su {{appName}}. {{appName}} è uno strumento di pianificazione di eventi che permette a te e al tuo team di pianificare le riunioni senza scambiare decine di e-mail.", + "email|existing_user_added_link_will_change": "Se accetti l'invito, il tuo link avrà il dominio della tua organizzaziona ma non temere, tutti i link precedenti continueranno a funzionare, con l'opportuno reindirizzamento.

    Nota bene: tutti i tuoi tipi di evento personali verrano spostati nell'organizzazione {teamName}, inclusi potenzialmente i link personali.

    Per gli eventi personali, consigliamo di creare un nuovo account con un indirizzo e-mail personale.", + "email|existing_user_added_link_changed": "Il tuo link è stato modificato da {prevLinkWithoutProtocol} a {newLinkWithoutProtocol} ma non temere, tutti i link precedenti continuano a funzionare, con l'opportunio reindirizzamento.

    Nota bene: tutti i tuoi tipi di evento personali sono stati spostati nell'organizzazione {teamName}, inclusi potenzialmente i link personali.

    Accedi e controlla di non avere eventi nel tuo nuovo account presso l'organizzazione.

    Per gli eventi personali consigliamo di creare un nuovo account con un indirizzo email personale.

    Ecco il tuo nuovo link: {newLinkWithoutProtocol}", + "email_organization_created|subject": "La tua organizzazione è stata creata", + "your_current_plan": "Il tuo piano attuale", + "organization_price_per_user_month": "$37 per utente al mese (minimo 30 posti)", + "privacy_organization_description": "Gestisci le impostazioni della privacy per la tua organizzazione", "privacy": "Privacy", + "team_will_be_under_org": "I nuovi team saranno nella tua organizzazione", + "add_group_name": "Aggiungi nome gruppo", + "group_name": "Nome gruppo", + "routers": "Instradatori", "primary": "Principale", "make_primary": "Rendi principale", "add_email": "Aggiungi Email", "add_email_description": "Aggiungi un indirizzo email con cui sostituire quello principale o da utilizzare come email alternativa per i tipi di evento.", "confirm_email": "Conferma la tua email", + "scheduler_first_name": "Nome della persona che prenota", + "scheduler_last_name": "Cognome della persona che prenota", + "organizer_first_name": "Il tuo nome", "confirm_email_description": "Abbiamo inviato un'email a {{email}}. Clicca sul link nell'email per verificare questo indirizzo.", "send_event_details_to": "Invia dettagli evento a", + "schedule_tz_without_end_date": "Pianifica fuso orario senza data finale", + "select_members": "Seleziona membri", + "lock_event_types_modal_header": "Cosa si deve fare con i tipi di eventi esistenti di questo membro?", + "org_delete_event_types_org_admin": "Tutti i tipi di evento individuali dei membri (tranne quelli gestiti) verranno eliminati definitivamente. Non potranno crearne di nuovi", + "org_hide_event_types_org_admin": "I tipi di eventi individuali dei membri (tranne quelli gestiti) non saranno visibili nei profili, ma i link rimarranno attivi. Non potranno crearne di nuovi. ", + "hide_org_eventtypes": "Nascondi tipi di evento individuali", + "delete_org_eventtypes": "Elimina tipi di evento individuali", + "lock_org_users_eventtypes": "Blocca la creazione di tipi di evento individuali", + "lock_org_users_eventtypes_description": "Impedisci ai membri di creare propri tipi di evento.", + "add_to_event_type": "Aggiungi al tipo di evento", + "create_account_password": "Crea password per l'account", + "error_creating_account_password": "Non è stato possibile creare la password per l'account", + "cannot_create_account_password_cal_provider": "Impossibile creare password per gli account cal", + "cannot_create_account_password_already_existing": "Impossibile creare password per account già creati", + "create_account_password_hint": "Non hai una password per l'account, creane una andando su Sicurezza -> Password. La disconnessione non è possibile finché non viene creata una password per l'account.", + "disconnect_account": "Disconnetti l'account", + "disconnect_account_hint": "La disconnessione dell'account modifica la tua modalità di accesso. Potrai accedere all'account solamente tramite email + password", + "cookie_consent_checkbox": "Accetto le norme sulla privacy e l'utilizzo dei cookie", + "make_a_call": "Fai una chiamata", + "skip_rr_assignment_label": "Salta assegnazione round robin se il contatto è esistente in Salesforce", + "skip_rr_description": "L'URL deve contenere l'email del contatto come parametro. Esempio: ?email=contactEmail", + "select_account_header": "Seleziona account", + "select_account_description": "Installa {{appName}} nel tuo account personale o in un account di gruppo.", + "select_event_types_header": "Seleziona tipi di evento", + "select_event_types_description": "Su quale tipo di evento vuoi installare {{appName}}?", + "configure_app_header": "Configura {{appName}}", + "configure_app_description": "Completa l'installazione dell'app. Puoi modificare le impostazioni in seguito.", + "already_installed": "già installata", + "ooo_reasons_unspecified": "Non specificato", + "ooo_reasons_vacation": "Vacanza", + "ooo_reasons_travel": "Viaggio", + "ooo_reasons_sick_leave": "Assenza per malattia", + "ooo_reasons_public_holiday": "Festività pubblica", + "ooo_forwarding_to": "Inoltro a {{username}}", + "ooo_not_forwarding": "Nessun inoltro", + "ooo_empty_title": "Crea un'assenza", + "ooo_empty_description": "Comunica alle persone interessate quando non sarai disponibile per le prenotazioni. Potranno comunque prenotare incontri con te al tuo ritorno, oppure puoi indirizzarli a un altro membro del tuo team.", + "ooo_user_is_ooo": "{{displayName}} è assente", + "ooo_slots_returning": "<0>{{displayName}} può incaricarsi delle sue riunioni durante la sua assenza.", + "ooo_slots_book_with": "Prenota {{displayName}}", + "ooo_create_entry_modal": "Inizia assenza", + "ooo_select_reason": "Seleziona motivo", + "create_an_out_of_office": "Inizia assenza", + "submit_feedback": "Invia feedback", + "host_no_show": "L'organizzatore non si è presentato", + "no_show_description": "Puoi programmare un nuovo incontro", + "how_can_we_improve": "Come possiamo migliorare il nostro servizio?", + "most_liked": "Cosa ti è piaciuto di più?", + "review": "Rivedere", + "reviewed": "Con recensione", + "unreviewed": "Senza recensione", + "rating_url_info": "L'URL del modulo di valutazione", + "no_show_url_info": "L'URL del modulo per Mancata presentazione", + "no_support_needed": "Assistenza non necessaria?", + "hide_support": "Nascondi assistenza", + "event_ratings": "Valutazione media", + "event_no_show": "Mancata presentazione dell'organizzatore", + "recent_ratings": "Valutazioni recenti", + "no_ratings": "Nessuna valutazione inviata", + "no_ratings_description": "Aggiungi un flusso di lavoro con \"Valutazione\" per raccogliere valutazioni dopo gli incontri", + "most_no_show_host": "Membri con maggior numero di mancate presentazioni", + "highest_rated_members": "Membri con la valutazione più alta per gli incontri", + "lowest_rated_members": "Membri con la valutazione più bassa per gli incontri", + "csat_score": "Punteggio CSAT", + "lockedSMS": "SMS bloccati", + "signing_up_terms": "Proseguendo, accetti i nostri <0>Termini e l'<1>Informativa sulla privacy.", + "leave_without_assigning_anyone": "Uscire senza effettuare assegnazioni?", + "leave_without_adding_attendees": "Confermi di voler uscire da questo evento senza aggiungere partecipanti?", + "no_availability_shown_to_bookers": "Se non assegni nessuno a questo evento, chi prenota non vedrà alcuna disponibilità.", + "go_back_and_assign": "Torna indietro ed effettua assegnazione", + "leave_without_assigning": "Esci senza assegnazioni", + "always_show_x_days": "Sempre {{x}} giorni disponibili", + "unable_to_subscribe_to_the_platform": "Si è verificato un errore durante il tentativo di abbonamento al piano Platform, riprova più tardi", + "updating_oauth_client_error": "Si è verificato un errore durante l'aggiornamento del client OAuth, riprova più tardi", + "creating_oauth_client_error": "Si è verificato un errore in fase di creazione del client OAuth, riprova più tardi", + "mark_as_no_show_title": "Contrassegna come Mancata presentazione", + "x_marked_as_no_show": "{{x}} contrassegnati come Mancata presentazione", + "x_unmarked_as_no_show": "Rimossi {{x}} contrassegni di Mancata presentazione", + "no_show_updated": "Stato di Mancata presentazione aggiornato per i partecipanti", + "email_copied": "Email copiata", + "USER_PENDING_MEMBER_OF_THE_ORG": "L'utente è un membro in sospeso dell'organizzazione", + "USER_ALREADY_INVITED_OR_MEMBER": "L'utente è già stato invitato o è un membro", + "USER_MEMBER_OF_OTHER_ORGANIZATION": "L'utente è membro di un'organizzazione di cui questo team non fa parte.", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Aggiungi le tue nuove stringhe qui sopra ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/ja/common.json b/apps/web/public/static/locales/ja/common.json index 3b33dba36929ab..6c77e3eaa64015 100644 --- a/apps/web/public/static/locales/ja/common.json +++ b/apps/web/public/static/locales/ja/common.json @@ -937,8 +937,6 @@ "verify_wallet": "ウォレットを確認する", "create_events_on": "以下にイベントを作成する:", "enterprise_license": "これは企業向けの機能です", - "enterprise_license_description": "この機能を有効にするには、{{consoleUrl}} コンソールでデプロイメントキーを入手して .env に CALCOM_LICENSE_KEY として追加してください。既にチームがライセンスを持っている場合は {{supportMail}} にお問い合わせください。", - "enterprise_license_development": "この機能は開発モードでテストできます。本番環境で使用するには、管理者に <2>/auth/setup にアクセスするよう依頼し、ライセンスキーを入力してもらってください。", "missing_license": "ライセンスが見つかりません", "next_steps": "次のステップ", "acquire_commercial_license": "商用ライセンスを取得する", @@ -1422,6 +1420,8 @@ "copy_link_to_form": "フォームへのリンクをコピー", "theme": "テーマ", "theme_applies_note": "公開予約ページにのみ適用されます", + "app_theme": "ダッシュボードのテーマ", + "app_theme_applies_note": "これは、ログインしているダッシュボードにのみ適用されます", "theme_system": "システムデフォルト", "add_a_team": "チームを追加", "add_webhook_description": "{{appName}} で何かが起こったときに会議データをリアルタイムに受信します", @@ -2095,9 +2095,10 @@ "extensive_whitelabeling": "専用のオンボーディングサポートとエンジニアリングサポート", "need_help": "サポートが必要ですか?", "show_more": "さらに表示", + "send_email": "メールを送信", "email_team_invite|subject|invited_to_regular_team": "{{user}} があなたを {{appName}} のチーム {{team}} に招待しました", "email_team_invite|heading|invited_to_regular_team": "{{appName}} チームに参加するよう招待されました", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}}から{{appName}}の「{{teamName}}」に参加するよう招待されました。{{appName}}はイベント調整スケジューラーで、チーム内で延々とメールのやりとりをすることなく、ミーティングのスケジュールを設定できます。", "privacy": "プライバシー", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ この上に新しい文字列を追加してください ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/km/common.json b/apps/web/public/static/locales/km/common.json index 4b7b10eb926685..2f4b64c6194ffe 100644 --- a/apps/web/public/static/locales/km/common.json +++ b/apps/web/public/static/locales/km/common.json @@ -253,4 +253,4 @@ "user": "អ្នកប្រើប្រាស់", "general_description": "គ្រប់គ្រងការកំណត់សម្រាប់ភាសា និងល្វែងម៉ោងរបស់អ្នក។", "timezone_variable": "ល្វែងម៉ោង" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/ko/common.json b/apps/web/public/static/locales/ko/common.json index 6bb5439ed7c8c3..fc706852ae70fe 100644 --- a/apps/web/public/static/locales/ko/common.json +++ b/apps/web/public/static/locales/ko/common.json @@ -937,8 +937,6 @@ "verify_wallet": "지갑 인증", "create_events_on": "이벤트 생성일:", "enterprise_license": "엔터프라이즈 기능입니다", - "enterprise_license_description": "이 기능을 활성화하려면 {{consoleUrl}} 콘솔에서 배포 키를 가져와 .env에 CALCOM_LICENSE_KEY로 추가하세요. 팀에 이미 라이선스가 있는 경우 {{supportMail}}에 문의하여 도움을 받으세요.", - "enterprise_license_development": "개발 모드에서 이 기능을 테스트할 수 있습니다. 프로덕션 용도의 경우 관리자가 <2>/auth/setup으로 이동하여 라이선스 키를 입력하도록 하십시오.", "missing_license": "라이선스 없음", "next_steps": "다음 단계", "acquire_commercial_license": "상용 라이선스 취득하기", @@ -1422,6 +1420,8 @@ "copy_link_to_form": "양식에 링크 복사", "theme": "테마", "theme_applies_note": "공개 예약 페이지에만 적용됩니다", + "app_theme": "대시보드 테마", + "app_theme_applies_note": "이것은 로그인한 대시보드에만 적용됩니다", "theme_system": "시스템 기본값", "add_a_team": "팀 추가", "add_webhook_description": "{{appName}}에서 문제 발생 시 실시간으로 회의 데이터 수신", @@ -2095,9 +2095,10 @@ "extensive_whitelabeling": "전담 온보딩 및 엔지니어링 지원", "need_help": "도움이 필요하세요?", "show_more": "더 보기", + "send_email": "이메일 보내기", "email_team_invite|subject|invited_to_regular_team": "{{user}} 님께서 {{appName}}의 {{team}} 으로 초대하셨습니다.", "email_team_invite|heading|invited_to_regular_team": "{{appName}} 팀에 참여 초대를 받으셨습니다", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}}님이 {{appName}}에서 자신의 `{{teamName}}` 팀에 가입하도록 당신을 초대했습니다. {{appName}}은 유저와 팀이 이메일을 주고 받지 않고도 회의 일정을 잡을 수 있게 하는 이벤트 조율 스케줄러입니다.", "privacy": "개인정보보호", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ 여기에 새 문자열을 추가하세요 ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/lv/common.json b/apps/web/public/static/locales/lv/common.json index e4ae2bd0c3685b..c2f847eef06c44 100644 --- a/apps/web/public/static/locales/lv/common.json +++ b/apps/web/public/static/locales/lv/common.json @@ -125,4 +125,4 @@ "create_account": "Izveidot Kontu", "confirm_password": "Apstiprināt paroli", "already_have_account": "Vai jums jau ir konts?" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/nl/common.json b/apps/web/public/static/locales/nl/common.json index 1fef5925ecf4c9..a4f5897ad94c72 100644 --- a/apps/web/public/static/locales/nl/common.json +++ b/apps/web/public/static/locales/nl/common.json @@ -937,8 +937,6 @@ "verify_wallet": "Wallet verifiëren", "create_events_on": "Maak gebeurtenissen aan in de", "enterprise_license": "Dit is een bedrijfsfunctie", - "enterprise_license_description": "Om deze functie in te schakelen, krijgt u een implementatiesleutel op de {{consoleUrl}}-console en voegt u deze toe aan uw .env als CALCOM_LICENSE_KEY. Als uw team al een licentie heeft, neem dan contact op met {{supportMail}} voor hulp.", - "enterprise_license_development": "U kunt deze functie testen in de in ontwikkelingsmodus. Voor productiegebruik moet een beheerder naar <2>/auth/setup gaan om een licentiecode in te voeren.", "missing_license": "Ontbrekende licentie", "next_steps": "Volgende stappen", "acquire_commercial_license": "Verkrijg een commerciële licentie", @@ -1422,6 +1420,8 @@ "copy_link_to_form": "Link kopiëren naar formulier", "theme": "Thema", "theme_applies_note": "Dit is alleen van toepassing op uw openbare boekingspagina's", + "app_theme": "Dashboard-thema", + "app_theme_applies_note": "Dit is alleen van toepassing op uw aangemelde dashboard", "theme_system": "Systeemstandaard", "add_a_team": "Voeg een team toe", "add_webhook_description": "Ontvang in realtime vergadergegevens wanneer er iets gebeurt in {{appName}}", @@ -2095,9 +2095,10 @@ "extensive_whitelabeling": "Speciale onboarding en technische ondersteuning", "need_help": "Hulp nodig?", "show_more": "Meer weergeven", + "send_email": "E-mail versturen", "email_team_invite|subject|invited_to_regular_team": "{{user}} heeft u uitgenodigd om lid te worden van het team {{team}} op {{appName}}", "email_team_invite|heading|invited_to_regular_team": "U bent uitgenodigd om lid te worden van een {{appName}}-team", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} heeft u uitgenodigd om lid te worden van zijn team '{{teamName}}' op {{appName}}. {{appName}} is de gebeurtenissenplanner die u en uw team in staat stelt afspraken te plannen zonder heen en weer te e-mailen.", "privacy": "Privacy", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Voeg uw nieuwe strings hierboven toe ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/no/common.json b/apps/web/public/static/locales/no/common.json index 6bed28c37633b6..a95d4d18840e57 100644 --- a/apps/web/public/static/locales/no/common.json +++ b/apps/web/public/static/locales/no/common.json @@ -788,7 +788,6 @@ "verify_wallet": "Verifiser Lommebok", "create_events_on": "Opprett hendelser på", "enterprise_license": "Dette er en bedriftsfunksjon", - "enterprise_license_description": "For å aktivere denne funksjonen, skaff deg en distribusjonsnøkkel på {{consoleUrl}}-konsollen og legg den til i .env som CALCOM_LICENSE_KEY. Hvis teamet ditt allerede har en lisens, vennligst kontakt {{supportMail}} for å få hjelp.", "missing_license": "Mangler Lisens", "next_steps": "Neste Skritt", "acquire_commercial_license": "Skaff en kommersiell lisens", @@ -965,7 +964,7 @@ "how_long_before": "Hvor lenge før hendelsen starter?", "day_timeUnit": "dager", "hour_timeUnit": "timer", - "minute_timeUnit": "min", + "minute_timeUnit": "minutter", "new_workflow_heading": "Opprett din første arbeidsflyt", "new_workflow_description": "Arbeidsflyter lar deg automatisere sending av påminnelser og varsler.", "active_on": "Aktiv på", @@ -1210,6 +1209,8 @@ "copy_link_to_form": "Kopier lenken til skjemaet", "theme": "Tema", "theme_applies_note": "Dette gjelder kun for dine offentlige bookingsider", + "app_theme": "Dashboard-tema", + "app_theme_applies_note": "Dette gjelder kun ditt påloggede dashbord", "theme_system": "System standard", "add_a_team": "Legg til et team", "add_webhook_description": "Motta møtedata i sanntid når noe skjer i {{appName}}", @@ -1390,5 +1391,6 @@ "booking_confirmation_failed": "Booking-bekreftelse feilet", "timezone_variable": "Tidssone", "need_help": "Trenger du hjelp?", + "send_email": "Send e-post", "email_team_invite|subject|invited_to_regular_team": "{{user}} inviterte deg til å bli med i teamet {{team}} på {{appName}}" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/pl/common.json b/apps/web/public/static/locales/pl/common.json index ce7781022988aa..37a85cd6be82f5 100644 --- a/apps/web/public/static/locales/pl/common.json +++ b/apps/web/public/static/locales/pl/common.json @@ -937,8 +937,6 @@ "verify_wallet": "Zweryfikuj portfel", "create_events_on": "Utwórz wydarzenia w", "enterprise_license": "To funkcja dla przedsiębiorstw", - "enterprise_license_description": "Aby włączyć tę funkcję, uzyskaj klucz wdrożenia na konsoli {{consoleUrl}} i dodaj go do swojego pliku .env jako CALCOM_LICENSE_KEY. Jeśli Twój zespół ma już licencję, napisz na adres {{supportMail}}, aby uzyskać pomoc.", - "enterprise_license_development": "Możesz przetestować tę funkcję w trybie deweloperskim. Aby wykorzystać ją w celach produkcyjnych, poproś administratora o wprowadzenie klucza licencyjnego w obszarze <2>/auth/setup.", "missing_license": "Brakująca licencja", "next_steps": "Następne kroki", "acquire_commercial_license": "Uzyskaj licencję komercyjną", @@ -1422,6 +1420,8 @@ "copy_link_to_form": "Skopiuj link do formularza", "theme": "Motyw", "theme_applies_note": "Dotyczy tylko publicznych stron rezerwacji", + "app_theme": "Motyw pulpitu nawigacyjnego", + "app_theme_applies_note": "To dotyczy tylko pulpitu nawigacyjnego, do którego się zalogowałeś", "theme_system": "Ustawienia domyślne systemu", "add_a_team": "Dodaj zespół", "add_webhook_description": "Otrzymuj dane ze spotkań w czasie rzeczywistym, gdy coś dzieje się w {{appName}}.", @@ -2095,9 +2095,10 @@ "extensive_whitelabeling": "Dedykowane wsparcie w zakresie wdrożenia i obsługi technicznej", "need_help": "Potrzebujesz pomocy?", "show_more": "Wyświetl więcej", + "send_email": "Wyślij wiadomość e-mail", "email_team_invite|subject|invited_to_regular_team": "{{user}} zaprosił Cię do dołączenia do zespołu {{team}} na {{appName}}", "email_team_invite|heading|invited_to_regular_team": "Zaproszono Cię do dołączenia do zespołu {{appName}}", "email_team_invite|content|invited_to_regular_team": "Użytkownik {{invitedBy}} zaprasza Cię do dołączenia do jego zespołu „{{teamName}}” w aplikacji {{appName}}. Aplikacja {{appName}} to terminarz do planowania wydarzeń, który umożliwi Tobie i Twojemu zespołowi planowanie spotkań bez czasochłonnej wymiany wiadomości e-mail.", "privacy": "Prywatność", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Dodaj nowe ciągi powyżej ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/pt-BR/common.json b/apps/web/public/static/locales/pt-BR/common.json index ca07ee86f0fa97..631347ed227107 100644 --- a/apps/web/public/static/locales/pt-BR/common.json +++ b/apps/web/public/static/locales/pt-BR/common.json @@ -11,7 +11,8 @@ "calcom_explained_new_user": "Termine de configurar sua conta do {{appName}}! Falta pouco para você solucionar todos os seus problemas de agendamento.", "have_any_questions": "Precisa de ajuda? Estamos aqui para ajudar.", "reset_password_subject": "{{appName}}: Instruções para redefinir sua senha", - "verify_email_subject": "{{appName}}: Verificar sua conta", + "verify_email_subject": "{{appName}}: Verifique sua conta", + "verify_email_subject_verifying_email": "{{appName}}: Verifique seu e-mail", "check_your_email": "Verifique seu e-mail", "old_email_address": "E-mail antigo", "new_email_address": "Novo e-mail", @@ -19,6 +20,7 @@ "verify_email_banner_body": "Verifique seu endereço de e-mail para garantir o fornecimento do melhor e-mail e calendário", "verify_email_email_header": "Verifique seu endereço de e-mail", "verify_email_email_button": "Verificar e-mail", + "cal_ai_assistant": "Assistente Cal AI", "verify_email_change_description": "Você solicitou recentemente a alteração do endereço de e-mail que você usa para entrar em sua conta {{appName}}. Por favor, clique no botão abaixo para confirmar o seu novo endereço de e-mail.", "verify_email_change_success_toast": "Seu e-mail foi atualizado para {{email}}", "verify_email_change_failure_toast": "Não foi possível atualizar o e-mail.", @@ -73,7 +75,7 @@ "update_calendar_event_error": "Não foi possível atualizar o evento.", "delete_calendar_event_error": "Não foi possível deletar o evento.", "already_signed_up_for_this_booking_error": "Você já está inscrito para esta reserva.", - "hosts_unavailable_for_booking": "Alguns dos anfitriões não estão disponíveis para reserva.", + "hosts_unavailable_for_booking": "Algum dos anfitriões não está disponível para reserva.", "help": "Ajuda", "price": "Preço", "paid": "Pago", @@ -81,6 +83,8 @@ "payment": "Pagamento", "missing_card_fields": "Faltam campos do cartão", "pay_now": "Pagar agora", + "general_prompt": "Solicitação Geral", + "begin_message": "Inicie a Mensagem", "codebase_has_to_stay_opensource": "Todo o código deverá permanecer em código aberto, quer seja modificado ou não", "cannot_repackage_codebase": "Você não pode redistribuir ou vender o código", "acquire_license": "Envie um e-mail para adquirir uma licença comercial e remover estes termos", @@ -107,8 +111,10 @@ "event_awaiting_approval_subject": "Aguardando aprovação: {{title}} em {{date}}", "event_still_awaiting_approval": "Um evento está aguardando a sua aprovação", "booking_submitted_subject": "Reserva enviada: {{title}} em {{date}}", - "download_recording_subject": "Baixar gravação: {{title}} à(s) {{date}}", + "download_recording_subject": "Baixar gravação: {{title}} em {{date}}", + "download_transcript_email_subject": "Baixe a transcrição: {{title}} em {{date}}", "download_your_recording": "Baixe sua gravação", + "download_your_transcripts": "Baixe suas transcrições", "your_meeting_has_been_booked": "A sua reunião foi agendada", "event_type_has_been_rescheduled_on_time_date": "Seu {{title}} foi remarcado para {{date}}.", "event_has_been_rescheduled": "Atualização - O seu evento foi reagendado", @@ -127,7 +133,7 @@ "need_to_make_a_change": "Precisa alterar?", "new_event_scheduled": "Um novo evento foi agendado.", "new_event_scheduled_recurring": "Um novo evento recorrente foi agendado.", - "invitee_email": "Email do participante", + "invitee_email": "E-mail do participante", "invitee_timezone": "Fuso horário do participante", "time_left": "Tempo restante", "event_type": "Tipo do evento", @@ -147,7 +153,7 @@ "manage_this_team": "Gerenciar esta equipe", "team_info": "Informações da equipe", "join_meeting": "Entrar na reunião", - "request_another_invitation_email": "Se não quiser utilizar {{toEmail}} como email do {{appName}}, ou já tem uma conta em {{appName}}, por favor peça outro convite para esse email.", + "request_another_invitation_email": "Se não quiser utilizar {{toEmail}} como e-mail do {{appName}}, ou já tem uma conta em {{appName}}, por favor peça outro convite para esse e-mail.", "you_have_been_invited": "Você recebeu um convite para se juntar ao time {{teamName}}", "user_invited_you": "{{user}} convidou para ingressar na equipe {{team}} de {{entity}} em {{appName}}", "user_invited_you_to_subteam": "{{user}} convidou você para se juntar à equipe {{team}} da organização {{parentTeamName}} no {{appName}}", @@ -261,7 +267,7 @@ "logged_out": "Sessão Encerrada", "please_try_again_and_contact_us": "Por favor, tente novamente e contate-nos se o problema persistir.", "incorrect_2fa_code": "O código de dois fatores está incorreto.", - "no_account_exists": "Não existe nenhuma conta associada a este endereço de email.", + "no_account_exists": "Não existe nenhuma conta associada a este endereço de e-mail.", "2fa_enabled_instructions": "A autenticação de dois fatores está ativada. Por favor, insira o código de seis dígitos do seu aplicativo autenticador.", "2fa_enter_six_digit_code": "Insira abaixo o código de seis dígitos do seu aplicativo autenticador.", "create_an_account": "Criar uma conta", @@ -284,7 +290,7 @@ "available_apps_desc": "Você não tem nenhum aplicativo instalado. Veja apps populares abaixo e explore mais em nossa <1>App Store", "fixed_host_helper": "Adicione qualquer pessoa que precise participar do evento. <1>Saiba mais", "round_robin_helper": "As pessoas do grupo se revezam, e apenas uma aparecerá para o evento.", - "check_email_reset_password": "Verifique o seu email. Enviamos um link para redefinir a sua senha.", + "check_email_reset_password": "Verifique o seu e-mail. Enviamos um link para redefinir a sua senha.", "finish": "Finalizar", "organization_general_description": "Gerencie as configurações para o idioma e o fuso horário da sua equipe", "few_sentences_about_yourself": "Fale um pouco sobre você. Isto será exibido em sua página pessoal.", @@ -324,8 +330,10 @@ "add_another_calendar": "Adicionar outro calendário", "other": "Outras", "email_sign_in_subject": "Seu link de login para {{appName}}", - "emailed_you_and_attendees": "Enviamos um email para você e para os outros participantes com um convite de calendário com todos os detalhes.", + "round_robin_emailed_you_and_attendees": "Você está reunindo-se com {{user}}. Nós enviamos um e-mail com um convite de calendário com todos os detalhes para todos.", + "emailed_you_and_attendees": "Enviamos um e-mail para você e para os outros participantes com um convite de calendário com todos os detalhes.", "emailed_you_and_attendees_recurring": "Enviamos um e-mail para você e para os outros participantes com um convite de calendário para o primeiro desses eventos recorrentes.", + "round_robin_emailed_you_and_attendees_recurring": "Você está reunindo-se com {{user}}. Nós enviamos um e-mail com um convite de calendário com todos os detalhes para todos com o primeiro destes eventos recorrentes.", "emailed_you_and_any_other_attendees": "Esta informação foi enviada para você e para todos os outros participantes.", "needs_to_be_confirmed_or_rejected": "A sua reserva ainda precisa de ser confirmada ou recusada.", "needs_to_be_confirmed_or_rejected_recurring": "A sua reunião recorrente ainda precisa ser confirmada ou recusada.", @@ -346,8 +354,8 @@ "hide_password": "Ocultar senha", "try_again": "Tente novamente", "request_is_expired": "Este pedido expirou.", - "reset_instructions": "Digite o endereço de email associado à sua conta e um link para redefinir sua senha será enviado.", - "request_is_expired_instructions": "Este pedido expirou. Volte atrás e digite o email associado à sua conta para lhe enviarmos uma nova ligação para redefinir a sua senha.", + "reset_instructions": "Digite o endereço de e-mail associado à sua conta e um link para redefinir sua senha será enviado.", + "request_is_expired_instructions": "Este pedido expirou. Volte atrás e digite o e-mail associado à sua conta para lhe enviarmos uma nova ligação para redefinir a sua senha.", "whoops": "Ops", "login": "Login", "success": "Sucesso", @@ -443,7 +451,7 @@ "dynamic_booking": "Links de grupo dinâmicos", "allow_seo_indexing": "Permitir que mecanismos de busca acessem seu conteúdo público", "seo_indexing": "Pemitir indexação em SEO", - "email": "Email", + "email": "E-mail", "email_placeholder": "nome@exemplo.com", "full_name": "Nome Completo", "browse_api_documentation": "Consulte a nossa documentação da API", @@ -617,6 +625,7 @@ "number_selected": "{{count}} selecionados", "owner": "Proprietário", "admin": "Admin", + "admin_api": "API de Admin", "administrator_user": "Usuário administrador", "lets_create_first_administrator_user": "Vamos criar o primeiro usuário administrador.", "admin_user_created": "Configuração de usuário administrador", @@ -675,6 +684,7 @@ "user_from_team": "{{user}} do {{team}}", "preview": "Pré-visualizar", "link_copied": "Link copiado!", + "copied": "Copiado!", "private_link_copied": "Link privado copiado!", "link_shared": "Link compartilhado!", "title": "Título", @@ -691,6 +701,7 @@ "default_duration_no_options": "Escolha as durações disponíveis primeiro", "multiple_duration_mins": "{{count}} $t(minute_timeUnit)", "minutes": "Minutos", + "use_cal_ai_to_make_call_description": "Use Cal.ai para adquirir um número de telefone com IA ou faça ligações para convidados.", "round_robin": "Round Robin", "round_robin_description": "Reuniões recorrentes entre vários membros da equipe.", "managed_event": "Evento gerenciado", @@ -705,7 +716,9 @@ "you_must_be_logged_in_to": "Você deve estar logado em {{url}}", "start_assigning_members_above": "Começar a atribuir os membros acima", "locked_fields_admin_description": "Os membros não poderão editar isto", + "unlocked_fields_admin_description": "Membros podem editar", "locked_fields_member_description": "Esta opção foi bloqueada pelo administrador da equipe", + "unlocked_fields_member_description": "Desbloqueado pelo administrador da equipe", "url": "URL", "hidden": "Esconder", "readonly": "Somente leitura", @@ -726,7 +739,7 @@ "event_type_deleted_successfully": "Tipo de evento removido com sucesso", "hours": "Horas", "people": "Pessoas", - "your_email": "Seu Email", + "your_email": "Seu E-mail", "change_avatar": "Alterar Avatar", "upload_avatar": "Enviar avatar", "language": "Idioma", @@ -808,13 +821,15 @@ "label": "Etiqueta", "placeholder": "Preenchimento", "display_add_to_calendar_organizer": "Exibir o e-mail 'Adicionar ao calendário' como organizador", + "display_email_as_organizer": "Iremos exibir este endereço de e-mail como o organizador, e enviaremos e-mails de confirmação aqui.", + "if_enabled_email_address_as_organizer": "Se habilitado, iremos exibir o endereço de e-mail do seu \"Adicionar ao calendário\" como organizador e enviaremos e-mails de confirmação lá", "reconnect_calendar_to_use": "Observe que pode ser necessário desconectar e reconectar sua conta 'Adicionar ao calendário' para usar esse recurso.", "type": "Tipo", "edit": "Editar", "add_input": "Adicionar um campo", "disable_notes": "Ocultar notas no calendário", "disable_notes_description": "Por motivo de privacidade, notas e dados adicionais serão ocultos na entrada do calendário. Serão enviadas por e-mail.", - "requires_confirmation_description": "A reserva precisa ser confirmada manualmente antes de ser enviada para as integrações e ser enviado um email de confirmação.", + "requires_confirmation_description": "A reserva precisa ser confirmada manualmente antes de ser enviada para as integrações e ser enviado um e-mail de confirmação.", "recurring_event": "Evento recorrente", "recurring_event_description": "As pessoas podem se inscrever em eventos recorrentes", "cannot_be_used_with_paid_event_types": "Não pode ser usado com eventos pagos", @@ -922,7 +937,7 @@ "only_book_people_and_allow": "Faça ou permita reservas apenas de pessoas que compartilham os mesmos tokens, DAOs ou NFTs.", "account_created_with_identity_provider": "Sua conta foi criada através de um provedor de identidade.", "account_managed_by_identity_provider": "Sua conta é gerenciada por {{provider}}", - "account_managed_by_identity_provider_description": "Para alterar o seu endereço de email, senha, ativar a autenticação de dois fatores e outras alterações, por favor utilize as configurações de seu provedor de identidade {{provider}}.", + "account_managed_by_identity_provider_description": "Para alterar o seu endereço de e-mail, senha, ativar a autenticação de dois fatores e outras alterações, por favor utilize as configurações de seu provedor de identidade {{provider}}.", "signin_with_google": "Entrar com Google", "signin_with_saml": "Entrar com SAML", "signin_with_saml_oidc": "Entrar com SAML/OIDC", @@ -981,8 +996,8 @@ "verify_wallet": "Verificar carteira", "create_events_on": "Criar eventos em", "enterprise_license": "Este não é um recurso corporativo", - "enterprise_license_description": "Para ativar este recurso, obtenha uma chave de desenvolvimento no console {{consoleUrl}} e adicione ao seu .env como CALCOM_LICENSE_KEY. Caso sua equipe já tenha uma licença, entre em contato com {{supportMail}} para obter ajuda.", - "enterprise_license_development": "Você pode testar este recurso no modo de desenvolvimento. Para uso em produção, solicite que um administrador acesse <2>/auth/setup e insira uma chave de licença.", + "enterprise_license_locally": "Você pode testar este recurso localmente mas não em produção.", + "enterprise_license_sales": "Para atualizar para a versão enterprise, por favor entre em contato com nossa equipe de vendas. Se um chave de licença já existir, por favor entre em contato com support@cal.com para obter ajuda.", "missing_license": "Falta a licença", "next_steps": "Próximos passos", "acquire_commercial_license": "Adquira uma licença comercial", @@ -1075,11 +1090,13 @@ "user_impersonation_heading": "Representação do usuário", "user_impersonation_description": "Permite que a nossa equipe de suporte entre temporariamente como você para ajudar a resolver rapidamente os problemas relatados.", "team_impersonation_description": "Permite que os administradores da sua equipe façam login como você.", + "cal_signup_description": "Gratuito para pessoas. Planos de equipe para recursos colaborativos.", "make_org_private": "Tornar a organização privada", "make_org_private_description": "Os membros da sua organização não poderão ver outros membros da organização quando esta opção estiver ativada.", "make_team_private": "Tornar equipe privada", "make_team_private_description": "Os membros da sua equipe não poderão ver outros membros da equipe após habilitar isso.", - "you_cannot_see_team_members": "Você não poderá ver todos os membros da equipe de uma equipe privada.", + "you_cannot_see_team_members": "Você não pode ver todos os membros da equipe de uma equipe privada.", + "you_cannot_see_teams_of_org": "Você não pode equipes de uma organização privada.", "allow_booker_to_select_duration": "Permitir que o reservante selecione a duração", "impersonate_user_tip": "Todos os usos desse recurso são auditados.", "impersonating_user_warning": "Representando o nome de usuário \"{{user}}\".", @@ -1117,6 +1134,7 @@ "connect_apple_server": "Conectar com o servidor da Apple", "calendar_url": "URL do calendário", "apple_server_generate_password": "Gerar uma senha específica de app para usar com o {{appName}} em", + "unable_to_add_apple_calendar": "Não é possível adicionar esta conta de calendário da Apple. Por favor, verifique se você está usando uma senha específica para aplicativos ao invés de uma senha de conta.", "credentials_stored_encrypted": "As suas credenciais serão armazenadas e encriptadas.", "it_stored_encrypted": "Será armazenada e criptografada.", "go_to_app_store": "Ir para a loja de apps", @@ -1161,7 +1179,7 @@ "before_event_trigger": "antes do início do evento", "event_cancelled_trigger": "quando o evento for cancelado", "new_event_trigger": "quando um novo evento for reservado", - "email_host_action": "enviar e-mail para o host", + "email_host_action": "enviar e-mail para a(o) anfitriã(o)", "email_attendee_action": "enviar e-mail aos participantes", "sms_attendee_action": "Enviar SMS para participante", "sms_number_action": "enviar SMS para um número específico", @@ -1234,6 +1252,7 @@ "reminder": "Lembrete", "rescheduled": "Reagendado", "completed": "Concluído", + "rating": "Nota", "reminder_email": "Lembrete: {{eventType}} com {{name}} em {{date}}", "not_triggering_existing_bookings": "Não será acionado para reservas já existentes, pois o usuário deverá fornecer o número de telefone ao fazer um pedido no evento.", "minute_one": "{{count}} minuto", @@ -1268,6 +1287,7 @@ "upgrade": "Atualizar", "upgrade_to_access_recordings_title": "Atualize para acessar as gravações", "upgrade_to_access_recordings_description": "Gravações estão disponíveis apenas como parte do plano Teams. Atualize para começar a gravar suas chamadas", + "upgrade_to_cal_ai_phone_number_description": "Atualize para Enterprise para poder criar um número de telefone de Assistente de IA que pode ligar para convidados para agendar ligações", "recordings_are_part_of_the_teams_plan": "Gravações fazem parte do plano Teams", "team_feature_teams": "Este é um recurso de Equipe. Atualize para Equipe para ver a disponibilidade da sua equipe.", "team_feature_workflows": "Este é um recurso de Equipe. Atualize para a Equipe para automatizar suas notificações de eventos e lembretes com fluxos de trabalho.", @@ -1414,7 +1434,11 @@ "download_responses_description": "Baixe todas as respostas para seu formulário em formato CSV.", "download": "Baixar", "download_recording": "Baixar gravação", + "transcription_enabled": "As transcrições foram habilitadas", + "transcription_stopped": "As transcrições foram desabilitadas", "recording_from_your_recent_call": "Uma gravação da sua chamada recente no {{appName}} está pronta para ser baixada", + "transcript_from_previous_call": "As transcrições da sua ligação recente no {{appName}} já estão prontas para serem baixadas. Os links são válidos por apenas 1 hora", + "link_valid_for_12_hrs": "Nota: O link para baixar só é válido por 12 horas. Você pode gerar um novo link para baixar seguindo as seguintes instruções <1>aqui.", "create_your_first_form": "Criar seu primeiro formulário", "create_your_first_form_description": "Com os Formulários de roteamento, você pode fazer perguntas e encaminhar para a pessoa correta ou o tipo de evento.", "create_your_first_webhook": "Criar seu primeiro Webhook", @@ -1432,10 +1456,10 @@ "more_page_footer": "Nós vemos o aplicativo móvel como uma extensão do aplicativo da web. Se você estiver realizando alguma ação complicada, consulte o aplicativo da web.", "workflow_example_1": "Enviar lembrete por SMS 24 horas antes do evento começar para o participante", "workflow_example_2": "Enviar SMS personalizado quando o evento for reagendado para o participante", - "workflow_example_3": "Enviar e-mail personalizado quando o novo evento for agendado para o host", + "workflow_example_3": "Enviar e-mail personalizado quando o novo evento for agendado para a(o) anfitriã(o)", "workflow_example_4": "Enviar um lembrete por e-mail 1 hora antes dos eventos começarem para o participante", - "workflow_example_5": "Enviar e-mail personalizado quando o evento for reagendado para o host", - "workflow_example_6": "Enviar SMS personalizado quando o novo evento for agendado para o host", + "workflow_example_5": "Enviar e-mail personalizado quando o evento for reagendado para a(o) anfitriã(o)", + "workflow_example_6": "Enviar SMS personalizado quando o novo evento for agendado para a(o) anfitriã(o)", "welcome_to_cal_header": "Bem-vindo(a) à {{appName}}!", "edit_form_later_subtitle": "Você poderá editar isso mais tarde.", "connect_calendar_later": "Vou conectar a meu calendário mais tarde", @@ -1466,6 +1490,7 @@ "routing_forms_description": "Criar formulários para direcionar os participantes para os destinos corretos", "routing_forms_send_email_owner": "Enviar e-mail ao proprietário", "routing_forms_send_email_owner_description": "Envia um e-mail ao proprietário após o envio do formulário", + "routing_forms_send_email_to": "Enviar E-mail para", "add_new_form": "Adicionar novo formulário", "add_new_team_form": "Adicionar novo formulário à sua equipe", "create_your_first_route": "Crie sua primeira rota", @@ -1512,8 +1537,6 @@ "report_app": "Denunciar aplicativo", "limit_booking_frequency": "Limite frequência de reserva", "limit_booking_frequency_description": "Limite quantas vezes este evento pode ser reservado", - "limit_booking_only_first_slot": "Limite a reserva apenas no primeiro horário", - "limit_booking_only_first_slot_description": "Permitir que apenas o primeiro horário de cada dia seja reservado", "limit_total_booking_duration": "Limitar duração total de reserva", "limit_total_booking_duration_description": "Limite de quanto tempo este evento pode ser reservado", "add_limit": "Adicione limite", @@ -1604,7 +1627,7 @@ "invalid_credential_action": "Reinstale o aplicativo", "reschedule_reason": "Motivo de reagendamento", "choose_common_schedule_team_event": "Escolha uma agenda compartilhada", - "choose_common_schedule_team_event_description": "Ative esta opção se você quiser usar uma agenda compartilhada entre os hosts. Ao desativar esta opção, cada host será reservado conforme seu horário padrão.", + "choose_common_schedule_team_event_description": "Ative esta opção se você quiser usar uma agenda compartilhada entre os anfitriões. Ao desativar esta opção, cada anfitriã(o) será reservado conforme seu horário padrão.", "reason": "Motivo", "sender_id": "ID do remetente", "sender_id_error_message": "Apenas letras, números e espaços permitidos (no máx. 11 caracteres)", @@ -1615,6 +1638,8 @@ "test_routing": "Testar roteamento", "payment_app_disabled": "Um administrador desativou um aplicativo de pagamento", "edit_event_type": "Editar tipo de evento", + "only_admin_can_see_members_of_org": "Esta Organização é privada, e apenas o administrador ou dono da organização podem ver seus membros.", + "only_admin_can_manage_sso_org": "Apenas o administrador ou dono da organização podem gerenciar configurações de SSO", "collective_scheduling": "Programação coletiva", "make_it_easy_to_book": "Facilite a reserva da sua equipe quando todos estiverem disponíveis.", "find_the_best_person": "Encontre a pessoa mais indicada disponível e percorra sua equipe.", @@ -1674,6 +1699,7 @@ "meeting_url_variable": "URL da reunião", "meeting_url_info": "O URL da conferência de reunião do evento", "date_overrides": "Substituições de data", + "date_overrides_delete_on_date": "Apagar a data sobrescreve em {{date}}", "date_overrides_subtitle": "Adicione datas quando sua disponibilidade mudar em relação às suas horas diárias.", "date_overrides_info": "Substituições de data são realizadas automaticamente quando uma data tiver passado", "date_overrides_dialog_which_hours": "Que horas você está livre?", @@ -1705,11 +1731,11 @@ "change_password_admin": "Altere a senha para obter acesso de administrador", "username_already_taken": "O nome do usuário já está em uso", "assignment": "Atribuição", - "fixed_hosts": "Hosts fixos", - "add_fixed_hosts": "Adicionar hosts fixos", - "round_robin_hosts": "Hosts de Round-Robin", - "minimum_round_robin_hosts_count": "Número de hosts necessários para participar", - "hosts": "Hosts", + "fixed_hosts": "Anfitriões fixos", + "add_fixed_hosts": "Adicionar anfitriões fixos", + "round_robin_hosts": "Anfitriões em Round-Robin", + "minimum_round_robin_hosts_count": "Número de anfitriões necessários para participar", + "hosts": "Anfitriões", "upgrade_to_enable_feature": "É preciso criar uma equipe para ativar este recurso. Clique para criar uma.", "orgs_upgrade_to_enable_feature": "Você precisa atualizar para nosso plano empresarial para ativar esse recurso.", "new_attendee": "Novo participante", @@ -1747,6 +1773,7 @@ "configure": "Configurar", "sso_configuration": "Logon único", "sso_configuration_description": "Configure o SAML/OIDC SSO e permita que membros da equipe façam login com um provedor de identidade", + "sso_configuration_description_orgs": "Configure o SAML/OIDC SSO e permita que membros da organização façam login usando um provedor de identidade", "sso_oidc_heading": "SSO com OIDC", "sso_oidc_description": "Configure o OIDC SSO com o provedor de identidade de sua escolha.", "sso_oidc_configuration_title": "Configuração do OIDC", @@ -1887,7 +1914,15 @@ "requires_at_least_one_schedule": "Você precisa ter pelo menos uma agenda", "default_conferencing_bulk_description": "Atualize as localizações para os tipos de evento selecionados", "locked_for_members": "Bloqueado para membros", + "unlocked_for_members": "Desbloqueado para membros", "apps_locked_for_members_description": "Os membros poderão ver os aplicativos ativos, mas não poderão editar as configurações", + "apps_unlocked_for_members_description": "Os membros poderão ver os aplicativos ativos e poderão editar as configurações", + "apps_locked_by_team_admins_description": "Você poderá ver os aplicativos ativos mas não poderá editar as configurações", + "apps_unlocked_by_team_admins_description": "Você poderá ver os aplicativos ativos e poderá editar as configurações", + "workflows_locked_for_members_description": "Membros não podem adicionar seus fluxos de trabalho pessoais a este tipo de evento. Membros poderão ver os fluxos de trabalho ativos da equipe mas não poderão editar configurações de fluxo de trabalho.", + "workflows_unlocked_for_members_description": "Membros poderão adicionar seus fluxos de trabalho pessoais a este tipo de evento. Membros poderão ver os fluxos de trabalho ativos da equipe mas não poderão editar configurações de fluxo de trabalho.", + "workflows_locked_by_team_admins_description": "Você pode ver os fluxos de trabalho ativos da equipe mas não poderá editar as configurações ou adicionar seus fluxos de trabalho pessoais a este tipo de evento.", + "workflows_unlocked_by_team_admins_description": "Você poderá habilitar/desabilitar fluxos de trabalho pessoais neste tipo de evento. Você poderá ver os fluxos de trabalho ativos da equipe mas não poderá editar configurações de fluxo de trabalho.", "locked_by_team_admin": "Bloqueado pelo administrador da equipe", "app_not_connected": "Você não conectou uma conta do {{appName}}.", "connect_now": "Conectar agora", @@ -1904,6 +1939,7 @@ "filters": "Filtros", "add_filter": "Adicionar filtro", "remove_filters": "Limpar todos os filtros", + "email_verified": "E-mail Verificado", "select_user": "Selecionar usuário", "select_event_type": "Selecionar tipo de evento", "select_date_range": "Selecionar intervalo de data", @@ -1987,8 +2023,8 @@ "form_updated_successfully": "Formulário atualizado com êxito.", "disable_attendees_confirmation_emails": "Desative os e-mails de confirmação padrão para participantes", "disable_attendees_confirmation_emails_description": "Pelo menos um fluxo de trabalho está ativo neste tipo de evento, que envia um e-mail aos participantes quando o evento for reservado.", - "disable_host_confirmation_emails": "Desative e-mails de confirmação padrão para hosts", - "disable_host_confirmation_emails_description": "Pelo menos um fluxo de trabalho está ativo neste tipo de evento, que envia um e-mail aos hosts quando o evento for reservado.", + "disable_host_confirmation_emails": "Desative e-mails de confirmação padrão para anfitriões", + "disable_host_confirmation_emails_description": "Pelo menos um fluxo de trabalho está ativo neste tipo de evento, que envia um e-mail aos anfitriões quando o evento for reservado.", "add_an_override": "Adicionar uma substituição", "import_from_google_workspace": "Importar usuários do Google Workspace", "connect_google_workspace": "Conectar com o Google Workspace", @@ -2001,12 +2037,16 @@ "organization_banner_description": "Crie um ambiente onde suas equipes podem criar tipos de evento, fluxos de trabalho e aplicativos compartilhados com agendamento coletivo e round robin.", "organization_banner_title": "Gerenciar organizações com múltiplas equipes", "set_up_your_organization": "Configurar sua organização", + "set_up_your_platform_organization": "Configurar sua plataforma", "organizations_description": "Organizações são ambientes compartilhados em que as equipes podem criar fluxos de trabalho, aplicativos, tipos de evento compartilhados e muito mais.", + "platform_organization_description": "A Plataforma Cal.com permite que você facilmente integre agendadores no seu aplicativo usando APIs e módulos da plataforma.", "must_enter_organization_name": "Requer um nome de organização", "must_enter_organization_admin_email": "Requer o endereço de e-mail da sua organização", "admin_email": "Endereço de e-mail da sua organização", + "platform_admin_email": "Seu endereço de e-mail de administrador", "admin_username": "Nome do usuário do administrador", "organization_name": "Nome da organização", + "platform_name": "Nome da plataforma", "organization_url": "URL da organização", "organization_verify_header": "Verifique o e-mail da sua organização", "organization_verify_email_body": "Use o código abaixo para verificar seu endereço de e-mail e continuar a configuração da sua organização.", @@ -2150,6 +2190,7 @@ "directory_sync_configure_description": "Escolha um provedor de identidade para configurar o diretório da sua equipe.", "directory_sync_title": "Configure um provedor de identidade para começar a usar o SCIM.", "directory_sync_created": "Conexão de sincronização de diretório criada.", + "directory_sync_description": "Provisione e desprovisione usuários com seu provedor de diretório.", "directory_sync_deleted": "Conexão de sincronização de diretório excluída.", "directory_sync_delete_connection": "Excluir conexão", "directory_sync_delete_title": "Excluir conexão de sincronização de diretório", @@ -2170,6 +2211,8 @@ "access_bookings": "Ler, editar, excluir suas reservas", "allow_client_to_do": "Permitir que {{clientName}} faça isto?", "oauth_access_information": "Ao clicar em Permitir, você autoriza que este aplicativo use suas informações, de acordo com os termos de serviço e política de privacidade. Você pode remover o acesso na App Store do {{appName}}.", + "oauth_form_title": "Formulário de criação de cliente OAuth", + "oauth_form_description": "Este é o formulário para criar um novo cliente OAuth", "allow": "Permitir", "view_only_edit_availability_not_onboarded": "Este usuário não concluiu a integração. Não será possível definir a disponibilidade antes de concluir a integração.", "view_only_edit_availability": "Você está vendo a disponibilidade deste usuário. Você só pode editar sua disponibilidade.", @@ -2192,6 +2235,8 @@ "availabilty_schedules": "Horários de disponibilidade", "manage_calendars": "Gerenciar calendários", "manage_availability_schedules": "Gerenciar agendas de disponibilidade", + "locked": "Bloqueado", + "unlocked": "Desbloqueado", "lock_timezone_toggle_on_booking_page": "Bloquear fuso horário na página de reserva", "description_lock_timezone_toggle_on_booking_page": "Bloquear o fuso horário na página de reservas, útil para eventos presenciais.", "event_setup_multiple_payment_apps_error": "Você só pode ter um aplicativo de pagamento ativado por tipo de evento.", @@ -2211,7 +2256,8 @@ "advanced_managed_events_description": "Adicione um único cartão de crédito para pagar todas as assinaturas da sua equipe", "enterprise_description": "Atualize para Enterprise para criar sua organização", "create_your_org": "Crie sua organização", - "create_your_org_description": "Atualize para Enterprise e receba um subdomínio, faturamento unificado, insights, whitelabeling abrangente e muito mais", + "create_your_org_description": "Atualize para Organizations e receba um subdomínio, faturamento unificado, insights, whitelabeling abrangente e muito mais", + "create_your_enterprise_description": "Atualize para Enterprise e ganhe acesso à Sincronização de Diretório Ativo, Provisionamento Automático de Usuários SCIM, Agentes de Voz Cal.ai, APIs de Administrador e mais!", "other_payment_app_enabled": "Você só pode ativar um aplicativo de pagamento por tipo de evento", "admin_delete_organization_description": "
    • As equipes que são membros desta organização também serão excluídas junto com seus tipos de eventos
    • Os usuários que faziam parte da organização não serão excluídos e seus tipos de eventos também permanecerão intactos.
    • Os nomes de usuário seriam alterados para que existam fora da organização
    ", "admin_delete_organization_title": "Excluir {{organizationName}} ?", @@ -2222,6 +2268,10 @@ "troubleshooter_tooltip": "Abra o solucionador de problemas e descubra o que há de errado com sua programação", "need_help": "Precisa de ajuda?", "troubleshooter": "Solucionador de problemas", + "number_to_call": "Número para Ligar", + "guest_name": "Nome do Convidado", + "guest_email": "E-mail do Convidado", + "guest_company": "Empresa do Convidado", "please_install_a_calendar": "Instale um calendário", "instant_tab_title": "Reserva instantânea", "instant_event_tab_description": "Deixe as pessoas reservarem imediatamente", @@ -2229,6 +2279,7 @@ "dont_want_to_wait": "Não quer esperar?", "meeting_started": "Reunião iniciada", "pay_and_book": "Pague para reservar", + "cal_ai_event_tab_description": "Deixe Assistentes de IA agendarem para você", "booking_not_found_error": "Não foi possível encontrar a reserva", "booking_seats_full_error": "A reserva de assentos está lotada", "missing_payment_credential_error": "Credenciais de pagamento ausentes", @@ -2260,7 +2311,7 @@ "redirect_team_disabled": "Redirecione seu perfil para outro membro da equipe (é necessário plano de equipe)", "out_of_office_unavailable_list": "Lista de indisponibilidade", "success_deleted_entry_out_of_office": "Entrada excluída com sucesso", - "temporarily_out_of_office": "Temporariamente fora do escritório?", + "temporarily_out_of_office": "Temporariamente ausente?", "add_a_redirect": "Adicionar um redirecionamento", "create_entry": "Criar entrada", "time_range": "Intervalo de tempo", @@ -2268,6 +2319,7 @@ "redirect_to": "Redirecionar para", "having_trouble_finding_time": "Está tendo problemas para encontrar um horário?", "show_more": "Mostrar mais", + "forward_params_redirect": "Encaminhar parâmetros como ?email=...&name=.... e mais", "assignment_description": "Agende reuniões quando todos estiverem disponíveis ou alterne entre os membros da sua equipe", "lowest": "mais baixo", "low": "baixo", @@ -2281,18 +2333,112 @@ "field_identifiers_as_variables": "Use identificadores de campo como variáveis para seu redirecionamento de evento personalizado", "field_identifiers_as_variables_with_example": "Use identificadores de campo como variáveis para seu redirecionamento de evento personalizado (por exemplo {{variable}} )", "account_already_linked": "A conta já está vinculada", + "send_email": "Enviar e-mail", + "account_unlinked_success": "Conta vinculada com sucesso", + "account_unlinked_error": "Houve um erro ao desvincular a conta", + "travel_schedule": "Agendar Viagem", + "travel_schedule_description": "Planeje sua viagem com antecedência para manter seus agendamento existentes em um fuso horário diferente e evitar ser agendado à meia-noite.", + "schedule_timezone_change": "Agende mudança de fuso horário", + "date": "Data", + "overlaps_with_existing_schedule": "Isto se sobrepõe com um agendamento existente. Por favor, selecione uma data diferente.", + "org_admin_no_slots|subject": "Nenhuma disponibilidade encontrada para {{name}}", + "org_admin_no_slots|heading": "Nenhuma disponibilidade encontrada para {{name}}", + "org_admin_no_slots|content": "Olá Administradores da Organização,

    Atenção: Notamos que {{username}} não tem disponibilidade quando um usuário visita {{username}}/{{slug}}

    Existem alguns motivos para isto estar acontecendo
    O usuário não tem nenhum calendário conectado
    Os agendamentos dele atrelados à este evento não foram ativados

    Nós recomendamos verificar a disponibilidade dele para resolver isso.", + "org_admin_no_slots|cta": "Abrir a disponibilidade dos usuários", + "organization_no_slots_notification_switch_title": "Receber notificações quando seu time não tem disponibilidade", + "organization_no_slots_notification_switch_description": "Administradores receberão notificações de e-mail quando um usuário tentar agendar um membro da equipe e receber 'Sem disponibilidade'. Nós enviamos este e-mail depois de duas ocorrências e te lembramos a cada 7 dias para cada usuário. ", + "email_team_invite|subject|added_to_org": "{{user}} adicionou você à organização {{team}} no {{appName}}", + "email_team_invite|subject|invited_to_org": "{{user}} convidou você para se juntar à organização {{team}} no {{appName}}", + "email_team_invite|subject|added_to_subteam": "{{user}} adicionou você à equipe {{team}} da organização {{parentTeamName}} no {{appName}}", "email_team_invite|subject|invited_to_subteam": "{{user}} convidou você para se juntar à equipe {{team}} da organização {{parentTeamName}} no {{appName}}", - "email_team_invite|subject|invited_to_regular_team": "{{user}} convidou você para se juntar ao time {{team}} em {{appName}}", + "email_team_invite|subject|invited_to_regular_team": "{{user}} convidou você para se juntar à equipe {{team}} em {{appName}}", + "email_team_invite|heading|added_to_org": "Você foi adicionado(a) à organização {{appName}}", + "email_team_invite|heading|invited_to_org": "Você foi convidado(a) para a organização {{appName}}", + "email_team_invite|heading|added_to_subteam": "Você foi adicionado(a) à equipe da organização {{parentTeamName}}", + "email_team_invite|heading|invited_to_subteam": "Você foi convidado(a) à equipe da organização {{parentTeamName}}", "email_team_invite|heading|invited_to_regular_team": "Você recebeu um convite para ingressar em um time do {{appName}}", + "email_team_invite|content|added_to_org": "{{invitedBy}} adicionou você à organização {{teamName}}.", + "email_team_invite|content|invited_to_org": "{{invitedBy}} convidou você para se juntar à organização {{teamName}}.", + "email_team_invite|content|added_to_subteam": "{{invitedBy}} adicionou você à equipe {{teamName}} na organização {{parentTeamName}}. {{appName}} é o agendador para gerenciador de múltiplos eventos que permite que você e sua equipe agendem reuniões sem o vai-e-vem de e-mails.", + "email_team_invite|content|invited_to_subteam": "{{invitedBy}} convidou você para a equipe {{teamName}} na organização {{parentTeamName}}. {{appName}} é o gerenciador de múltiplos eventos que permite que você e sua equipe agendem reuniões sem o vai-e-vem de e-mails.", "email_team_invite|content|invited_to_regular_team": "Você recebeu um convite de {{invitedBy}} para ingressar na equipe \"{{teamName}}\" em {{appName}}. {{appName}} é um agendador que concilia eventos e permite que sua equipe agende reuniões sem precisar trocar e-mails.", + "email|existing_user_added_link_will_change": "Ao aceitar o convite, seu link mudará para o domínio da sua organização, mas não se preocupe, todos os links anteriores ainda funcionarão e redirecionarão corretamente.

    Atenção: Todos os seus tipos de evento pessoais serão transferidos para a organização {teamName}, que também podem incluir links pessoais.

    Para eventos pessoais, nós recomendamos criar uma nova conta com um endereço de e-mail pessoal.", + "email|existing_user_added_link_changed": "Seu link mudou de {prevLinkWithoutProtocol} para {newLinkWithoutProtocol} mas não se preocupe, todos os links anteriores ainda funcionarão e redirecionarão corretamente.

    Atenção: Todos os seus tipos de evento pessoais serão transferidos para a organização {teamName}, que também podem incluir links pessoais.

    Por favor, faça login e confira se não há nenhum evento privado na sua conta organizacional.

    Para eventos pessoais, nós recomendamos criar uma nova conta com um endereço de e-mail pessoal.

    Aproveite seu novo link: {newLinkWithoutProtocol}", + "email_organization_created|subject": "Sua organização foi criada", + "your_current_plan": "Seu plano atual", + "organization_price_per_user_month": "$37 por usuário por mês (30 pessoas no mínimo)", + "privacy_organization_description": "Gerencie as configurações de privacidade da sua organização", "privacy": "Privacidade", + "team_will_be_under_org": "Novos times estarão sob sua organização", + "add_group_name": "Adicionar nome do grupo", + "group_name": "Nome do Grupo", "routers": "Roteadores", "primary": "Primário", "make_primary": "Tornar primário", "add_email": "Adicionar e-mail", "add_email_description": "Adicione um endereço de e-mail para substituir seu e-mail principal ou para usar como e-mail alternativo em seus tipos de eventos.", - "confirm_email": "Confirme seu email", + "confirm_email": "Confirme seu e-mail", "confirm_email_description": "Enviamos um e-mail para {{email}} . Clique no link do e-mail para verificar este endereço.", "send_event_details_to": "Envie detalhes do evento para", + "schedule_tz_without_end_date": "Agendar fuso horário sem data final", + "select_members": "Selecionar membros", + "lock_event_types_modal_header": "O que nós devemos fazer com os tipos de evento do seu membro?", + "org_delete_event_types_org_admin": "Todos os tipos de evento individuais dos seus membros (exceto os gerenciados) serão permanentemente apagados. Eles não conseguirão criar novos", + "org_hide_event_types_org_admin": "Os tipos de evento individuais dos seus membros serão ocultados dos perfis (exceto os gerenciados) mas os links ainda ficarão ativos. Eles não serão capazes de criar novos. ", + "hide_org_eventtypes": "Ocultar tipos de evento individuais", + "delete_org_eventtypes": "Apagar tipos de evento individuais", + "lock_org_users_eventtypes": "Bloquear criação de tipos de evento individuais", + "lock_org_users_eventtypes_description": "Impedir membros de criar seus próprios tipos de evento.", + "create_account_password": "Crie a senha da conta", + "error_creating_account_password": "Erro ao criar senha da conta", + "cannot_create_account_password_cal_provider": "Não é permitido criar senha de conta para contas cal", + "cannot_create_account_password_already_existing": "Não é permitido criar senha de conta para senhas já criadas", + "create_account_password_hint": "Você não tem uma senha de conta, crie uma em Securança -> Senha. Não é possível disconectar até uma senha de conta ser criada.", + "disconnect_account": "Disconecte contas conectadas", + "disconnect_account_hint": "Disconectar sua conta conectada mudará a maneira como você faz login. Você só poderá fazer login usando e-mail + senha", + "cookie_consent_checkbox": "Eu concordo com a política de privacidade e uso de cookies", + "make_a_call": "Fazer uma Ligação", + "ooo_reasons_unspecified": "Não especificado", + "ooo_reasons_vacation": "Férias", + "ooo_reasons_travel": "Viagem", + "ooo_reasons_sick_leave": "Doente", + "ooo_reasons_public_holiday": "Feriado", + "ooo_forwarding_to": "Encaminhando para {{username}}", + "ooo_not_forwarding": "Não é possível encaminhar", + "ooo_empty_title": "Crie uma política Ausente", + "ooo_empty_description": "Comunique aos seus agendadores quando você não estiver disponível para receber agendamentos. Eles ainda poderão agendar com você após seu retorno ou você pode encaminhá-los a um membro da equipe.", + "ooo_user_is_ooo": "{{displayName}} está ausente", + "ooo_slots_returning": "<0>{{displayName}} participará das reuniões enquanto ele(a) estiver ausente.", + "ooo_slots_book_with": "Agende com {{displayName}}", + "ooo_create_entry_modal": "Criar política Ausente", + "ooo_select_reason": "Selecione motivo", + "create_an_out_of_office": "Criar política Ausente", + "submit_feedback": "Enviar Feedback", + "host_no_show": "A(O) anfitriã(o) não apareceu", + "no_show_description": "Você pode agendar outra reunião com ele(a)", + "how_can_we_improve": "Como podemos melhorar nosso serviço?", + "most_liked": "O que você mais gostou?", + "review": "Revisar", + "reviewed": "Revisado", + "unreviewed": "Não revisado", + "rating_url_info": "URL para o Formulário de Avaliação", + "no_show_url_info": "URL para Feedback de Não-Comparecimento", + "no_support_needed": "Não precisa de ajuda?", + "hide_support": "Ocultar ajuda", + "event_ratings": "Média de Avaliações", + "event_no_show": "A(O) anfitriã(o) Não Compareceu", + "recent_ratings": "Avaliações Recentes", + "no_ratings": "Nenhuma avaliação enviada", + "no_ratings_description": "Adicione um fluxo de trabalho com 'Avaliação' para receber avaliações após as reuniões", + "most_no_show_host": "Maioria dos Membros que Não Comparecem", + "highest_rated_members": "Membros com a maior taxa de reuniões", + "lowest_rated_members": "Membros com a menor taxa de reuniões", + "csat_score": "Pontuação CSAT", + "lockedSMS": "SMS Bloqueado", + "signing_up_terms": "Ao continuar, você concorda com nossos <1>Termos e <2>Política de Privacidade.", + "always_show_x_days": "Sempre {{x}} dias disponíveis", + "unable_to_subscribe_to_the_platform": "Um erro ocorreu ao tentar adicionar ao plano da plataforma, por favor tente novamente mais tarde", + "updating_oauth_client_error": "Um erro ocorreu ao tentar atualizar o cliente OAuth, por favor tente novamente mais tarde", + "creating_oauth_client_error": "Um erro ocorreu ao tentar criar o cliente OAuth, por favor tente novamente mais tarde", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Adicione suas novas strings aqui em cima ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/pt/common.json b/apps/web/public/static/locales/pt/common.json index 50360ad11b011f..87f04a3b5d67d6 100644 --- a/apps/web/public/static/locales/pt/common.json +++ b/apps/web/public/static/locales/pt/common.json @@ -12,6 +12,7 @@ "have_any_questions": "Tem perguntas? Estamos disponíveis para ajudar.", "reset_password_subject": "{{appName}}: Instruções de redefinição da senha", "verify_email_subject": "{{appName}}: Verifique a sua conta", + "verify_email_subject_verifying_email": "{{appName}}: Verifique o seu e-mail", "check_your_email": "Verifique o seu e-mail", "old_email_address": "E-mail antigo", "new_email_address": "Novo e-mail", @@ -19,6 +20,7 @@ "verify_email_banner_body": "Confirme o seu endereço de e-mail para garantir a melhor entrega possível de e-mail e de agenda", "verify_email_email_header": "Confirme o seu endereço de e-mail", "verify_email_email_button": "Confirmar o seu e-mail", + "cal_ai_assistant": "Assistente de IA Cal", "verify_email_change_description": "Solicitou recentemente a alteração do endereço de e-mail que utiliza para entrar na sua conta {{appName}}. Clique no botão abaixo para confirmar o seu novo endereço de e-mail.", "verify_email_change_success_toast": "Atualizou o seu e-mail para {{email}}", "verify_email_change_failure_toast": "Falha ao atualizar o e-mail.", @@ -81,6 +83,8 @@ "payment": "Pagamento", "missing_card_fields": "Faltam campos do cartão", "pay_now": "Pagar agora", + "general_prompt": "Pedido geral", + "begin_message": "Iniciar mensagem", "codebase_has_to_stay_opensource": "Todo o código deverá permanecer em código aberto, quer seja modificado ou não", "cannot_repackage_codebase": "Não pode redistribuir ou vender o código", "acquire_license": "Adquira uma licença comercial para remover estes termos através do envio de um email", @@ -108,7 +112,9 @@ "event_still_awaiting_approval": "Um evento ainda aguarda a sua aprovação", "booking_submitted_subject": "Reserva submetida: {{title}} em {{date}}", "download_recording_subject": "Transferir gravação: {{title}} em {{date}}", + "download_transcript_email_subject": "Transferir transcrição: {{title}} em {{date}}", "download_your_recording": "Transfira a sua gravação", + "download_your_transcripts": "Transferir as suas transcrições", "your_meeting_has_been_booked": "A sua reunião foi reservada", "event_type_has_been_rescheduled_on_time_date": "Seu {{title}} foi remarcado para {{date}}.", "event_has_been_rescheduled": "O seu evento foi reagendado.", @@ -131,6 +137,7 @@ "invitee_timezone": "Fuso horário do convidado", "time_left": "Tempo restante", "event_type": "Tipo do evento", + "duplicate_event_type": "Duplicar tipo de evento", "enter_meeting": "Entrar na reunião", "video_call_provider": "Fornecedor de videochamada", "meeting_id": "ID da reunião", @@ -156,6 +163,9 @@ "link_expires": "P.S.: Expira em {{expiresIn}} horas.", "upgrade_to_per_seat": "Actualize por cada lugar", "seat_options_doesnt_support_confirmation": "A opção Lugares não suporta o requisito de confirmação", + "multilocation_doesnt_support_seats": "Múltiplas Localizações não suporta a opção de lugares", + "no_show_fee_doesnt_support_seats": "A taxa de falta de comparência não suporta a opção de lugares", + "seats_option_doesnt_support_multi_location": "A opção de lugares não suporta Múltiplas Localizações", "team_upgrade_seats_details": "Dos {{memberCount}} membros da sua equipa, há {{unpaidCount}} lugar(es) sem pagamento. Por ${{seatPrice}}/m por lugar, o custo total estimado dos seus membros é de ${{totalCost}}/m.", "team_upgrade_banner_description": "Obrigado por experimentar o nosso novo plano de equipa. Verificámos que a sua equipa \"{{teamName}}\" necessita de ser atualizada.", "upgrade_banner_action": "Atualize aqui", @@ -250,6 +260,7 @@ "create_account": "Criar Conta", "confirm_password": "Confirmar senha", "reset_your_password": "Defina a sua nova palavra-passe seguindo as instruções enviadas para o seu endereço de e-mail.", + "org_banner_instructions": "Carregue uma imagem com {{width}} de largura e {{height}} de altura.", "email_change": "Inicie sessão novamente com o seu novo endereço de e-mail e palavra-passe.", "create_your_account": "Crie a sua conta", "create_your_calcom_account": "Crie a sua conta Cal.com", @@ -322,8 +333,10 @@ "add_another_calendar": "Adicionar outro calendário", "other": "Outras", "email_sign_in_subject": "A sua ligação de início de sessão para {{appName}}", + "round_robin_emailed_you_and_attendees": "Está a reunir com {{user}}. Enviámos um e-mail para si e para os outros participantes com um convite de calendário com todos os detalhes.", "emailed_you_and_attendees": "Enviámos um email para si e para os outros participantes com um convite de calendário com todos os detalhes.", "emailed_you_and_attendees_recurring": "Enviámos um email para si e para os outros participantes com um convite de calendário para o primeiro destes eventos recorrentes.", + "round_robin_emailed_you_and_attendees_recurring": "Está a reunir com {{user}}. Enviámos um e-mail para si e para os outros participantes com um convite de calendário para o primeiro destes eventos recorrentes.", "emailed_you_and_any_other_attendees": "Esta informação foi enviada para si e para todos os outros participantes.", "needs_to_be_confirmed_or_rejected": "A sua reserva ainda precisa de ser confirmada ou rejeitada.", "needs_to_be_confirmed_or_rejected_recurring": "A sua reunião recorrente ainda precisa de ser confirmada ou rejeitada.", @@ -615,6 +628,7 @@ "number_selected": "{{count}} selecionado(s)", "owner": "Proprietário", "admin": "Administrador", + "admin_api": "API de administração", "administrator_user": "Administrador", "lets_create_first_administrator_user": "Vamos criar o primeiro administrador.", "admin_user_created": "Configuração do administrador", @@ -673,6 +687,7 @@ "user_from_team": "{{user}} de {{team}}", "preview": "Pré-visualizar", "link_copied": "Ligação copiada!", + "copied": "Copiada!", "private_link_copied": "A ligação privada foi copiada!", "link_shared": "Ligação partilhada!", "title": "Título", @@ -690,6 +705,7 @@ "multiple_duration_mins": "{{count}} $t(minute_timeUnit)", "multiple_duration_timeUnit": "{{count}} $t({{unit}}_timeUnit)", "minutes": "Minutos", + "use_cal_ai_to_make_call_description": "Utilize o Cal.ai para obter um número de telefone suportado por IA ou para fazer chamadas para convidados.", "round_robin": "Round Robin", "round_robin_description": "Reuniões de ciclo entre vários membros da equipa.", "managed_event": "Evento gerido", @@ -704,7 +720,9 @@ "you_must_be_logged_in_to": "Deve ter sessão iniciada para {{url}}", "start_assigning_members_above": "Comece a atribuir membros acima", "locked_fields_admin_description": "Os membros não poderão editar isto", + "unlocked_fields_admin_description": "Os membros poderão editar", "locked_fields_member_description": "Esta opção foi bloqueada pelo administrador da equipa", + "unlocked_fields_member_description": "Desbloqueado pelo administrador da equipa", "url": "URL", "hidden": "Oculto", "readonly": "Somente Leitura", @@ -807,6 +825,8 @@ "label": "Etiqueta", "placeholder": "Preenchimento", "display_add_to_calendar_organizer": "Mostrar o e-mail 'Adicionar ao calendário' como organizador", + "display_email_as_organizer": "Mostraremos este endereço de e-mail como o organizador e enviaremos e-mails de confirmação aqui.", + "if_enabled_email_address_as_organizer": "Se ativado, mostraremos o endereço de e-mail como organizador do seu \"Adicionar ao calendário\" e enviaremos e-mails de confirmação para o mesmo", "reconnect_calendar_to_use": "Note que poderá ser necessário desligar e voltar a ligar a sua conta 'Adicionar ao Calendário' para utilizar esta funcionalidade.", "type": "Tipo", "edit": "Editar", @@ -980,8 +1000,8 @@ "verify_wallet": "Verificar carteira", "create_events_on": "Criar eventos em:", "enterprise_license": "Esta é uma funcionalidade empresarial", - "enterprise_license_description": "Para ativar esta funcionalidade, obtenha uma chave de instalação na consola {{consoleUrl}} e adicione-a ao seu .env como CALCOM_LICENSE_KEY. Se a sua equipa já tem uma licença, entre em contacto com {{supportMail}} para obter ajuda.", - "enterprise_license_development": "Pode testar esta funcionalidade no modo de desenvolvimento. Para utilização em produção, um administrador deverá aceder a <2>/auth/setup para inserir a chave da licença.", + "enterprise_license_locally": "Pode testar esta funcionalidade localmente, mas não em produção.", + "enterprise_license_sales": "Para atualizar para a edição enterprise, entre em contacto com a nossa equipa de vendas. Se já tiver uma chave de licença, contacte support@cal.com para obter ajuda.", "missing_license": "Licença em falta", "next_steps": "Passos seguintes", "acquire_commercial_license": "Adquira uma licença comercial", @@ -1080,6 +1100,7 @@ "make_team_private": "Tornar a equipa privada", "make_team_private_description": "Os membros da sua equipa não poderão ver outros membros da equipa quando esta opção estiver ativada.", "you_cannot_see_team_members": "Não pode ver todos os membros da equipa de uma equipa privada.", + "you_cannot_see_teams_of_org": "Não pode ver as equipas de uma organização privada.", "allow_booker_to_select_duration": "Permitir que o responsável pela reserva selecione a duração", "impersonate_user_tip": "Todas as utilizações desta funcionalidade são auditadas.", "impersonating_user_warning": "Representar o nome de utilizador \"{{user}}\".", @@ -1117,6 +1138,7 @@ "connect_apple_server": "Ligar a Apple Server", "calendar_url": "URL do calendário", "apple_server_generate_password": "Crie uma palavra-passe de aplicação específica para utilizar com {{appName}} em", + "unable_to_add_apple_calendar": "Não é possível adicionar esta conta de Calendário da Apple. Certifique-se que está a utilizar uma palavra-passe específica para a aplicação em vez da palavra-passe da sua conta.", "credentials_stored_encrypted": "As suas credenciais serão armazenadas e encriptadas.", "it_stored_encrypted": "Esta será armazenada e encriptada.", "go_to_app_store": "Vá para a App Store", @@ -1234,6 +1256,7 @@ "reminder": "Lembrete", "rescheduled": "Reagendado", "completed": "Concluído", + "rating": "Classificação", "reminder_email": "Lembrete: {{eventType}} com {{name}} em {{date}}", "not_triggering_existing_bookings": "Não será accionado para reservas já existentes, uma vez que será pedido o número de telefone ao utilizador ao reservar o evento.", "minute_one": "{{count}} minuto", @@ -1268,6 +1291,7 @@ "upgrade": "Upgrade", "upgrade_to_access_recordings_title": "Atualizar para aceder a gravações", "upgrade_to_access_recordings_description": "As gravações só estão disponíveis como parte do nosso plano Equipas. Atualize para começar a gravar as suas chamadas", + "upgrade_to_cal_ai_phone_number_description": "Atualize para Enterprise para gerar um número de telefone de Agente de IA que pode ligar para convidados para agendar chamadas", "recordings_are_part_of_the_teams_plan": "As gravações fazem parte do plano Equipas", "team_feature_teams": "Esta é uma funcionalidade Team. Atualize para Team para ver a disponibilidade da sua equipa.", "team_feature_workflows": "Esta é uma funcionalidade Team. Faça upgrade para o Team para automatizar as suas notificações de eventos e lembretes com os Fluxos de trabalho.", @@ -1414,7 +1438,12 @@ "download_responses_description": "Descarregue todas as respostas ao seu formulário em formato CSV.", "download": "Descarregar", "download_recording": "Transferir gravação", + "transcription_enabled": "As transcrições estão agora ativadas", + "transcription_stopped": "As transcrições estão agora desativadas", + "download_transcript": "Transferir transcrição", "recording_from_your_recent_call": "A gravação da sua chamada recente em {{appName}} está pronta para descarregar", + "transcript_from_previous_call": "A transcrição da sua chamada recente em {{appName}} está pronta ser transferida. As ligações são válidas apenas durante 1 hora", + "link_valid_for_12_hrs": "Nota: A ligação de transferência é válida apenas durante 12 horas. Pode gerar uma nova ligação de transferência seguindo as instruções <1>aqui.", "create_your_first_form": "Crie o seu primeiro formulário", "create_your_first_form_description": "Com os Formulários de encaminhamento, pode fazer questões qualitativas e encaminhar para a pessoa ou o tipo de evento correto.", "create_your_first_webhook": "Crie o seu primeiro Webhook", @@ -1466,6 +1495,7 @@ "routing_forms_description": "Crie formulários para direcionar os participantes para os destinos corretos", "routing_forms_send_email_owner": "Enviar e-mail ao proprietário", "routing_forms_send_email_owner_description": "Envia um e-mail ao proprietário quando o formulário for submetido", + "routing_forms_send_email_to": "Enviar e-mail para", "add_new_form": "Adicionar novo formulário", "add_new_team_form": "Adicionar novo formulário à sua equipa", "create_your_first_route": "Crie a sua primeira rota", @@ -1512,8 +1542,6 @@ "report_app": "Reportar aplicação", "limit_booking_frequency": "Limitar a frequência das reservas", "limit_booking_frequency_description": "Limitar o número de vezes que este evento pode ser reservado", - "limit_booking_only_first_slot": "Limitar a reserva apenas à primeira vaga", - "limit_booking_only_first_slot_description": "Permitir que apenas a primeira vaga de todos os dias seja reservada", "limit_total_booking_duration": "Limitar a duração total da reserva", "limit_total_booking_duration_description": "Limitar o tempo total que pode ser reservado para este evento", "add_limit": "Adicionar limite", @@ -1615,6 +1643,8 @@ "test_routing": "Testar encaminhamento", "payment_app_disabled": "Um administrador desativou uma aplicação de pagamentos", "edit_event_type": "Editar o tipo de evento", + "only_admin_can_see_members_of_org": "Esta Organização é privada e apenas o administrador ou o proprietário da organização pode ver os respetivos membros.", + "only_admin_can_manage_sso_org": "Apenas o administrador ou o proprietário da organização pode gerir as definições de SSO", "collective_scheduling": "Agendamento coletivo", "make_it_easy_to_book": "Faça com que seja simples reservar a sua equipa quando todos estiverem disponíveis.", "find_the_best_person": "Encontre a melhor pessoa disponível e faça um ciclo pela sua equipa.", @@ -1674,6 +1704,7 @@ "meeting_url_variable": "URL da reunião", "meeting_url_info": "URL da reunião de conferência", "date_overrides": "Sobreposições de datas", + "date_overrides_delete_on_date": "Eliminar as sobreposições de data em {{date}}", "date_overrides_subtitle": "Adicione datas de quando a sua disponibilidade mudar em relação às suas horas diárias.", "date_overrides_info": "Substituições de datas são arquivadas automaticamente após a data ter passado", "date_overrides_dialog_which_hours": "A que horas está disponível?", @@ -1747,6 +1778,7 @@ "configure": "Configurar", "sso_configuration": "Configuração SAML", "sso_configuration_description": "Configurar o SSO SAML/OIDC e permitir que os membros da equipa se autentiquem utilizando um fornecedor de identidades", + "sso_configuration_description_orgs": "Configurar o SSO SAML/OIDC e permitir que os membros da organização se autentiquem utilizando um fornecedor de identidades", "sso_oidc_heading": "SSO com OIDC", "sso_oidc_description": "Configurar o SSO OIDC com o fornecedor de identidades à sua escolha.", "sso_oidc_configuration_title": "Configuração do OIDC", @@ -1887,7 +1919,15 @@ "requires_at_least_one_schedule": "É necessário que tenha pelo menos uma agenda", "default_conferencing_bulk_description": "Atualizar os locais para os tipos de evento selecionados", "locked_for_members": "Bloqueado para os membros", + "unlocked_for_members": "Desbloqueado para os membros", "apps_locked_for_members_description": "Os membros poderão ver as aplicações ativas, mas não poderão editar quaisquer configurações das aplicações", + "apps_unlocked_for_members_description": "Os membros poderão ver as aplicações ativas e poderão editar quaisquer configurações das aplicações", + "apps_locked_by_team_admins_description": "Você poderá ver as aplicações ativas, mas não poderá editar quaisquer configurações das aplicações", + "apps_unlocked_by_team_admins_description": "Poderá ver as aplicações ativas e poderá editar quaisquer configurações das aplicações", + "workflows_locked_for_members_description": "Os membros não podem adicionar os seus fluxos de trabalho pessoais a este tipo de evento. Os membros poderão ver os fluxos de trabalho ativos da equipa, mas não poderão editar quaisquer configurações de fluxo de trabalho.", + "workflows_unlocked_for_members_description": "Os membros poderão adicionar os seus fluxos de trabalho pessoais a este tipo de evento. Os membros poderão ver os fluxos de trabalho da equipa ativos, mas não poderão editar quaisquer configurações de fluxo de trabalho.", + "workflows_locked_by_team_admins_description": "Você poderá ver os fluxos de trabalho da equipa ativos, mas não poderá editar quaisquer configurações de fluxo de trabalho nem adicionar os seus fluxos de trabalho pessoais a este tipo de evento.", + "workflows_unlocked_by_team_admins_description": "Você poderá ativar/desativar fluxos de trabalho pessoais neste tipo de evento. Você poderá ver os fluxos de trabalho da equipa ativos, mas não poderá editar quaisquer configurações de fluxo de trabalho da equipa.", "locked_by_team_admin": "Bloqueado pelo administrador da equipa", "app_not_connected": "Não associou uma conta {{appName}}.", "connect_now": "Associar agora", @@ -1904,6 +1944,7 @@ "filters": "Filtros", "add_filter": "Adicionar filtro", "remove_filters": "Limpar todos os filtros", + "email_verified": "E-mail verificado", "select_user": "Selecionar utilizador", "select_event_type": "Selecionar tipo de evento", "select_date_range": "Selecionar intervalo de datas", @@ -2001,12 +2042,16 @@ "organization_banner_description": "Crie um ambiente onde as suas equipas possam criar aplicações partilhadas, fluxos de trabalho e tipos de eventos com distribuição equilibrada e agendamento coletivo.", "organization_banner_title": "Faça a gestão de múltiplas organizações com múltiplas equipas", "set_up_your_organization": "Configurar a sua organização", + "set_up_your_platform_organization": "Configurar a sua plataforma", "organizations_description": "As organizações são ambientes partilhados onde as equipas podem criar tipos de eventos partilhados, aplicações, fluxos de trabalho e muito mais.", + "platform_organization_description": "A plataforma Cal.com permite, de forma muito simples, integrar agendamentos na sua aplicação utilizando APIs e atoms da plataforma.", "must_enter_organization_name": "Deve indicar um nome para a organização", "must_enter_organization_admin_email": "Deve indicar o endereço de e-mail da sua organização", "admin_email": "O endereço de e-mail da sua organização", + "platform_admin_email": "O seu endereço de e-mail de administrador", "admin_username": "Nome de utilizador do administrador", "organization_name": "Nome da organização", + "platform_name": "Nome da plataforma", "organization_url": "URL da organização", "organization_verify_header": "Confirme o e-mail da sua organização", "organization_verify_email_body": "Utilize o código abaixo para confirmar o seu endereço de e-mail para continuar a configurar a sua organização.", @@ -2080,6 +2125,7 @@ "organizations": "Organizações", "upload_cal_video_logo": "Carregar logótipo de Cal Video", "update_cal_video_logo": "Atualizar logótipo de Cal Video", + "upload_banner": "Carregar banner", "cal_video_logo_upload_instruction": "Para garantir que o seu logótipo seja visível contra o fundo escuro do Cal Video, carregue uma imagem de cores claras em formato PNG ou SVG, para manter a transparência.", "org_admin_other_teams": "Outras equipas", "org_admin_other_teams_description": "Aqui pode ver equipas dentro da sua organização e das quais não faz parte. Pode adicionar-se às mesmas, se necessário.", @@ -2138,6 +2184,23 @@ "scheduling_for_your_team_description": "Faça o agendamento para a sua equipa, com agendamento coletivo e distribuição equilibrada", "no_members_found": "Nenhum membro encontrado", "directory_sync": "Sincronização do diretório", + "directory_name": "Nome do diretório", + "directory_provider": "Fornecedor do diretório", + "directory_scim_url": "URL base do SCIM", + "directory_scim_token": "Token Bearer do SCIM", + "directory_scim_url_copied": "URL Base do SCIM copiada", + "directory_scim_token_copied": "Token Bearer do SCIM copiado", + "directory_sync_info_description": "O seu fornecedor de Identidade irá solicitar as seguintes informações para configurar o SCIM. Siga as instruções para concluir a configuração.", + "directory_sync_configure": "Configurar sincronização de diretório", + "directory_sync_configure_description": "Escolha um fornecedor de identidade para configurar o diretório para a sua equipa.", + "directory_sync_title": "Configure um fornecedor de identidade para começar com o SCIM.", + "directory_sync_created": "Ligação de sincronização de diretório criada.", + "directory_sync_description": "Aprovisionar e desaprovisionar utilizadores com o seu fornecedor de diretório.", + "directory_sync_deleted": "Ligação de sincronização de diretório eliminada.", + "directory_sync_delete_connection": "Eliminar ligação", + "directory_sync_delete_title": "Eliminar ligação de sincronização de diretório", + "directory_sync_delete_description": "Tem a certeza de que pretende eliminar esta ligação de sincronização de diretório?", + "directory_sync_delete_confirmation": "Esta ação não pode ser anulada. Isto irá eliminar permanentemente a ligação de sincronização de diretório.", "event_setup_length_error": "Configuração do Evento: a duração deve ser de, pelo menos, 1 minuto.", "availability_schedules": "Horários de Disponibilidade", "unauthorized": "Não autorizado", @@ -2153,6 +2216,8 @@ "access_bookings": "Ler, editar e eliminar as suas reservas", "allow_client_to_do": "Permitir que {{clientName}} possa fazer isto?", "oauth_access_information": "Ao clicar em Permitir, você permite que esta aplicação utilize as suas informações, de acordo com os termos do serviço e a política de privacidade. Pode remover o acesso na App Store do {{appName}}.", + "oauth_form_title": "Formulário de criação de cliente OAuth", + "oauth_form_description": "Este é o formulário para criar um novo cliente OAuth", "allow": "Permitir", "view_only_edit_availability_not_onboarded": "Este utilizador ainda não completou o processo de integração. Não poderá definir a respetiva disponibilidade até que este procedimento esteja concluído para este utilizador.", "view_only_edit_availability": "Está a visualizar a disponibilidade deste utilizador. Só pode editar a sua própria disponibilidade.", @@ -2175,6 +2240,8 @@ "availabilty_schedules": "Horários de disponibilidade", "manage_calendars": "Gerir calendários", "manage_availability_schedules": "Gerir horários de disponibilidade", + "locked": "Bloqueado", + "unlocked": "Desbloqueado", "lock_timezone_toggle_on_booking_page": "Bloquear fuso horário na página de reserva", "description_lock_timezone_toggle_on_booking_page": "Para bloquear o fuso horário na página de reservas. Útil para eventos presenciais.", "event_setup_multiple_payment_apps_error": "Só pode ter uma aplicação de pagamentos ativada por tipo de evento.", @@ -2194,7 +2261,8 @@ "advanced_managed_events_description": "Adicione um único cartão de crédito para pagar todas as subscrições da sua equipa", "enterprise_description": "Atualize para Enterprise para criar a sua Organização", "create_your_org": "Crie a sua Organização", - "create_your_org_description": "Atualize para Enterprise e receba um subdomínio, faturação unificada, Insights, personalização abrangente da imagem corporativa e muito mais", + "create_your_org_description": "Atualize para Organizations e receba um subdomínio, faturação unificada, Insights, personalização abrangente da imagem corporativa e muito mais", + "create_your_enterprise_description": "Atualize para Enterprise e tenha acesso à sincronização com Active Directory, aprovisionamento automático de utilizadores com SCIM, agentes de voz Cal.ai, API de Administração e muito mais!", "other_payment_app_enabled": "Só pode ativar uma aplicação de pagamento por tipo de evento", "admin_delete_organization_description": "
    • As equipas que são membros desta organização também serão eliminadas, em conjunto com os respetivos tipos de evento
    • Utilizadores que faziam parte da organização não serão eliminados e os seus tipos de evento também permanecerão intactos.
    • Os nomes de utilizador serão alterados para permitir que possam existir fora da organização
    ", "admin_delete_organization_title": "Eliminar {{organizationName}}?", @@ -2205,6 +2273,10 @@ "troubleshooter_tooltip": "Abra o solucionador de problemas e descubra o que está errado com o seu agendamento", "need_help": "Precisa de ajuda?", "troubleshooter": "Solucionador de problemas", + "number_to_call": "Número a ligar", + "guest_name": "Nome do convidado", + "guest_email": "E-mail do convidado", + "guest_company": "Empresa do convidado", "please_install_a_calendar": "Por favor, instale um calendário", "instant_tab_title": "Reserva imediata", "instant_event_tab_description": "Permita que as pessoas reservem imediatamente", @@ -2212,6 +2284,7 @@ "dont_want_to_wait": "Não quer esperar?", "meeting_started": "Reunião iniciada", "pay_and_book": "Pagar para reservar", + "cal_ai_event_tab_description": "Deixe os agentes de IA fazer o agendamento por si", "booking_not_found_error": "Não foi possível encontrar a reserva", "booking_seats_full_error": "Os lugares para reserva estão cheios", "missing_payment_credential_error": "Credenciais de pagamento em falta", @@ -2251,6 +2324,7 @@ "redirect_to": "Redirecionar para", "having_trouble_finding_time": "Com dificuldades em encontrar um horário?", "show_more": "Mostrar mais", + "forward_params_redirect": "Reencaminha parâmetros como ?email=...&name=.... e muito mais", "assignment_description": "Agende reuniões quando todos estiverem disponíveis ou rode entre os membros da sua equipa", "lowest": "a mais baixa", "low": "baixa", @@ -2264,17 +2338,140 @@ "field_identifiers_as_variables": "Utilize identificadores de campo como variáveis para o seu redirecionamento de evento personalizado", "field_identifiers_as_variables_with_example": "Utilize identificadores de campo como variáveis para o seu redirecionamento de evento personalizado (ex.: {{variable}})", "account_already_linked": "A conta já está vinculada", + "send_email": "Enviar e-mail", + "mark_as_no_show": "Marcar como falta de comparência", + "unmark_as_no_show": "Desmarcar falta de comparência", + "account_unlinked_success": "Conta desvinculada com sucesso", + "account_unlinked_error": "Ocorreu um erro ao desvincular a conta", + "travel_schedule": "Horário de viagem", + "travel_schedule_description": "Planeie a sua viagem com antecedência para manter o seu horário existente num fuso horário diferente e evitar agendamentos à meia-noite.", + "schedule_timezone_change": "Mudança de fuso horário de agendamento", + "date": "Data", + "overlaps_with_existing_schedule": "Isto sobrepõe-se a um horário existente. Selecione uma data diferente.", + "org_admin_no_slots|subject": "Não foi encontrada disponibilidade para {{name}}", + "org_admin_no_slots|heading": "Não foi encontrada disponibilidade para {{name}}", + "org_admin_no_slots|content": "Olá Administradores da Organização.

    Recebemos a informação que {{username}} não teve qualquer disponibilidade quando um utilizador visitou {{username}}/{{slug}}

    Existem algumas razões pelas quais isto pode estar a acontecer:
    O utilizador não tem calendários associados
    Os horários associados a este evento não estão ativos

    Recomendamos verificar a respetiva disponibilidade para resolver esta questão.", + "org_admin_no_slots|cta": "Abrir disponibilidade dos utilizadores", + "organization_no_slots_notification_switch_title": "Receber notificações quando a sua equipa não tiver disponibilidade", + "organization_no_slots_notification_switch_description": "Os administradores receberão notificações por e-mail quando um utilizador tentar agendar com um membro da equipa e deparar-se com a informação 'Sem disponibilidade'. Enviamos este e-mail após duas ocorrências e relembramos a cada 7 dias, por utilizador. ", + "email_team_invite|subject|added_to_org": "Foi adicionado por {{user}} à organização {{team}} em {{appName}}", + "email_team_invite|subject|invited_to_org": "Foi convidado por {{user}} para se juntar à organização {{team}} em {{appName}}", + "email_team_invite|subject|added_to_subteam": "Foi adicionado por {{user}} à equipa {{team}} da organização {{parentTeamName}} em {{appName}}", "email_team_invite|subject|invited_to_subteam": "{{user}} enviou um convite para se juntar à equipa {{team}} da organização {{parentTeamName}} em {{appName}}", "email_team_invite|subject|invited_to_regular_team": "{{user}} convidou você para se juntar à equipe {{team}} em {{appName}}", + "email_team_invite|heading|added_to_org": "Foi adicionado a uma organização {{appName}}", + "email_team_invite|heading|invited_to_org": "Foi convidado para uma organização {{appName}}", + "email_team_invite|heading|added_to_subteam": "Foi adicionado a uma equipa da organização {{parentTeamName}}", + "email_team_invite|heading|invited_to_subteam": "Foi convidado para uma equipa da organização {{parentTeamName}}", "email_team_invite|heading|invited_to_regular_team": "Recebeu um convite para fazer parte de uma equipa {{appName}}", + "email_team_invite|content|added_to_org": "Foi adicionado por {{invitedBy}} à organização {{teamName}}.", + "email_team_invite|content|invited_to_org": "Foi convidado por {{invitedBy}} para se juntar à organização {{teamName}}.", + "email_team_invite|content|added_to_subteam": "Foi adicionado por {{invitedBy}} à equipa {{teamName}} na organização {{parentTeamName}}. {{appName}} é o conciliador de agendas de eventos que permite a si e à sua equipa agendar reuniões sem o pingue-pongue de e-mails.", + "email_team_invite|content|invited_to_subteam": "Foi convidado por {{invitedBy}} para se juntar à equipa {{teamName}} na organização {{parentTeamName}}. {{appName}} é o conciliador de agendas de eventos que permite a si e à sua equipa agendar reuniões sem o pingue-pongue de e-mails.", "email_team_invite|content|invited_to_regular_team": "Recebeu um convite de {{invitedBy}} para fazer parte da equipa `{{teamName}}` em {{appName}}. {{appName}} é uma ferramenta de conciliação e agendamento de eventos que lhe permite a si e à sua equipa agendar reuniões sem o pingue-pongue de mensagens eletrónicas.", + "email|existing_user_added_link_will_change": "Ao aceitar o convite, a sua ligação irá mudar para o domínio da sua organização, mas não se preocupe, pois todas as ligações anteriores continuarão a funcionar e a redirecionar adequadamente.

    Tenha em consideração: todos os seus tipos de eventos pessoais serão movidos para a organização {teamName}, podendo também incluir uma potencial ligação pessoal.

    Para eventos pessoais, recomendamos criar uma conta com um endereço de e-mail pessoal.", + "email|existing_user_added_link_changed": "A sua ligação foi alterada de {prevLinkWithoutProtocol} para {newLinkWithoutProtocol}, mas não se preocupe, pois todas as ligações anteriores continuarão a funcionar e a redirecionar adequadamente.

    Tenha em consideração: todos os seus tipos de eventos pessoais foram movidos para a organização {teamName}, podendo também incluir uma potencial ligação pessoal.

    Inicie sessão e certifique-se de que não tem eventos privados na nova conta organizacional.

    Para eventos pessoais, recomendamos criar uma conta com um endereço de e-mail pessoal.

    Aproveite a sua nova ligação limpa: {newLinkWithoutProtocol}", + "email_organization_created|subject": "A sua organização foi criada", + "your_current_plan": "O seu plano atual", + "organization_price_per_user_month": "$37 por utilizador por mês (mínimo de 30 licenças)", + "privacy_organization_description": "Gerir definições de privacidade para a sua organização", "privacy": "Privacidade", + "team_will_be_under_org": "As novas equipas estarão sob a sua organização", + "add_group_name": "Adicionar nome do grupo", + "group_name": "Nome do grupo", + "routers": "Roteadores", "primary": "Primário", "make_primary": "Tornar primário", "add_email": "Adicionar e-mail", "add_email_description": "Adicione um endereço de e-mail para substituir o seu primário ou para utilizar como um e-mail alternativo nos seus tipos de evento.", "confirm_email": "Confirme o seu e-mail", + "scheduler_first_name": "O primeiro nome da reserva da pessoa", + "scheduler_last_name": "O último nome da reserva da pessoa", + "organizer_first_name": "O seu primeiro nome", "confirm_email_description": "Enviámos um e-mail para {{email}}. Clique na ligação nesse e-mail para verificar este endereço.", "send_event_details_to": "Enviar detalhes do evento para", + "schedule_tz_without_end_date": "Fuso horário de agendamento sem data de fim", + "select_members": "Selecionar membros", + "lock_event_types_modal_header": "O que devemos fazer com os tipos de eventos existentes dos seus membros?", + "org_delete_event_types_org_admin": "Todos os tipos de eventos individuais dos seus membros (exceto os geridos) serão permanentemente eliminados. Estes não poderão criar novos", + "org_hide_event_types_org_admin": "Os tipos de eventos individuais dos seus membros serão ocultados dos perfis (exceto os geridos), mas as ligações ainda estarão ativas. Estes não poderão criar novos. ", + "hide_org_eventtypes": "Ocultar tipos de eventos individuais", + "delete_org_eventtypes": "Eliminar tipos de eventos individuais", + "lock_org_users_eventtypes": "Bloquear a criação de tipos de eventos individuais", + "lock_org_users_eventtypes_description": "Impedir que os membros criem os seus próprios tipos de eventos.", + "add_to_event_type": "Adicionar ao tipo de evento", + "create_account_password": "Criar palavra-passe de conta", + "error_creating_account_password": "Falha ao criar a palavra-passe de conta", + "cannot_create_account_password_cal_provider": "Não é possível criar palavras-passe de conta para contas cal", + "cannot_create_account_password_already_existing": "Não é possível criar palavras-passe de conta para contas já criadas", + "create_account_password_hint": "Você não tem uma palavra-passe de conta. Crie uma acedendo a Segurança -> Senha. Não pode desassociar até que seja criada uma palavra-passe de conta.", + "disconnect_account": "Desligar conta associada", + "disconnect_account_hint": "Desligar a sua conta associada irá alterar a forma como inicia sessão. Só poderá iniciar sessão na sua conta utilizando o e-mail + a palavra-passe", + "cookie_consent_checkbox": "Eu dou o meu consentimento relativamente à nossa política de privacidade e utilização de cookies", + "make_a_call": "Fazer uma chamada", + "skip_rr_assignment_label": "Saltar a atribuição em distribuição equilibrada se o contacto existir no Salesforce", + "skip_rr_description": "A URL deve conter o e-mail do contacto como um parâmetro, ex. ?email=contactEmail", + "select_account_header": "Selecionar Conta", + "select_account_description": "Instalar {{appName}} na sua conta pessoal ou numa conta de equipa.", + "select_event_types_header": "Selecionar Tipos de Evento", + "select_event_types_description": "Em que tipo de evento deseja instalar {{appName}}?", + "configure_app_header": "Configurar {{appName}}", + "configure_app_description": "Finalizar a configuração da aplicação. Pode alterar estas definições mais tarde.", + "already_installed": "já instalado", + "ooo_reasons_unspecified": "Não especificado", + "ooo_reasons_vacation": "Férias", + "ooo_reasons_travel": "Viagem", + "ooo_reasons_sick_leave": "Licença médica", + "ooo_reasons_public_holiday": "Feriado público", + "ooo_forwarding_to": "Reencaminhamento para {{username}}", + "ooo_not_forwarding": "Sem reencaminhamento", + "ooo_empty_title": "Criar um fora do escritório", + "ooo_empty_description": "Comunique aos seus responsáveis pelas reservas quando não estiver disponível para aceitar reservas. Estes ainda poderão agendar consigo após o seu regresso ou pode reencaminhá-los para um colega de equipa.", + "ooo_user_is_ooo": "{{displayName}} está fora do escritório", + "ooo_slots_returning": "<0>{{displayName}} pode assumir as reuniões enquanto estiver ausente.", + "ooo_slots_book_with": "Agendar com {{displayName}}", + "ooo_create_entry_modal": "Ir para fora do escritório", + "ooo_select_reason": "Selecionar motivo", + "create_an_out_of_office": "Ir para fora do escritório", + "submit_feedback": "Enviar feedback", + "host_no_show": "O seu anfitrião não compareceu", + "no_show_description": "Pode remarcar outra reunião", + "how_can_we_improve": "Como podemos melhorar o nosso serviço?", + "most_liked": "O que mais gostou?", + "review": "Rever", + "reviewed": "Avaliado", + "unreviewed": "Não avaliado", + "rating_url_info": "O URL para o formulário de feedback de avaliação", + "no_show_url_info": "O URL para feedback de não comparência", + "no_support_needed": "Não precisa de suporte?", + "hide_support": "Ocultar o suporte", + "event_ratings": "Classificações médias", + "event_no_show": "Ausência do anfitrião", + "recent_ratings": "Classificações recentes", + "no_ratings": "Nenhuma classificação submetida", + "no_ratings_description": "Adicione um fluxo de trabalho com 'Classificação' para recolher avaliações após as reuniões", + "most_no_show_host": "Membros com maior número de ausências", + "highest_rated_members": "Membros com as reuniões com melhores classificações", + "lowest_rated_members": "Membros com as reuniões com as piores classificações", + "csat_score": "Pontuação CSAT", + "lockedSMS": "SMS bloqueado", + "signing_up_terms": "Ao continuar, você concorda com os nossos <0>Termos e <1>Política de Privacidade.", + "leave_without_assigning_anyone": "Sair sem atribuir ninguém?", + "leave_without_adding_attendees": "Tem a certeza de que deseja sair deste evento sem adicionar participantes?", + "no_availability_shown_to_bookers": "Se não atribuir ninguém a este evento, não será apresentada disponibilidade aos responsáveis da reserva.", + "go_back_and_assign": "Voltar e atribuir", + "leave_without_assigning": "Sair sem atribuir", + "always_show_x_days": "Sempre {{x}} dias disponíveis", + "unable_to_subscribe_to_the_platform": "Ocorreu um erro ao tentar subscrever o plano Platform. Tente novamente mais tarde", + "updating_oauth_client_error": "Ocorreu um erro ao atualizar o cliente OAuth. Tente novamente mais tarde", + "creating_oauth_client_error": "Ocorreu um erro ao criar o cliente OAuth. Tente novamente mais tarde", + "mark_as_no_show_title": "Marcar como falta de comparência", + "x_marked_as_no_show": "{{x}} marcado como falta de comparência", + "x_unmarked_as_no_show": "{{x}} desmarcado como falta de comparência", + "no_show_updated": "Estado de falta de comparência atualizado para os participantes", + "email_copied": "E-mail copiado", + "USER_PENDING_MEMBER_OF_THE_ORG": "O utilizador é um membro pendente da organização", + "USER_ALREADY_INVITED_OR_MEMBER": "O utilizador já está convidado ou já é um membro", + "USER_MEMBER_OF_OTHER_ORGANIZATION": "O utilizador é membro de uma organização da qual esta equipa não faz parte.", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Add your new strings above here ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/ro/common.json b/apps/web/public/static/locales/ro/common.json index f403e97dff0db9..44c3ee6a63a68a 100644 --- a/apps/web/public/static/locales/ro/common.json +++ b/apps/web/public/static/locales/ro/common.json @@ -937,8 +937,6 @@ "verify_wallet": "Verificați portofelul", "create_events_on": "Creați evenimente în", "enterprise_license": "Aceasta este o caracteristică de întreprindere", - "enterprise_license_description": "Pentru a activa această caracteristică, obține o cheie de implementare la consola {{consoleUrl}} și adaug-o la .env ca CALCOM_LICENSE_KEY. Dacă echipa ta are deja o licență, te rugăm să contactezi {{supportMail}} pentru ajutor.", - "enterprise_license_development": "Puteți testa această caracteristică în modul de dezvoltare. Pentru utilizarea în mediul de producție, solicitați unui administrator să acceseze <2>/auth/setup pentru a introduce o cheie de licență.", "missing_license": "Licență lipsă", "next_steps": "Pașii următori", "acquire_commercial_license": "Obțineți o licență comercială", @@ -1422,6 +1420,8 @@ "copy_link_to_form": "Copiați linkul în formular", "theme": "Temă", "theme_applies_note": "Acest aspect se aplică numai paginilor dvs. de rezervare publice", + "app_theme": "Tema tabloului de bord", + "app_theme_applies_note": "Acest lucru se aplică numai tabloului de bord conectat", "theme_system": "Setări implicite sistem", "add_a_team": "Adăugați o echipă", "add_webhook_description": "Primiți datele ședințelor în timp real atunci când se întâmplă ceva pe {{appName}}", @@ -2095,9 +2095,10 @@ "extensive_whitelabeling": "Asistență dedicată pentru integrare și inginerie", "need_help": "Aveți nevoie de ajutor?", "show_more": "Afișare mai mult", + "send_email": "Trimiteți un e-mail", "email_team_invite|subject|invited_to_regular_team": "{{user}} v-a invitat să vă alăturați echipei {{team}} pe {{appName}}", "email_team_invite|heading|invited_to_regular_team": "Ați fost invitat să faceți parte dintr-o echipă {{appName}}", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} v-a invitat să faceți parte din echipa sa „{{teamName}}” de pe {{appName}}. {{appName}} este un instrument de planificare a evenimentelor, care vă permite dvs. și echipei dvs. să programați ședințe fără a face ping-pong prin e-mail.", "privacy": "Confidențialitate", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Adăugați stringurile noi deasupra acestui rând ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/ru/common.json b/apps/web/public/static/locales/ru/common.json index 218b2136f7586d..14a4ffde5b7315 100644 --- a/apps/web/public/static/locales/ru/common.json +++ b/apps/web/public/static/locales/ru/common.json @@ -938,8 +938,6 @@ "verify_wallet": "Подтвердить кошелек", "create_events_on": "Создавать события в календаре:", "enterprise_license": "Это функция корпоративного тарифного плана", - "enterprise_license_description": "Чтобы включить эту функцию, получите ключ развертывания на консоли {{consoleUrl}} и добавьте его в .env как CALCOM_LICENSE_KEY. Если у вашей команды уже есть лицензия, пожалуйста, обратитесь за помощью в {{supportMail}}.", - "enterprise_license_development": "Протестируйте эту функцию в режиме разработки. Для использования в рабочем режиме администратор должен перейти по ссылке <2>/auth/setup и ввести лицензионный ключ.", "missing_license": "Отсутствует лицензия", "next_steps": "Следующие шаги", "acquire_commercial_license": "Приобрести коммерческую лицензию", @@ -1423,6 +1421,8 @@ "copy_link_to_form": "Скопировать ссылку на форму", "theme": "Тема", "theme_applies_note": "Распространяется только на ваши публичные страницы бронирования", + "app_theme": "Тема панели управления", + "app_theme_applies_note": "Это относится только к вашей панели управления, вошедшей в систему.", "theme_system": "Системная", "add_a_team": "Добавить команду", "add_webhook_description": "Получайте оповещения в реальном времени, когда данные о встрече на {{appName}} изменяются", @@ -2096,9 +2096,10 @@ "extensive_whitelabeling": "Индивидуальная техподдержка и помощь при онбординге", "need_help": "Нужна помощь?", "show_more": "Показать больше", + "send_email": "Отправить письмо", "email_team_invite|subject|invited_to_regular_team": "{{user}} пригласил вас присоединиться к команде {{team}} в {{appName}}", "email_team_invite|heading|invited_to_regular_team": "Вас пригласили в команду {{appName}}", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} пригласил(а) вас в команду в `{{teamName}}` в приложении {{appName}}. {{appName}} — это гибкий планировщик событий, с помощью которого пользователи и целые команды могут планировать встречи без утомительной переписки по электронной почте.", "privacy": "Конфиденциальность", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Добавьте строки выше ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/sk/common.json b/apps/web/public/static/locales/sk/common.json index d2bf90df355179..1a49a01631c360 100644 --- a/apps/web/public/static/locales/sk/common.json +++ b/apps/web/public/static/locales/sk/common.json @@ -29,4 +29,4 @@ "organizer": "Organizátor", "need_to_reschedule_or_cancel": "Preplánovať alebo zrušiť?", "no_options_available": "Nie sú k dispozícii žiadne možnosti" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/sr/common.json b/apps/web/public/static/locales/sr/common.json index 8bed10507f07ff..4c8f53fed05a83 100644 --- a/apps/web/public/static/locales/sr/common.json +++ b/apps/web/public/static/locales/sr/common.json @@ -937,8 +937,6 @@ "verify_wallet": "Verifikuj Wallet", "create_events_on": "Kreiraj događaje na", "enterprise_license": "Ovo je enterprise funkcija", - "enterprise_license_description": "Da biste omogućili ovu funkciju, nabavite ključ za primenu na {{consoleUrl}} konzoli i dodajte ga u svoj .env kao CALCOM_LICENCE_KEY. Ako vaš tim već ima licencu, obratite se na {{supportMail}} za pomoć.", - "enterprise_license_development": "Ovu funkciju možete testirati u razvojnom režimu. Za proizvodnu upotrebu neka administrator ode na <2>/auth/setup da unese ključ za licencu.", "missing_license": "Nedostaje Licenca", "next_steps": "Sledeći koraci", "acquire_commercial_license": "Steknite komercijalnu licencu", @@ -1422,6 +1420,8 @@ "copy_link_to_form": "Kopiraj vezu u formular", "theme": "Tema", "theme_applies_note": "Ovo se odnosi samo na vaše javne stranice za zakazivanje", + "app_theme": "Тема контролне табле", + "app_theme_applies_note": "TОво се примењује само на вашу пријављену контролну таблу", "theme_system": "Sistemski podrazumevano", "add_a_team": "Dodaj tim", "add_webhook_description": "Primajte podatke o sastanku u realnom vremenu kada se nešto dogodi na {{appName}}", @@ -2095,9 +2095,10 @@ "extensive_whitelabeling": "Posvećena podrška za uvodnu obuku i inženjering", "need_help": "Potrebna vam je pomoć?", "show_more": "Prikaži više", + "send_email": "Pošaljite imejl", "email_team_invite|subject|invited_to_regular_team": "{{user}} vas je pozvao da se pridružite timu {{team}} na {{appName}}", "email_team_invite|heading|invited_to_regular_team": "Pozvani ste da se pridružite timu {{appName}}", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} vas je pozvao/la da se pridružite njihovom timu `{{teamName}}` u {{appName}}. {{appName}} je planer za koordinaciju događaja koji omogućava vama i vašem timu da zakazujete sastanke bez dopisivanja imejlovima.", "privacy": "Privatnost", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Dodajte svoje nove stringove iznad ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/sv/common.json b/apps/web/public/static/locales/sv/common.json index 2f50d0ef5bb0f4..1dae5a7d35711a 100644 --- a/apps/web/public/static/locales/sv/common.json +++ b/apps/web/public/static/locales/sv/common.json @@ -937,8 +937,6 @@ "verify_wallet": "Verifiera plånbok", "create_events_on": "Skapa händelser i", "enterprise_license": "Det här är en företagsfunktion", - "enterprise_license_description": "För att aktivera den här funktionen hämtar du en distributionsnyckel i konsolen {{consoleUrl}} och lägger till den i din .env som CALCOM_LICENSE_KEY. Om ditt team redan har en licens kan du kontakta {{supportMail}} för att få hjälp.", - "enterprise_license_development": "Du kan testa den här funktionen i utvecklingsläge. För produktionsanvändning ska en administratör gå till <2>/auth/setup för att ange en licensnyckel.", "missing_license": "Licens saknas", "next_steps": "Kommande steg", "acquire_commercial_license": "Skaffa en kommersiell licens", @@ -1422,6 +1420,8 @@ "copy_link_to_form": "Kopiera länk till formulär", "theme": "Tema", "theme_applies_note": "Detta gäller endast för dina offentliga bokningssidor", + "app_theme": "Dashboard-tema", + "app_theme_applies_note": "Detta gäller endast din inloggade instrumentpanel", "theme_system": "Systemstandard", "add_a_team": "Lägg till ett team", "add_webhook_description": "Få mötesdata i realtid när något händer i {{appName}}", @@ -2095,9 +2095,10 @@ "extensive_whitelabeling": "Dedikerad registrering och teknisk support", "need_help": "Behöver du hjälp?", "show_more": "Visa mer", + "send_email": "Skicka e-post", "email_team_invite|subject|invited_to_regular_team": "{{user}} bjöd in dig till teamet {{team}} på {{appName}}", "email_team_invite|heading|invited_to_regular_team": "Du har blivit inbjuden att gå med i ett {{appName}}-team", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} har bjudit in dig att gå med i sitt team {{teamName}} den {{appName}}. {{appName}} är en händelsejonglerande schemaläggare som du och ditt team kan använda för att planera möten utan att skicka e-post fram och tillbaka.", "privacy": "Sekretess", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Add your new strings above here ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/ta/common.json b/apps/web/public/static/locales/ta/common.json index 2180cfd3d2f416..029b32c6830fbe 100644 --- a/apps/web/public/static/locales/ta/common.json +++ b/apps/web/public/static/locales/ta/common.json @@ -173,4 +173,4 @@ "from_last_period": "கடந்த காலத்திலிருந்து", "from_to_date_period": "{{startDate}} லிருந்து {{endDate}} வரை", "event_trends": "நிகழ்வுப் போக்குகள்" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/th/common.json b/apps/web/public/static/locales/th/common.json index 9e26dfeeb6e641..0967ef424bce67 100644 --- a/apps/web/public/static/locales/th/common.json +++ b/apps/web/public/static/locales/th/common.json @@ -1 +1 @@ -{} \ No newline at end of file +{} diff --git a/apps/web/public/static/locales/tr/common.json b/apps/web/public/static/locales/tr/common.json index 58b65312ba1af3..9da74c7a59b1e9 100644 --- a/apps/web/public/static/locales/tr/common.json +++ b/apps/web/public/static/locales/tr/common.json @@ -937,8 +937,6 @@ "verify_wallet": "Cüzdanı Doğrula", "create_events_on": "Şurada etkinlik oluşturun:", "enterprise_license": "Bu bir kurumsal özelliktir", - "enterprise_license_description": "Bu özelliği etkinleştirmek için {{consoleUrl}} konsolundan bir dağıtım anahtarı alın ve bunu .env dosyanıza CALCOM_LICENSE_KEY olarak ekleyin. Ekibinizin zaten bir lisansı varsa yardım için lütfen {{supportMail}} adresinden iletişime geçin.", - "enterprise_license_development": "Bu özelliği, geliştirme modunda deneyebilirsiniz. Üretim kullanımı için lütfen bir yöneticinin lisans anahtarını girmesi için <2>/auth/setup adımlarını izlemesini sağlayın.", "missing_license": "Eksik Lisans", "next_steps": "Sonraki Adımlar", "acquire_commercial_license": "Ticari bir lisans edinin", @@ -1422,6 +1420,8 @@ "copy_link_to_form": "Bağlantıyı forma kopyala", "theme": "Tema", "theme_applies_note": "Bu, sadece genel rezervasyon sayfalarınız için geçerlidir", + "app_theme": "Gösterge Paneli tema", + "app_theme_applies_note": "Bu yalnızca oturum açmış kontrol paneliniz için geçerlidir", "theme_system": "Sistem varsayılanı", "add_a_team": "Ekip ekle", "add_webhook_description": "{{appName}}'da bir etkinlik gerçekleştiğinde gerçek zamanlı olarak toplantı verilerini alın", @@ -2095,9 +2095,10 @@ "extensive_whitelabeling": "Özel işe alıştırma ve mühendislik desteği", "need_help": "Yardıma mı ihtiyacınız var?", "show_more": "Daha fazla göster", + "send_email": "E-posta gönder", "email_team_invite|subject|invited_to_regular_team": "{{user}}, sizi {{appName}}'da {{team}} ekibine katılmaya davet etti", "email_team_invite|heading|invited_to_regular_team": "{{appName}} ekibine katılmaya davet edildiniz", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}}, sizi {{appName}} uygulamasındaki `{{teamName}}` ekibine katılmaya davet etti. {{appName}}, size ve ekibinize e-posta iletişimine ihtiyaç duymadan toplantı planlama yapma olanağı sağlayan bir etkinlik planlayıcıdır.", "privacy": "Gizlilik", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Yeni dizelerinizi yukarıya ekleyin ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/uk/common.json b/apps/web/public/static/locales/uk/common.json index e8b580c701c597..d6ef3cf57ae229 100644 --- a/apps/web/public/static/locales/uk/common.json +++ b/apps/web/public/static/locales/uk/common.json @@ -969,8 +969,6 @@ "verify_wallet": "Пройдіть перевірку гаманця", "create_events_on": "Створюйте заходи в календарі", "enterprise_license": "Це корпоративна функція", - "enterprise_license_description": "Щоб увімкнути цю функцію, отримайте ключ розгортання в консолі {{consoleUrl}} і додайте його у свій файл .env як CALCOM_LICENSE_KEY. Якщо у вашої команди вже є ліцензія, зверніться по допомогу за адресою {{supportMail}}.", - "enterprise_license_development": "Ви можете випробувати цю функцію в режимі розробки. Щоб скористатися нею, адміністратору потрібно перейти в розділ <2>«Перевірка»/«Налаштування» і ввести ключ ліцензії.", "missing_license": "Відсутня ліцензія", "next_steps": "Подальші кроки", "acquire_commercial_license": "Отримати комерційну ліцензію", @@ -1454,6 +1452,8 @@ "copy_link_to_form": "Копіювати посилання на форму", "theme": "Тема", "theme_applies_note": "Застосовується тільки до ваших загальнодоступних сторінок бронювання", + "app_theme": "Тема інформаційної панелі", + "app_theme_applies_note": "Це стосується лише вашої інформаційної панелі, увійшовши в систему", "theme_system": "Стандартне системне значення", "add_a_team": "Додати команду", "add_webhook_description": "Отримуйте дані про наради в реальному часі, коли в {{appName}} щось відбувається", @@ -2127,10 +2127,11 @@ "extensive_whitelabeling": "Технічна підтримка й підтримка під час ознайомлення", "need_help": "Потрібна допомога?", "show_more": "Більше", + "send_email": "Надіслати лист", "email_team_invite|subject|invited_to_subteam": "{{user}} запросив вас приєднатися до команди {{team}} організації {{parentTeamName}} {{appName}}", "email_team_invite|subject|invited_to_regular_team": "{{user}} запросив(-ла) вас приєднатися до команди «{{team}}» у {{appName}}", "email_team_invite|heading|invited_to_regular_team": "Вас запрошено приєднатися до команди в застосунку {{appName}}", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} запрошує вас приєднатися до команди «{{teamName}}» в {{appName}}. {{appName}} — планувальник подій, який дає змогу вам і вашій команді планувати зустрічі без тривалої переписки електронною поштою.", "privacy": "Політика конфіденційності", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Add your new strings above here ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/vi/common.json b/apps/web/public/static/locales/vi/common.json index 47feec9fb6da5e..ada4c8c1816b19 100644 --- a/apps/web/public/static/locales/vi/common.json +++ b/apps/web/public/static/locales/vi/common.json @@ -940,8 +940,6 @@ "verify_wallet": "Xác minh Ví", "create_events_on": "Tạo sự kiện trên", "enterprise_license": "Đây là tính năng doanh nghiệp", - "enterprise_license_description": "Để bật tính năng này, nhận khoá triển khai tại console {{consoleUrl}} và thêm nó vào .env của bạn ở dạng CALCOM_LICENSE_KEY. Nếu nhóm của bạn đã có giấy phép, vui lòng liên hệ {{supportMail}} để được trợ giúp.", - "enterprise_license_development": "Bạn có thể thử nghiệm tính năng này ở chế độ phát triển. Để sử dụng cho sản xuất, hãy nhờ quản trị viên vào phần <2>/auth/setup để nhập một khoá giấy phép.", "missing_license": "Giấy phép bị thiếu", "next_steps": "Bước tiếp theo", "acquire_commercial_license": "Lấy giấy phép thương mại", @@ -1425,6 +1423,8 @@ "copy_link_to_form": "Sao chép liên kết vào biểu mẫu", "theme": "Chủ đề", "theme_applies_note": "Cái này chỉ áp dụng cho trang lịch hẹn công khai của bạn", + "app_theme": "Chủ đề trang tổng quan", + "app_theme_applies_note": "Điều này chỉ áp dụng cho bảng điều khiển đã đăng nhập của bạn", "theme_system": "Mặc định của hệ thống", "add_a_team": "Thêm một nhóm", "add_webhook_description": "Nhận dữ liệu cuộc họp theo thời gian thực khi có hoạt động diễn ra ở {{appName}}", @@ -2103,9 +2103,10 @@ "need_help": "Cần hỗ trợ?", "instant_tab_title": "Đặt Cuộc Họp Ngay", "show_more": "Hiện thêm", + "send_email": "Gửi email", "email_team_invite|subject|invited_to_regular_team": "{{user}} đã mời bạn để gia nhập nhóm {{team}} trên {{appName}}", "email_team_invite|heading|invited_to_regular_team": "Bạn đã được mời gia nhập nhóm {{appName}}", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} đã mời bạn gia nhập nhóm '{{teamName}}' của họ trên {{appName}}. {{appName}} là công cụ lên lịch sắp xếp sự kiện cho phép bạn và nhóm bạn lên lịch các cuộc gặp mà không cần trao đổi email nhiều.", "privacy": "Quyền riêng tư", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ Add your new strings above here ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/zh-CN/common.json b/apps/web/public/static/locales/zh-CN/common.json index f12da771024058..9262470daadef9 100644 --- a/apps/web/public/static/locales/zh-CN/common.json +++ b/apps/web/public/static/locales/zh-CN/common.json @@ -13,16 +13,17 @@ "reset_password_subject": "{{appName}}: 重置密码教程", "verify_email_subject": "{{appName}}:验证您的账户", "check_your_email": "查看您的电子邮件", + "old_email_address": "旧邮箱", "new_email_address": "新电子邮箱地址", "verify_email_page_body": "我们已向 {{email}} 发送了一封电子邮件。请务必验证您的电子邮件地址,以确保让 {{appName}} 发挥最佳的电子邮件和日历递送能力。", "verify_email_banner_body": "验证您的电子邮件地址以确保最佳的电子邮件和日历递送能力", "verify_email_email_header": "验证您的电子邮件地址", "verify_email_email_button": "验证电子邮件", - "verify_email_change_description": "您最近更改了登陆您的帐户 {{appName}} 时所使用的电子邮箱地址。 请点击下方按钮以确认您的新邮箱地址。", + "verify_email_change_description": "您最近更改了登陆您的帐户 {{appName}} 时所使用的电子邮箱地址。请点击下方按钮以确认您的新邮箱地址。", "verify_email_change_success_toast": "将您的电子邮箱地址变更为 {{email}}", "verify_email_change_failure_toast": "更新电子邮箱地址时出现了错误。", "change_of_email": "请确认您为您的帐户 {{appName}} 设置的新的邮箱地址", - "change_of_email_toast": "我们向您的电子邮箱 {{email}} 发送了一封确认邮件。 在您点击了确认邮件中的链接后, 我们将为您更新您的电子邮箱地址。", + "change_of_email_toast": "我们向您的电子邮箱 {{email}} 发送了一封确认邮件。在您点击了确认邮件中的链接后, 我们将为您更新您的电子邮箱地址。", "copy_somewhere_safe": "将此 API 密钥保存在安全的地方。您将无法再次查看它。", "verify_email_email_body": "请点击下面的按钮来验证您的电子邮件地址。", "verify_email_by_code_email_body": "请使用下面的代码验证您的电子邮件地址。", @@ -71,6 +72,8 @@ "create_calendar_event_error": "无法在组织者的日历中建立新的日历项目", "update_calendar_event_error": "无法更新日历事件。", "delete_calendar_event_error": "无法删除日历项目", + "already_signed_up_for_this_booking_error": "您已经注册了此预订。", + "hosts_unavailable_for_booking": "有些主持人无法预订。", "help": "帮助", "price": "价格", "paid": "已付款", @@ -78,6 +81,8 @@ "payment": "支付", "missing_card_fields": "卡片信息不全", "pay_now": "立即付款", + "general_prompt": "一般提示", + "begin_message": "开始消息", "codebase_has_to_stay_opensource": "无论代码是否被修改,它必须保持开源", "cannot_repackage_codebase": "您不能重新打包或是出售此代码", "acquire_license": "如需获取商业许可以免除这些条款限制,请邮件联系", @@ -147,6 +152,7 @@ "request_another_invitation_email": "如果您不希望使用 {{toEmail}} 作为您的 {{appName}} 邮箱或已经有一个 {{appName}} 账户,请使用您希望使用的邮箱再次请求一封邮件。", "you_have_been_invited": "您已被邀请加入团队 {{teamName}}", "user_invited_you": "{{user}} 邀请您在 {{appName}} 上加入 {{entity}} {{team}}", + "user_invited_you_to_subteam": "{{user}} 在 {{appName}} 上邀请您加入组织 {{parentTeamName}} 的团队 {{team}}", "hidden_team_member_title": "您在这个团队中被隐藏", "hidden_team_member_message": "您的位置尚未付费,请升级到专业版或通知团队管理员为您付费。", "hidden_team_owner_message": "需要一个专业版账户才能使用团队,在升级前您将一直被隐藏。", @@ -288,7 +294,9 @@ "nearly_there_instructions": "最后,您的个人简介和照片有助于您获得预约,并让人们了解他们的预约对象。", "set_availability_instructions": "设置您通常可预约的时间范围。您可以稍后创建更多时间范围并将其分配到不同的日历。", "set_availability": "设置您的可预约状态", + "set_availbility_description": "为您想要被预订的时间设置日程。", "share_a_link_or_embed": "分享或嵌入链接", + "share_a_link_or_embed_description": "分享您的 {{appName}} 链接或将其嵌入您的网站。", "availability_settings": "可预约时间设置", "continue_without_calendar": "无日历继续", "continue_with": "继续使用 {{appName}}", @@ -558,6 +566,7 @@ "enter_number_between_range": "请输入一个介于 1 和 {{maxOccurences}} 之间的数字", "email_address": "邮箱地址", "enter_valid_email": "请输入有效的电子邮件", + "please_schedule_future_call": " 如果我们在 {{seconds}} 秒内不可用,请安排未来的通话。", "location": "位置", "address": "地址", "enter_address": "输入地址", @@ -684,6 +693,7 @@ "default_duration_no_options": "请先选择可用时长", "multiple_duration_mins": "{{count}} $t(minute_timeUnit)", "minutes": "分钟", + "use_cal_ai_to_make_call_description": "使用 Cal.ai 获得人工智能驱动的电话号码或拨打电话给访客。", "round_robin": "轮流模式", "round_robin_description": "和多个团队成员之间轮流举行会议。", "managed_event": "托管活动", @@ -695,6 +705,7 @@ "add_members": "添加成员...", "no_assigned_members": "没有已分配的成员", "assigned_to": "已分配给", + "you_must_be_logged_in_to": "您必须登录 {{url}}", "start_assigning_members_above": "开始分配以上成员", "locked_fields_admin_description": "成员将无法编辑此内容", "unlocked_fields_admin_description": "只有团队成员才能编辑", @@ -762,7 +773,7 @@ "team_billing_description": "管理您团队的计费", "upgrade_to_flexible_pro_title": "我们更改了团队的计费方式", "upgrade_to_flexible_pro_message": "您的团队中有没有位置的成员。升级到专业版来获得更多位置。", - "changed_team_billing_info": "自2022年1月起,我们将按每个位置向团队成员收取费用。 您的团队中免费获得专业版的成员现在正在进行为期14天的试用。 试用期结束后,这些成员将在您的团队中隐藏,除非您现在升级到专业版。", + "changed_team_billing_info": "自2022年1月起,我们将按每个位置向团队成员收取费用。您的团队中免费获得专业版的成员现在正在进行为期14天的试用。试用期结束后,这些成员将在您的团队中隐藏,除非您现在升级到专业版。", "create_manage_teams_collaborative": "创建并管理团队以使用协作功能。", "only_available_on_pro_plan": "此功能仅在 Pro 套餐中可用", "remove_cal_branding_description": "若想从您的预约页面中去掉 {{appName}} 的品牌标志,您需要升级到专业版账户。", @@ -801,7 +812,9 @@ "additional_input_description": "在确认预约之前,需要预约者输入额外的信息", "label": "标签", "placeholder": "占位符", + "display_add_to_calendar_organizer": "使用“添加到日历”电子邮件作为组织者", "display_email_as_organizer": "我们会将这个电子邮箱地址显示为会议组织者, 并会向这个地址发送确认邮件。", + "if_enabled_email_address_as_organizer": "如果启用,我们将显示您“添加到日历”中的电子邮件地址作为组织者,并在那里发送确认电子邮件", "reconnect_calendar_to_use": "请注意,您可能需要断开连接,然后重新连接您的“添加到日历”账户来使用此功能。", "type": "类型", "edit": "编辑", @@ -811,6 +824,8 @@ "requires_confirmation_description": "将预约推送至集成和发送确认邮件之前,需要先手动确认预约。", "recurring_event": "定期活动", "recurring_event_description": "人们可以订阅定期活动", + "cannot_be_used_with_paid_event_types": "不能用于付费的活动类型", + "warning_payment_instant_meeting_event": "即时会议暂不支持定期活动和支付应用程序", "warning_instant_meeting_experimental": "测试提示:即时会议活动目前正在测试中。", "starting": "开始时间", "disable_guests": "禁用访客", @@ -973,8 +988,6 @@ "verify_wallet": "验证钱包", "create_events_on": "活动创建于:", "enterprise_license": "这是企业版功能", - "enterprise_license_description": "要启用此功能,请在 {{consoleUrl}} 控制台获取一个部署密钥,并将其添加到您的 .env 中作为 CALCOM_LICENSE_KEY。如果您的团队已经有许可证,请联系 {{supportMail}} 获取帮助。", - "enterprise_license_development": "您可以在开发模式下测试此功能。对于生产用途,请让管理员转到 <2>/auth/setup 输入许可证密钥。", "missing_license": "缺少许可证", "next_steps": "下一步", "acquire_commercial_license": "获取商业许可证", @@ -1073,6 +1086,7 @@ "make_team_private": "将团队设为私密", "make_team_private_description": "开启此选项后,您的团队成员将无法看到其他团队成员。", "you_cannot_see_team_members": "您无法看到私密团队的所有团队成员。", + "you_cannot_see_teams_of_org": "您无法看到私有组织的团队。", "allow_booker_to_select_duration": "允许预约者选择时长", "impersonate_user_tip": "此功能的所有使用都已审核。", "impersonating_user_warning": "正在模拟用户名“{{user}}”。", @@ -1228,6 +1242,7 @@ "reminder": "提醒", "rescheduled": "已重新安排", "completed": "已完成", + "rating": "评分", "reminder_email": "提醒: 和 {{name}} 在 {{date}} 的 {{eventType}}", "not_triggering_existing_bookings": "不会针对已经存在的预约而触发,因为用户在预约活动时会被要求提供电话号码。", "minute_one": "{{count}} 分钟", @@ -1262,6 +1277,7 @@ "upgrade": "升级", "upgrade_to_access_recordings_title": "升级以访问录制", "upgrade_to_access_recordings_description": "录制只作为团队计划的一部分提供。升级以开始录制通话", + "upgrade_to_cal_ai_phone_number_description": "升级到企业版以生成可以呼叫客人安排电话的人工智能代理电话号码", "recordings_are_part_of_the_teams_plan": "录制是团队计划的一部分", "team_feature_teams": "这是团队版功能。升级到团队版可查看您团队的可预约时间。", "team_feature_workflows": "这是团队版功能。升级到团队版可使用工作流程将活动通知和提醒自动化。", @@ -1395,6 +1411,7 @@ "event_name_info": "活动类型名称", "event_date_info": "活动日期", "event_time_info": "活动开始时间", + "event_type_not_found": "活动类型未找到", "location_variable": "位置", "location_info": "活动位置", "additional_notes_variable": "附加备注", @@ -1494,6 +1511,7 @@ "password_updated": "密码已更新!", "pending_payment": "待付款", "pending_invites": "待定邀请", + "pending_organization_invites": "待处理的组织邀请", "not_on_cal": "不在 {{appName}} 上", "no_calendar_installed": "未安装任何日历", "no_calendar_installed_description": "您尚未连接任何日历", @@ -1606,6 +1624,8 @@ "test_routing": "测试途径", "payment_app_disabled": "管理员已禁用支付应用", "edit_event_type": "编辑活动类型", + "only_admin_can_see_members_of_org": "该组织是私有的,只有该组织的管理员或所有者才能查看其成员。", + "only_admin_can_manage_sso_org": "只有组织的管理员或所有者才能管理 SSO 设置", "collective_scheduling": "集体日程安排", "make_it_easy_to_book": "轻松预约所有团队成员有空的时间。", "find_the_best_person": "寻找最合适的人选,并在团队内轮流。", @@ -1665,6 +1685,7 @@ "meeting_url_variable": "会议链接", "meeting_url_info": "活动会议链接", "date_overrides": "日期替代", + "date_overrides_delete_on_date": "删除 {{date}} 上的日期覆盖", "date_overrides_subtitle": "添加您的可预约时间与日常时间发生变化的日期。", "date_overrides_info": "日期替代会在日期过后自动存档", "date_overrides_dialog_which_hours": "您在哪些时间空闲?", @@ -1738,6 +1759,7 @@ "configure": "配置", "sso_configuration": "单点登录", "sso_configuration_description": "配置 SAML/OIDC SSO 并允许团队成员使用身份提供程序登录", + "sso_configuration_description_orgs": "配置 SAML/OIDC SSO 并允许组织成员使用身份提供者登录", "sso_oidc_heading": "使用 OIDC 的 SSO", "sso_oidc_description": "使用您选择的身份提供程序配置 OIDC SSO。", "sso_oidc_configuration_title": "OIDC 配置", @@ -1757,9 +1779,11 @@ "organizer_timezone": "组织者时区", "email_user_cta": "查看邀请", "email_no_user_invite_heading_team": "您已被邀请加入 {{appName}} 团队", + "email_no_user_invite_heading_subteam": "您已被邀请加入 {{parentTeamName}} 组织的一个团队", "email_no_user_invite_heading_org": "您已被邀请加入 {{appName}} 组织", "email_no_user_invite_subheading": "{{invitedBy}} 已邀请您加入他们在 {{appName}} 上的团队。{{appName}} 是一个活动安排调度程序,让您和您的团队无需通过电子邮件沟通即可安排会议。", "email_user_invite_subheading_team": "{{invitedBy}} 已邀请您加入他们在 {{appName}} 上的团队“{{teamName}}”。{{appName}} 是一个活动安排调度程序,让您和您的团队无需通过电子邮件沟通即可安排会议。", + "email_user_invite_subheading_subteam": "{{invitedBy}} 在 {{appName}} 上邀请您加入他们组织 {{parentTeamName}} 中的团队 {{teamName}}。{{appName}} 是一个活动日程安排程序,使您和您的团队无需电子邮件即可安排会议。", "email_user_invite_subheading_org": "{{invitedBy}} 已邀请您加入他们在 {{appName}} 上的组织“{{teamName}}”。{{appName}} 是一个活动日程安排程序,让您和您的组织无需通过电子邮件沟通即可安排会议。", "email_no_user_invite_steps_intro": "我们将引导您完成几个简短步骤,您将立即与您的 {{entity}} 一起享受无压力的日程安排。", "email_no_user_step_one": "选择您的用户名", @@ -1876,7 +1900,15 @@ "requires_at_least_one_schedule": "您需要至少有一个日程安排", "default_conferencing_bulk_description": "更新选定活动类型的位置", "locked_for_members": "已为成员锁定", + "unlocked_for_members": "对成员解锁", "apps_locked_for_members_description": "成员将能够查看活动的应用,但不能编辑任何应用设置", + "apps_unlocked_for_members_description": "成员将能够看到激活的应用程序并将能够编辑任何应用程序设置", + "apps_locked_by_team_admins_description": "您将能够看到激活的应用程序,但将无法编辑任何应用程序设置", + "apps_unlocked_by_team_admins_description": "您将能够看到激活的应用程序并将能够编辑任何应用程序设置", + "workflows_locked_for_members_description": "成员无法将他们的个人工作流程添加到此事件类型。成员将能够看到活动的团队工作流程,但将无法编辑任何工作流程设置。", + "workflows_unlocked_for_members_description": "成员将能够将他们的个人工作流程添加到此事件类型。成员将能够看到活动的团队工作流程,但将无法编辑任何工作流程设置。", + "workflows_locked_by_team_admins_description": "您将能够看到活动的团队工作流程,但将无法编辑任何工作流程设置或将您的个人工作流程添加到此事件类型。", + "workflows_unlocked_by_team_admins_description": "您将能够在此事件类型上启用/禁用个人工作流程。您将能够看到活动的团队工作流程,但将无法编辑任何团队工作流程设置。", "locked_by_team_admin": "被团队管理员锁定", "app_not_connected": "您尚未连接 {{appName}} 帐户。", "connect_now": "立即连接", @@ -1890,7 +1922,9 @@ "review_event_type": "查看活动类型", "looking_for_more_analytics": "寻找更多的分析?", "looking_for_more_insights": "寻找更多的 Insights?", + "filters": "过滤", "add_filter": "添加筛选器", + "remove_filters": "清楚所有过滤", "select_user": "选择用户", "select_event_type": "选择活动类型", "select_date_range": "选择日期范围", @@ -1981,6 +2015,7 @@ "connect_google_workspace": "连接 Google Workspace", "google_workspace_admin_tooltip": "您必须是 Workspace 管理员才能使用此功能", "first_event_type_webhook_description": "为此活动类型创建第一个 Webhook", + "create_instant_meeting_webhook_description": "为此事件类型创建第一个以“创建即时会议”为触发器的 Webhook", "install_app_on": "安装应用的账户", "create_for": "创建", "currency": "货币", @@ -2064,6 +2099,10 @@ "description_requires_booker_email_verification": "确保在安排活动前验证预约者的电子邮件", "requires_confirmation_mandatory": "仅当活动类型需要确认时,才能向参与者发送短信。", "organizations": "组织", + "upload_cal_video_logo": "上传 Cal 视频 Logo", + "update_cal_video_logo": "更新 Cal 视频 Logo", + "upload_banner": "上传横幅", + "cal_video_logo_upload_instruction": "为了确保您的徽标在 Cal 视频的深色背景下可见,请上传浅色图像以保持透明度,格式为 PNG 或 SVG。", "org_admin_other_teams": "其他团队", "org_admin_other_teams_description": "在此处可以看到您的组织内您不属于的团队。如果需要,您可以将自己添加到这些团队中。", "not_part_of_org": "您还不是任何组织的成员", @@ -2114,10 +2153,29 @@ "oAuth": "OAuth", "recently_added": "最近添加", "connect_all_calendars": "连接您的所有日历", + "connect_all_calendars_description": "{{appName}} 从您所有现有的日历中读取可用性。", "workflow_automation": "工作流程自动化", + "workflow_automation_description": "使用工作流程个性化您的日程安排体验", "scheduling_for_your_team": "工作流程自动化", + "scheduling_for_your_team_description": "使用集体和循环安排为您的团队安排日程", "no_members_found": "未找到成员", "directory_sync": "目录同步", + "directory_name": "目录名称", + "directory_provider": "目录提供程序", + "directory_scim_url": "SCIM 基本 URL", + "directory_scim_url_copied": "SCIM 基本 URL 已复制", + "directory_scim_token_copied": "SCIM Bearer Token 已复制", + "directory_sync_info_description": "您的身份提供者将要求提供以下信息来配置 SCIM。请按照说明完成设置。", + "directory_sync_configure": "配置目录同步", + "directory_sync_configure_description": "选择一个身份提供者为您的团队配置目录。", + "directory_sync_title": "配置身份提供程序以开始使用 SCIM。", + "directory_sync_created": "目录同步连接已创建。", + "directory_sync_description": "使用您的目录提供商配置和取消配置用户。", + "directory_sync_deleted": "目录同步连接已删除。", + "directory_sync_delete_connection": "删除连接", + "directory_sync_delete_title": "删除目录同步连接", + "directory_sync_delete_description": "您确定要删除此目录同步连接吗?", + "directory_sync_delete_confirmation": "此操作无法撤消。这将永久删除目录同步连接。", "event_setup_length_error": "获得设置:持续时间必须至少为 1 分钟。", "availability_schedules": "可预约时间表", "unauthorized": "未经授权", @@ -2133,6 +2191,8 @@ "access_bookings": "读取、编辑、删除您的预约", "allow_client_to_do": "允许 {{clientName}} 执行此操作?", "oauth_access_information": "点击“允许”,即表示您允许本应用根据服务条款和隐私政策使用您的信息。您可以在 {{appName}} 应用商店中删除访问权限。", + "oauth_form_title": "OAuth 客户端创建表单", + "oauth_form_description": "这是创建新 OAuth 客户端的表单", "allow": "允许", "view_only_edit_availability_not_onboarded": "此用户尚未完成入门流程。在他们完成入门流程之前,您将无法设置他们的可预约时间。", "view_only_edit_availability": "您正在查看此用户的可预约时间。您只能编辑您自己的可预约时间。", @@ -2151,6 +2211,7 @@ "view_overlay_calendar_events": "查看您的日历活动以防止预约冲突。", "join_event_location": "加入 {{eventLocationType}}", "troubleshooting": "疑难解答", + "calendars_were_checking_for_conflicts": "我们正在检查冲突的日历", "availabilty_schedules": "可预约时间表", "manage_calendars": "日历管理", "manage_availability_schedules": "管理可预约时间表", @@ -2158,14 +2219,151 @@ "unlocked": "已解锁", "lock_timezone_toggle_on_booking_page": "在预约页面上锁定时区", "description_lock_timezone_toggle_on_booking_page": "在预约页面上锁定时区,这对面对面活动非常有用。", + "event_setup_multiple_payment_apps_error": "每种事件类型只能启用一个支付应用程序。", + "number_in_international_format": "请输入国际格式的号码。", "install_calendar": "安装日历", + "branded_subdomain": "品牌子域名", + "branded_subdomain_description": "获取您自己的品牌子域名,例如 acme.cal.com", + "org_insights": "全组织范围", + "org_insights_description": "了解您的整个组织如何花费时间", "extensive_whitelabeling": "专门的入门和工程支持", + "extensive_whitelabeling_description": "使用您自己的 Logo、颜色等来自定义您的日程安排体验", + "unlimited_teams": "无限团队", + "unlimited_teams_description": "根据需要向您的组织添加任意数量的子团队", + "unified_billing": "统一计费", + "unified_billing_description": "添加一张信用卡来支付您团队的所有订阅费用", + "advanced_managed_events": "高级托管事件类型", + "advanced_managed_events_description": "添加一张信用卡来支付您团队的所有订阅费用", + "enterprise_description": "升级到企业版以创建您的组织", + "create_your_org": "创建您的组织", + "create_your_org_description": "升级到企业版获得子域名、统一计费、分析见解、全面的白标功能等等", + "other_payment_app_enabled": "每种事件类型只能启用一个支付应用程序", + "admin_delete_organization_description": "
    • 属于该组织的团队及其事件类型也将被删除
    • 曾属于该组织的用户不会被删除,他们的事件类型也将保持不变。
    • 用户名将被更改,以允许他们在组织之外存在
    ", + "admin_delete_organization_title": "是否删除 {{organizationName}}?", + "published": "已发布", + "unpublished": "未发布", + "publish": "发布", + "org_publish_error": "无法发布组织", + "troubleshooter_tooltip": "打开问题排查器并找出您的日程安排有什么问题", "need_help": "需要帮助?", + "troubleshooter": "问题排查器", + "number_to_call": "电话号码", + "guest_name": "访客姓名", + "guest_email": "访客邮箱", + "guest_company": "访客公司", + "please_install_a_calendar": "请安装日历", + "instant_tab_title": "即时预订", + "instant_event_tab_description": "让访客立即预订", + "uprade_to_create_instant_bookings": "升级到企业版,让访客加入与会者可以直接进入的即时通话。这仅适用于团队事件类型", + "dont_want_to_wait": "不想等待?", + "meeting_started": "会议开始", + "pay_and_book": "付费预订", + "cal_ai_event_tab_description": "让 AI 代理为您预订", + "booking_not_found_error": "找不到预订信息", + "booking_seats_full_error": "预订座位已满", + "missing_payment_credential_error": "缺少付款凭据", + "missing_payment_app_id_error": "缺少支付应用 ID", + "not_enough_available_seats_error": "预订中没有足够的可用座位", + "user_redirect_title": "{{username}} 目前暂时离开。", + "user_redirect_description": "同时,{{profile.username}} 将代表 {{username}} 负责所有新安排的会议。", + "out_of_office": "外出", + "out_of_office_description": "在您外出时在您的个人资料中配置操作。", + "send_request": "发送请求", + "start_date_and_end_date_required": "需要开始日期和结束日期", + "start_date_must_be_before_end_date": "开始日期必须在结束日期之前", + "start_date_must_be_in_the_future": "开始日期必须是未来的某个时间", + "user_not_found": "用户未找到", + "out_of_office_entry_already_exists": "外出条目已存在", + "out_of_office_id_required": "需要外出条目 ID", + "booking_redirect_infinite_not_allowed": "已经存在从该用户到您的预订重定向。", + "success_entry_created": "成功创建了一个新条目", + "booking_redirect_email_subject": "预订重定向通知", + "booking_redirect_email_title": "预订重定向通知", + "booking_redirect_email_description": "您已经收到来自 {{toName}} 的预订重定向,因此在时间间隔内他们的个人资料链接将被重定向到您的:", + "success_accept_booking_redirect": "您已接受此预订重定向请求。", + "success_reject_booking_redirect": "您已拒绝此预订重定向请求。", + "copy_link_booking_redirect_request": "复制链接以分享请求", + "booking_redirect_request_title": "预订重定向请求", + "select_team_member": "选择团队成员", + "going_away_title": "要离开吗? 只需将您的个人资料链接标记为在一段时间内不可用。", + "redirect_team_enabled": "将您的个人资料重定向到其他团队成员", + "redirect_team_disabled": "将您的个人资料重定向到其他团队成员(需要团队计划)", + "out_of_office_unavailable_list": "外出不可用列表", + "success_deleted_entry_out_of_office": "已成功删除条目", + "temporarily_out_of_office": "暂时外出?", + "add_a_redirect": "添加重定向", + "create_entry": "创建条目", + "time_range": "时间范围", + "automatically_add_all_team_members": "添加所有团队成员,包括未来成员", + "redirect_to": "重定向到", + "having_trouble_finding_time": "找不到合适的时间?", "show_more": "显示更多", + "assignment_description": "安排每个人都有空时的会议,或轮换团队成员", + "lowest": "最低", + "low": "低", + "medium": "中", + "high": "高", + "Highest": "最高", + "send_booker_to": "将预订者发送到", + "set_priority": "设置优先级", + "priority_for_user": "{{userName}} 的优先级", + "change_priority": "更改优先级", + "field_identifiers_as_variables": "使用字段标识符作为自定义事件重定向的变量", + "field_identifiers_as_variables_with_example": "使用字段标识符作为自定义事件重定向的变量(例如 {{variable}})", + "account_already_linked": "帐户已链接", + "send_email": "发送电子邮件", + "email_team_invite|subject|added_to_org": "{{user}} 将您添加到 {{appName}} 上的组织 {{team}}", + "email_team_invite|subject|invited_to_org": "{{user}} 邀请您加入 {{appName}} 上的组织 {{team}}", + "email_team_invite|subject|added_to_subteam": "{{user}} 将您添加到 {{appName}} 上的组织 {{parentTeamName}} 的团队 {{team}} 中", + "email_team_invite|subject|invited_to_subteam": "{{user}} 邀请您加入 {{appName}} 上的组织 {{parentTeamName}} 的团队 {{team}}", "email_team_invite|subject|invited_to_regular_team": "{{user}} 邀请您在 {{appName}} 上加入 {{team}} 团队", + "email_team_invite|heading|added_to_org": "您已被添加到 {{appName}} 组织", + "email_team_invite|heading|invited_to_org": "您已被邀请加入 {{appName}} 组织", + "email_team_invite|heading|added_to_subteam": "您已被添加到组织 {{parentTeamName}} 的一个团队中", + "email_team_invite|heading|invited_to_subteam": "您已被邀请加入组织 {{parentTeamName}} 的一个团队", "email_team_invite|heading|invited_to_regular_team": "您已被邀请加入 {{appName}} 团队", + "email_team_invite|content|added_to_org": "{{invitedBy}} 已将您添加到组织 {{teamName}} 中。", + "email_team_invite|content|invited_to_org": "{{invitedBy}} 已邀请您加入组织 {{teamName}}。", + "email_team_invite|content|added_to_subteam": "{{invitedBy}} 已将您添加到他们组织 {{parentTeamName}} 的团队 {{teamName}} 中。{{appName}} 是一个活动协调调度器,使您和您的团队能够在不需繁杂的邮件往来的情况下安排会议。", + "email_team_invite|content|invited_to_subteam": "{{invitedBy}} 邀请您加入他们的组织 {{parentTeamName}} 中的团队 {{teamName}}。{{appName}} 是一款日程安排工具,可让您和您的团队在不必反复发送电子邮件的情况下安排会议。", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} 已邀请您加入他们在 {{appName}} 上的团队“{{teamName}}”。{{appName}} 是一个活动安排调度程序,让您和您的团队无需通过电子邮件沟通即可安排会议。", + "email|existing_user_added_link_will_change": "接受邀请后,您的链接将更改为您的组织域名,但请不要担心,所有之前的链接仍然可以正常工作并会进行适当的重定向。

    请注意:您所有的个人事件类型都将被移入 {teamName} 组织,这也可能包括潜在的个人链接。

    对于个人事件,我们建议您使用个人电子邮件地址创建一个新帐户。", + "email|existing_user_added_link_changed": "您的链接已经从 {prevLinkWithoutProtocol} 修改为 {newLinkWithoutProtocol}。但是别担心,所有以前的链接仍然有效并适当重定向。

    请注意:您的所有个人活动类型均已移至 {teamName} 组织中,其中可能还包含潜在的个人链接。

    请登录并确保您的新组织帐户中没有私人事件。

    对于个人活动,我们建议使用个人电子邮件地址创建一个新帐户。

    享受新的干净链接:{newLinkWithoutProtocol}", + "email_organization_created|subject": "您的组织已创建完成", + "your_current_plan": "您当前的计划", + "organization_price_per_user_month": "$37 每用户每月(最低 30 个席位)", + "privacy_organization_description": "管理您团队的隐私设置", "privacy": "隐私", + "team_will_be_under_org": "新团队会在您的组织之下", + "add_group_name": "添加小组名", + "group_name": "小组名", + "routers": "途径", + "primary": "主要", + "make_primary": "设置为主要", + "add_email": "添加邮箱", + "add_email_description": "添加电子邮件地址以替换您的主要地址,或在您的活动类型中用作备用电子邮件。", + "confirm_email": "确认您的邮箱", + "confirm_email_description": "我们向 {{email}} 发送了一封邮件。点击邮件里的链接来确认这个地址。", + "send_event_details_to": "发送事件详情给", + "select_members": "选择成员", + "lock_event_types_modal_header": "我们该如何处理您成员现有的事件类型?", + "org_delete_event_types_org_admin": "您所有成员的个人事件类型(管理的事件类型除外)将被永久删除。他们将无法创建新的事件类型。", + "org_hide_event_types_org_admin": "您成员的个人事件类型将从个人资料中隐藏(管理的事件类型除外),但链接仍将处于活动状态。他们将无法创建新的事件类型。 ", + "hide_org_eventtypes": "隐藏个人事件类型", + "delete_org_eventtypes": "删除个人事件类型", + "lock_org_users_eventtypes": "锁定个人事件类型创建", + "lock_org_users_eventtypes_description": "阻止成员创建自己的事件类型。", "cookie_consent_checkbox": "我同意 Cal.com 的隐私政策以及 cookie 使用政策", + "make_a_call": "打电话", + "submit_feedback": "提交反馈", + "host_no_show": "您的主持人没有出现", + "no_show_description": "您可以与他们重新安排另一次会议", + "how_can_we_improve": "我们如何改进我们的服务?", + "most_liked": "你最喜欢什么?", + "review": "评论", + "reviewed": "已评论", + "unreviewed": "未评论", + "rating_url_info": "评级反馈表的 URL", + "no_show_url_info": "无反馈的 URL", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ 在此上方添加您的新字符串 ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/static/locales/zh-TW/common.json b/apps/web/public/static/locales/zh-TW/common.json index b41b34d04386c1..b33aa0777a1987 100644 --- a/apps/web/public/static/locales/zh-TW/common.json +++ b/apps/web/public/static/locales/zh-TW/common.json @@ -944,8 +944,6 @@ "verify_wallet": "驗證錢包", "create_events_on": "建立活動時間:", "enterprise_license": "此為企業版功能", - "enterprise_license_description": "若要啟用此功能,請在 {{consoleUrl}} 主控台取得部署金鑰,並在您的 .env 中新增為 CALCOM_LICENSE_KEY。如果您的團隊已經取得授權,請聯絡 {{supportMail}} 取得協助。", - "enterprise_license_development": "您可以在開發模式下測試此功能。若要用於生產環境,請由管理員前往 <2>/auth/setup 輸入授權金鑰。", "missing_license": "遺失授權", "next_steps": "下一步", "acquire_commercial_license": "取得商業授權", @@ -1429,6 +1427,8 @@ "copy_link_to_form": "複製連結至表單", "theme": "主題", "theme_applies_note": "這只適用於您的公開預約頁面", + "app_theme": "儀表板主題", + "app_theme_applies_note": "這僅適用於您登入的儀表板", "theme_system": "系統預設", "add_a_team": "新增團隊", "add_webhook_description": "當 {{appName}} 上有活動進行時,即時收到會議資料", @@ -2105,10 +2105,11 @@ "need_help": "需要協助?", "user_redirect_description": "在此期間,{{profile.username}} 將代表 {{username}} 負責所有新安排的會議。", "show_more": "顯示更多", + "send_email": "傳送電子郵件", "email_team_invite|subject|invited_to_regular_team": "受到 {{user}} 的邀請加入 {{appName}} 上的 {{team}} 團隊", "email_team_invite|heading|invited_to_regular_team": "您已獲邀加入 {{appName}} 團隊", "email_team_invite|content|invited_to_regular_team": "{{invitedBy}} 已邀請您加入對方在 {{appName}} 上的「{{teamName}}」團隊。{{appName}} 為一款活動多功能排程工具,可讓您和團隊無須透過繁複的電子郵件往來,就能輕鬆預定會議。", "privacy": "隱私權", "team_will_be_under_org": "新的團隊將會在您的組織下。", "ADD_NEW_STRINGS_ABOVE_THIS_LINE_TO_PREVENT_MERGE_CONFLICTS": "↑↑↑↑↑↑↑↑↑↑↑↑↑ 請在此處新增您的字串 ↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑↑" -} \ No newline at end of file +} diff --git a/apps/web/public/stop-recording.svg b/apps/web/public/stop-recording.svg new file mode 100644 index 00000000000000..5264d7790f3a11 --- /dev/null +++ b/apps/web/public/stop-recording.svg @@ -0,0 +1 @@ + diff --git a/apps/web/scripts/check-missing-translations.ts b/apps/web/scripts/check-missing-translations.ts new file mode 100644 index 00000000000000..d032b48085b964 --- /dev/null +++ b/apps/web/scripts/check-missing-translations.ts @@ -0,0 +1,51 @@ +import { readFileSync, readdirSync, writeFileSync } from "fs"; +import { join } from "path"; + +const TEMPLATE_LANGUAGE = "en"; +const SPECIFIC_LOCALES = process.argv.slice(2) || []; +const LOCALES_PATH = join(__dirname, "../public/static/locales"); + +const ALL_LOCALES = readdirSync(LOCALES_PATH); + +const templateJsonPath = join(LOCALES_PATH, `${TEMPLATE_LANGUAGE}/common.json`); +const templateJson: { [key: string]: string } = JSON.parse(readFileSync(templateJsonPath, "utf-8")); + +const missingTranslationLocales: string[] = []; +// If locales are not specified, then check all folders under `public/static/locales` +(SPECIFIC_LOCALES.length ? SPECIFIC_LOCALES : ALL_LOCALES).forEach((locale: string) => { + if (locale === TEMPLATE_LANGUAGE) return; + if (!ALL_LOCALES.includes(locale)) { + missingTranslationLocales.push(locale); + console.log(` + ❌ ${locale} is not found in ${LOCALES_PATH}! + If you want to create a new locale, Please create common.json under ${join(LOCALES_PATH, locale)}. + `); + return; + } + + const localeJsonPath = join(LOCALES_PATH, `${locale}/common.json`); + const localeJson: { [key: string]: string } = JSON.parse(readFileSync(localeJsonPath, "utf8")); + + if (Object.keys(templateJson).length === Object.keys(localeJson).length) return; + + const missingTranslations: { [key: string]: string } = {}; + missingTranslationLocales.push(locale); + Object.entries(templateJson).forEach(([key, value]: [string, string]) => { + if (key in localeJson) return; + + missingTranslations[key] = value; + }); + + const newLocaleJson = { + ...missingTranslations, + ...localeJson, + }; + writeFileSync(localeJsonPath, JSON.stringify(newLocaleJson, null, 2)); +}); + +if (missingTranslationLocales.length) { + console.log("🌍 The following locales need to be translated: "); + console.log(` ${missingTranslationLocales.join(", ")}`); +} else { + console.log("💯 All the locales are completely translated!"); +} diff --git a/apps/web/sentry.edge.config.ts b/apps/web/sentry.edge.config.ts deleted file mode 100644 index 0e1d2cbecdb1d1..00000000000000 --- a/apps/web/sentry.edge.config.ts +++ /dev/null @@ -1,5 +0,0 @@ -import { init as SentryInit } from "@sentry/nextjs"; - -SentryInit({ - dsn: process.env.NEXT_PUBLIC_SENTRY_DSN, -}); diff --git a/apps/web/sentry.server.config.ts b/apps/web/sentry.server.config.ts deleted file mode 100644 index 0798e21c3581b9..00000000000000 --- a/apps/web/sentry.server.config.ts +++ /dev/null @@ -1,6 +0,0 @@ -import { init as SentryInit } from "@sentry/nextjs"; - -SentryInit({ - dsn: process.env.NEXT_PUBLIC_SENTRY_DSN, - tracesSampleRate: 1.0, -}); diff --git a/apps/web/styles/globals.css b/apps/web/styles/globals.css index b913516e3cd8ea..4c25942b20f5f0 100644 --- a/apps/web/styles/globals.css +++ b/apps/web/styles/globals.css @@ -121,6 +121,10 @@ body  { https://docs.todesktop.com/ */ +html.todesktop-platform-win32 .todesktop\:\!bg-transparent{ + background: inherit !important; +} + /* disable user selection on buttons, links and images on desktop app */ html.todesktop button, html.todesktop a, @@ -150,6 +154,10 @@ html.todesktop header a { -webkit-app-region: no-drag; } +html.todesktop-platform-darwin body, html.todesktop-platform-darwin aside { + background: transparent !important; +} + html.todesktop-platform-darwin.dark main.bg-default { background: rgba(0, 0, 0, 0.6) !important; } @@ -471,3 +479,7 @@ select:focus { .react-tel-input .flag-dropdown { @apply !border-r-default left-0.5 !border-y-0 !border-l-0; } + +.intercom-lightweight-app { + @apply z-40 !important; +} diff --git a/apps/web/test/fixtures/fixtures.ts b/apps/web/test/fixtures/fixtures.ts index 121c188bb3bd7e..438874624b48ed 100644 --- a/apps/web/test/fixtures/fixtures.ts +++ b/apps/web/test/fixtures/fixtures.ts @@ -2,15 +2,20 @@ import { test as base } from "vitest"; import { getTestEmails } from "@calcom/lib/testEmails"; +import { getTestSMS } from "@calcom/lib/testSMS"; export interface Fixtures { emails: ReturnType; + sms: ReturnType; } export const test = base.extend({ emails: async ({}, use) => { await use(getEmailsFixture()); }, + sms: async ({}, use) => { + await use(getSMSFixture()); + }, }); function getEmailsFixture() { @@ -18,3 +23,9 @@ function getEmailsFixture() { get: getTestEmails, }; } + +function getSMSFixture() { + return { + get: getTestSMS, + }; +} diff --git a/apps/web/test/handlers/requestReschedule.test.ts b/apps/web/test/handlers/requestReschedule.test.ts index ef1f2f96f22fe0..22f1e90852e33d 100644 --- a/apps/web/test/handlers/requestReschedule.test.ts +++ b/apps/web/test/handlers/requestReschedule.test.ts @@ -1,12 +1,5 @@ -import type { Request, Response } from "express"; -import type { NextApiRequest, NextApiResponse } from "next"; -import { describe } from "vitest"; - -import { SchedulingType } from "@calcom/prisma/enums"; -import { BookingStatus } from "@calcom/prisma/enums"; -import type { TRequestRescheduleInputSchema } from "@calcom/trpc/server/routers/viewer/bookings/requestReschedule.schema"; -import type { TrpcSessionUser } from "@calcom/trpc/server/trpc"; -import { test } from "@calcom/web/test/fixtures/fixtures"; +import { getSampleUserInSession } from "../utils/bookingScenario/getSampleUserInSession"; +import { setupAndTeardown } from "../utils/bookingScenario/setupAndTeardown"; import { createBookingScenario, getGoogleCalendarCredential, @@ -19,8 +12,15 @@ import { } from "@calcom/web/test/utils/bookingScenario/bookingScenario"; import { expectBookingRequestRescheduledEmails } from "@calcom/web/test/utils/bookingScenario/expects"; -import { getSampleUserInSession } from "../utils/bookingScenario/getSampleUserInSession"; -import { setupAndTeardown } from "../utils/bookingScenario/setupAndTeardown"; +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { describe } from "vitest"; + +import { SchedulingType } from "@calcom/prisma/enums"; +import { BookingStatus } from "@calcom/prisma/enums"; +import type { TRequestRescheduleInputSchema } from "@calcom/trpc/server/routers/viewer/bookings/requestReschedule.schema"; +import type { TrpcSessionUser } from "@calcom/trpc/server/trpc"; +import { test } from "@calcom/web/test/fixtures/fixtures"; export type CustomNextApiRequest = NextApiRequest & Request; @@ -95,6 +95,7 @@ describe("Handler: requestReschedule", () => { locale: "hi", // Booker's timezone when the fresh booking happened earlier timeZone: "Asia/Kolkata", + noShow: false, }), ], }, @@ -214,6 +215,7 @@ describe("Handler: requestReschedule", () => { locale: "hi", // Booker's timezone when the fresh booking happened earlier timeZone: "Asia/Kolkata", + noShow: false, }), ], }, diff --git a/apps/web/test/lib/getSchedule.test.ts b/apps/web/test/lib/getSchedule.test.ts index 1778819241c042..48cbb5450b8bea 100644 --- a/apps/web/test/lib/getSchedule.test.ts +++ b/apps/web/test/lib/getSchedule.test.ts @@ -1,13 +1,4 @@ import CalendarManagerMock from "../../../../tests/libs/__mocks__/CalendarManager"; -import prismock from "../../../../tests/libs/__mocks__/prisma"; - -import { diff } from "jest-diff"; -import { describe, expect, vi, beforeEach, afterEach, test } from "vitest"; - -import dayjs from "@calcom/dayjs"; -import type { BookingStatus } from "@calcom/prisma/enums"; -import type { Slot } from "@calcom/trpc/server/routers/viewer/slots/types"; -import { getAvailableSlots as getSchedule } from "@calcom/trpc/server/routers/viewer/slots/util"; import { getDate, @@ -16,157 +7,30 @@ import { createOrganization, getOrganizer, getScenarioData, + Timezones, + TestData, + createCredentials, + mockCrmApp, } from "../utils/bookingScenario/bookingScenario"; +import { describe, vi, test } from "vitest"; + +import dayjs from "@calcom/dayjs"; +import type { BookingStatus } from "@calcom/prisma/enums"; +import { getAvailableSlots as getSchedule } from "@calcom/trpc/server/routers/viewer/slots/util"; + +import { expect } from "./getSchedule/expects"; +import { setupAndTeardown } from "./getSchedule/setupAndTeardown"; +import { timeTravelToTheBeginningOfToday } from "./getSchedule/utils"; + vi.mock("@calcom/lib/constants", () => ({ IS_PRODUCTION: true, WEBAPP_URL: "http://localhost:3000", RESERVED_SUBDOMAINS: ["auth", "docs"], })); -declare global { - // eslint-disable-next-line @typescript-eslint/no-namespace - namespace jest { - interface Matchers { - toHaveTimeSlots(expectedSlots: string[], date: { dateString: string }): R; - } - } -} - -expect.extend({ - toHaveTimeSlots( - schedule: { slots: Record }, - expectedSlots: string[], - { dateString }: { dateString: string } - ) { - if (!schedule.slots[`${dateString}`]) { - return { - pass: false, - message: () => `has no timeslots for ${dateString}`, - }; - } - if ( - !schedule.slots[`${dateString}`] - .map((slot) => slot.time) - .every((actualSlotTime, index) => { - return `${dateString}T${expectedSlots[index]}` === actualSlotTime; - }) - ) { - return { - pass: false, - message: () => - `has incorrect timeslots for ${dateString}.\n\r ${diff( - expectedSlots.map((expectedSlot) => `${dateString}T${expectedSlot}`), - schedule.slots[`${dateString}`].map((slot) => slot.time) - )}`, - }; - } - return { - pass: true, - message: () => "has correct timeslots ", - }; - }, -}); - -const Timezones = { - "+5:30": "Asia/Kolkata", - "+6:00": "Asia/Dhaka", -}; - -const TestData = { - selectedCalendars: { - google: { - integration: "google_calendar", - externalId: "john@example.com", - }, - }, - credentials: { - google: getGoogleCalendarCredential(), - }, - schedules: { - IstWorkHours: { - id: 1, - name: "9:30AM to 6PM in India - 4:00AM to 12:30PM in GMT", - availability: [ - { - userId: null, - eventTypeId: null, - days: [0, 1, 2, 3, 4, 5, 6], - startTime: new Date("1970-01-01T09:30:00.000Z"), - endTime: new Date("1970-01-01T18:00:00.000Z"), - date: null, - }, - ], - timeZone: Timezones["+5:30"], - }, - IstWorkHoursWithDateOverride: (dateString: string) => ({ - id: 1, - name: "9:30AM to 6PM in India - 4:00AM to 12:30PM in GMT but with a Date Override for 2PM to 6PM IST(in GST time it is 8:30AM to 12:30PM)", - availability: [ - { - userId: null, - eventTypeId: null, - days: [0, 1, 2, 3, 4, 5, 6], - startTime: new Date("1970-01-01T09:30:00.000Z"), - endTime: new Date("1970-01-01T18:00:00.000Z"), - date: null, - }, - { - userId: null, - eventTypeId: null, - days: [0, 1, 2, 3, 4, 5, 6], - startTime: new Date("1970-01-01T14:00:00.000Z"), - endTime: new Date("1970-01-01T18:00:00.000Z"), - date: dateString, - }, - ], - timeZone: Timezones["+5:30"], - }), - }, - users: { - example: { - name: "Example", - username: "example", - defaultScheduleId: 1, - email: "example@example.com", - timeZone: Timezones["+5:30"], - }, - }, - apps: { - googleCalendar: { - slug: "google-calendar", - dirName: "whatever", - // eslint-disable-next-line @typescript-eslint/ban-ts-comment - //@ts-ignore - keys: { - expiry_date: Infinity, - client_id: "client_id", - client_secret: "client_secret", - redirect_uris: ["http://localhost:3000/auth/callback"], - }, - }, - }, -}; - -const cleanup = async () => { - await prismock.eventType.deleteMany(); - await prismock.user.deleteMany(); - await prismock.schedule.deleteMany(); - await prismock.selectedCalendar.deleteMany(); - await prismock.credential.deleteMany(); - await prismock.booking.deleteMany(); - await prismock.app.deleteMany(); -}; - -beforeEach(async () => { - await cleanup(); -}); - -afterEach(async () => { - await cleanup(); -}); - describe("getSchedule", () => { + setupAndTeardown(); describe("Calendar event", () => { test("correctly identifies unavailable slots from calendar", async () => { const { dateString: plus1DateString } = getDate({ dateIncrement: 1 }); @@ -201,7 +65,7 @@ describe("getSchedule", () => { selectedCalendars: [TestData.selectedCalendars.google], }, ], - apps: [TestData.apps.googleCalendar], + apps: [TestData.apps["google-calendar"]], }; // An event with one accepted booking await createBookingScenario(scenarioData); @@ -224,6 +88,289 @@ describe("getSchedule", () => { }); }); + describe("Round robin lead skip - CRM", async () => { + test("correctly get slots for event with only round robin hosts", async () => { + vi.setSystemTime("2024-05-21T00:00:13Z"); + + const plus1DateString = "2024-05-22"; + const plus2DateString = "2024-05-23"; + + const crmCredential = { + id: 1, + type: "salesforce_crm", + key: { + clientId: "test-client-id", + }, + userId: 1, + teamId: null, + appId: "salesforce", + invalid: false, + user: { email: "test@test.com" }, + }; + + await createCredentials([crmCredential]); + + mockCrmApp("salesforce", { + getContacts: [ + { + id: "contact-id", + email: "test@test.com", + ownerEmail: "example@example.com", + }, + ], + createContacts: [{ id: "contact-id", email: "test@test.com" }], + }); + + await createBookingScenario({ + eventTypes: [ + { + id: 1, + slotInterval: 60, + length: 60, + hosts: [ + { + userId: 101, + isFixed: false, + }, + { + userId: 102, + isFixed: false, + }, + ], + schedulingType: "ROUND_ROBIN", + metadata: { + apps: { + salesforce: { + enabled: true, + appCategories: ["crm"], + roundRobinLeadSkip: true, + }, + }, + }, + }, + ], + users: [ + { + ...TestData.users.example, + email: "example@example.com", + id: 101, + schedules: [TestData.schedules.IstEveningShift], + }, + { + ...TestData.users.example, + email: "example1@example.com", + id: 102, + schedules: [TestData.schedules.IstMorningShift], + defaultScheduleId: 2, + }, + ], + bookings: [], + }); + + const scheduleWithLeadSkip = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + startTime: `${plus1DateString}T18:30:00.000Z`, + endTime: `${plus2DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: true, + bookerEmail: "test@test.com", + }, + }); + + expect(scheduleWithLeadSkip.teamMember).toBe("example@example.com"); + + // only slots where example@example.com is available + expect(scheduleWithLeadSkip).toHaveTimeSlots( + [`11:30:00.000Z`, `12:30:00.000Z`, `13:30:00.000Z`, `14:30:00.000Z`, `15:30:00.000Z`], + { + dateString: plus2DateString, + } + ); + + const scheduleWithoutLeadSkip = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + startTime: `${plus1DateString}T18:30:00.000Z`, + endTime: `${plus2DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: true, + bookerEmail: "testtest@test.com", + }, + }); + + expect(scheduleWithoutLeadSkip.teamMember).toBe(undefined); + + // slots where either one of the rr hosts is available + expect(scheduleWithoutLeadSkip).toHaveTimeSlots( + [ + `04:30:00.000Z`, + `05:30:00.000Z`, + `06:30:00.000Z`, + `07:30:00.000Z`, + `08:30:00.000Z`, + `09:30:00.000Z`, + `10:30:00.000Z`, + `11:30:00.000Z`, + `12:30:00.000Z`, + `13:30:00.000Z`, + `14:30:00.000Z`, + `15:30:00.000Z`, + ], + { + dateString: plus2DateString, + } + ); + }); + test("correctly get slots for event with round robin and fixed hosts", async () => { + const { dateString: plus1DateString } = getDate({ dateIncrement: 1 }); + const { dateString: plus2DateString } = getDate({ dateIncrement: 2 }); + + const crmCredential = { + id: 1, + type: "salesforce_crm", + key: { + clientId: "test-client-id", + }, + userId: 1, + teamId: null, + appId: "salesforce", + invalid: false, + user: { email: "test@test.com" }, + }; + + await createCredentials([crmCredential]); + + mockCrmApp("salesforce", { + getContacts: [ + { + id: "contact-id", + email: "test@test.com", + ownerEmail: "example@example.com", + }, + { + id: "contact-id-1", + email: "test1@test.com", + ownerEmail: "example1@example.com", + }, + ], + createContacts: [{ id: "contact-id", email: "test@test.com" }], + }); + + await createBookingScenario({ + eventTypes: [ + { + id: 1, + slotInterval: 60, + length: 60, + hosts: [ + { + userId: 101, + isFixed: true, + }, + { + userId: 102, + isFixed: false, + }, + { + userId: 103, + isFixed: false, + }, + ], + schedulingType: "ROUND_ROBIN", + metadata: { + apps: { + salesforce: { + enabled: true, + appCategories: ["crm"], + roundRobinLeadSkip: true, + }, + }, + }, + }, + ], + users: [ + { + ...TestData.users.example, + email: "example@example.com", + id: 101, + schedules: [TestData.schedules.IstMidShift], + }, + { + ...TestData.users.example, + email: "example1@example.com", + id: 102, + schedules: [TestData.schedules.IstMorningShift], + defaultScheduleId: 2, + }, + { + ...TestData.users.example, + email: "example2@example.com", + id: 103, + schedules: [TestData.schedules.IstEveningShift], + + defaultScheduleId: 3, + }, + ], + bookings: [], + }); + + const scheduleFixedHostLead = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + startTime: `${plus1DateString}T18:30:00.000Z`, + endTime: `${plus2DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: true, + bookerEmail: "test@test.com", + }, + }); + + expect(scheduleFixedHostLead.teamMember).toBe("example@example.com"); + + // show normal slots, example@example + one RR host needs to be available + expect(scheduleFixedHostLead).toHaveTimeSlots( + [ + `07:30:00.000Z`, + `08:30:00.000Z`, + `09:30:00.000Z`, + `10:30:00.000Z`, + `11:30:00.000Z`, + `12:30:00.000Z`, + `13:30:00.000Z`, + ], + { + dateString: plus2DateString, + } + ); + + const scheduleRRHostLead = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + startTime: `${plus1DateString}T18:30:00.000Z`, + endTime: `${plus2DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: true, + bookerEmail: "test1@test.com", + }, + }); + + expect(scheduleRRHostLead.teamMember).toBe("example1@example.com"); + + // slots where example@example (fixed host) + example1@example.com are available together + expect(scheduleRRHostLead).toHaveTimeSlots( + [`07:30:00.000Z`, `08:30:00.000Z`, `09:30:00.000Z`, `10:30:00.000Z`, `11:30:00.000Z`], + { + dateString: plus2DateString, + } + ); + }); + }); + describe("User Event", () => { test("correctly identifies unavailable slots from Cal Bookings in different status", async () => { const { dateString: plus1DateString } = getDate({ dateIncrement: 1 }); @@ -445,22 +592,12 @@ describe("getSchedule", () => { ); }); - // FIXME: Fix minimumBookingNotice is respected test - // eslint-disable-next-line playwright/no-skipped-test - test.skip("minimumBookingNotice is respected", async () => { - vi.useFakeTimers().setSystemTime( - (() => { - const today = new Date(); - // Beginning of the day in current timezone of the system - return new Date(today.getFullYear(), today.getMonth(), today.getDate()); - })() - ); - + test("minimumBookingNotice is respected", async () => { await createBookingScenario({ eventTypes: [ { id: 1, - length: 120, + length: 2 * 60, minimumBookingNotice: 13 * 60, // Would take the minimum bookable time to be 18:30UTC+13 = 7:30AM UTC users: [ { @@ -470,7 +607,7 @@ describe("getSchedule", () => { }, { id: 2, - length: 120, + length: 2 * 60, minimumBookingNotice: 10 * 60, // Would take the minimum bookable time to be 18:30UTC+10 = 4:30AM UTC users: [ { @@ -487,8 +624,13 @@ describe("getSchedule", () => { }, ], }); + const { dateString: todayDateString } = getDate(); const { dateString: minus1DateString } = getDate({ dateIncrement: -1 }); + + // Time Travel to the beginning of today after getting all the dates correctly. + timeTravelToTheBeginningOfToday({ utcOffsetInHours: 5.5 }); + const scheduleForEventWithBookingNotice13Hrs = await getSchedule({ input: { eventTypeId: 1, @@ -499,9 +641,11 @@ describe("getSchedule", () => { isTeamEvent: false, }, }); + expect(scheduleForEventWithBookingNotice13Hrs).toHaveTimeSlots( [ - /*`04:00:00.000Z`, `06:00:00.000Z`, - Minimum time slot is 07:30 UTC*/ `08:00:00.000Z`, + /*`04:00:00.000Z`, `06:00:00.000Z`, - Minimum time slot is 07:30 UTC which is 13hrs from 18:30*/ + `08:00:00.000Z`, `10:00:00.000Z`, `12:00:00.000Z`, ], @@ -522,17 +666,15 @@ describe("getSchedule", () => { }); expect(scheduleForEventWithBookingNotice10Hrs).toHaveTimeSlots( [ - /*`04:00:00.000Z`, - Minimum bookable time slot is 04:30 UTC but next available is 06:00*/ - `06:00:00.000Z`, - `08:00:00.000Z`, - `10:00:00.000Z`, - `12:00:00.000Z`, + /*`04:00:00.000Z`, - Minimum bookable time slot is 04:30 UTC which is 10hrs from 18:30 */ + `05:00:00.000Z`, + `07:00:00.000Z`, + `09:00:00.000Z`, ], { dateString: todayDateString, } ); - vi.useRealTimers(); }); test("afterBuffer and beforeBuffer tests - Non Cal Busy Time", async () => { @@ -569,7 +711,7 @@ describe("getSchedule", () => { selectedCalendars: [TestData.selectedCalendars.google], }, ], - apps: [TestData.apps.googleCalendar], + apps: [TestData.apps["google-calendar"]], }; await createBookingScenario(scenarioData); @@ -630,7 +772,8 @@ describe("getSchedule", () => { ...TestData.users.example, id: 101, schedules: [TestData.schedules.IstWorkHours], - credentials: [], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], }, ], bookings: [ @@ -642,7 +785,7 @@ describe("getSchedule", () => { status: "ACCEPTED" as BookingStatus, }, ], - // apps: [TestData.apps.googleCalendar], + apps: [TestData.apps["google-calendar"]], }; await createBookingScenario(scenarioData); @@ -700,7 +843,7 @@ describe("getSchedule", () => { selectedCalendars: [TestData.selectedCalendars.google], }, ], - apps: [TestData.apps.googleCalendar], + apps: [TestData.apps["google-calendar"]], }; await createBookingScenario(scenarioData); @@ -878,6 +1021,7 @@ describe("getSchedule", () => { } ); }); + test("test that booking limit is working correctly if user is all day available", async () => { const { dateString: plus1DateString } = getDate({ dateIncrement: 1 }); const { dateString: plus2DateString } = getDate({ dateIncrement: 2 }); @@ -937,6 +1081,7 @@ describe("getSchedule", () => { ], }, ], + // One bookings for each(E1 and E2) on plus2Date bookings: [ { userId: 101, @@ -1274,24 +1419,21 @@ describe("getSchedule", () => { }); const scenario = await createBookingScenario( - getScenarioData( - { - eventTypes: [ - { - id: 1, - slotInterval: 45, - length: 45, - users: [ - { - id: 101, - }, - ], - }, - ], - organizer, - }, - { id: org.id } - ) + getScenarioData({ + eventTypes: [ + { + id: 1, + slotInterval: 45, + length: 45, + users: [ + { + id: 101, + }, + ], + }, + ], + organizer, + }) ); const { dateString: plus1DateString } = getDate({ dateIncrement: 1 }); diff --git a/apps/web/test/lib/getSchedule/expects.ts b/apps/web/test/lib/getSchedule/expects.ts new file mode 100644 index 00000000000000..168564c818bbed --- /dev/null +++ b/apps/web/test/lib/getSchedule/expects.ts @@ -0,0 +1,126 @@ +import { diff } from "jest-diff"; +import { expect } from "vitest"; + +import type { Slot } from "@calcom/trpc/server/routers/viewer/slots/types"; + +export const expectedSlotsForSchedule = { + IstWorkHours: { + interval: { + "1hr": { + allPossibleSlotsStartingAt430: [ + "04:30:00.000Z", + "05:30:00.000Z", + "06:30:00.000Z", + "07:30:00.000Z", + "08:30:00.000Z", + "09:30:00.000Z", + "10:30:00.000Z", + "11:30:00.000Z", + ], + allPossibleSlotsStartingAt4: [ + "04:00:00.000Z", + "05:00:00.000Z", + "06:00:00.000Z", + "07:00:00.000Z", + "08:00:00.000Z", + "09:00:00.000Z", + "10:00:00.000Z", + "11:00:00.000Z", + ], + }, + }, + }, +}; + +declare global { + // eslint-disable-next-line @typescript-eslint/no-namespace + namespace jest { + interface Matchers { + toHaveTimeSlots(expectedSlots: string[], date: { dateString: string; doExactMatch?: boolean }): R; + /** + * Explicitly checks if the date is disabled and fails if date is marked as OOO + */ + toHaveDateDisabled(date: { dateString: string }): R; + } + } +} + +expect.extend({ + toHaveTimeSlots( + schedule: { slots: Record }, + expectedSlots: string[], + { dateString, doExactMatch }: { dateString: string; doExactMatch: boolean } + ) { + if (!schedule.slots[`${dateString}`]) { + return { + pass: false, + message: () => `has no timeslots for ${dateString}`, + }; + } + + const expectedSlotHasFullTimestamp = expectedSlots[0].split("-").length === 3; + + if ( + !schedule.slots[`${dateString}`] + .map((slot) => slot.time) + .every((actualSlotTime, index) => { + const expectedSlotTime = expectedSlotHasFullTimestamp + ? expectedSlots[index] + : `${dateString}T${expectedSlots[index]}`; + return expectedSlotTime === actualSlotTime; + }) + ) { + return { + pass: false, + message: () => + `has incorrect timeslots for ${dateString}.\n\r ${diff( + expectedSlots.map((expectedSlot) => { + if (expectedSlotHasFullTimestamp) { + return expectedSlot; + } + return `${dateString}T${expectedSlot}`; + }), + schedule.slots[`${dateString}`].map((slot) => slot.time) + )}`, + }; + } + + if (doExactMatch) { + return { + pass: expectedSlots.length === schedule.slots[`${dateString}`].length, + message: () => + `number of slots don't match for ${dateString}. Expected ${expectedSlots.length} but got ${ + schedule.slots[`${dateString}`].length + }`, + }; + } + + return { + pass: true, + message: () => "has correct timeslots ", + }; + }, + + toHaveDateDisabled(schedule: { slots: Record }, { dateString }: { dateString: string }) { + // Frontend requires that the date must not be set for that date to be shown as disabled.Because weirdly, if an empty array is provided the date itself isn't shown which we don't want + if (!schedule.slots[`${dateString}`]) { + return { + pass: true, + message: () => `is not disabled for ${dateString}`, + }; + } + + if (schedule.slots[`${dateString}`].length === 0) { + return { + pass: false, + message: () => `is all day OOO for ${dateString}.`, + }; + } + return { + pass: false, + message: () => `has timeslots for ${dateString}`, + }; + }, +}); + +export { expect } from "vitest"; diff --git a/apps/web/test/lib/getSchedule/futureLimit.timezone.test.ts b/apps/web/test/lib/getSchedule/futureLimit.timezone.test.ts new file mode 100644 index 00000000000000..4de779c4a69077 --- /dev/null +++ b/apps/web/test/lib/getSchedule/futureLimit.timezone.test.ts @@ -0,0 +1,1553 @@ +import { + TestData, + Timezones, + createBookingScenario, + replaceDates, +} from "../../utils/bookingScenario/bookingScenario"; +import type { ScenarioData } from "../../utils/bookingScenario/bookingScenario"; + +import { describe, expect, vi, test } from "vitest"; + +import { PeriodType } from "@calcom/prisma/enums"; +import { getAvailableSlots as getSchedule } from "@calcom/trpc/server/routers/viewer/slots/util"; + +import { expectedSlotsForSchedule } from "./expects"; +import { setupAndTeardown } from "./setupAndTeardown"; + +function getPeriodTypeData({ + type, + periodDays, + periodCountCalendarDays, + periodStartDate, + periodEndDate, +}: { + type: PeriodType; + periodDays?: number; + periodCountCalendarDays?: boolean; + periodStartDate?: Date; + periodEndDate?: Date; +}) { + if (type === PeriodType.ROLLING) { + if (periodCountCalendarDays === undefined || !periodDays) { + throw new Error("periodCountCalendarDays and periodDays are required for ROLLING period type"); + } + return { + periodType: PeriodType.ROLLING, + periodDays, + periodCountCalendarDays, + }; + } + + if (type === PeriodType.ROLLING_WINDOW) { + if (periodCountCalendarDays === undefined || !periodDays) { + throw new Error("periodCountCalendarDays and periodDays are required for ROLLING period type"); + } + return { + periodType: PeriodType.ROLLING_WINDOW, + periodDays, + periodCountCalendarDays, + }; + } + + if (type === PeriodType.RANGE) { + if (!periodStartDate || !periodEndDate) { + throw new Error("periodStartDate and periodEndDate are required for RANGE period type"); + } + return { + periodType: PeriodType.RANGE, + periodStartDate, + periodEndDate, + }; + } +} + +vi.mock("@calcom/lib/constants", () => ({ + IS_PRODUCTION: true, + WEBAPP_URL: "http://localhost:3000", + RESERVED_SUBDOMAINS: ["auth", "docs"], + ROLLING_WINDOW_PERIOD_MAX_DAYS_TO_CHECK: 61, +})); + +describe("getSchedule", () => { + setupAndTeardown(); + describe("Future Limits", () => { + describe("PeriodType=ROLLING", () => { + test("When the time of the first slot of current day hasn't reached", async () => { + // In IST timezone, it is 2024-05-31T07:00:00 + vi.setSystemTime("2024-05-31T01:30:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + const plus1DateString = "2024-06-01"; + const plus2DateString = "2024-06-02"; + const plus3DateString = "2024-06-03"; + const plus4DateString = "2024-06-04"; + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING", + periodDays: 2, + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + // All slots on current day are available + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: todayDateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus2DateString, + doExactMatch: true, + } + ); + + // No Timeslots beyond plus2Date as that is beyond the rolling period + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus3DateString, + }); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus4DateString, + }); + }); + + test("When the time of the last slot of current day has passed", async () => { + // In IST timezone, it is 2024-05-31T07:00:00 + vi.setSystemTime("2024-05-31T11:30:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + const plus1DateString = "2024-06-01"; + const plus2DateString = "2024-06-02"; + const plus3DateString = "2024-06-03"; + const plus4DateString = "2024-06-04"; + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING", + periodDays: 2, + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + // No timeslots of current day available + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: todayDateString, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus2DateString, + doExactMatch: true, + } + ); + + // No Timeslots beyond plus2Date as that is beyond the rolling period + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus3DateString, + }); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus4DateString, + }); + }); + + test("When the first timeslot of current day has passed", async () => { + // In IST timezone, it is 2024-05-31T10:00:00 + vi.setSystemTime("2024-05-31T04:30:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + const plus1DateString = "2024-06-01"; + const plus2DateString = "2024-06-02"; + const plus3DateString = "2024-06-03"; + const plus4DateString = "2024-06-04"; + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING", + periodDays: 2, + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + // No timeslots of current day available + expect(scheduleForEvent).toHaveTimeSlots( + // First timeslot not available + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430.slice(1), + { + doExactMatch: true, + dateString: todayDateString, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus2DateString, + doExactMatch: true, + } + ); + + // No Timeslots beyond plus2Date as that is beyond the rolling period + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus3DateString, + }); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus4DateString, + }); + }); + + test("When the time of the first slot of current day hasn't reached and there is a day fully booked in between. Also, we are counting only business days.", async () => { + // In IST timezone, it is 2024-05-31T07:00:00 + vi.setSystemTime("2024-05-31T01:30:00Z"); + const yesterdayDateString = "2024-05-30"; + // Friday + const todayDateString = "2024-05-31"; + // Saturday + const plus1DateString = "2024-06-01"; + // Sunday + const plus2DateString = "2024-06-02"; + // Monday + const plus3DateString = "2024-06-03"; + // Tuesday + const plus4DateString = "2024-06-04"; + // Wednesday + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING", + periodDays: 2, + periodCountCalendarDays: false, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + // All slots on current day are available + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: todayDateString, + doExactMatch: true, + } + ); + + // Being a Saturday, plus1Date is available as per Availability but not counted in periodDays + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + // Being a Saturday, plus2Date is available as per Availability but not counted in periodDays + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus2DateString, + doExactMatch: true, + } + ); + + // Day1 of periodDays + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus3DateString, + doExactMatch: true, + } + ); + + // Day2 of periodDays + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus4DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus5DateString, + }); + }); + + describe("Borderline cases", () => { + test("When it is the very first second of the day", async () => { + // In IST timezone, it is 2024-05-31T00:00:00 + vi.setSystemTime("2024-05-30T18:30:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + const plus1DateString = "2024-06-01"; + const plus2DateString = "2024-06-02"; + const plus3DateString = "2024-06-03"; + const plus4DateString = "2024-06-04"; + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING", + periodDays: 2, + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + console.log({ scheduleForEvent }); + + expect(scheduleForEvent).toHaveTimeSlots( + // All slots on current day are available + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: todayDateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus2DateString, + doExactMatch: true, + } + ); + + // No Timeslots beyond plus2Date as that is beyond the rolling period + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus3DateString, + }); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus4DateString, + }); + }); + + test("When it is the very last second of the day", async () => { + // In IST timezone, it is 2024-05-31T23:59:00 + vi.setSystemTime("2024-05-31T18:29:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + const plus1DateString = "2024-06-01"; + const plus2DateString = "2024-06-02"; + const plus3DateString = "2024-06-03"; + const plus4DateString = "2024-06-04"; + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING", + periodDays: 2, + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: todayDateString, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus2DateString, + doExactMatch: true, + } + ); + + // No Timeslots beyond plus2Date as that is beyond the rolling period + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus3DateString, + }); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus4DateString, + }); + }); + }); + + describe("GMT-11 Browsing", () => { + test("When the time of the first slot of current day hasn't reached", async () => { + // In IST timezone, it is 2024-05-31T07:00:00 + vi.setSystemTime("2024-05-31T01:30:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + const plus1DateString = "2024-06-01"; + const plus2DateString = "2024-06-02"; + const plus3DateString = "2024-06-03"; + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING", + periodDays: 2, + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["-11:00"], + isTeamEvent: false, + }, + }); + + const allTimeSlotsForToday = [ + "2024-05-31T11:30:00.000Z", + "2024-06-01T04:30:00.000Z", + "2024-06-01T05:30:00.000Z", + "2024-06-01T06:30:00.000Z", + "2024-06-01T07:30:00.000Z", + "2024-06-01T08:30:00.000Z", + "2024-06-01T09:30:00.000Z", + "2024-06-01T10:30:00.000Z", + ]; + + expect(scheduleForEvent).toHaveTimeSlots( + // All slots on current day are available + [ + // "2024-05-30T04:30:00.000Z", // Not available as before the start of the range + "2024-05-31T04:30:00.000Z", + "2024-05-31T05:30:00.000Z", + "2024-05-31T06:30:00.000Z", + "2024-05-31T07:30:00.000Z", + "2024-05-31T08:30:00.000Z", + "2024-05-31T09:30:00.000Z", + "2024-05-31T10:30:00.000Z", + ], + { + dateString: yesterdayDateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + // All slots on current day are available + allTimeSlotsForToday, + { + dateString: todayDateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + replaceDates(allTimeSlotsForToday, { + "2024-05-31": "2024-06-01", + "2024-06-01": "2024-06-02", + }), + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + //No Timeslots beyond plus2Date as that is beyond the rolling period + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus2DateString, + }); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus3DateString, + }); + }); + }); + }); + + describe("PeriodType=ROLLING_WINDOW", () => { + test("When the time of the first slot of current day hasn't reached and there is a day fully booked in between. It makes `periodDays` available", async () => { + vi.setSystemTime("2024-05-31T01:30:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + const plus1DateString = "2024-06-01"; + const plus2DateString = "2024-06-02"; + const plus3DateString = "2024-06-03"; + const plus4DateString = "2024-06-04"; + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING_WINDOW", + periodDays: 3, + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + bookings: [ + { + userId: 101, + eventTypeId: 1, + status: "ACCEPTED", + // Fully book plus2 Date + startTime: `${plus1DateString}T18:30:00.000Z`, + endTime: `${plus2DateString}T18:30:00.000Z`, + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: todayDateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + // plus2Date is fully booked. So, instead we will have timeslots one day later + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus2DateString, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus3DateString, + doExactMatch: true, + } + ); + + // No Timeslots on plus4Date as beyond the rolling period + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus4DateString, + }); + }); + + test("When the time of the last slot of current day has passed and there is a day fully booked in between. It makes `periodDays` available", async () => { + // In IST timezone, it is 2024-05-31T07:00:00 + vi.setSystemTime("2024-05-31T11:30:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + const plus1DateString = "2024-06-01"; + const plus2DateString = "2024-06-02"; + const plus3DateString = "2024-06-03"; + const plus4DateString = "2024-06-04"; + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING_WINDOW", + periodDays: 3, + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + bookings: [ + { + userId: 101, + eventTypeId: 1, + status: "ACCEPTED", + // Fully book plus2 Date + startTime: `${plus1DateString}T18:30:00.000Z`, + endTime: `${plus2DateString}T18:30:00.000Z`, + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: todayDateString, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + // plus2Date is fully booked. So, instead we will have timeslots one day later + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus2DateString, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus3DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus4DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus5DateString, + }); + }); + + test("When the first timeslot of current day has passed and there is a day fully booked in between. It makes `periodDays` available", async () => { + // In IST timezone, it is 2024-05-31T10:00 + vi.setSystemTime("2024-05-31T04:30:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + const plus1DateString = "2024-06-01"; + const plus2DateString = "2024-06-02"; + const plus3DateString = "2024-06-03"; + const plus4DateString = "2024-06-04"; + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING_WINDOW", + periodDays: 3, + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + bookings: [ + { + userId: 101, + eventTypeId: 1, + status: "ACCEPTED", + // Fully book plus2 Date + startTime: `${plus1DateString}T18:30:00.000Z`, + endTime: `${plus2DateString}T18:30:00.000Z`, + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430.slice(1), + { + dateString: todayDateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + // plus2Date is fully booked. So, instead we will have timeslots one day later + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus2DateString, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus3DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus4DateString, + }); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus5DateString, + }); + }); + + test("When the time of the first slot of current day hasn't reached and there is a day fully booked in between. Also, we are counting only business days. It makes weekends + `periodDays` available", async () => { + // In Ist timezone, it is 2024-05-31T01:30:00 which is a Friday + vi.setSystemTime("2024-05-31T01:30:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + // Saturday + const plus1DateString = "2024-06-01"; + // Sunday + const plus2DateString = "2024-06-02"; + // Monday + const plus3DateString = "2024-06-03"; + // Tuesday + const plus4DateString = "2024-06-04"; + // Wednesday + const plus5DateString = "2024-06-05"; + // Thursday + const plus6DateString = "2024-06-06"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING_WINDOW", + periodDays: 3, + periodCountCalendarDays: false, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + bookings: [ + { + userId: 101, + eventTypeId: 1, + status: "ACCEPTED", + // Fully book plus3 Date + startTime: `${plus2DateString}T18:30:00.000Z`, + endTime: `${plus3DateString}T18:30:00.000Z`, + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + // Day1 of periodDays + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: todayDateString, + doExactMatch: true, + } + ); + + // plus1Date is a Saturday and available as per Availability but not counted in periodDays + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + // plus2Date is a Sunday and available as per Availability but not counted in periodDays + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus2DateString, + doExactMatch: true, + } + ); + + // plus3Date is fully booked. So, instead we will have timeslots one day later + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus3DateString, + }); + + // Day2 of periodDays + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus4DateString, + doExactMatch: true, + } + ); + + // Day3 of periodDays + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus5DateString, + doExactMatch: true, + } + ); + + // Beyond periodDays + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus6DateString, + }); + }); + + describe("Borderline cases", () => { + test("When it is the very first second of the day", async () => { + // In IST timezone, it is 2024-05-31T00:00 + vi.setSystemTime("2024-05-30T18:30:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + const plus1DateString = "2024-06-01"; + const plus2DateString = "2024-06-02"; + const plus3DateString = "2024-06-03"; + const plus4DateString = "2024-06-04"; + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING_WINDOW", + periodDays: 3, + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + bookings: [ + { + userId: 101, + eventTypeId: 1, + status: "ACCEPTED", + // Fully book plus2 Date + startTime: `${plus1DateString}T18:30:00.000Z`, + endTime: `${plus2DateString}T18:30:00.000Z`, + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: todayDateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + // plus2Date is fully booked. So, instead we will have timeslots one day later + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus2DateString, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus3DateString, + doExactMatch: true, + } + ); + + // No Timeslots on plus4Date as beyond the rolling period + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus4DateString, + }); + }); + test("When it is the very last second of the day", async () => { + // In IST timezone, it is 2024-05-31T23:59 + vi.setSystemTime("2024-05-31T18:29:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + const plus1DateString = "2024-06-01"; + const plus2DateString = "2024-06-02"; + const plus3DateString = "2024-06-03"; + const plus4DateString = "2024-06-04"; + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING_WINDOW", + periodDays: 3, + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + bookings: [ + { + userId: 101, + eventTypeId: 1, + status: "ACCEPTED", + // Fully book plus2 Date + startTime: `${plus1DateString}T18:30:00.000Z`, + endTime: `${plus2DateString}T18:30:00.000Z`, + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: todayDateString, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + // plus2Date is fully booked. So, instead we will have timeslots one day later + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus2DateString, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus3DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus4DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus5DateString, + }); + }); + }); + + test("When the time of the first slot of current day hasn't reached and there is a day fully booked in between. Also, weekend availability is not there and one of the days is on a weekend. It makes `periodDays` available", async () => { + // In Ist timezone, it is 2024-05-31T01:30:00 which is a Friday + vi.setSystemTime("2024-05-31T01:30:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + // Saturday + const plus1DateString = "2024-06-01"; + // Sunday + const plus2DateString = "2024-06-02"; + // Monday + const plus3DateString = "2024-06-03"; + // Tuesday + const plus4DateString = "2024-06-04"; + // Wednesday + const plus5DateString = "2024-06-05"; + // Thursday + const plus6DateString = "2024-06-06"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + ...getPeriodTypeData({ + type: "ROLLING_WINDOW", + periodDays: 3, + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHoursNoWeekends], + }, + ], + bookings: [ + { + userId: 101, + eventTypeId: 1, + status: "ACCEPTED", + // Fully book plus3 Date + startTime: `${plus2DateString}T18:30:00.000Z`, + endTime: `${plus3DateString}T18:30:00.000Z`, + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: todayDateString, + doExactMatch: true, + } + ); + + // plus1Date is a Saturday and not available + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus1DateString, + }); + + // plus2Date is a Sunday and not available + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus2DateString, + }); + + // plus3Date is fully booked. So, instead we will have timeslots one day later + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus3DateString, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus4DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus5DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus6DateString, + }); + }); + }); + + describe("PeriodType=RANGE", () => { + test("Basic test", async () => { + vi.setSystemTime("2024-05-31T01:30:00Z"); + const yesterdayDateString = "2024-05-30"; + const todayDateString = "2024-05-31"; + const plus1DateString = "2024-06-01"; + const plus2DateString = "2024-06-02"; + const plus3DateString = "2024-06-03"; + const plus4DateString = "2024-06-04"; + const plus5DateString = "2024-06-05"; + + const scenarioData = { + eventTypes: [ + { + id: 1, + length: 60, + // Makes today and tomorrow only available + ...getPeriodTypeData({ + type: "RANGE", + // dayPlus1InIst + periodStartDate: new Date(`${todayDateString}T18:30:00.000Z`), + // datePlus2InIst + periodEndDate: new Date(`${plus1DateString}T18:30:00.000Z`), + periodCountCalendarDays: true, + }), + users: [ + { + id: 101, + }, + ], + }, + ], + users: [ + { + ...TestData.users.example, + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }, + ], + } satisfies ScenarioData; + + await createBookingScenario(scenarioData); + + const scheduleForEvent = await getSchedule({ + input: { + eventTypeId: 1, + eventTypeSlug: "", + usernameList: [], + // Because this time is in GMT, it will be 00:00 in IST with todayDateString + startTime: `${yesterdayDateString}T18:30:00.000Z`, + endTime: `${plus5DateString}T18:29:59.999Z`, + timeZone: Timezones["+5:30"], + isTeamEvent: false, + }, + }); + + // Before the start of the range + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: todayDateString, + }); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus1DateString, + doExactMatch: true, + } + ); + + expect(scheduleForEvent).toHaveTimeSlots( + expectedSlotsForSchedule["IstWorkHours"].interval["1hr"].allPossibleSlotsStartingAt430, + { + dateString: plus2DateString, + doExactMatch: true, + } + ); + + // After the range ends + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus3DateString, + }); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus4DateString, + }); + + expect(scheduleForEvent).toHaveDateDisabled({ + dateString: plus4DateString, + }); + }); + }); + }); +}); diff --git a/apps/web/test/lib/getSchedule/setupAndTeardown.ts b/apps/web/test/lib/getSchedule/setupAndTeardown.ts new file mode 100644 index 00000000000000..c28a3767d2a6af --- /dev/null +++ b/apps/web/test/lib/getSchedule/setupAndTeardown.ts @@ -0,0 +1,24 @@ +import prismock from "../../../../../tests/libs/__mocks__/prisma"; + +import { vi, beforeEach, afterEach } from "vitest"; + +const cleanup = async () => { + await prismock.eventType.deleteMany(); + await prismock.user.deleteMany(); + await prismock.schedule.deleteMany(); + await prismock.selectedCalendar.deleteMany(); + await prismock.credential.deleteMany(); + await prismock.booking.deleteMany(); + await prismock.app.deleteMany(); + vi.useRealTimers(); +}; + +export function setupAndTeardown() { + beforeEach(async () => { + await cleanup(); + }); + + afterEach(async () => { + await cleanup(); + }); +} diff --git a/apps/web/test/lib/getSchedule/utils.ts b/apps/web/test/lib/getSchedule/utils.ts new file mode 100644 index 00000000000000..ccf2505561811f --- /dev/null +++ b/apps/web/test/lib/getSchedule/utils.ts @@ -0,0 +1,16 @@ +import { getDate } from "../../utils/bookingScenario/bookingScenario"; + +import { vi } from "vitest"; + +export function timeTravelToTheBeginningOfToday({ utcOffsetInHours = 0 }: { utcOffsetInHours: number }) { + const timeInTheUtcOffsetInHours = 24 - utcOffsetInHours; + const timeInTheUtcOffsetInMinutes = timeInTheUtcOffsetInHours * 60; + const hours = Math.floor(timeInTheUtcOffsetInMinutes / 60); + const hoursString = hours < 10 ? `0${hours}` : `${hours}`; + const minutes = timeInTheUtcOffsetInMinutes % 60; + const minutesString = minutes < 10 ? `0${minutes}` : `${minutes}`; + + const { dateString: yesterdayDateString } = getDate({ dateIncrement: -1 }); + console.log({ yesterdayDateString, hours, minutes }); + vi.setSystemTime(`${yesterdayDateString}T${hoursString}:${minutesString}:00.000Z`); +} diff --git a/apps/web/test/utils/bookingScenario/bookingScenario.ts b/apps/web/test/utils/bookingScenario/bookingScenario.ts index de929ff1545504..702e9799fb48f9 100644 --- a/apps/web/test/utils/bookingScenario/bookingScenario.ts +++ b/apps/web/test/utils/bookingScenario/bookingScenario.ts @@ -6,7 +6,6 @@ import type { BookingReference, Attendee, Booking, Membership } from "@prisma/cl import type { Prisma } from "@prisma/client"; import type { WebhookTriggerEvents } from "@prisma/client"; import type Stripe from "stripe"; -import type { getMockRequestDataForBooking } from "test/utils/bookingScenario/getMockRequestDataForBooking"; import { v4 as uuidv4 } from "uuid"; import "vitest-fetch-mock"; import type { z } from "zod"; @@ -19,7 +18,7 @@ import logger from "@calcom/lib/logger"; import { safeStringify } from "@calcom/lib/safeStringify"; import { ProfileRepository } from "@calcom/lib/server/repository/profile"; import type { WorkflowActions, WorkflowTemplates, WorkflowTriggerEvents } from "@calcom/prisma/client"; -import type { SchedulingType } from "@calcom/prisma/enums"; +import type { SchedulingType, SMSLockState, TimeUnit } from "@calcom/prisma/enums"; import type { BookingStatus } from "@calcom/prisma/enums"; import type { teamMetadataSchema } from "@calcom/prisma/zod-utils"; import type { userMetadataType } from "@calcom/prisma/zod-utils"; @@ -28,6 +27,7 @@ import type { NewCalendarEventType } from "@calcom/types/Calendar"; import type { EventBusyDate, IntervalLimit } from "@calcom/types/Calendar"; import { getMockPaymentService } from "./MockPaymentService"; +import type { getMockRequestDataForBooking } from "./getMockRequestDataForBooking"; logger.settings.minLevel = 0; const log = logger.getSubLogger({ prefix: ["[bookingScenario]"] }); @@ -46,10 +46,14 @@ type InputWorkflow = { userId?: number | null; teamId?: number | null; name?: string; - activeEventTypeId?: number; + activeOn?: number[]; + activeOnTeams?: number[]; trigger: WorkflowTriggerEvents; action: WorkflowActions; template: WorkflowTemplates; + time?: number | null; + timeUnit?: TimeUnit | null; + sendTo?: string; }; type InputHost = { @@ -95,6 +99,7 @@ type InputUser = Omit & { id: number; name: string; slug: string; + parentId?: number; }; }[]; schedules: { @@ -130,12 +135,17 @@ export type InputEventType = { beforeEventBuffer?: number; afterEventBuffer?: number; teamId?: number | null; + team?: { + id?: number | null; + parentId?: number | null; + }; requiresConfirmation?: boolean; destinationCalendar?: Prisma.DestinationCalendarCreateInput; schedule?: InputUser["schedules"][number]; bookingLimits?: IntervalLimit; durationLimits?: IntervalLimit; owner?: number; + metadata?: any; } & Partial>; type AttendeeBookingSeatInput = Pick; @@ -165,27 +175,40 @@ type InputBooking = Partial> & Whit export const Timezones = { "+5:30": "Asia/Kolkata", "+6:00": "Asia/Dhaka", + "-11:00": "Pacific/Pago_Pago", }; async function addHostsToDb(eventTypes: InputEventType[]) { for (const eventType of eventTypes) { - if (eventType.hosts && eventType.hosts.length > 0) { - await prismock.host.createMany({ - data: eventType.hosts.map((host) => ({ - userId: host.userId, - eventTypeId: eventType.id, - isFixed: host.isFixed ?? false, - })), + if (!eventType.hosts?.length) continue; + for (const host of eventType.hosts) { + const data: Prisma.HostCreateInput = { + eventType: { + connect: { + id: eventType.id, + }, + }, + isFixed: host.isFixed ?? false, + user: { + connect: { + id: host.userId, + }, + }, + }; + + await prismock.host.create({ + data, }); } } } -async function addEventTypesToDb( +export async function addEventTypesToDb( eventTypes: (Omit< Prisma.EventTypeCreateInput, "users" | "worflows" | "destinationCalendar" | "schedule" > & { + id?: number; // eslint-disable-next-line @typescript-eslint/no-explicit-any users?: any[]; // eslint-disable-next-line @typescript-eslint/no-explicit-any @@ -194,6 +217,7 @@ async function addEventTypesToDb( destinationCalendar?: any; // eslint-disable-next-line @typescript-eslint/no-explicit-any schedule?: any; + metadata?: any; })[] ) { log.silly("TestData: Add EventTypes to DB", JSON.stringify(eventTypes)); @@ -247,7 +271,7 @@ async function addEventTypesToDb( return allEventTypes; } -async function addEventTypes(eventTypes: InputEventType[], usersStore: InputUser[]) { +export async function addEventTypes(eventTypes: InputEventType[], usersStore: InputUser[]) { const baseEventType = { title: "Base EventType Title", slug: "base-event-type-slug", @@ -429,32 +453,75 @@ async function addWebhooks(webhooks: InputWebhook[]) { } async function addWorkflowsToDb(workflows: InputWorkflow[]) { - await prismock.$transaction( - workflows.map((workflow) => { - return prismock.workflow.create({ + await Promise.all( + workflows.map(async (workflow) => { + const team = await prismock.team.findFirst({ + where: { + id: workflow.teamId ?? 0, + }, + }); + + if (workflow.teamId && !team) { + throw new Error(`Team with ID ${workflow.teamId} not found`); + } + + const isOrg = team?.isOrganization; + + // Create the workflow first + const createdWorkflow = await prismock.workflow.create({ data: { userId: workflow.userId, teamId: workflow.teamId, trigger: workflow.trigger, name: workflow.name ? workflow.name : "Test Workflow", - steps: { - create: { - stepNumber: 1, - action: workflow.action, - template: workflow.template, - numberVerificationPending: false, - includeCalendarEvent: false, - }, - }, - activeOn: { - create: workflow.activeEventTypeId ? { eventTypeId: workflow.activeEventTypeId } : undefined, - }, + time: workflow.time, + timeUnit: workflow.timeUnit, }, include: { - activeOn: true, steps: true, }, }); + + await prismock.workflowStep.create({ + data: { + stepNumber: 1, + action: workflow.action, + template: workflow.template, + numberVerificationPending: false, + includeCalendarEvent: false, + sendTo: workflow.sendTo, + workflow: { + connect: { + id: createdWorkflow.id, + }, + }, + }, + }); + + //activate event types and teams on workflows + if (isOrg && workflow.activeOnTeams) { + await Promise.all( + workflow.activeOnTeams.map((id) => + prismock.workflowsOnTeams.create({ + data: { + workflowId: createdWorkflow.id, + teamId: id, + }, + }) + ) + ); + } else if (workflow.activeOn) { + await Promise.all( + workflow.activeOn.map((id) => + prismock.workflowsOnEventTypes.create({ + data: { + workflowId: createdWorkflow.id, + eventTypeId: id, + }, + }) + ) + ); + } }) ); } @@ -465,7 +532,9 @@ async function addWorkflows(workflows: InputWorkflow[]) { await addWorkflowsToDb(workflows); } -async function addUsersToDb(users: (Prisma.UserCreateInput & { schedules: Prisma.ScheduleCreateInput[] })[]) { +export async function addUsersToDb( + users: (Prisma.UserCreateInput & { schedules: Prisma.ScheduleCreateInput[]; id?: number })[] +) { log.silly("TestData: Creating Users", JSON.stringify(users)); await prismock.user.createMany({ data: users, @@ -491,11 +560,27 @@ async function addUsersToDb(users: (Prisma.UserCreateInput & { schedules: Prisma ); } -async function addTeamsToDb(teams: NonNullable[number]["team"][]) { +export async function addTeamsToDb(teams: NonNullable[number]["team"][]) { log.silly("TestData: Creating Teams", JSON.stringify(teams)); - await prismock.team.createMany({ - data: teams, - }); + + for (const team of teams) { + const teamsWithParentId = { + ...team, + parentId: team.parentId, + }; + await prismock.team.upsert({ + where: { + id: teamsWithParentId.id, + }, + update: { + ...teamsWithParentId, + }, + create: { + ...teamsWithParentId, + }, + }); + } + const addedTeams = await prismock.team.findMany({ where: { id: { @@ -626,20 +711,52 @@ export async function createOrganization(orgData: { name: string; slug: string; metadata?: z.infer; + withTeam?: boolean; }) { const org = await prismock.team.create({ data: { name: orgData.name, slug: orgData.slug, + isOrganization: true, metadata: { ...(orgData.metadata || {}), isOrganization: true, }, }, }); + if (orgData.withTeam) { + await prismock.team.create({ + data: { + name: "Org Team", + slug: "org-team", + isOrganization: false, + parent: { + connect: { + id: org.id, + }, + }, + }, + }); + } + return org; } +export async function createCredentials( + credentialData: { + type: string; + key: any; + id?: number; + userId?: number | null; + teamId?: number | null; + }[] +) { + const credentials = await prismock.credential.createMany({ + data: credentialData, + }); + return credentials; +} + // async function addPaymentsToDb(payments: Prisma.PaymentCreateInput[]) { // await prismaMock.payment.createMany({ // data: payments, @@ -653,6 +770,8 @@ export async function createOrganization(orgData: { * - `monthIncrement` adds the increment to current month * - `yearIncrement` adds the increment to current year * - `fromDate` starts incrementing from this date (default: today) + * @deprecated Stop using this function as it is not timezone aware and can return wrong date depending on the time of the day and timezone. Instead + * use vi.setSystemTime to fix the date and time and then use hardcoded days instead of dynamic date calculation. */ export const getDate = ( param: { @@ -763,6 +882,15 @@ export function getGoogleCalendarCredential() { }); } +export function getGoogleMeetCredential() { + return getMockedCredential({ + metadataLookupKey: "googlevideo", + key: { + scope: "", + }, + }); +} + export function getAppleCalendarCredential() { return getMockedCredential({ metadataLookupKey: "applecalendar", @@ -803,6 +931,7 @@ export const TestData = { }, schedules: { IstWorkHours: { + id: 1, name: "9:30AM to 6PM in India - 4:00AM to 12:30PM in GMT", availability: [ { @@ -833,6 +962,23 @@ export const TestData = { ], timeZone: Timezones["+5:30"], }, + /** + * Has an overlap with IstMorningShift and IstEveningShift + */ + IstMidShift: { + name: "12:30AM to 8PM in India - 7:00AM to 14:30PM in GMT", + availability: [ + { + // userId: null, + // eventTypeId: null, + days: [0, 1, 2, 3, 4, 5, 6], + startTime: new Date("1970-01-01T12:30:00.000Z"), + endTime: new Date("1970-01-01T20:00:00.000Z"), + date: null, + }, + ], + timeZone: Timezones["+5:30"], + }, /** * Has an overlap with IstMorningShift from 5PM to 6PM IST(11:30AM to 12:30PM GMT) */ @@ -868,6 +1014,21 @@ export const TestData = { ], timeZone: Timezones["+5:30"], }), + IstWorkHoursNoWeekends: { + id: 1, + name: "9:30AM to 6PM in India - 4:00AM to 12:30PM in GMT", + availability: [ + { + // userId: null, + // eventTypeId: null, + days: [/*0*/ 1, 2, 3, 4, 5 /*6*/], + startTime: new Date("1970-01-01T09:30:00.000Z"), + endTime: new Date("1970-01-01T18:00:00.000Z"), + date: null, + }, + ], + timeZone: Timezones["+5:30"], + }, }, users: { example: { @@ -890,6 +1051,17 @@ export const TestData = { redirect_uris: ["http://localhost:3000/auth/callback"], }, }, + "google-meet": { + ...appStoreMetadata.googlevideo, + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + //@ts-ignore + keys: { + expiry_date: Infinity, + client_id: "client_id", + client_secret: "client_secret", + redirect_uris: ["http://localhost:3000/auth/callback"], + }, + }, "daily-video": { ...appStoreMetadata.dailyvideo, // eslint-disable-next-line @typescript-eslint/ban-ts-comment @@ -952,6 +1124,7 @@ export function getOrganizer({ teams, organizationId, metadata, + smsLockState, }: { name: string; email: string; @@ -965,6 +1138,7 @@ export function getOrganizer({ weekStart?: WeekDays; teams?: InputUser["teams"]; metadata?: userMetadataType; + smsLockState?: SMSLockState; }) { return { ...TestData.users.example, @@ -981,6 +1155,7 @@ export function getOrganizer({ organizationId, profiles: [], metadata, + smsLockState, }; } @@ -1035,6 +1210,10 @@ export function getScenarioData( return { ...eventType, teamId: eventType.teamId || null, + team: { + id: eventType.teamId, + parentId: org ? org.id : null, + }, title: `Test Event Type - ${index + 1}`, description: `It's a test event type - ${index + 1}`, }; @@ -1081,6 +1260,12 @@ export function mockNoTranslations() { }); } +export const enum BookingLocations { + CalVideo = "integrations:daily", + ZoomVideo = "integrations:zoom", + GoogleMeet = "integrations:google:meet", +} + /** * @param metadataLookupKey * @param calendarData Specify uids and other data to be faked to be returned by createEvent and updateEvent @@ -1161,6 +1346,7 @@ export function mockCalendar( log.silly("mockCalendar.updateEvent", JSON.stringify({ uid, event, externalCalendarId })); // eslint-disable-next-line prefer-rest-params updateEventCalls.push(rest); + const isGoogleMeetLocation = event.location === BookingLocations.GoogleMeet; return Promise.resolve({ type: app.type, additionalInfo: {}, @@ -1172,6 +1358,9 @@ export function mockCalendar( // Password and URL seems useless for CalendarService, plan to remove them if that's the case password: "MOCK_PASSWORD", url: "https://UNUSED_URL", + location: isGoogleMeetLocation ? "https://UNUSED_URL" : undefined, + hangoutLink: isGoogleMeetLocation ? "https://UNUSED_URL" : undefined, + conferenceData: isGoogleMeetLocation ? event.conferenceData : undefined, }); }, // eslint-disable-next-line @typescript-eslint/no-explicit-any @@ -1408,6 +1597,74 @@ export function mockErrorOnVideoMeetingCreation({ }); } +export function mockCrmApp( + metadataLookupKey: string, + crmData?: { + createContacts?: { + id: string; + email: string; + }[]; + getContacts?: { + id: string; + email: string; + ownerEmail: string; + }[]; + } +) { + let contactsCreated: { + id: string; + email: string; + }[] = []; + let contactsQueried: { + id: string; + email: string; + ownerEmail: string; + }[] = []; + const eventsCreated: boolean[] = []; + const app = appStoreMetadata[metadataLookupKey as keyof typeof appStoreMetadata]; + const appMock = appStoreMock.default[metadataLookupKey as keyof typeof appStoreMock.default]; + appMock && + `mockResolvedValue` in appMock && + appMock.mockResolvedValue({ + lib: { + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + //@ts-ignore + CrmService: class { + constructor() { + log.debug("Create CrmSerive"); + } + + createContact() { + if (crmData?.createContacts) { + contactsCreated = crmData.createContacts; + return Promise.resolve(crmData?.createContacts); + } + } + + getContacts(email: string) { + if (crmData?.getContacts) { + contactsQueried = crmData?.getContacts; + const contactsOfEmail = contactsQueried.filter((contact) => contact.email === email); + + return Promise.resolve(contactsOfEmail); + } + } + + createEvent() { + eventsCreated.push(true); + return Promise.resolve({}); + } + }, + }, + }); + + return { + contactsCreated, + contactsQueried, + eventsCreated, + }; +} + export function getBooker({ name, email }: { name: string; email: string }) { return { name, @@ -1484,19 +1741,16 @@ export function getMockBookingAttendee( }; } -export const enum BookingLocations { - CalVideo = "integrations:daily", - ZoomVideo = "integrations:zoom", -} - const getMockAppStatus = ({ slug, failures, success, + overrideName, }: { slug: string; failures: number; success: number; + overrideName?: string; }) => { const foundEntry = Object.entries(appStoreMetadata).find(([, app]) => { return app.slug === slug; @@ -1506,7 +1760,7 @@ const getMockAppStatus = ({ } const foundApp = foundEntry[1]; return { - appName: foundApp.slug, + appName: overrideName ?? foundApp.slug, type: foundApp.type, failures, success, @@ -1517,6 +1771,12 @@ export const getMockFailingAppStatus = ({ slug }: { slug: string }) => { return getMockAppStatus({ slug, failures: 1, success: 0 }); }; -export const getMockPassingAppStatus = ({ slug }: { slug: string }) => { - return getMockAppStatus({ slug, failures: 0, success: 1 }); +export const getMockPassingAppStatus = ({ slug, overrideName }: { slug: string; overrideName?: string }) => { + return getMockAppStatus({ slug, overrideName, failures: 0, success: 1 }); +}; + +export const replaceDates = (dates: string[], replacement: Record) => { + return dates.map((date) => { + return date.replace(/(.*)T/, (_, group1) => `${replacement[group1]}T`); + }); }; diff --git a/apps/web/test/utils/bookingScenario/expects.ts b/apps/web/test/utils/bookingScenario/expects.ts index a018ebae9d03e7..22030bd31ca6ac 100644 --- a/apps/web/test/utils/bookingScenario/expects.ts +++ b/apps/web/test/utils/bookingScenario/expects.ts @@ -1,5 +1,7 @@ import prismaMock from "../../../../../tests/libs/__mocks__/prisma"; +import type { InputEventType, getOrganizer } from "./bookingScenario"; + import type { WebhookTriggerEvents, Booking, BookingReference, DestinationCalendar } from "@prisma/client"; import { parse } from "node-html-parser"; import type { VEvent } from "node-ical"; @@ -16,7 +18,6 @@ import type { AppsStatus } from "@calcom/types/Calendar"; import type { CalendarEvent } from "@calcom/types/Calendar"; import type { Fixtures } from "@calcom/web/test/fixtures/fixtures"; -import type { InputEventType, getOrganizer } from "./bookingScenario"; import { DEFAULT_TIMEZONE_BOOKER } from "./getMockRequestDataForBooking"; // This is too complex at the moment, I really need to simplify this. @@ -288,60 +289,115 @@ export function expectWebhookToHaveBeenCalledWith( expect(parsedBody.triggerEvent).toBe(data.triggerEvent); - if (parsedBody.payload.metadata?.videoCallUrl) { - parsedBody.payload.metadata.videoCallUrl = parsedBody.payload.metadata.videoCallUrl - ? parsedBody.payload.metadata.videoCallUrl - : parsedBody.payload.metadata.videoCallUrl; - } + if (parsedBody.payload) { + if (data.payload) { + if (!!data.payload.metadata) { + expect(parsedBody.payload.metadata).toEqual(expect.objectContaining(data.payload.metadata)); + } + if (!!data.payload.responses) + expect(parsedBody.payload.responses).toEqual(expect.objectContaining(data.payload.responses)); - if (data.payload) { - if (data.payload.metadata !== undefined) { - expect(parsedBody.payload.metadata).toEqual(expect.objectContaining(data.payload.metadata)); + if (!!data.payload.organizer) + expect(parsedBody.payload.organizer).toEqual(expect.objectContaining(data.payload.organizer)); + + const { responses: _1, metadata: _2, organizer: _3, ...remainingPayload } = data.payload; + expect(parsedBody.payload).toEqual(expect.objectContaining(remainingPayload)); } - if (data.payload.responses !== undefined) - expect(parsedBody.payload.responses).toEqual(expect.objectContaining(data.payload.responses)); - const { responses: _1, metadata: _2, ...remainingPayload } = data.payload; - expect(parsedBody.payload).toEqual(expect.objectContaining(remainingPayload)); } } export function expectWorkflowToBeTriggered({ emails, - organizer, - destinationEmail, + emailsToReceive, }: { emails: Fixtures["emails"]; - organizer: { email: string; name: string; timeZone: string }; - destinationEmail?: string; + emailsToReceive: string[]; }) { const subjectPattern = /^Reminder: /i; - expect(emails.get()).toEqual( - expect.arrayContaining([ - expect.objectContaining({ - subject: expect.stringMatching(subjectPattern), - to: destinationEmail ?? organizer.email, - }), - ]) - ); + emailsToReceive.forEach((email) => { + expect(emails.get()).toEqual( + expect.arrayContaining([ + expect.objectContaining({ + subject: expect.stringMatching(subjectPattern), + to: email, + }), + ]) + ); + }); } export function expectWorkflowToBeNotTriggered({ emails, - organizer, + emailsToReceive, }: { emails: Fixtures["emails"]; - organizer: { email: string; name: string; timeZone: string }; + emailsToReceive: string[]; }) { const subjectPattern = /^Reminder: /i; - expect(emails.get()).not.toEqual( - expect.arrayContaining([ - expect.objectContaining({ - subject: expect.stringMatching(subjectPattern), - to: organizer.email, - }), - ]) - ); + emailsToReceive.forEach((email) => { + expect(emails.get()).not.toEqual( + expect.arrayContaining([ + expect.objectContaining({ + subject: expect.stringMatching(subjectPattern), + to: email, + }), + ]) + ); + }); +} + +export function expectSMSWorkflowToBeTriggered({ + sms, + toNumber, + includedString, +}: { + sms: Fixtures["sms"]; + toNumber: string; + includedString?: string; +}) { + const allSMS = sms.get(); + if (includedString) { + const messageWithIncludedString = allSMS.find((sms) => sms.message.includes(includedString)); + + expect(messageWithIncludedString?.to).toBe(toNumber); + } else { + expect(allSMS).toEqual( + expect.arrayContaining([ + expect.objectContaining({ + to: toNumber, + }), + ]) + ); + } +} + +export function expectSMSWorkflowToBeNotTriggered({ + sms, + toNumber, + includedString, +}: { + sms: Fixtures["sms"]; + toNumber: string; + includedString?: string; +}) { + const allSMS = sms.get(); + + if (includedString) { + const messageWithIncludedString = allSMS.find((sms) => sms.message.includes(includedString)); + + if (messageWithIncludedString) { + expect(messageWithIncludedString?.to).not.toBe(toNumber); + } + } else { + expect(allSMS).not.toEqual( + expect.arrayContaining([ + expect.objectContaining({ + to: toNumber, + }), + ]) + ); + } } export async function expectBookingToBeInDatabase( @@ -941,6 +997,41 @@ export function expectBookingRescheduledWebhookToHaveBeenFired({ }); } +export function expectBookingCancelledWebhookToHaveBeenFired({ + booker, + location, + subscriberUrl, + payload, +}: { + organizer: { email: string; name: string }; + booker: { email: string; name: string }; + subscriberUrl: string; + location: string; + payload?: Record; +}) { + expectWebhookToHaveBeenCalledWith(subscriberUrl, { + triggerEvent: "BOOKING_CANCELLED", + payload: { + ...payload, + metadata: null, + responses: { + name: { + label: "name", + value: booker.name, + }, + email: { + label: "email", + value: booker.email, + }, + location: { + label: "location", + value: { optionValue: "", value: location }, + }, + }, + }, + }); +} + export function expectBookingPaymentIntiatedWebhookToHaveBeenFired({ booker, location, diff --git a/apps/web/test/utils/bookingScenario/getMockRequestDataForBooking.ts b/apps/web/test/utils/bookingScenario/getMockRequestDataForBooking.ts index 00bddf9fefc11d..ff94043b974fd7 100644 --- a/apps/web/test/utils/bookingScenario/getMockRequestDataForBooking.ts +++ b/apps/web/test/utils/bookingScenario/getMockRequestDataForBooking.ts @@ -1,6 +1,7 @@ -import type { SchedulingType } from "@calcom/prisma/client"; import { getDate } from "@calcom/web/test/utils/bookingScenario/bookingScenario"; +import type { SchedulingType } from "@calcom/prisma/client"; + export const DEFAULT_TIMEZONE_BOOKER = "Asia/Kolkata"; export function getBasicMockRequestDataForBooking() { return { @@ -30,6 +31,7 @@ export function getMockRequestDataForBooking({ email: string; name: string; location: { optionValue: ""; value: string }; + smsReminderNumber?: string; }; }; }) { diff --git a/apps/web/test/utils/bookingScenario/setupAndTeardown.ts b/apps/web/test/utils/bookingScenario/setupAndTeardown.ts index 4d8512186b264e..26c7011db68cf6 100644 --- a/apps/web/test/utils/bookingScenario/setupAndTeardown.ts +++ b/apps/web/test/utils/bookingScenario/setupAndTeardown.ts @@ -1,10 +1,10 @@ -import { beforeEach, afterEach } from "vitest"; - import { enableEmailFeature, mockNoTranslations, } from "@calcom/web/test/utils/bookingScenario/bookingScenario"; +import { beforeEach, afterEach } from "vitest"; + export function setupAndTeardown() { beforeEach(() => { // Required to able to generate token in email in some cases diff --git a/apps/web/test/utils/bookingScenario/test.ts b/apps/web/test/utils/bookingScenario/test.ts index 7a00f894fd8a3d..a42e4fc0a53f53 100644 --- a/apps/web/test/utils/bookingScenario/test.ts +++ b/apps/web/test/utils/bookingScenario/test.ts @@ -1,9 +1,10 @@ +import { createOrganization } from "@calcom/web/test/utils/bookingScenario/bookingScenario"; + import type { TestFunction } from "vitest"; import { WEBSITE_URL } from "@calcom/lib/constants"; import { test } from "@calcom/web/test/fixtures/fixtures"; import type { Fixtures } from "@calcom/web/test/fixtures/fixtures"; -import { createOrganization } from "@calcom/web/test/utils/bookingScenario/bookingScenario"; const WEBSITE_PROTOCOL = new URL(WEBSITE_URL).protocol; const _testWithAndWithoutOrg = ( @@ -15,7 +16,7 @@ const _testWithAndWithoutOrg = ( const t = mode === "only" ? test.only : mode === "skip" ? test.skip : test; t( `${description} - With org`, - async ({ emails, meta, task, onTestFailed, expect, skip }) => { + async ({ emails, sms, meta, task, onTestFailed, expect, skip }) => { const org = await createOrganization({ name: "Test Org", slug: "testorg", @@ -27,6 +28,7 @@ const _testWithAndWithoutOrg = ( onTestFailed, expect, emails, + sms, skip, org: { organization: org, @@ -39,9 +41,10 @@ const _testWithAndWithoutOrg = ( t( `${description}`, - async ({ emails, meta, task, onTestFailed, expect, skip }) => { + async ({ emails, sms, meta, task, onTestFailed, expect, skip }) => { await fn({ emails, + sms, meta, task, onTestFailed, diff --git a/example-apps/credential-sync/.env.example b/example-apps/credential-sync/.env.example new file mode 100644 index 00000000000000..5710087bfc38d0 --- /dev/null +++ b/example-apps/credential-sync/.env.example @@ -0,0 +1,15 @@ +CALCOM_TEST_USER_ID=1 + +GOOGLE_REFRESH_TOKEN= +GOOGLE_CLIENT_ID= +GOOGLE_CLIENT_SECRET= + +ZOOM_REFRESH_TOKEN= +ZOOM_CLIENT_ID= +ZOOM_CLIENT_SECRET= +CALCOM_ADMIN_API_KEY= + +# Refer to Cal.com env variables as these are set in their env +CALCOM_CREDENTIAL_SYNC_SECRET=""; +CALCOM_CREDENTIAL_SYNC_HEADER_NAME="calcom-credential-sync-secret"; +CALCOM_APP_CREDENTIAL_ENCRYPTION_KEY=""; \ No newline at end of file diff --git a/example-apps/credential-sync/README.md b/example-apps/credential-sync/README.md new file mode 100644 index 00000000000000..54803fe5eef2c7 --- /dev/null +++ b/example-apps/credential-sync/README.md @@ -0,0 +1,9 @@ +# README + +This is an example app that acts as the source of truth for Cal.com Apps credentials. This app is capable of generating the access_token itself and then sync those to Cal.com app. + +## How to start +`yarn dev` starts the server on port 5100. After this open http://localhost:5100 and from there you would be able to manage the tokens for various Apps. + +## Endpoints +http://localhost:5100/api/getToken should be set as the value of env variable CALCOM_CREDENTIAL_SYNC_ENDPOINT in Cal.com \ No newline at end of file diff --git a/example-apps/credential-sync/constants.ts b/example-apps/credential-sync/constants.ts new file mode 100644 index 00000000000000..983b68eb31c02f --- /dev/null +++ b/example-apps/credential-sync/constants.ts @@ -0,0 +1,13 @@ +// How to get it? -> Establish a connection with Google(e.g. through cal.com app) and then copy the refresh_token from there. +export const GOOGLE_REFRESH_TOKEN = process.env.GOOGLE_REFRESH_TOKEN; +export const GOOGLE_CLIENT_ID = process.env.GOOGLE_CLIENT_ID; +export const GOOGLE_CLIENT_SECRET = process.env.GOOGLE_CLIENT_SECRET; + +export const ZOOM_REFRESH_TOKEN = process.env.ZOOM_REFRESH_TOKEN; +export const ZOOM_CLIENT_ID = process.env.ZOOM_CLIENT_ID; +export const ZOOM_CLIENT_SECRET = process.env.ZOOM_CLIENT_SECRET; +export const CALCOM_ADMIN_API_KEY = process.env.CALCOM_ADMIN_API_KEY; + +export const CALCOM_CREDENTIAL_SYNC_SECRET = process.env.CALCOM_CREDENTIAL_SYNC_SECRET; +export const CALCOM_CREDENTIAL_SYNC_HEADER_NAME = process.env.CALCOM_CREDENTIAL_SYNC_HEADER_NAME; +export const CALCOM_APP_CREDENTIAL_ENCRYPTION_KEY = process.env.CALCOM_APP_CREDENTIAL_ENCRYPTION_KEY; diff --git a/example-apps/credential-sync/lib/integrations.ts b/example-apps/credential-sync/lib/integrations.ts new file mode 100644 index 00000000000000..78ced897298908 --- /dev/null +++ b/example-apps/credential-sync/lib/integrations.ts @@ -0,0 +1,89 @@ +import { + GOOGLE_CLIENT_ID, + GOOGLE_CLIENT_SECRET, + GOOGLE_REFRESH_TOKEN, + ZOOM_CLIENT_ID, + ZOOM_CLIENT_SECRET, + ZOOM_REFRESH_TOKEN, +} from "../constants"; + +export async function generateGoogleCalendarAccessToken() { + const keys = { + client_id: GOOGLE_CLIENT_ID, + client_secret: GOOGLE_CLIENT_SECRET, + redirect_uris: [ + "http://localhost:3000/api/integrations/googlecalendar/callback", + "http://localhost:3000/api/auth/callback/google", + ], + }; + const clientId = keys.client_id; + const clientSecret = keys.client_secret; + const refresh_token = GOOGLE_REFRESH_TOKEN; + + const url = "https://oauth2.googleapis.com/token"; + const data = { + client_id: clientId, + client_secret: clientSecret, + refresh_token: refresh_token, + grant_type: "refresh_token", + }; + + try { + const response = await fetch(url, { + method: "POST", + headers: { + "Content-Type": "application/x-www-form-urlencoded", + }, + body: new URLSearchParams(data), + }); + + const json = await response.json(); + if (json.access_token) { + console.log("Access Token:", json.access_token); + return json.access_token; + } else { + console.error("Failed to retrieve access token:", json); + return null; + } + } catch (error) { + console.error("Error fetching access token:", error); + return null; + } +} + +export async function generateZoomAccessToken() { + const client_id = ZOOM_CLIENT_ID; // Replace with your client ID + const client_secret = ZOOM_CLIENT_SECRET; // Replace with your client secret + const refresh_token = ZOOM_REFRESH_TOKEN; // Replace with your refresh token + + const url = "https://zoom.us/oauth/token"; + const auth = Buffer.from(`${client_id}:${client_secret}`).toString("base64"); + + const params = new URLSearchParams(); + params.append("grant_type", "refresh_token"); + params.append("refresh_token", refresh_token); + + try { + const response = await fetch(url, { + method: "POST", + headers: { + Authorization: `Basic ${auth}`, + "Content-Type": "application/x-www-form-urlencoded", + }, + body: params, + }); + + const json = await response.json(); + if (json.access_token) { + console.log("New Access Token:", json.access_token); + console.log("New Refresh Token:", json.refresh_token); // Save this refresh token securely + return json.access_token; // You might also want to return the new refresh token if applicable + } else { + console.error("Failed to refresh access token:", json); + return null; + } + } catch (error) { + console.error("Error refreshing access token:", error); + return null; + } +} diff --git a/example-apps/credential-sync/next-env.d.ts b/example-apps/credential-sync/next-env.d.ts new file mode 100644 index 00000000000000..4f11a03dc6cc37 --- /dev/null +++ b/example-apps/credential-sync/next-env.d.ts @@ -0,0 +1,5 @@ +/// +/// + +// NOTE: This file should not be edited +// see https://nextjs.org/docs/basic-features/typescript for more information. diff --git a/example-apps/credential-sync/next.config.js b/example-apps/credential-sync/next.config.js new file mode 100644 index 00000000000000..e5c4d88c70fc77 --- /dev/null +++ b/example-apps/credential-sync/next.config.js @@ -0,0 +1,9 @@ +/** @type {import('next').NextConfig} */ +require("dotenv").config({ path: "../../.env" }); + +const nextConfig = { + reactStrictMode: true, + transpilePackages: ["@calcom/lib"], +}; + +module.exports = nextConfig; diff --git a/example-apps/credential-sync/package.json b/example-apps/credential-sync/package.json new file mode 100644 index 00000000000000..80fe44d47e80b4 --- /dev/null +++ b/example-apps/credential-sync/package.json @@ -0,0 +1,31 @@ +{ + "name": "@calcom/example-app-credential-sync", + "version": "0.1.0", + "private": true, + "scripts": { + "dev": "PORT=5100 next dev", + "build": "next build", + "start": "next start", + "lint": "next lint" + }, + "dependencies": { + "@calcom/atoms": "*", + "@prisma/client": "5.4.2", + "next": "14.0.4", + "prisma": "^5.7.1", + "react": "^18", + "react-dom": "^18" + }, + "devDependencies": { + "@types/node": "^20.3.1", + "@types/react": "^18", + "@types/react-dom": "^18", + "autoprefixer": "^10.0.1", + "dotenv": "^16.3.1", + "eslint": "^8", + "eslint-config-next": "14.0.4", + "postcss": "^8", + "tailwindcss": "^3.3.0", + "typescript": "^4.9.4" + } +} diff --git a/example-apps/credential-sync/pages/api/getToken.ts b/example-apps/credential-sync/pages/api/getToken.ts new file mode 100644 index 00000000000000..3956a2ecdbed40 --- /dev/null +++ b/example-apps/credential-sync/pages/api/getToken.ts @@ -0,0 +1,41 @@ +import type { NextApiRequest, NextApiResponse } from "next"; + +import { CALCOM_CREDENTIAL_SYNC_HEADER_NAME, CALCOM_CREDENTIAL_SYNC_SECRET } from "../../constants"; +import { generateGoogleCalendarAccessToken, generateZoomAccessToken } from "../../lib/integrations"; + +export default async function handler(req: NextApiRequest, res: NextApiResponse) { + const secret = req.headers[CALCOM_CREDENTIAL_SYNC_HEADER_NAME]; + console.log("getToken hit"); + try { + if (!secret) { + return res.status(403).json({ message: "secret header not set" }); + } + if (secret !== CALCOM_CREDENTIAL_SYNC_SECRET) { + return res.status(403).json({ message: "Invalid secret" }); + } + + const calcomUserId = req.body.calcomUserId; + const appSlug = req.body.appSlug; + console.log("getToken Params", { + calcomUserId, + appSlug, + }); + let accessToken; + if (appSlug === "google-calendar") { + accessToken = await generateGoogleCalendarAccessToken(); + } else if (appSlug === "zoom") { + accessToken = await generateZoomAccessToken(); + } else { + throw new Error("Unhandled values"); + } + if (!accessToken) { + throw new Error("Unable to generate token"); + } + res.status(200).json({ + _1: true, + access_token: accessToken, + }); + } catch (e) { + res.status(500).json({ error: e.message }); + } +} diff --git a/example-apps/credential-sync/pages/api/setTokenInCalCom.ts b/example-apps/credential-sync/pages/api/setTokenInCalCom.ts new file mode 100644 index 00000000000000..ac957b6a1dfbed --- /dev/null +++ b/example-apps/credential-sync/pages/api/setTokenInCalCom.ts @@ -0,0 +1,67 @@ +import type { NextApiRequest } from "next"; + +import { symmetricEncrypt } from "@calcom/lib/crypto"; + +import { + CALCOM_APP_CREDENTIAL_ENCRYPTION_KEY, + CALCOM_CREDENTIAL_SYNC_SECRET, + CALCOM_CREDENTIAL_SYNC_HEADER_NAME, + CALCOM_ADMIN_API_KEY, +} from "../../constants"; +import { generateGoogleCalendarAccessToken, generateZoomAccessToken } from "../../lib/integrations"; + +export default async function handler(req: NextApiRequest, res) { + const isInvalid = req.query["invalid"] === "1"; + const userId = parseInt(req.query["userId"] as string); + const appSlug = req.query["appSlug"]; + + try { + let accessToken; + if (appSlug === "google-calendar") { + accessToken = await generateGoogleCalendarAccessToken(); + } else if (appSlug === "zoom") { + accessToken = await generateZoomAccessToken(); + } else { + throw new Error(`Unhandled appSlug: ${appSlug}`); + } + + if (!accessToken) { + return res.status(500).json({ error: "Could not get access token" }); + } + + const result = await fetch( + `http://localhost:3002/api/v1/credential-sync?apiKey=${CALCOM_ADMIN_API_KEY}&userId=${userId}`, + { + method: "POST", + headers: { + "Content-Type": "application/json", + [CALCOM_CREDENTIAL_SYNC_HEADER_NAME]: CALCOM_CREDENTIAL_SYNC_SECRET, + }, + body: JSON.stringify({ + appSlug, + encryptedKey: symmetricEncrypt( + JSON.stringify({ + access_token: isInvalid ? "1233231231231" : accessToken, + }), + CALCOM_APP_CREDENTIAL_ENCRYPTION_KEY + ), + }), + } + ); + + const clonedResult = result.clone(); + try { + if (result.ok) { + const json = await result.json(); + return res.status(200).json(json); + } else { + return res.status(400).json({ error: await clonedResult.text() }); + } + } catch (e) { + return res.status(400).json({ error: await clonedResult.text() }); + } + } catch (error) { + console.error(error); + return res.status(400).json({ message: "Internal Server Error", error: error.message }); + } +} diff --git a/example-apps/credential-sync/pages/index.tsx b/example-apps/credential-sync/pages/index.tsx new file mode 100644 index 00000000000000..824b1af04d7cd9 --- /dev/null +++ b/example-apps/credential-sync/pages/index.tsx @@ -0,0 +1,57 @@ +import { useRouter, useSearchParams, usePathname } from "next/navigation"; +import { useEffect, useState } from "react"; + +export default function Index() { + const [data, setData] = useState(""); + const router = useRouter(); + const searchParams = useSearchParams(); + const pathname = usePathname(); + const appSlug = searchParams.get("appSlug"); + const userId = searchParams.get("userId"); + + useEffect(() => { + let isRedirectNeeded = false; + const newSearchParams = new URLSearchParams(new URL(document.URL).searchParams); + if (!userId) { + newSearchParams.set("userId", "1"); + isRedirectNeeded = true; + } + + if (!appSlug) { + newSearchParams.set("appSlug", "google-calendar"); + isRedirectNeeded = true; + } + + if (isRedirectNeeded) { + router.push(`${pathname}?${newSearchParams.toString()}`); + } + }, [router, pathname, userId, appSlug]); + + async function updateToken({ invalid } = { invalid: false }) { + const res = await fetch( + `/api/setTokenInCalCom?invalid=${invalid ? 1 : 0}&userId=${userId}&appSlug=${appSlug}`, + { + method: "GET", + headers: { + "Content-Type": "application/json", + }, + } + ); + + const data = await res.json(); + setData(JSON.stringify(data)); + } + + return ( +
    +

    Welcome to Credential Sync Playground

    +

    + You are managing credentials for cal.com userId={userId} for{" "} + appSlug={appSlug}. Update query params to manage a different user or app{" "} +

    + + +
    {data}
    +
    + ); +} diff --git a/example-apps/credential-sync/tsconfig.json b/example-apps/credential-sync/tsconfig.json new file mode 100644 index 00000000000000..093985aafb4abc --- /dev/null +++ b/example-apps/credential-sync/tsconfig.json @@ -0,0 +1,19 @@ +{ + "compilerOptions": { + "lib": ["dom", "dom.iterable", "esnext"], + "allowJs": true, + "skipLibCheck": true, + "strict": false, + "forceConsistentCasingInFileNames": true, + "noEmit": true, + "incremental": true, + "esModuleInterop": true, + "module": "esnext", + "moduleResolution": "node", + "resolveJsonModule": true, + "isolatedModules": true, + "jsx": "preserve" + }, + "include": ["next-env.d.ts", "**/*.ts", "**/*.tsx"], + "exclude": ["node_modules"] +} diff --git a/git-setup.sh b/git-setup.sh index f9deccf6d588c2..3defaecb7e5104 100755 --- a/git-setup.sh +++ b/git-setup.sh @@ -2,7 +2,7 @@ # If no project name is given if [ $# -eq 0 ]; then # Display usage and stop - echo "Usage: git-setup.sh " + echo "Usage: git-setup.sh " exit 1 fi # Get remote url to support either https or ssh @@ -21,11 +21,18 @@ for module in "$@"; do git config -f .gitmodules --unset-all "submodule.apps/$module.branch" # Add the submodule git submodule add --force $project "apps/$module" - # Set the default branch to main - git config -f .gitmodules --add "submodule.apps/$module.branch" main - # Update to the latest from main in that submodule - cd apps/$module && git pull origin main && cd ../.. + # Determine the branch based on module + branch="main" + if [ "$module" = "website" ]; then + branch="production" + fi + + # Set the default branch + git config -f .gitmodules --add "submodule.apps/$module.branch" ${branch} + + # Update to the latest of branch in that submodule + cd apps/$module && git pull origin ${branch} && cd ../.. # We forcefully added the subdmoule which was in .gitignore, so unstage it. git restore --staged apps/$module diff --git a/package.json b/package.json index ccc3771f3c3a52..92e83ee7756e1e 100644 --- a/package.json +++ b/package.json @@ -11,7 +11,8 @@ "packages/app-store/*", "packages/app-store/ee/*", "packages/platform/*", - "packages/platform/examples/base" + "packages/platform/examples/base", + "example-apps/*" ], "scripts": { "app-store-cli": "yarn workspace @calcom/app-store-cli", @@ -81,7 +82,6 @@ }, "devDependencies": { "@changesets/cli": "^2.26.1", - "@deploysentinel/playwright": "^0.3.3", "@playwright/test": "^1.31.2", "@snaplet/copycat": "^4.1.0", "@testing-library/jest-dom": "^5.16.5", diff --git a/packages/app-store-cli/src/build.ts b/packages/app-store-cli/src/build.ts index 68702b77104bc4..91c461b548c951 100644 --- a/packages/app-store-cli/src/build.ts +++ b/packages/app-store-cli/src/build.ts @@ -328,6 +328,14 @@ function generateFiles() { lazyImport: true, }) ); + browserOutput.push( + ...getExportedObject("EventTypeSettingsMap", { + importConfig: { + fileToBeImported: "components/EventTypeAppSettingsInterface.tsx", + }, + lazyImport: true, + }) + ); const banner = `/** This file is autogenerated using the command \`yarn app-store:build --watch\`. diff --git a/packages/app-store/BookingPageTagManager.test.tsx b/packages/app-store/BookingPageTagManager.test.tsx new file mode 100644 index 00000000000000..1e55a059994507 --- /dev/null +++ b/packages/app-store/BookingPageTagManager.test.tsx @@ -0,0 +1,207 @@ +import { render, screen, cleanup } from "@testing-library/react"; +import { vi } from "vitest"; + +import BookingPageTagManager, { handleEvent } from "./BookingPageTagManager"; + +// NOTE: We don't intentionally mock appStoreMetadata as that also tests config.json and generated files for us for no cost. If it becomes a pain in future, we could just start mocking it. + +vi.mock("next/script", () => { + return { + default: ({ ...props }) => { + return
    ; + }, + }; +}); + +const windowProps: string[] = []; +// eslint-disable-next-line @typescript-eslint/no-explicit-any +function setOnWindow(prop: any, value: any) { + window[prop] = value; + windowProps.push(prop); +} + +afterEach(() => { + windowProps.forEach((prop) => { + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + //@ts-ignore + delete window[prop]; + }); + windowProps.splice(0); + cleanup(); +}); + +describe("BookingPageTagManager", () => { + it("GTM App when enabled should have its scripts added with appropriate trackingID and $pushEvent replacement", () => { + const GTM_CONFIG = { + enabled: true, + trackingId: "GTM-123", + }; + render( + + ); + const scripts = screen.getAllByTestId("cal-analytics-app-gtm"); + const trackingScript = scripts[0]; + const pushEventScript = scripts[1]; + expect(trackingScript.innerHTML).toContain(GTM_CONFIG.trackingId); + expect(pushEventScript.innerHTML).toContain("cal_analytics_app__gtm"); + }); + + it("GTM App when disabled should not have its scripts added", () => { + const GTM_CONFIG = { + enabled: false, + trackingId: "GTM-123", + }; + render( + + ); + const scripts = screen.queryAllByTestId("cal-analytics-app-gtm"); + expect(scripts.length).toBe(0); + }); + + it("should not add scripts for an app that doesnt have tag defined(i.e. non-analytics app)", () => { + render( + + ); + const scripts = screen.queryAllByTestId("cal-analytics-app-zoomvideo"); + expect(scripts.length).toBe(0); + }); + + it("should not crash for an app that doesnt exist", () => { + render( + + ); + const scripts = screen.queryAllByTestId("cal-analytics-app-zoomvideo"); + expect(scripts.length).toBe(0); + }); +}); + +describe("handleEvent", () => { + it("should not push internal events to analytics apps", () => { + expect( + handleEvent({ + detail: { + // Internal event + type: "__abc", + }, + }) + ).toBe(false); + + expect( + handleEvent({ + detail: { + // Not an internal event + type: "_abc", + }, + }) + ).toBe(true); + }); + + it("should call the function on window with the event name and data", () => { + const pushEventXyz = vi.fn(); + const pushEventAnything = vi.fn(); + const pushEventRandom = vi.fn(); + const pushEventNotme = vi.fn(); + + setOnWindow("cal_analytics_app__xyz", pushEventXyz); + setOnWindow("cal_analytics_app__anything", pushEventAnything); + setOnWindow("cal_analytics_app_random", pushEventRandom); + setOnWindow("cal_analytics_notme", pushEventNotme); + + handleEvent({ + detail: { + type: "abc", + key: "value", + }, + }); + + expect(pushEventXyz).toHaveBeenCalledWith({ + name: "abc", + data: { + key: "value", + }, + }); + + expect(pushEventAnything).toHaveBeenCalledWith({ + name: "abc", + data: { + key: "value", + }, + }); + + expect(pushEventRandom).toHaveBeenCalledWith({ + name: "abc", + data: { + key: "value", + }, + }); + + expect(pushEventNotme).not.toHaveBeenCalled(); + }); + + it("should not error if accidentally the value is not a function", () => { + const pushEventNotAfunction = "abc"; + const pushEventAnything = vi.fn(); + setOnWindow("cal_analytics_app__notafun", pushEventNotAfunction); + setOnWindow("cal_analytics_app__anything", pushEventAnything); + + handleEvent({ + detail: { + type: "abc", + key: "value", + }, + }); + + // No error for cal_analytics_app__notafun and pushEventAnything is called + expect(pushEventAnything).toHaveBeenCalledWith({ + name: "abc", + data: { + key: "value", + }, + }); + }); +}); diff --git a/packages/app-store/BookingPageTagManager.tsx b/packages/app-store/BookingPageTagManager.tsx index e8349e80f72a5e..b8dcefba97546f 100644 --- a/packages/app-store/BookingPageTagManager.tsx +++ b/packages/app-store/BookingPageTagManager.tsx @@ -2,28 +2,93 @@ import Script from "next/script"; import { getEventTypeAppData } from "@calcom/app-store/_utils/getEventTypeAppData"; import { appStoreMetadata } from "@calcom/app-store/bookerAppsMetaData"; +import type { Tag } from "@calcom/app-store/types"; +import { sdkActionManager } from "@calcom/lib/sdk-event"; +import type { AppMeta } from "@calcom/types/App"; import type { appDataSchemas } from "./apps.schemas.generated"; +const PushEventPrefix = "cal_analytics_app_"; + +// AnalyticApp has appData.tag always set +type AnalyticApp = Omit & { + appData: Omit, "tag"> & { + tag: NonNullable["tag"]>; + }; +}; + +const getPushEventScript = ({ tag, appId }: { tag: Tag; appId: string }) => { + if (!tag.pushEventScript) { + return tag.pushEventScript; + } + + return { + ...tag.pushEventScript, + // In case of complex pushEvent implementations, we could think about exporting a pushEvent function from the analytics app maybe but for now this should suffice + content: tag.pushEventScript?.content?.replace("$pushEvent", `${PushEventPrefix}_${appId}`), + }; +}; + +function getAnalyticsApps(eventType: Parameters[0]) { + return Object.entries(appStoreMetadata).reduce( + (acc, entry) => { + const [appId, app] = entry; + const eventTypeAppData = getEventTypeAppData(eventType, appId as keyof typeof appDataSchemas); + + if (!eventTypeAppData || !app.appData?.tag) { + return acc; + } + + acc[appId] = { + meta: app as AnalyticApp, + eventTypeAppData: eventTypeAppData, + }; + return acc; + }, + {} as Record< + string, + { + meta: AnalyticApp; + eventTypeAppData: ReturnType; + } + > + ); +} + +export function handleEvent(event: { detail: Record & { type: string } }) { + const { type: name, ...data } = event.detail; + // Don't push internal events to analytics apps + // They are meant for internal use like helping embed make some decisions + if (name.startsWith("__")) { + return false; + } + + Object.entries(window).forEach(([prop, value]) => { + if (!prop.startsWith(PushEventPrefix) || typeof value !== "function") { + return; + } + // Find the pushEvent if defined by the analytics app + const pushEvent = window[prop as keyof typeof window]; + + pushEvent({ + name, + data, + }); + }); + + return true; +} + export default function BookingPageTagManager({ eventType, }: { eventType: Parameters[0]; }) { + const analyticsApps = getAnalyticsApps(eventType); return ( <> - {Object.entries(appStoreMetadata).map(([appId, app]) => { - const tag = app.appData?.tag; - if (!tag) { - return null; - } - - const appData = getEventTypeAppData(eventType, appId as keyof typeof appDataSchemas); - - if (!appData) { - return null; - } - + {Object.entries(analyticsApps).map(([appId, { meta: app, eventTypeAppData }]) => { + const tag = app.appData.tag; const parseValue = (val: T): T => { if (!val) { return val; @@ -34,18 +99,19 @@ export default function BookingPageTagManager({ let matches; while ((matches = regex.exec(val))) { const variableName = matches[1]; - if (appData[variableName]) { + if (eventTypeAppData[variableName]) { // Replace if value is available. It can possible not be a template variable that just matches the regex. val = val.replace( new RegExp(`{${variableName}}`, "g"), - appData[variableName] + eventTypeAppData[variableName] ) as NonNullable; } } return val; }; - return tag.scripts.map((script, index) => { + const pushEventScript = getPushEventScript({ tag, appId }); + return tag.scripts.concat(pushEventScript ? [pushEventScript] : []).map((script, index) => { const parsedAttributes: NonNullable<(typeof tag.scripts)[number]["attrs"]> = {}; const attrs = script.attrs || {}; Object.entries(attrs).forEach(([name, value]) => { @@ -57,6 +123,7 @@ export default function BookingPageTagManager({ return ( + diff --git a/packages/embeds/embed-core/package.json b/packages/embeds/embed-core/package.json index 8ae1a725ae3ef1..9b717df854abe2 100644 --- a/packages/embeds/embed-core/package.json +++ b/packages/embeds/embed-core/package.json @@ -1,6 +1,6 @@ { "name": "@calcom/embed-core", - "version": "1.4.0", + "version": "1.5.0", "description": "This is the vanilla JS core script that embeds Cal Link", "main": "./dist/embed/embed.js", "types": "./dist/index.d.ts", @@ -19,8 +19,10 @@ "build-preview": "PREVIEW_BUILD=1 yarn __build ", "vite": "vite", "tailwind": "yarn tailwindcss -i ./src/styles.css -o ./src/tailwind.generated.css", - "buildWatchAndServer": "run-p '__dev' 'vite --port 3100 --strict-port --open'", + "buildWatchAndServer": "run-p '__dev' 'vite --port 3100 --strict-port --host --open'", + "buildWatchAndServer-https": "run-p '__dev' 'vite --port 3100 --strict-port --host --open --https'", "dev": "yarn tailwind && run-p 'tailwind --watch' 'buildWatchAndServer'", + "dev-https": "yarn tailwind && run-p 'tailwind --watch' 'buildWatchAndServer-https'", "dev-real": "vite dev --port 3100", "type-check": "tsc --pretty --noEmit", "type-check:ci": "tsc-absolute --pretty --noEmit", @@ -45,6 +47,7 @@ }, "devDependencies": { "@playwright/test": "^1.31.2", + "@vitejs/plugin-basic-ssl": "^1.1.0", "autoprefixer": "^10.4.12", "npm-run-all": "^4.1.5", "postcss": "^8.4.18", diff --git a/packages/embeds/embed-core/playground.ts b/packages/embeds/embed-core/playground.ts index 4538dcdd3506fa..8c09f504bbcfcb 100644 --- a/packages/embeds/embed-core/playground.ts +++ b/packages/embeds/embed-core/playground.ts @@ -6,6 +6,7 @@ const callback = function (e) { console.log("Event: ", e.type, detail); }; +const origin = `${new URL(document.URL).protocol}localhost:3000`; document.addEventListener("click", (e) => { const target = e.target as HTMLElement; if ("href" in target && typeof target.href === "string") { @@ -42,7 +43,7 @@ const calLink = searchParams.get("cal-link"); if (only === "all" || only === "ns:default") { Cal("init", { debug: true, - calOrigin: "http://localhost:3000", + calOrigin: origin, }); Cal("inline", { @@ -68,7 +69,7 @@ if (only === "all" || only === "ns:second") { // Create a namespace "second". It can be accessed as Cal.ns.second with the exact same API as Cal Cal("init", "second", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.second( @@ -95,7 +96,7 @@ if (only === "all" || only === "ns:third") { // Create a namespace "third". It can be accessed as Cal.ns.second with the exact same API as Cal Cal("init", "third", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.third( @@ -146,7 +147,7 @@ if (only === "all" || only === "ns:third") { if (only === "all" || only === "ns:fourth") { Cal("init", "fourth", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.fourth( [ @@ -190,7 +191,7 @@ if (only === "all" || only === "ns:fourth") { if (only === "all" || only === "ns:fifth") { Cal("init", "fifth", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.fifth([ "inline", @@ -215,7 +216,7 @@ if (only === "all" || only === "ns:fifth") { if (only === "all" || only === "prerender-test") { Cal("init", "e2ePrerenderLightTheme", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.e2ePrerenderLightTheme("prerender", { calLink: "free/30min", @@ -226,7 +227,7 @@ if (only === "all" || only === "prerender-test") { if (only === "all" || only === "preload-test") { Cal("init", "preloadTest", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.preloadTest("preload", { calLink: "free/30min", @@ -236,7 +237,7 @@ if (only === "all" || only === "preload-test") { if (only === "all" || only === "inline-routing-form") { Cal("init", "inline-routing-form", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns["inline-routing-form"]([ "inline", @@ -258,7 +259,7 @@ if (only === "all" || only === "hideEventTypeDetails") { const identifier = "hideEventTypeDetails"; Cal("init", identifier, { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.hideEventTypeDetails( @@ -288,7 +289,7 @@ if (only === "all" || only === "hideEventTypeDetails") { if (only === "conflicting-theme") { Cal("init", "conflictingTheme", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.conflictingTheme("inline", { @@ -309,17 +310,17 @@ if (only === "conflicting-theme") { Cal("init", "popupDarkTheme", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal("init", "e2ePopupLightTheme", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal("init", "popupHideEventTypeDetails", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.popupHideEventTypeDetails("ui", { @@ -328,47 +329,52 @@ Cal.ns.popupHideEventTypeDetails("ui", { Cal("init", "popupReschedule", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal("init", "popupAutoTheme", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal("init", "popupTeamLinkLightTheme", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal("init", "popupTeamLinkDarkTheme", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal("init", "popupTeamLinkDarkTheme", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal("init", "popupTeamLinksList", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal("init", "popupPaidEvent", { debug: true, - origin: "http://localhost:3000", + origin: origin, +}); + +Cal("init", "childElementTarget", { + debug: true, + origin: origin, }); Cal("init", "floatingButton", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal("init", "routingFormAuto", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.routingFormAuto("on", { @@ -382,7 +388,7 @@ Cal.ns.routingFormAuto("on", { Cal("init", "routingFormDark", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); if (only === "all" || only == "ns:floatingButton") { @@ -411,7 +417,7 @@ if (only === "all" || only == "ns:monthView") { // Create a namespace "second". It can be accessed as Cal.ns.second with the exact same API as Cal Cal("init", "monthView", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.monthView( @@ -439,7 +445,7 @@ if (only === "all" || only == "ns:weekView") { // Create a namespace "second". It can be accessed as Cal.ns.second with the exact same API as Cal Cal("init", "weekView", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.weekView( @@ -467,7 +473,7 @@ if (only === "all" || only == "ns:columnView") { // Create a namespace "second". It can be accessed as Cal.ns.second with the exact same API as Cal Cal("init", "columnView", { debug: true, - origin: "http://localhost:3000", + origin: origin, }); Cal.ns.columnView( diff --git a/packages/embeds/embed-core/playwright/tests/action-based.e2e.ts b/packages/embeds/embed-core/playwright/tests/action-based.e2e.ts index 1d6106a1abce88..4e9464a3c2b58e 100644 --- a/packages/embeds/embed-core/playwright/tests/action-based.e2e.ts +++ b/packages/embeds/embed-core/playwright/tests/action-based.e2e.ts @@ -266,6 +266,21 @@ test.describe("Popup Tests", () => { pathname: calLink, }); }); + + test("should open on clicking child element", async ({ page, embeds }) => { + await deleteAllBookingsByEmail("embed-user@example.com"); + const calNamespace = "childElementTarget"; + const configuredLink = "/free/30min"; + await embeds.gotoPlayground({ calNamespace, url: "/" }); + + await page.click(`[data-cal-namespace="${calNamespace}"] b`); + + const embedIframe = await getEmbedIframe({ calNamespace, page, pathname: configuredLink }); + + await expect(embedIframe).toBeEmbedCalLink(calNamespace, embeds.getActionFiredDetails, { + pathname: configuredLink, + }); + }); }); async function expectPrerenderedIframe({ diff --git a/packages/embeds/embed-core/playwright/tests/embed-pages.e2e.ts b/packages/embeds/embed-core/playwright/tests/embed-pages.e2e.ts index a392641e012c89..8c50488ca2aa03 100644 --- a/packages/embeds/embed-core/playwright/tests/embed-pages.e2e.ts +++ b/packages/embeds/embed-core/playwright/tests/embed-pages.e2e.ts @@ -10,14 +10,19 @@ test.describe("Embed Pages", () => { await page.goto("http://localhost:3000/free/30min/embed"); // Checks the margin from top by checking the distance between the div inside main from the viewport const marginFromTop = await page.evaluate(async () => { - return await new Promise((resolve) => { + return await new Promise<{ + bookerContainer: number; + mainEl: number; + }>((resolve) => { (function tryGettingBoundingRect() { const mainElement = document.querySelector(".main"); + const bookerContainer = document.querySelector('[data-testid="booker-container"]'); - if (mainElement) { + if (mainElement && bookerContainer) { // This returns the distance of the div element from the viewport const mainElBoundingRect = mainElement.getBoundingClientRect(); - resolve(mainElBoundingRect.top); + const bookerContainerBoundingRect = bookerContainer.getBoundingClientRect(); + resolve({ bookerContainer: bookerContainerBoundingRect.top, mainEl: mainElBoundingRect.top }); } else { setTimeout(tryGettingBoundingRect, 500); } @@ -25,7 +30,8 @@ test.describe("Embed Pages", () => { }); }); - expect(marginFromTop).toBe(0); + expect(marginFromTop.bookerContainer).toBe(0); + expect(marginFromTop.mainEl).toBe(0); }); test("Event Type Page: should have margin top on non embed page", async ({ page }) => { diff --git a/packages/embeds/embed-core/playwright/tests/preview.e2e.ts b/packages/embeds/embed-core/playwright/tests/preview.e2e.ts index a55a0b97f44eec..28506adb07414b 100644 --- a/packages/embeds/embed-core/playwright/tests/preview.e2e.ts +++ b/packages/embeds/embed-core/playwright/tests/preview.e2e.ts @@ -3,7 +3,7 @@ import { expect } from "@playwright/test"; import { test } from "@calcom/web/playwright/lib/fixtures"; test.describe("Preview", () => { - test("Preview - embed-core should load", async ({ page }) => { + test("Preview - embed-core should load if correct embedLibUrl is provided", async ({ page }) => { await page.goto( "http://localhost:3000/embed/preview.html?embedLibUrl=http://localhost:3000/embed/embed.js&bookerUrl=http://localhost:3000&calLink=pro/30min" ); @@ -26,4 +26,20 @@ test.describe("Preview", () => { }); expect(libraryLoaded).toBe(true); }); + + test("Preview - embed-core should load from embedLibUrl", async ({ page }) => { + // Intentionally pass a URL that will not load to be able to easily test that the embed was loaded from there + page.goto( + "http://localhost:3000/embed/preview.html?embedLibUrl=http://wronglocalhost:3000/embed/embed.js&bookerUrl=http://localhost:3000&calLink=pro/30min" + ); + + const failedRequestUrl = await new Promise((resolve) => + page.on("requestfailed", (request) => { + console.log("request failed"); + resolve(request.url()); + }) + ); + + expect(failedRequestUrl).toBe("http://wronglocalhost:3000/embed/embed.js"); + }); }); diff --git a/packages/embeds/embed-core/src/embed-iframe.ts b/packages/embeds/embed-core/src/embed-iframe.ts index a4d72bf32c52b5..709d8552004c92 100644 --- a/packages/embeds/embed-core/src/embed-iframe.ts +++ b/packages/embeds/embed-core/src/embed-iframe.ts @@ -508,7 +508,10 @@ function keepParentInformedAboutDimensionChanges() { }); } -if (isBrowser) { +function main() { + if (!isBrowser) { + return; + } log("Embed SDK loaded", { isEmbed: window?.isEmbed?.() || false }); const url = new URL(document.URL); embedStore.theme = window?.getEmbedTheme?.(); @@ -523,6 +526,9 @@ if (isBrowser) { // If embed link is opened in top, and not in iframe. Let the page be visible. if (top === window) { unhideBody(); + // We would want to avoid a situation where Cal.com embeds cal.com and then embed-iframe is in the top as well. In such case, we would want to avoid infinite loop of events being passed. + log("Embed SDK Skipped as we are in top"); + return; } window.addEventListener("message", (e) => { @@ -618,3 +624,5 @@ function connectPreloadedEmbed({ url }: { url: URL }) { const isPrerendering = () => { return new URL(document.URL).searchParams.get("prerender") === "true"; }; + +main(); diff --git a/packages/embeds/embed-core/src/embed.ts b/packages/embeds/embed-core/src/embed.ts index bb9bd88fac5044..806bcc8b4222f9 100644 --- a/packages/embeds/embed-core/src/embed.ts +++ b/packages/embeds/embed-core/src/embed.ts @@ -864,17 +864,16 @@ window.addEventListener("message", (e) => { document.addEventListener("click", (e) => { const targetEl = e.target; - if (!(targetEl instanceof HTMLElement)) { - return; - } - const path = targetEl.dataset.calLink; + + const calLinkEl = getCalLinkEl(targetEl); + const path = calLinkEl?.dataset?.calLink; if (!path) { return; } - const namespace = targetEl.dataset.calNamespace; - const configString = targetEl.dataset.calConfig || ""; - const calOrigin = targetEl.dataset.calOrigin || ""; + const namespace = calLinkEl.dataset.calNamespace; + const configString = calLinkEl.dataset.calConfig || ""; + const calOrigin = calLinkEl.dataset.calOrigin || ""; let config; try { config = JSON.parse(configString); @@ -897,6 +896,25 @@ document.addEventListener("click", (e) => { config, calOrigin, }); + + function getCalLinkEl(target: EventTarget | null) { + let calLinkEl; + if (!(target instanceof HTMLElement)) { + return null; + } + if (target?.dataset.calLink) { + calLinkEl = target; + } else { + // If the element clicked is a child of the cal-link element, then return the cal-link element + calLinkEl = Array.from(document.querySelectorAll("[data-cal-link]")).find((el) => el.contains(target)); + } + + if (!(calLinkEl instanceof HTMLElement)) { + return null; + } + + return calLinkEl; + } }); let currentColorScheme: string | null = null; diff --git a/packages/embeds/embed-core/src/preview.ts b/packages/embeds/embed-core/src/preview.ts index b4dcddc25329c6..d361342c76888d 100644 --- a/packages/embeds/embed-core/src/preview.ts +++ b/packages/embeds/embed-core/src/preview.ts @@ -47,7 +47,7 @@ if (!bookerUrl || !embedLibUrl) { } p(cal, ar); }; -})(window, "//localhost:3000/embed/embed.js", "init"); +})(window, embedLibUrl, "init"); const previewWindow = window; previewWindow.Cal.fingerprint = process.env.EMBED_PUBLIC_EMBED_FINGER_PRINT as string; diff --git a/packages/embeds/embed-core/src/sdk-action-manager.ts b/packages/embeds/embed-core/src/sdk-action-manager.ts index 90172b176194df..246cd7f63fe712 100644 --- a/packages/embeds/embed-core/src/sdk-action-manager.ts +++ b/packages/embeds/embed-core/src/sdk-action-manager.ts @@ -22,6 +22,19 @@ export type EventDataMap = { }; }; linkReady: Record; + bookingSuccessfulV2: { + uid: string | undefined; + title: string | undefined; + startTime: string | undefined; + endTime: string | undefined; + eventTypeId: number | null | undefined; + status: string | undefined; + paymentRequired: boolean; + }; + + /** + * @deprecated Use `bookingSuccessfulV2` instead. We restrict the data heavily there, only sending what is absolutely needed and keeping it light as well. Plus, more importantly that can be documented well. + */ bookingSuccessful: { // TODO: Shouldn't send the entire booking and eventType objects, we should send specific fields from them. booking: unknown; @@ -35,6 +48,18 @@ export type EventDataMap = { }; confirmed: boolean; }; + rescheduleBookingSuccessfulV2: { + uid: string | undefined; + title: string | undefined; + startTime: string | undefined; + endTime: string | undefined; + eventTypeId: number | null | undefined; + status: string | undefined; + paymentRequired: boolean; + }; + /** + * @deprecated Use `rescheduleBookingSuccessfulV2` instead. We restrict the data heavily there, only sending what is absolutely needed and keeping it light as well. Plus, more importantly that can be documented well. + */ rescheduleBookingSuccessful: { booking: unknown; eventType: unknown; @@ -60,6 +85,7 @@ export type EventDataMap = { actionType: "customPageMessage" | "externalRedirectUrl" | "eventTypeRedirectUrl"; actionValue: string; }; + navigatedToBooker: Record; "*": Record; __routeChanged: Record; __windowLoadComplete: Record; diff --git a/packages/embeds/embed-core/src/useCompatSearchParams.tsx b/packages/embeds/embed-core/src/useCompatSearchParams.tsx index 68bb1e6d6df461..ef6c6587ef0ca1 100644 --- a/packages/embeds/embed-core/src/useCompatSearchParams.tsx +++ b/packages/embeds/embed-core/src/useCompatSearchParams.tsx @@ -12,7 +12,7 @@ export const useCompatSearchParams = () => { const param = params[key]; const paramArr = typeof param === "string" ? param.split("/") : param; - paramArr.forEach((p) => { + paramArr?.forEach((p) => { searchParams.append(key, p); }); }); diff --git a/packages/embeds/embed-core/vite.config.js b/packages/embeds/embed-core/vite.config.js index 8dea84ce5a4358..f9dccea4b712d7 100644 --- a/packages/embeds/embed-core/vite.config.js +++ b/packages/embeds/embed-core/vite.config.js @@ -1,3 +1,4 @@ +import basicSsl from "@vitejs/plugin-basic-ssl"; import EnvironmentPlugin from "vite-plugin-environment"; import viteBaseConfig, { embedCoreEnvVars } from "../vite.config"; @@ -15,6 +16,7 @@ module.exports = defineConfig((configEnv) => { EMBED_PUBLIC_VERCEL_URL: embedCoreEnvVars.EMBED_PUBLIC_VERCEL_URL, EMBED_PUBLIC_WEBAPP_URL: embedCoreEnvVars.EMBED_PUBLIC_WEBAPP_URL, }), + ...(process.argv.includes("--https") ? [basicSsl()] : []), ], build: { emptyOutDir: true, diff --git a/packages/embeds/embed-react/CHANGELOG.md b/packages/embeds/embed-react/CHANGELOG.md index d087a9f3e58c2d..6dd2cf5c961870 100644 --- a/packages/embeds/embed-react/CHANGELOG.md +++ b/packages/embeds/embed-react/CHANGELOG.md @@ -1,5 +1,17 @@ # @calcom/embed-react +## 1.5.0 + +### Minor Changes + +- Added namespacing support throughout + +### Patch Changes + +- Updated dependencies + - @calcom/embed-core@1.5.0 + - @calcom/embed-snippet@1.3.0 + ## 1.4.0 ### Minor Changes diff --git a/packages/embeds/embed-react/package.json b/packages/embeds/embed-react/package.json index 0bfb7ab88602d5..7ea873ef5a0c86 100644 --- a/packages/embeds/embed-react/package.json +++ b/packages/embeds/embed-react/package.json @@ -1,7 +1,7 @@ { "name": "@calcom/embed-react", "sideEffects": false, - "version": "1.4.0", + "version": "1.5.0", "description": "Embed Cal Link as a React Component", "license": "SEE LICENSE IN LICENSE", "repository": { @@ -51,7 +51,7 @@ "eslint": "^8.34.0", "npm-run-all": "^4.1.5", "typescript": "^4.9.4", - "vite": "^4.1.2" + "vite": "^4.5.2" }, "dependencies": { "@calcom/embed-core": "workspace:*", diff --git a/packages/embeds/embed-react/playwright/tests/basic.e2e.ts b/packages/embeds/embed-react/playwright/tests/basic.e2e.ts index d5bdb5432443e6..5ebffbe1bd16b2 100644 --- a/packages/embeds/embed-react/playwright/tests/basic.e2e.ts +++ b/packages/embeds/embed-react/playwright/tests/basic.e2e.ts @@ -1,6 +1,7 @@ import { expect } from "@playwright/test"; import { getEmbedIframe } from "@calcom/embed-core/playwright/lib/testUtils"; +// eslint-disable-next-line no-restricted-imports import { test } from "@calcom/web/playwright/lib/fixtures"; test.describe("React Embed", () => { @@ -43,7 +44,9 @@ test.describe("React Embed", () => { }); }); - test.describe("Element Click Popup", () => { + // TODO: This test is extremely flaky and has been failing a lot, blocking many PRs. Fix this. + // eslint-disable-next-line playwright/no-skipped-test + test.describe.skip("Element Click Popup", () => { test("should verify that the iframe got created with correct URL - namespaced", async ({ page, embeds, diff --git a/packages/embeds/embed-snippet/CHANGELOG.md b/packages/embeds/embed-snippet/CHANGELOG.md index c7be0575fa4f10..c602717a2d79b3 100644 --- a/packages/embeds/embed-snippet/CHANGELOG.md +++ b/packages/embeds/embed-snippet/CHANGELOG.md @@ -1,5 +1,16 @@ # @calcom/embed-snippet +## 1.3.0 + +### Minor Changes + +- Added namespacing support throughout + +### Patch Changes + +- Updated dependencies + - @calcom/embed-core@1.5.0 + ## 1.2.0 ### Minor Changes diff --git a/packages/embeds/embed-snippet/package.json b/packages/embeds/embed-snippet/package.json index 096006a1a1e9ce..f180842d0fcfd2 100644 --- a/packages/embeds/embed-snippet/package.json +++ b/packages/embeds/embed-snippet/package.json @@ -1,7 +1,7 @@ { "name": "@calcom/embed-snippet", "sideEffects": false, - "version": "1.2.0", + "version": "1.3.0", "main": "./dist/snippet.umd.js", "module": "./dist/snippet.es.js", "description": "Vanilla JS embed snippet that is responsible to fetch @calcom/embed-core and thus show Cal Link as an embed on a page.", diff --git a/packages/eslint-plugin/src/configs/recommended.ts b/packages/eslint-plugin/src/configs/recommended.ts index 05c5405e7580c0..2e4d48e90b4013 100644 --- a/packages/eslint-plugin/src/configs/recommended.ts +++ b/packages/eslint-plugin/src/configs/recommended.ts @@ -6,6 +6,7 @@ const recommended = { "@calcom/eslint/deprecated-imports-next-router": "error", "@calcom/eslint/avoid-web-storage": "error", "@calcom/eslint/avoid-prisma-client-import-for-enums": "error", + "@calcom/eslint/no-prisma-include-true": "warn", }, }; diff --git a/packages/eslint-plugin/src/rules/index.ts b/packages/eslint-plugin/src/rules/index.ts index da144ae093dba9..9f67c105d96f6b 100644 --- a/packages/eslint-plugin/src/rules/index.ts +++ b/packages/eslint-plugin/src/rules/index.ts @@ -5,5 +5,6 @@ export default { "deprecated-imports": require("./deprecated-imports").default, "avoid-web-storage": require("./avoid-web-storage").default, "avoid-prisma-client-import-for-enums": require("./avoid-prisma-client-import-for-enums").default, + "no-prisma-include-true": require("./no-prisma-include-true").default, "deprecated-imports-next-router": require("./deprecated-imports-next-router").default, } as ESLint.Plugin["rules"]; diff --git a/packages/eslint-plugin/src/rules/no-prisma-include-true.ts b/packages/eslint-plugin/src/rules/no-prisma-include-true.ts new file mode 100644 index 00000000000000..d1dac23b39c8fb --- /dev/null +++ b/packages/eslint-plugin/src/rules/no-prisma-include-true.ts @@ -0,0 +1,100 @@ +import type { TSESTree } from "@typescript-eslint/utils"; +import { ESLintUtils } from "@typescript-eslint/utils"; +import type { ReportDescriptor } from "@typescript-eslint/utils/dist/ts-eslint"; + +const createRule = ESLintUtils.RuleCreator((name) => `https://developer.cal.com/eslint/rule/${name}`); + +const assesIncludePropertyIncludesTrue = ( + includeProperty: TSESTree.Property, + reporter: { (reportObj: ReportDescriptor<"no-prisma-include-true">): void } +) => { + if (includeProperty.value.type === "ObjectExpression") { + includeProperty.value.properties.forEach((childProperty) => { + if ( + childProperty.type === "Property" && + childProperty.value.type === "Literal" && + childProperty.value.value === true + ) { + reporter({ + node: childProperty, + messageId: "no-prisma-include-true", + }); + } + }); + } +}; + +const searchIncludeProperty = ( + property: TSESTree.Property, + reporter: { (reportObj: ReportDescriptor<"no-prisma-include-true">): void } +) => { + if (property.type === "Property") { + // If property is include, check if it has a child property with value true + if (property.key.type === "Identifier" && property.key.name === "include") { + assesIncludePropertyIncludesTrue(property, reporter); + } + + // If property value is also an object, recursively search for include property + if (property.value.type === "ObjectExpression") { + property.value.properties.forEach((childProperty) => { + if (childProperty.type === "Property") { + searchIncludeProperty(childProperty, reporter); + } + }); + } + } +}; + +const rule = createRule({ + create: function (context) { + return { + CallExpression(node) { + if (!(node.callee as TSESTree.MemberExpression).property) { + return null; + } + + const nodeName = ((node.callee as TSESTree.MemberExpression).property as TSESTree.Identifier).name; + + if ( + !["findUnique", "findUniqueOrThrow", "findFirst", "findFirstOrThrow", "findMany"].includes(nodeName) + ) { + return null; + } + + const nodeArgs = node.arguments[0] as TSESTree.ObjectExpression; + if (!nodeArgs) { + return null; + } + + const backReporter = (reportObj: ReportDescriptor<"no-prisma-include-true">) => { + context.report(reportObj); + }; + + nodeArgs.properties?.forEach((property) => { + if (property.type === "Property") { + searchIncludeProperty(property, backReporter); + } + }); + return null; + }, + }; + }, + + name: "no-prisma-include-true", + meta: { + type: "problem", + docs: { + description: + "Disallow passing argument object with include: { AnyPropertyName: true } to prisma methods", + recommended: "error", + }, + messages: { + "no-prisma-include-true": `Do not pass argument object with include: { AnyPropertyName: true } to prisma methods`, + }, + fixable: "code", + schema: [], + }, + defaultOptions: [], +}); + +export default rule; diff --git a/packages/features/auth/lib/next-auth-options.ts b/packages/features/auth/lib/next-auth-options.ts index 5f391a66df4641..f5a12f2cb9c289 100644 --- a/packages/features/auth/lib/next-auth-options.ts +++ b/packages/features/auth/lib/next-auth-options.ts @@ -281,9 +281,6 @@ if (isSAMLLoginEnabled) { const user = await UserRepository.findByEmailAndIncludeProfilesAndPassword({ email: profile.email || "", }); - if (!user) throw new Error(ErrorCode.UserNotFound); - - const [userProfile] = user.allProfiles; return { id: profile.id || 0, firstName: profile.firstName || "", @@ -292,7 +289,7 @@ if (isSAMLLoginEnabled) { name: `${profile.firstName || ""} ${profile.lastName || ""}`.trim(), email_verified: true, locale: profile.locale, - profile: userProfile, + ...(user ? { profile: user.allProfiles[0] } : {}), }; }, options: { @@ -342,7 +339,8 @@ if (isSAMLLoginEnabled) { return null; } - const { id, firstName, lastName, email } = userInfo; + const { id, firstName, lastName } = userInfo; + const email = userInfo.email.toLowerCase(); let user = !email ? undefined : await UserRepository.findByEmailAndIncludeProfilesAndPassword({ email }); @@ -844,7 +842,7 @@ export const AUTH_OPTIONS: AuthOptions = { where: { email: existingUserWithEmail.email }, // also update email to the IdP email data: { - email: user.email, + email: user.email.toLowerCase(), identityProvider: idP, identityProviderId: account.providerAccountId, }, @@ -857,6 +855,19 @@ export const AUTH_OPTIONS: AuthOptions = { } } else if (existingUserWithEmail.identityProvider === IdentityProvider.CAL) { return "/auth/error?error=use-password-login"; + } else if ( + existingUserWithEmail.identityProvider === IdentityProvider.GOOGLE && + idP === IdentityProvider.SAML + ) { + await prisma.user.update({ + where: { email: existingUserWithEmail.email }, + // also update email to the IdP email + data: { + email: user.email.toLowerCase(), + identityProvider: idP, + identityProviderId: account.providerAccountId, + }, + }); } return "/auth/error?error=use-identity-login"; diff --git a/packages/features/auth/lib/verifyEmail.ts b/packages/features/auth/lib/verifyEmail.ts index 8bfc1f060ba437..d2cd94d65a4856 100644 --- a/packages/features/auth/lib/verifyEmail.ts +++ b/packages/features/auth/lib/verifyEmail.ts @@ -20,6 +20,8 @@ interface VerifyEmailType { email: string; language?: string; secondaryEmailId?: number; + isVerifyingEmail?: boolean; + isPlatform?: boolean; } export const sendEmailVerification = async ({ @@ -27,6 +29,7 @@ export const sendEmailVerification = async ({ language, username, secondaryEmailId, + isPlatform = false, }: VerifyEmailType) => { const token = randomBytes(32).toString("hex"); const translation = await getTranslation(language ?? "en", "common"); @@ -37,6 +40,11 @@ export const sendEmailVerification = async ({ return { ok: true, skipped: true }; } + if (isPlatform) { + log.warn("Skipping Email verification"); + return { ok: true, skipped: true }; + } + await checkRateLimitAndThrowError({ rateLimitingType: "core", identifier: email, @@ -68,7 +76,12 @@ export const sendEmailVerification = async ({ return { ok: true, skipped: false }; }; -export const sendEmailVerificationByCode = async ({ email, language, username }: VerifyEmailType) => { +export const sendEmailVerificationByCode = async ({ + email, + language, + username, + isVerifyingEmail, +}: VerifyEmailType) => { const translation = await getTranslation(language ?? "en", "common"); const secret = createHash("md5") .update(email + process.env.CALENDSO_ENCRYPTION_KEY) @@ -84,6 +97,7 @@ export const sendEmailVerificationByCode = async ({ email, language, username }: email, name: username, }, + isVerifyingEmail, }); return { ok: true, skipped: false }; diff --git a/packages/features/auth/signup/utils/prefillAvatar.ts b/packages/features/auth/signup/utils/prefillAvatar.ts index 082f9c105934bf..e94f29e4be86b5 100644 --- a/packages/features/auth/signup/utils/prefillAvatar.ts +++ b/packages/features/auth/signup/utils/prefillAvatar.ts @@ -1,9 +1,9 @@ import type { Prisma } from "@prisma/client"; import fetch from "node-fetch"; +import { uploadAvatar } from "@calcom/lib/server/avatar"; import { resizeBase64Image } from "@calcom/lib/server/resizeBase64Image"; import prisma from "@calcom/prisma"; -import { uploadAvatar } from "@calcom/trpc/server/routers/loggedInViewer/updateProfile.handler"; interface IPrefillAvatar { email: string; diff --git a/packages/features/bookings/Booker/Booker.tsx b/packages/features/bookings/Booker/Booker.tsx index f8378fad9e3b4d..f06ef2852e7217 100644 --- a/packages/features/bookings/Booker/Booker.tsx +++ b/packages/features/bookings/Booker/Booker.tsx @@ -1,6 +1,7 @@ -import { LazyMotion, m, AnimatePresence } from "framer-motion"; +import { AnimatePresence, LazyMotion, m } from "framer-motion"; import dynamic from "next/dynamic"; -import { useEffect, useRef, useMemo } from "react"; +import { useEffect, useMemo, useRef } from "react"; +import { Toaster } from "react-hot-toast"; import StickyBox from "react-sticky-box"; import { shallow } from "zustand/shallow"; @@ -123,6 +124,7 @@ const BookerComponent = ({ setEmailVerificationModalVisible, handleVerifyEmail, renderConfirmNotVerifyEmailButtonCond, + isVerificationCodeSending, } = verifyEmail; const { @@ -133,6 +135,14 @@ const BookerComponent = ({ onToggleCalendar, } = calendars; + const scrolledToTimeslotsOnce = useRef(false); + const scrollToTimeSlots = () => { + if (isMobile && !isEmbed && !scrolledToTimeslotsOnce.current) { + timeslotsRef.current?.scrollIntoView({ behavior: "smooth" }); + scrolledToTimeslotsOnce.current = true; + } + }; + useEffect(() => { if (event.isPending) return setBookerState("loading"); if (!selectedDate) return setBookerState("selecting_date"); @@ -140,6 +150,10 @@ const BookerComponent = ({ return setBookerState("booking"); }, [event, selectedDate, selectedTimeslot, setBookerState]); + const slot = getQueryParam("slot"); + useEffect(() => { + setSelectedTimeslot(slot || null); + }, [slot, setSelectedTimeslot]); const EventBooker = useMemo(() => { return bookerState === "booking" ? ( <> {verifyCode ? ( @@ -256,6 +271,7 @@ const BookerComponent = ({ )}>
    @@ -310,20 +326,14 @@ const BookerComponent = ({ )} )} - + {!hideEventTypeDetails && orgBannerUrl && !isPlatform && ( org banner @@ -341,8 +351,8 @@ const BookerComponent = ({ /> {layout !== BookerLayouts.MONTH_VIEW && !(layout === "mobile" && bookerState === "booking") && ( -
    - +
    +
    )} @@ -375,6 +385,7 @@ const BookerComponent = ({ }} event={event} schedule={schedule} + scrollToTimeSlots={scrollToTimeSlots} /> @@ -461,6 +472,7 @@ const BookerComponent = ({ visible={bookerState === "booking" && shouldShowFormInDialog}> {EventBooker} + ); }; diff --git a/packages/features/bookings/Booker/components/AvailableTimeSlots.tsx b/packages/features/bookings/Booker/components/AvailableTimeSlots.tsx index 0d112b861b6bec..574bb11536038f 100644 --- a/packages/features/bookings/Booker/components/AvailableTimeSlots.tsx +++ b/packages/features/bookings/Booker/components/AvailableTimeSlots.tsx @@ -2,7 +2,7 @@ import { useRef } from "react"; import dayjs from "@calcom/dayjs"; import { AvailableTimes, AvailableTimesSkeleton } from "@calcom/features/bookings"; -import type { useEventReturnType } from "@calcom/features/bookings/Booker/utils/event"; +import type { BookerEvent } from "@calcom/features/bookings/types"; import { useNonEmptyScheduleDays } from "@calcom/features/schedules"; import { useSlotsForAvailableDates } from "@calcom/features/schedules/lib/use-schedule/useSlotsForDate"; import { classNames } from "@calcom/lib"; @@ -19,7 +19,9 @@ type AvailableTimeSlotsProps = { isLoading: boolean; seatsPerTimeSlot?: number | null; showAvailableSeatsCount?: boolean | null; - event: useEventReturnType; + event: { + data?: Pick | null; + }; customClassNames?: { availableTimeSlotsContainer?: string; availableTimeSlotsTitle?: string; diff --git a/packages/features/bookings/Booker/components/BookEventForm/BookEventForm.tsx b/packages/features/bookings/Booker/components/BookEventForm/BookEventForm.tsx index 9f933762781ca5..6d29abf7575f51 100644 --- a/packages/features/bookings/Booker/components/BookEventForm/BookEventForm.tsx +++ b/packages/features/bookings/Booker/components/BookEventForm/BookEventForm.tsx @@ -4,13 +4,13 @@ import Link from "next/link"; import { useMemo, useState } from "react"; import type { FieldError } from "react-hook-form"; +import type { BookerEvent } from "@calcom/features/bookings/types"; import { IS_CALCOM, WEBSITE_URL } from "@calcom/lib/constants"; import getPaymentAppData from "@calcom/lib/getPaymentAppData"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { Alert, Button, EmptyScreen, Form } from "@calcom/ui"; import { useBookerStore } from "../../store"; -import type { useEventReturnType } from "../../utils/event"; import type { UseBookingFormReturnType } from "../hooks/useBookingForm"; import type { IUseBookingErrors, IUseBookingLoadingStates } from "../hooks/useBookings"; import { BookingFields } from "./BookingFields"; @@ -27,6 +27,7 @@ type BookEventFormProps = { renderConfirmNotVerifyEmailButtonCond: boolean; extraOptions: Record; isPlatform?: boolean; + isVerificationCodeSending: boolean; }; export const BookEventForm = ({ @@ -41,9 +42,14 @@ export const BookEventForm = ({ bookingForm, children, extraOptions, + isVerificationCodeSending, isPlatform = false, }: Omit & { - eventQuery: useEventReturnType; + eventQuery: { + isError: boolean; + isPending: boolean; + data?: Pick | null; + }; rescheduleUid: string | null; }) => { const eventType = eventQuery.data; @@ -114,17 +120,25 @@ export const BookEventForm = ({ )} {!isPlatform && IS_CALCOM && (
    - - By proceeding, you agree to our{" "} - - Terms - {" "} - and{" "} - - Privacy Policy - - . - + + Terms + , + + Privacy Policy. + , + ]} + />
    )}
    @@ -142,7 +156,11 @@ export const BookEventForm = ({ diff --git a/packages/features/bookings/components/event-meta/AvailableEventLocations.tsx b/packages/features/bookings/components/event-meta/AvailableEventLocations.tsx index 66370b6d51ffcf..16b0d9652f863b 100644 --- a/packages/features/bookings/components/event-meta/AvailableEventLocations.tsx +++ b/packages/features/bookings/components/event-meta/AvailableEventLocations.tsx @@ -22,7 +22,13 @@ function RenderIcon({ const isPlatform = useIsPlatform(); if (isPlatform) { - return ; + if (eventLocationType.type === "conferencing") return ; + if (eventLocationType.type === "attendeeInPerson" || eventLocationType.type === "inPerson") + return ; + if (eventLocationType.type === "phone" || eventLocationType.type === "userPhone") + return ; + if (eventLocationType.type === "link") return ; + return ; } return ( @@ -65,6 +71,7 @@ function RenderLocationTooltip({ locations }: { locations: LocationObject[] }) { export function AvailableEventLocations({ locations }: { locations: LocationObject[] }) { const { t } = useLocale(); + const isPlatform = useIsPlatform(); const renderLocations = locations.map( ( @@ -101,11 +108,15 @@ export function AvailableEventLocations({ locations }: { locations: LocationObje return filteredLocations.length > 1 ? (
    - map-pin + {isPlatform ? ( + + ) : ( + map-pin + )} }>

    {t("location_options", { diff --git a/packages/features/bookings/components/event-meta/Details.tsx b/packages/features/bookings/components/event-meta/Details.tsx index 2c5b824d38e7d6..f59408c552fec9 100644 --- a/packages/features/bookings/components/event-meta/Details.tsx +++ b/packages/features/bookings/components/event-meta/Details.tsx @@ -2,12 +2,12 @@ import React, { Fragment } from "react"; import { useBookerStore } from "@calcom/features/bookings/Booker/store"; import { PriceIcon } from "@calcom/features/bookings/components/event-meta/PriceIcon"; +import type { BookerEvent } from "@calcom/features/bookings/types"; import classNames from "@calcom/lib/classNames"; import getPaymentAppData from "@calcom/lib/getPaymentAppData"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { Icon, type IconName } from "@calcom/ui"; -import type { PublicEvent } from "../../types"; import { EventDetailBlocks } from "../../types"; import { AvailableEventLocations } from "./AvailableEventLocations"; import { EventDuration } from "./Duration"; @@ -15,7 +15,17 @@ import { EventOccurences } from "./Occurences"; import { Price } from "./Price"; type EventDetailsPropsBase = { - event: PublicEvent; + event: Pick< + BookerEvent, + | "currency" + | "price" + | "locations" + | "requiresConfirmation" + | "recurringEvent" + | "length" + | "metadata" + | "isDynamic" + >; className?: string; }; diff --git a/packages/features/bookings/components/event-meta/Duration.tsx b/packages/features/bookings/components/event-meta/Duration.tsx index e76a681c76eb3f..dbd3cdc545f26d 100644 --- a/packages/features/bookings/components/event-meta/Duration.tsx +++ b/packages/features/bookings/components/event-meta/Duration.tsx @@ -1,13 +1,13 @@ import type { TFunction } from "next-i18next"; import { useEffect } from "react"; +import { useIsPlatform } from "@calcom/atoms/monorepo"; import { useBookerStore } from "@calcom/features/bookings/Booker/store"; +import type { BookerEvent } from "@calcom/features/bookings/types"; import classNames from "@calcom/lib/classNames"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { Badge } from "@calcom/ui"; -import type { PublicEvent } from "../../types"; - /** Render X mins as X hours or X hours Y mins instead of in minutes once >= 60 minutes */ export const getDurationFormatted = (mins: number | undefined, t: TFunction) => { if (!mins) return null; @@ -35,8 +35,13 @@ export const getDurationFormatted = (mins: number | undefined, t: TFunction) => return hourStr || minStr; }; -export const EventDuration = ({ event }: { event: PublicEvent }) => { +export const EventDuration = ({ + event, +}: { + event: Pick; +}) => { const { t } = useLocale(); + const isPlatform = useIsPlatform(); const [selectedDuration, setSelectedDuration, state] = useBookerStore((state) => [ state.selectedDuration, state.setSelectedDuration, @@ -52,7 +57,7 @@ export const EventDuration = ({ event }: { event: PublicEvent }) => { setSelectedDuration(event.length); }, [selectedDuration, setSelectedDuration, event.metadata?.multipleDuration, event.length, isDynamicEvent]); - if (!event?.metadata?.multipleDuration && !isDynamicEvent) + if ((!event?.metadata?.multipleDuration && !isDynamicEvent) || isPlatform) return <>{getDurationFormatted(event.length, t)}; const durations = event?.metadata?.multipleDuration || [15, 30, 60, 90]; @@ -63,6 +68,8 @@ export const EventDuration = ({ event }: { event: PublicEvent }) => { .filter((dur) => state !== "booking" || dur === selectedDuration) .map((duration) => ( Quick catch-up diff --git a/packages/features/bookings/components/event-meta/Locations.tsx b/packages/features/bookings/components/event-meta/Locations.tsx index 81594d026b6d25..c201ed3c3818fe 100644 --- a/packages/features/bookings/components/event-meta/Locations.tsx +++ b/packages/features/bookings/components/event-meta/Locations.tsx @@ -1,18 +1,18 @@ import { getEventLocationType, getTranslatedLocation } from "@calcom/app-store/locations"; +import type { BookerEvent } from "@calcom/features/bookings/types"; import { classNames } from "@calcom/lib"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { Tooltip } from "@calcom/ui"; -import type { PublicEvent } from "../../types"; import { EventMetaBlock } from "./Details"; -export const EventLocations = ({ event }: { event: PublicEvent }) => { +export const EventLocations = ({ event }: { event: BookerEvent }) => { const { t } = useLocale(); const locations = event.locations; if (!locations?.length) return null; - const getLocationToDisplay = (location: PublicEvent["locations"][number]) => { + const getLocationToDisplay = (location: BookerEvent["locations"][number]) => { const eventLocationType = getEventLocationType(location.type); const translatedLocation = getTranslatedLocation(location, eventLocationType, t); diff --git a/packages/features/bookings/components/event-meta/Members.tsx b/packages/features/bookings/components/event-meta/Members.tsx index fbae607816201c..53117b8e3b5199 100644 --- a/packages/features/bookings/components/event-meta/Members.tsx +++ b/packages/features/bookings/components/event-meta/Members.tsx @@ -1,46 +1,69 @@ -import { useIsPlatform } from "@calcom/atoms/monorepo"; +import { useIsEmbed } from "@calcom/embed-core/embed-iframe"; +import { useBookerStore } from "@calcom/features/bookings/Booker/store"; +import type { BookerEvent } from "@calcom/features/bookings/types"; +import { getUserAvatarUrl } from "@calcom/lib/getAvatarUrl"; +import { getBookerBaseUrlSync } from "@calcom/lib/getBookerUrl/client"; +import { getTeamUrlSync } from "@calcom/lib/getBookerUrl/client"; import { SchedulingType } from "@calcom/prisma/enums"; -import { UserAvatarGroup, UserAvatarGroupWithOrg } from "@calcom/ui"; - -import type { PublicEvent } from "../../types"; +import { AvatarGroup } from "@calcom/ui"; export interface EventMembersProps { /** * Used to determine whether all members should be shown or not. * In case of Round Robin type, members aren't shown. */ - schedulingType: PublicEvent["schedulingType"]; - users: PublicEvent["users"]; - profile: PublicEvent["profile"]; - entity: PublicEvent["entity"]; + schedulingType: BookerEvent["schedulingType"]; + users: BookerEvent["users"]; + profile: BookerEvent["profile"]; + entity: BookerEvent["entity"]; } export const EventMembers = ({ schedulingType, users, profile, entity }: EventMembersProps) => { - const isPlatform = useIsPlatform(); + const username = useBookerStore((state) => state.username); + const isDynamic = !!(username && username.indexOf("+") > -1); + const isEmbed = useIsEmbed(); const showMembers = schedulingType !== SchedulingType.ROUND_ROBIN; - const shownUsers = showMembers && !isPlatform ? users : []; - + const shownUsers = showMembers ? users : []; // In some cases we don't show the user's names, but only show the profile name. const showOnlyProfileName = (profile.name && schedulingType === SchedulingType.ROUND_ROBIN) || !users.length || (profile.name !== users[0].name && schedulingType === SchedulingType.COLLECTIVE); + const orgOrTeamAvatarItem = + isDynamic || (!profile.image && !entity.logoUrl) || !entity.teamSlug + ? [] + : [ + { + // We don't want booker to be able to see the list of other users or teams inside the embed + href: isEmbed + ? null + : entity.teamSlug + ? getTeamUrlSync({ orgSlug: entity.orgSlug, teamSlug: entity.teamSlug }) + : getBookerBaseUrlSync(entity.orgSlug), + image: entity.logoUrl ?? profile.image ?? "", + alt: entity.name ?? profile.name ?? "", + title: entity.name ?? profile.name ?? "", + }, + ]; + return ( <> - {entity.orgSlug ? ( - - ) : ( - - )} + ({ + href: `${getBookerBaseUrlSync(user.profile?.organization?.slug ?? null)}/${ + user.profile?.username + }?redirect=false`, + alt: user.name || "", + title: user.name || "", + image: getUserAvatarUrl(user), + })), + ]} + />

    {showOnlyProfileName diff --git a/packages/features/bookings/components/event-meta/Occurences.tsx b/packages/features/bookings/components/event-meta/Occurences.tsx index 38cbdadcdd4ce9..1a0c7160075455 100644 --- a/packages/features/bookings/components/event-meta/Occurences.tsx +++ b/packages/features/bookings/components/event-meta/Occurences.tsx @@ -1,6 +1,7 @@ import { useEffect, useState } from "react"; import { useBookerStore } from "@calcom/features/bookings/Booker/store"; +import type { BookerEvent } from "@calcom/features/bookings/types"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { parseRecurringDates } from "@calcom/lib/parse-dates"; import { getRecurringFreq } from "@calcom/lib/recurringStrings"; @@ -8,9 +9,8 @@ import { Tooltip, Alert } from "@calcom/ui"; import { Input } from "@calcom/ui"; import { useTimePreferences } from "../../lib"; -import type { PublicEvent } from "../../types"; -export const EventOccurences = ({ event }: { event: PublicEvent }) => { +export const EventOccurences = ({ event }: { event: Pick }) => { const maxOccurences = event.recurringEvent?.count || null; const { t, i18n } = useLocale(); const [setRecurringEventCount, recurringEventCount, setOccurenceCount, occurenceCount] = useBookerStore( diff --git a/packages/features/bookings/components/event-meta/event.mock.ts b/packages/features/bookings/components/event-meta/event.mock.ts index 100e1b0fe0060d..af95d26471b3bf 100644 --- a/packages/features/bookings/components/event-meta/event.mock.ts +++ b/packages/features/bookings/components/event-meta/event.mock.ts @@ -1,6 +1,6 @@ -import type { PublicEvent } from "bookings/types"; +import type { BookerEvent } from "bookings/types"; -export const mockEvent: PublicEvent = { +export const mockEvent: BookerEvent = { id: 1, title: "Quick check-in", slug: "quick-check-in", @@ -8,10 +8,10 @@ export const mockEvent: PublicEvent = { description: "Use this event for a quick 15 minute catchup. Visit this long url to test the component https://cal.com/averylongurlwithoutspacesthatshouldntbreaklayout", users: [ - { name: "Pro example", username: "pro", weekStart: "Sunday", organizationId: null }, - { name: "Team example", username: "team", weekStart: "Sunday", organizationId: 1 }, + { name: "Pro example", username: "pro", weekStart: "Sunday", avatarUrl: "", profile: null }, + { name: "Team example", username: "team", weekStart: "Sunday", avatarUrl: "", profile: null }, ], schedulingType: null, length: 30, locations: [{ type: "integrations:google:meet" }, { type: "integrations:zoom" }], -} as PublicEvent; // TODO: complete mock and remove type assertion +}; diff --git a/packages/features/bookings/lib/book-event-form/booking-to-mutation-input-mapper.tsx b/packages/features/bookings/lib/book-event-form/booking-to-mutation-input-mapper.tsx index a86e9c497505d9..54c0aac930cde0 100644 --- a/packages/features/bookings/lib/book-event-form/booking-to-mutation-input-mapper.tsx +++ b/packages/features/bookings/lib/book-event-form/booking-to-mutation-input-mapper.tsx @@ -3,11 +3,11 @@ import { v4 as uuidv4 } from "uuid"; import dayjs from "@calcom/dayjs"; import { parseRecurringDates } from "@calcom/lib/parse-dates"; -import type { PublicEvent, BookingCreateBody, RecurringBookingCreateBody } from "../../types"; +import type { BookerEvent, BookingCreateBody, RecurringBookingCreateBody } from "../../types"; export type BookingOptions = { values: Record; - event: PublicEvent; + event: Pick; date: string; // @NOTE: duration is not validated in this function duration: number | undefined | null; @@ -19,6 +19,8 @@ export type BookingOptions = { bookingUid?: string; seatReferenceUid?: string; hashedLink?: string | null; + teamMemberEmail?: string; + orgSlug?: string; }; export const mapBookingToMutationInput = ({ @@ -34,6 +36,8 @@ export const mapBookingToMutationInput = ({ bookingUid, seatReferenceUid, hashedLink, + teamMemberEmail, + orgSlug, }: BookingOptions): BookingCreateBody => { return { ...values, @@ -53,6 +57,8 @@ export const mapBookingToMutationInput = ({ bookingUid, seatReferenceUid, hashedLink, + teamMemberEmail, + orgSlug, }; }; diff --git a/packages/features/bookings/lib/create-booking.ts b/packages/features/bookings/lib/create-booking.ts index e7931723c325dd..cd0bc28491830c 100644 --- a/packages/features/bookings/lib/create-booking.ts +++ b/packages/features/bookings/lib/create-booking.ts @@ -3,6 +3,12 @@ import { post } from "@calcom/lib/fetch-wrapper"; import type { BookingCreateBody, BookingResponse } from "../types"; export const createBooking = async (data: BookingCreateBody) => { - const response = await post("/api/book/event", data); + const response = await post< + Omit, + BookingResponse & { + startTime: string; + endTime: string; + } + >("/api/book/event", data); return response; }; diff --git a/packages/features/bookings/lib/getAllCredentialsForUsersOnEvent/getAllCredentials.test.ts b/packages/features/bookings/lib/getAllCredentialsForUsersOnEvent/getAllCredentials.test.ts new file mode 100644 index 00000000000000..70a6d76d0f06f0 --- /dev/null +++ b/packages/features/bookings/lib/getAllCredentialsForUsersOnEvent/getAllCredentials.test.ts @@ -0,0 +1,700 @@ +import { + createCredentials, + addTeamsToDb, + addEventTypesToDb, + addUsersToDb, +} from "@calcom/web/test/utils/bookingScenario/bookingScenario"; + +import { describe, test, expect, vi } from "vitest"; + +import { UserRepository } from "@calcom/lib/server/repository/user"; + +// vi.mock("@calcom/lib/server/repository/user", () => { +// return { +// enrichUserWithItsProfile +// } +// }) + +describe("getAllCredentials", () => { + test("Get an individual's credentials", async () => { + vi.spyOn(UserRepository, "enrichUserWithItsProfile").mockReturnValue({ + profile: null, + }); + + const getAllCredentials = (await import("./getAllCredentials")).getAllCredentials; + + const userCredential = { + id: 1, + type: "user-credential", + userId: 1, + teamId: null, + key: {}, + appId: "user-credential", + invalid: false, + }; + await createCredentials([ + userCredential, + { type: "other-user-credential", userId: 2, key: {} }, + { type: "team-credential", teamId: 1, key: {} }, + ]); + + const credentials = await getAllCredentials( + { + id: 1, + username: "test", + credentials: [{ ...userCredential, user: { email: "test@test.com" } }], + }, + { + userId: 1, + team: null, + parentId: null, + metadata: {}, + } + ); + + expect(credentials).toHaveLength(1); + + expect(credentials).toContainEqual(expect.objectContaining({ type: "user-credential" })); + }); + + describe("Handle CRM credentials", () => { + describe("If CRM is enabled on the event type", () => { + describe("With _crm credentials", () => { + test("For users", async () => { + vi.spyOn(UserRepository, "enrichUserWithItsProfile").mockReturnValue({ + profile: null, + }); + + const getAllCredentials = (await import("./getAllCredentials")).getAllCredentials; + + const crmCredential = { + id: 1, + type: "salesforce_crm", + userId: 1, + teamId: null, + key: {}, + appId: "salesforce", + invalid: false, + }; + + const otherCredential = { + id: 2, + type: "other_credential", + userId: 1, + teamId: null, + key: {}, + appId: "other", + invalid: false, + }; + + await createCredentials([ + crmCredential, + { + type: "salesforce_crm", + userId: 2, + key: {}, + }, + { + type: "salesforce_crm", + teamId: 1, + key: {}, + }, + ]); + + const credentials = await getAllCredentials( + { + id: 1, + username: "test", + credentials: [ + { ...crmCredential, user: { email: "test@test.com" } }, + { + ...otherCredential, + user: { email: "test@test.com" }, + }, + ], + }, + { + userId: 1, + team: null, + parentId: null, + metadata: { + apps: { + salesforce: { + enabled: true, + credentialId: 1, + appCategories: ["crm"], + }, + }, + }, + } + ); + + expect(credentials).toHaveLength(2); + + expect(credentials).toContainEqual(expect.objectContaining({ userId: 1, type: "salesforce_crm" })); + }); + test("For teams", async () => { + vi.spyOn(UserRepository, "enrichUserWithItsProfile").mockReturnValue({ + profile: null, + }); + + const getAllCredentials = (await import("./getAllCredentials")).getAllCredentials; + + const crmCredential = { + id: 1, + type: "salesforce_crm", + userId: 1, + teamId: null, + key: {}, + appId: "salesforce", + invalid: false, + }; + + await createCredentials([ + crmCredential, + { + type: "salesforce_crm", + userId: 2, + key: {}, + }, + { + id: 3, + type: "salesforce_crm", + teamId: 1, + key: {}, + }, + { + type: "other_credential", + teamId: 1, + key: {}, + }, + ]); + + const credentials = await getAllCredentials( + { + id: 1, + username: "test", + credentials: [{ ...crmCredential, user: { email: "test@test.com" } }], + }, + { + userId: null, + team: { + id: 1, + parentId: null, + }, + parentId: null, + metadata: { + apps: { + salesforce: { + enabled: true, + credentialId: 3, + appCategories: ["crm"], + }, + }, + }, + } + ); + + expect(credentials).toHaveLength(2); + + expect(credentials).toContainEqual(expect.objectContaining({ teamId: 1, type: "salesforce_crm" })); + }); + test("For child of managed event type", async () => { + vi.spyOn(UserRepository, "enrichUserWithItsProfile").mockReturnValue({ + profile: null, + }); + + const getAllCredentials = (await import("./getAllCredentials")).getAllCredentials; + + const teamId = 1; + const crmCredential = { + id: 1, + type: "salesforce_crm", + userId: 1, + teamId: null, + key: {}, + appId: "salesforce", + invalid: false, + }; + + await createCredentials([ + crmCredential, + { + type: "salesforce_crm", + userId: 2, + key: {}, + }, + { + id: 3, + type: "salesforce_crm", + teamId, + key: {}, + }, + { + type: "other_credential", + teamId, + key: {}, + }, + ]); + + await addTeamsToDb([ + { + id: teamId, + name: "Test team", + slug: "test-team", + }, + ]); + + const testEventType = await addEventTypesToDb([ + { + id: 3, + title: "Test event type", + slug: "test-event-type", + length: 15, + team: { + connect: { + id: teamId, + }, + }, + }, + ]); + + console.log(testEventType); + + const credentials = await getAllCredentials( + { + id: 1, + username: "test", + credentials: [{ ...crmCredential, user: { email: "test@test.com" } }], + }, + { + userId: null, + team: { + id: 2, + parentId: 1, + }, + parentId: 3, + metadata: { + apps: { + salesforce: { + enabled: true, + credentialId: 3, + appCategories: ["crm"], + }, + }, + }, + } + ); + + expect(credentials).toHaveLength(2); + + expect(credentials).toContainEqual(expect.objectContaining({ teamId, type: "salesforce_crm" })); + }); + test("For an org user", async () => { + const getAllCredentials = (await import("./getAllCredentials")).getAllCredentials; + const orgId = 3; + vi.spyOn(UserRepository, "enrichUserWithItsProfile").mockReturnValue({ + profile: { organizationId: orgId }, + }); + + const crmCredential = { + id: 1, + type: "salesforce_crm", + userId: 1, + teamId: null, + key: {}, + appId: "salesforce", + invalid: false, + }; + + const otherCredential = { + id: 2, + type: "other_credential", + userId: 1, + teamId: null, + key: {}, + appId: "other", + invalid: false, + }; + + await createCredentials([ + crmCredential, + { + type: "salesforce_crm", + userId: 2, + key: {}, + }, + { + id: 3, + type: "salesforce_crm", + teamId: orgId, + key: {}, + }, + { + type: "other_credential", + teamId: orgId, + key: {}, + }, + ]); + + await addTeamsToDb([ + { + id: orgId, + name: "Test team", + slug: "test-team", + }, + ]); + + await addUsersToDb([ + { + id: 1, + email: "test@test.com", + username: "test", + schedules: [], + profiles: { + create: [{ organizationId: orgId, uid: "MOCK_UID", username: "test" }], + }, + }, + ]); + + const credentials = await getAllCredentials( + { + id: 1, + username: "test", + credentials: [ + { ...crmCredential, user: { email: "test@test.com" } }, + { + ...otherCredential, + user: { email: "test@test.com" }, + }, + ], + }, + { + userId: 1, + team: null, + parentId: null, + metadata: { + apps: { + salesforce: { + enabled: true, + credentialId: 3, + appCategories: ["crm"], + }, + }, + }, + } + ); + + expect(credentials).toHaveLength(3); + + expect(credentials).toContainEqual( + expect.objectContaining({ teamId: orgId, type: "salesforce_crm" }) + ); + }); + }); + describe("Default with _other_calendar credentials", () => { + test("For users", async () => { + const getAllCredentials = (await import("./getAllCredentials")).getAllCredentials; + + const crmCredential = { + id: 1, + type: "salesforce_other_calendar", + userId: 1, + teamId: null, + key: {}, + appId: "salesforce", + invalid: false, + }; + + const otherCredential = { + id: 2, + type: "other_credential", + userId: 1, + teamId: null, + key: {}, + appId: "other", + invalid: false, + }; + + await createCredentials([ + crmCredential, + { + type: "salesforce_crm", + userId: 2, + key: {}, + }, + { + type: "salesforce_crm", + teamId: 1, + key: {}, + }, + ]); + + const credentials = await getAllCredentials( + { + id: 1, + username: "test", + credentials: [ + { ...crmCredential, user: { email: "test@test.com" } }, + { + ...otherCredential, + user: { email: "test@test.com" }, + }, + ], + }, + { + userId: 1, + team: null, + parentId: null, + metadata: { + apps: {}, + }, + } + ); + + expect(credentials).toHaveLength(2); + + expect(credentials).toContainEqual( + expect.objectContaining({ userId: 1, type: "salesforce_other_calendar" }) + ); + }); + test("For teams", async () => { + const getAllCredentials = (await import("./getAllCredentials")).getAllCredentials; + + const crmCredential = { + id: 1, + type: "salesforce_crm", + userId: 1, + teamId: null, + key: {}, + appId: "salesforce", + invalid: false, + }; + + await createCredentials([ + crmCredential, + { + type: "salesforce_crm", + userId: 2, + key: {}, + }, + { + id: 3, + type: "salesforce_other_calendar", + teamId: 1, + key: {}, + }, + { + type: "other_credential", + teamId: 1, + key: {}, + }, + ]); + + const credentials = await getAllCredentials( + { + id: 1, + username: "test", + credentials: [{ ...crmCredential, user: { email: "test@test.com" } }], + }, + { + userId: null, + team: { + id: 1, + parentId: null, + }, + parentId: null, + metadata: { + apps: {}, + }, + } + ); + + expect(credentials).toHaveLength(2); + + expect(credentials).toContainEqual( + expect.objectContaining({ teamId: 1, type: "salesforce_other_calendar" }) + ); + }); + test("For child of managed event type", async () => { + const getAllCredentials = (await import("./getAllCredentials")).getAllCredentials; + + const teamId = 1; + const crmCredential = { + id: 1, + type: "salesforce_crm", + userId: 1, + teamId: null, + key: {}, + appId: "salesforce", + invalid: false, + }; + + await createCredentials([ + crmCredential, + { + type: "salesforce_crm", + userId: 2, + key: {}, + }, + { + id: 3, + type: "salesforce_other_calendar", + teamId, + key: {}, + }, + { + type: "other_credential", + teamId, + key: {}, + }, + ]); + + await addTeamsToDb([ + { + id: teamId, + name: "Test team", + slug: "test-team", + }, + ]); + + const testEventType = await addEventTypesToDb([ + { + id: 3, + title: "Test event type", + slug: "test-event-type", + length: 15, + team: { + connect: { + id: teamId, + }, + }, + }, + ]); + + console.log(testEventType); + + const credentials = await getAllCredentials( + { + id: 1, + username: "test", + credentials: [{ ...crmCredential, user: { email: "test@test.com" } }], + }, + { + userId: null, + team: { + id: 2, + parentId: 1, + }, + parentId: 3, + metadata: { + apps: {}, + }, + } + ); + + expect(credentials).toHaveLength(2); + + expect(credentials).toContainEqual( + expect.objectContaining({ teamId, type: "salesforce_other_calendar" }) + ); + }); + test("For an org user", async () => { + const getAllCredentials = (await import("./getAllCredentials")).getAllCredentials; + const orgId = 3; + vi.spyOn(UserRepository, "enrichUserWithItsProfile").mockReturnValue({ + profile: { organizationId: orgId }, + }); + + const crmCredential = { + id: 1, + type: "salesforce_crm", + userId: 1, + teamId: null, + key: {}, + appId: "salesforce", + invalid: false, + }; + + const otherCredential = { + id: 2, + type: "other_credential", + userId: 1, + teamId: null, + key: {}, + appId: "other", + invalid: false, + }; + + await createCredentials([ + crmCredential, + { + type: "salesforce_crm", + userId: 2, + key: {}, + }, + { + id: 3, + type: "salesforce_other_calendar", + teamId: orgId, + key: {}, + }, + { + type: "other_credential", + teamId: orgId, + key: {}, + }, + ]); + + await addTeamsToDb([ + { + id: orgId, + name: "Test team", + slug: "test-team", + }, + ]); + + await addUsersToDb([ + { + id: 1, + email: "test@test.com", + username: "test", + schedules: [], + profiles: { + create: [{ organizationId: orgId, uid: "MOCK_UID", username: "test" }], + }, + }, + ]); + + const credentials = await getAllCredentials( + { + id: 1, + username: "test", + credentials: [ + { ...crmCredential, user: { email: "test@test.com" } }, + { + ...otherCredential, + user: { email: "test@test.com" }, + }, + ], + }, + { + userId: 1, + team: null, + parentId: null, + metadata: { + apps: {}, + }, + } + ); + + expect(credentials).toHaveLength(3); + + expect(credentials).toContainEqual( + expect.objectContaining({ teamId: orgId, type: "salesforce_other_calendar" }) + ); + }); + }); + }); + }); +}); diff --git a/packages/features/bookings/lib/getAllCredentialsForUsersOnEvent/getAllCredentials.ts b/packages/features/bookings/lib/getAllCredentialsForUsersOnEvent/getAllCredentials.ts index 1f1b7cab6f74f2..fc697f154eafd2 100644 --- a/packages/features/bookings/lib/getAllCredentialsForUsersOnEvent/getAllCredentials.ts +++ b/packages/features/bookings/lib/getAllCredentialsForUsersOnEvent/getAllCredentials.ts @@ -1,26 +1,28 @@ -import type { Prisma } from "@prisma/client"; +import type z from "zod"; -import type { getEventTypesFromDB } from "@calcom/features/bookings/lib/handleNewBooking"; import { UserRepository } from "@calcom/lib/server/repository/user"; -import type { userSelect } from "@calcom/prisma"; import prisma from "@calcom/prisma"; import { credentialForCalendarServiceSelect } from "@calcom/prisma/selects/credential"; +import type { EventTypeMetaDataSchema } from "@calcom/prisma/zod-utils"; import type { CredentialPayload } from "@calcom/types/Credential"; -type User = Prisma.UserGetPayload; - /** * Gets credentials from the user, team, and org if applicable * */ export const getAllCredentials = async ( - user: User & { credentials: CredentialPayload[] }, - eventType: Awaited> + user: { id: number; username: string | null; credentials: CredentialPayload[] }, + eventType: { + userId?: number | null; + team?: { id: number | null; parentId: number | null } | null; + parentId?: number | null; + metadata: z.infer; + } | null ) => { - const allCredentials = user.credentials; + let allCredentials = user.credentials; // If it's a team event type query for team credentials - if (eventType.team?.id) { + if (eventType?.team?.id) { const teamCredentialsQuery = await prisma.credential.findMany({ where: { teamId: eventType.team.id, @@ -31,7 +33,7 @@ export const getAllCredentials = async ( } // If it's a managed event type, query for the parent team's credentials - if (eventType.parentId) { + if (eventType?.parentId) { const teamCredentialsQuery = await prisma.team.findFirst({ where: { eventTypes: { @@ -73,5 +75,47 @@ export const getAllCredentials = async ( } } + // Only return CRM credentials that are enabled on the event type + const eventTypeAppMetadata = eventType?.metadata?.apps; + console.log(eventTypeAppMetadata); + + // Will be [credentialId]: { enabled: boolean }] + const eventTypeCrmCredentials: Record = {}; + + for (const appKey in eventTypeAppMetadata) { + const app = eventTypeAppMetadata[appKey as keyof typeof eventTypeAppMetadata]; + if (app.appCategories && app.appCategories.some((category: string) => category === "crm")) { + eventTypeCrmCredentials[app.credentialId] = { + enabled: app.enabled, + }; + } + } + + allCredentials = allCredentials.filter((credential) => { + if (!credential.type.includes("_crm") && !credential.type.includes("_other_calendar")) { + return credential; + } + + // Backwards compatibility: All CRM apps are triggered for every event type. Unless disabled on the event type + // Check if the CRM app exists on the event type + if (eventTypeCrmCredentials[credential.id]) { + if (eventTypeCrmCredentials[credential.id].enabled) { + return credential; + } + } else { + // If the CRM app doesn't exist on the event type metadata, check that the credential belongs to the user/team/org and is an old CRM credential + if ( + credential.type.includes("_other_calendar") && + (credential.userId === eventType?.userId || + credential.teamId === eventType?.team?.id || + credential.teamId === eventType?.team?.parentId || + credential.teamId === profile?.organizationId) + ) { + // If the CRM app doesn't exist on the event type metadata, assume it's an older CRM credential + return credential; + } + } + }); + return allCredentials; }; diff --git a/packages/features/bookings/lib/getBookingDataSchema.ts b/packages/features/bookings/lib/getBookingDataSchema.ts index cbd58d4232ee3e..25f379f0b28ea2 100644 --- a/packages/features/bookings/lib/getBookingDataSchema.ts +++ b/packages/features/bookings/lib/getBookingDataSchema.ts @@ -17,4 +17,6 @@ const getBookingDataSchema = ({ ); }; +export type TgetBookingDataSchema = z.infer>; + export default getBookingDataSchema; diff --git a/packages/features/bookings/lib/getBookingFields.ts b/packages/features/bookings/lib/getBookingFields.ts index a67b3f04f835ec..21ea3520554790 100644 --- a/packages/features/bookings/lib/getBookingFields.ts +++ b/packages/features/bookings/lib/getBookingFields.ts @@ -1,7 +1,8 @@ -import type { EventTypeCustomInput, EventType, Prisma, Workflow } from "@prisma/client"; +import type { EventTypeCustomInput, EventType } from "@prisma/client"; import type { z } from "zod"; import { SMS_REMINDER_NUMBER_FIELD } from "@calcom/features/bookings/lib/SystemField"; +import type { Workflow } from "@calcom/features/ee/workflows/lib/types"; import { fieldsThatSupportLabelAsSafeHtml } from "@calcom/features/form-builder/fieldsThatSupportLabelAsSafeHtml"; import { getFieldIdentifier } from "@calcom/features/form-builder/utils/getFieldIdentifier"; import { markdownToSafeHTML } from "@calcom/lib/markdownToSafeHTML"; @@ -67,20 +68,9 @@ export const getBookingFieldsWithSystemFields = ({ disableBookingTitle?: boolean; customInputs: EventTypeCustomInput[] | z.infer[]; metadata: EventType["metadata"] | z.infer; - workflows: Prisma.EventTypeGetPayload<{ - select: { - workflows: { - select: { - workflow: { - select: { - id: true; - steps: true; - }; - }; - }; - }; - }; - }>["workflows"]; + workflows: { + workflow: Workflow; + }[]; }) => { const parsedMetaData = EventTypeMetaDataSchema.parse(metadata || {}); const parsedBookingFields = eventTypeBookingFields.parse(bookingFields || []); @@ -109,20 +99,9 @@ export const ensureBookingInputsHaveSystemFields = ({ disableBookingTitle?: boolean; additionalNotesRequired: boolean; customInputs: z.infer[]; - workflows: Prisma.EventTypeGetPayload<{ - select: { - workflows: { - select: { - workflow: { - select: { - id: true; - steps: true; - }; - }; - }; - }; - }; - }>["workflows"]; + workflows: { + workflow: Workflow; + }[]; }) => { // If bookingFields is set already, the migration is done. const hideBookingTitle = disableBookingTitle ?? true; diff --git a/packages/features/bookings/lib/getBookingResponsesSchema.test.ts b/packages/features/bookings/lib/getBookingResponsesSchema.test.ts index 5022fea425e575..7ccdc6857b781b 100644 --- a/packages/features/bookings/lib/getBookingResponsesSchema.test.ts +++ b/packages/features/bookings/lib/getBookingResponsesSchema.test.ts @@ -506,7 +506,7 @@ describe("getBookingResponsesSchema", () => { }) ); }); - test(`should succesfull give responses if phone type field value is valid`, async ({}) => { + test(`should successfully give responses if phone type field value is valid`, async ({}) => { const schema = getBookingResponsesSchema({ bookingFields: [ { @@ -543,6 +543,60 @@ describe("getBookingResponsesSchema", () => { }); }); + test(`should give parsed response if phone type field value starts with a space`, async ({}) => { + const schema = getBookingResponsesSchema({ + bookingFields: [ + { + name: "name", + type: "name", + required: true, + }, + { + name: "email", + type: "email", + required: true, + }, + { + name: "testPhone", + type: "phone", + required: true, + }, + ] as z.infer & z.BRAND<"HAS_SYSTEM_FIELDS">, + view: "ALL_VIEWS", + }); + const parsedResponses = await schema.safeParseAsync({ + email: "test@test.com", + name: "test", + // Space can come due to libraries considering + to be space + testPhone: " 919999999999", + }); + expect(parsedResponses.success).toBe(true); + if (!parsedResponses.success) { + throw new Error("Should not reach here"); + } + expect(parsedResponses.data).toEqual({ + email: "test@test.com", + name: "test", + testPhone: "+919999999999", + }); + + const parsedResponses2 = await schema.safeParseAsync({ + email: "test@test.com", + name: "test", + // Space can come due to libraries considering + to be space + testPhone: " 919999999999", + }); + expect(parsedResponses2.success).toBe(true); + if (!parsedResponses2.success) { + throw new Error("Should not reach here"); + } + expect(parsedResponses2.data).toEqual({ + email: "test@test.com", + name: "test", + testPhone: "+919999999999", + }); + }); + test("should fail parsing if phone field value is empty", async ({}) => { const schema = getBookingResponsesSchema({ bookingFields: [ diff --git a/packages/features/bookings/lib/getBookingResponsesSchema.ts b/packages/features/bookings/lib/getBookingResponsesSchema.ts index 4a6d9438b06766..31b3c732f0923c 100644 --- a/packages/features/bookings/lib/getBookingResponsesSchema.ts +++ b/packages/features/bookings/lib/getBookingResponsesSchema.ts @@ -90,6 +90,10 @@ function preprocess({ parsedValue = JSON.parse(value); } catch (e) {} newResponses[field.name] = parsedValue; + } else if (field.type === "phone") { + // + in URL could be replaced with space, so we need to replace it back + // Replace the space(s) in the beginning with + as it is supposed to be provided in the beginning only + newResponses[field.name] = value.replace(/^ +/, "+"); } else { newResponses[field.name] = value; } diff --git a/packages/features/bookings/lib/getLocationOptionsForSelect.ts b/packages/features/bookings/lib/getLocationOptionsForSelect.ts index 7e14f67dfc8224..8a8963a0d41be9 100644 --- a/packages/features/bookings/lib/getLocationOptionsForSelect.ts +++ b/packages/features/bookings/lib/getLocationOptionsForSelect.ts @@ -1,6 +1,7 @@ import type { LocationObject } from "@calcom/app-store/locations"; import { locationKeyToString } from "@calcom/app-store/locations"; import { getEventLocationType } from "@calcom/app-store/locations"; +import { getTranslatedLocation } from "@calcom/app-store/locations"; import type { useLocale } from "@calcom/lib/hooks/useLocale"; import notEmpty from "@calcom/lib/notEmpty"; @@ -18,11 +19,11 @@ export default function getLocationsOptionsForSelect( return null; } const type = eventLocation.type; + const translatedLocation = getTranslatedLocation(location, eventLocation, t); return { // XYZ: is considered a namespace in i18next https://www.i18next.com/principles/namespaces and thus it get's cleaned up. - // Beacause there can be a URL in here, simply don't translate it if it starts with http: or https:. This would allow us to keep supporting namespaces if we plan to use them - label: locationString.search(/^https?:/) !== -1 ? locationString : t(locationString), + label: translatedLocation || locationString, value: type, inputPlaceholder: t(eventLocation?.attendeeInputPlaceholder || ""), }; diff --git a/packages/features/bookings/lib/handleBookingRequested.ts b/packages/features/bookings/lib/handleBookingRequested.ts index 0798191fe6e340..c6869c64fdbde6 100644 --- a/packages/features/bookings/lib/handleBookingRequested.ts +++ b/packages/features/bookings/lib/handleBookingRequested.ts @@ -2,6 +2,7 @@ import { sendAttendeeRequestEmail, sendOrganizerRequestEmail } from "@calcom/ema import { getWebhookPayloadForBooking } from "@calcom/features/bookings/lib/getWebhookPayloadForBooking"; import getWebhooks from "@calcom/features/webhooks/lib/getWebhooks"; import sendPayload from "@calcom/features/webhooks/lib/sendOrSchedulePayload"; +import getOrgIdFromMemberOrTeamId from "@calcom/lib/getOrgIdFromMemberOrTeamId"; import logger from "@calcom/lib/logger"; import { safeStringify } from "@calcom/lib/safeStringify"; import { WebhookTriggerEvents } from "@calcom/prisma/enums"; @@ -39,12 +40,18 @@ export async function handleBookingRequested(args: { await sendOrganizerRequestEmail({ ...evt }); await sendAttendeeRequestEmail({ ...evt }, evt.attendees[0]); + const orgId = await getOrgIdFromMemberOrTeamId({ + memberId: booking.userId, + teamId: booking.eventType?.teamId, + }); + try { const subscribersBookingRequested = await getWebhooks({ userId: booking.userId, eventTypeId: booking.eventTypeId, triggerEvent: WebhookTriggerEvents.BOOKING_REQUESTED, teamId: booking.eventType?.teamId, + orgId, }); const webhookPayload = getWebhookPayloadForBooking({ @@ -60,9 +67,9 @@ export async function handleBookingRequested(args: { sub, webhookPayload ).catch((e) => { - console.error( - `Error executing webhook for event: ${WebhookTriggerEvents.BOOKING_REQUESTED}, URL: ${sub.subscriberUrl}`, - e + log.error( + `Error executing webhook for event: ${WebhookTriggerEvents.BOOKING_REQUESTED}, URL: ${sub.subscriberUrl}, bookingId: ${evt.bookingId}, bookingUid: ${evt.uid}`, + safeStringify(e) ); }) ); diff --git a/packages/features/bookings/lib/handleCancelBooking.ts b/packages/features/bookings/lib/handleCancelBooking.ts index 9e66aa57cfe07f..98a630941f2578 100644 --- a/packages/features/bookings/lib/handleCancelBooking.ts +++ b/packages/features/bookings/lib/handleCancelBooking.ts @@ -1,36 +1,42 @@ import type { Prisma, WorkflowReminder } from "@prisma/client"; import type { NextApiRequest } from "next"; -import { getCalendar } from "@calcom/app-store/_utils/getCalendar"; import { FAKE_DAILY_CREDENTIAL } from "@calcom/app-store/dailyvideo/lib/VideoApiAdapter"; import { DailyLocationType } from "@calcom/app-store/locations"; -import { deleteMeeting } from "@calcom/core/videoClient"; +import EventManager from "@calcom/core/EventManager"; import dayjs from "@calcom/dayjs"; import { sendCancelledEmails } from "@calcom/emails"; import { getCalEventResponses } from "@calcom/features/bookings/lib/getCalEventResponses"; -import { deleteScheduledEmailReminder } from "@calcom/features/ee/workflows/lib/reminders/emailReminderManager"; +import { workflowSelect } from "@calcom/features/ee/workflows/lib/getAllWorkflows"; import { sendCancelledReminders } from "@calcom/features/ee/workflows/lib/reminders/reminderScheduler"; -import { deleteScheduledSMSReminder } from "@calcom/features/ee/workflows/lib/reminders/smsReminderManager"; -import { deleteScheduledWhatsappReminder } from "@calcom/features/ee/workflows/lib/reminders/whatsappReminderManager"; import getWebhooks from "@calcom/features/webhooks/lib/getWebhooks"; -import { cancelScheduledJobs } from "@calcom/features/webhooks/lib/scheduleTrigger"; +import { deleteWebhookScheduledTriggers } from "@calcom/features/webhooks/lib/scheduleTrigger"; import sendPayload from "@calcom/features/webhooks/lib/sendOrSchedulePayload"; import type { EventTypeInfo } from "@calcom/features/webhooks/lib/sendPayload"; import { isPrismaObjOrUndefined, parseRecurringEvent } from "@calcom/lib"; +import getOrgIdFromMemberOrTeamId from "@calcom/lib/getOrgIdFromMemberOrTeamId"; import { getTeamIdFromEventType } from "@calcom/lib/getTeamIdFromEventType"; import { HttpError } from "@calcom/lib/http-error"; import logger from "@calcom/lib/logger"; +import { safeStringify } from "@calcom/lib/safeStringify"; import { getTranslation } from "@calcom/lib/server/i18n"; import { getTimeFormatStringFromUserTimeFormat } from "@calcom/lib/timeFormat"; import prisma, { bookingMinimalSelect } from "@calcom/prisma"; import type { WebhookTriggerEvents } from "@calcom/prisma/enums"; -import { BookingStatus, WorkflowMethods } from "@calcom/prisma/enums"; +import { BookingStatus } from "@calcom/prisma/enums"; import { credentialForCalendarServiceSelect } from "@calcom/prisma/selects/credential"; -import { schemaBookingCancelParams } from "@calcom/prisma/zod-utils"; +import { EventTypeMetaDataSchema, schemaBookingCancelParams } from "@calcom/prisma/zod-utils"; +import { + deleteAllWorkflowReminders, + getAllWorkflowsFromEventType, +} from "@calcom/trpc/server/routers/viewer/workflows/util"; import type { CalendarEvent } from "@calcom/types/Calendar"; +import { getAllCredentials } from "./getAllCredentialsForUsersOnEvent/getAllCredentials"; import cancelAttendeeSeat from "./handleSeats/cancel/cancelAttendeeSeat"; +const log = logger.getSubLogger({ prefix: ["handleCancelBooking"] }); + async function getBookingToDelete(id: number | undefined, uid: string | undefined) { return await prisma.booking.findUnique({ where: { @@ -44,6 +50,7 @@ async function getBookingToDelete(id: number | undefined, uid: string | undefine user: { select: { id: true, + username: true, credentials: { select: credentialForCalendarServiceSelect }, // Not leaking at the moment, be careful with email: true, timeZone: true, @@ -77,8 +84,16 @@ async function getBookingToDelete(id: number | undefined, uid: string | undefine select: { id: true, name: true, + parentId: true, + }, + }, + parentId: true, + parent: { + select: { + teamId: true, }, }, + userId: true, recurringEvent: true, title: true, eventName: true, @@ -90,21 +105,19 @@ async function getBookingToDelete(id: number | undefined, uid: string | undefine seatsPerTimeSlot: true, bookingFields: true, seatsShowAttendees: true, + metadata: true, hosts: { select: { user: true, }, }, workflows: { - include: { + select: { workflow: { - include: { - steps: true, - }, + select: workflowSelect, }, }, }, - parentId: true, }, }, uid: true, @@ -113,7 +126,6 @@ async function getBookingToDelete(id: number | undefined, uid: string | undefine destinationCalendar: true, smsReminderNumber: true, workflowReminders: true, - scheduledJobs: true, seatsReferences: true, responses: true, iCalUID: true, @@ -177,12 +189,16 @@ async function handler(req: CustomRequest) { }, }); const triggerForUser = !teamId || (teamId && bookingToDelete.eventType?.parentId); + const organizerUserId = triggerForUser ? bookingToDelete.userId : null; + + const orgId = await getOrgIdFromMemberOrTeamId({ memberId: organizerUserId, teamId }); const subscriberOptions = { - userId: triggerForUser ? bookingToDelete.userId : null, + userId: organizerUserId, eventTypeId: bookingToDelete.eventTypeId as number, triggerEvent: eventTrigger, teamId, + orgId, }; const eventTypeInfo: EventTypeInfo = { eventTitle: bookingToDelete?.eventType?.title || null, @@ -200,6 +216,8 @@ async function handler(req: CustomRequest) { id: bookingToDelete.userId, }, select: { + id: true, + username: true, name: true, email: true, timeZone: true, @@ -255,6 +273,8 @@ async function handler(req: CustomRequest) { startTime: bookingToDelete?.startTime ? dayjs(bookingToDelete.startTime).format() : "", endTime: bookingToDelete?.endTime ? dayjs(bookingToDelete.endTime).format() : "", organizer: { + id: organizer.id, + username: organizer.username || undefined, email: bookingToDelete?.userPrimaryEmail ?? organizer.email, name: organizer.name ?? "Nameless", timeZone: organizer.timeZone, @@ -301,29 +321,30 @@ async function handler(req: CustomRequest) { status: "CANCELLED", smsReminderNumber: bookingToDelete.smsReminderNumber || undefined, }).catch((e) => { - console.error(`Error executing webhook for event: ${eventTrigger}, URL: ${webhook.subscriberUrl}`, e); + logger.error( + `Error executing webhook for event: ${eventTrigger}, URL: ${webhook.subscriberUrl}, bookingId: ${evt.bookingId}, bookingUid: ${evt.uid}`, + safeStringify(e) + ); }) ); await Promise.all(promises); - //Workflows - schedule reminders - if (bookingToDelete.eventType?.workflows) { - await sendCancelledReminders({ - workflows: bookingToDelete.eventType?.workflows, - smsReminderNumber: bookingToDelete.smsReminderNumber, - evt: { - ...evt, - ...{ eventType: { slug: bookingToDelete.eventType.slug } }, - }, - hideBranding: !!bookingToDelete.eventType.owner?.hideBranding, - eventTypeRequiresConfirmation: bookingToDelete.eventType.requiresConfirmation, - }); - } + const workflows = await getAllWorkflowsFromEventType(bookingToDelete.eventType, bookingToDelete.userId); + + await sendCancelledReminders({ + workflows, + smsReminderNumber: bookingToDelete.smsReminderNumber, + evt: { + ...evt, + ...{ eventType: { slug: bookingToDelete.eventType?.slug } }, + }, + hideBranding: !!bookingToDelete.eventType?.owner?.hideBranding, + }); let updatedBookings: { + id: number; uid: string; workflowReminders: WorkflowReminder[]; - scheduledJobs: string[]; references: { type: string; credentialId: number | null; @@ -359,6 +380,7 @@ async function handler(req: CustomRequest) { }, }, select: { + id: true, startTime: true, endTime: true, references: { @@ -371,7 +393,6 @@ async function handler(req: CustomRequest) { }, workflowReminders: true, uid: true, - scheduledJobs: true, }, }); updatedBookings = updatedBookings.concat(allUpdatedBookings); @@ -395,6 +416,7 @@ async function handler(req: CustomRequest) { iCalSequence: evt.iCalSequence || 100, }, select: { + id: true, startTime: true, endTime: true, references: { @@ -407,7 +429,6 @@ async function handler(req: CustomRequest) { }, workflowReminders: true, uid: true, - scheduledJobs: true, }, }); updatedBookings.push(updatedBooking); @@ -421,108 +442,24 @@ async function handler(req: CustomRequest) { }); } - const apiDeletes = []; - - const bookingCalendarReference = bookingToDelete.references.filter((reference) => - reference.type.includes("_calendar") + const isBookingInRecurringSeries = !!( + bookingToDelete.eventType?.recurringEvent && + bookingToDelete.recurringEventId && + allRemainingBookings ); - if (bookingCalendarReference.length > 0) { - for (const reference of bookingCalendarReference) { - const { credentialId, uid, externalCalendarId } = reference; - // If the booking calendar reference contains a credentialId - if (credentialId) { - // Find the correct calendar credential under user credentials - let calendarCredential = bookingToDelete.user.credentials.find( - (credential) => credential.id === credentialId - ); - if (!calendarCredential) { - // get credential from DB - const foundCalendarCredential = await prisma.credential.findUnique({ - where: { - id: credentialId, - }, - select: credentialForCalendarServiceSelect, - }); - if (foundCalendarCredential) { - calendarCredential = foundCalendarCredential; - } - } - if (calendarCredential) { - const calendar = await getCalendar(calendarCredential); - if ( - bookingToDelete.eventType?.recurringEvent && - bookingToDelete.recurringEventId && - allRemainingBookings - ) { - let thirdPartyRecurringEventId; - for (const reference of bookingToDelete.references) { - if (reference.thirdPartyRecurringEventId) { - thirdPartyRecurringEventId = reference.thirdPartyRecurringEventId; - break; - } - } - if (thirdPartyRecurringEventId) { - apiDeletes.push( - calendar?.deleteEvent(thirdPartyRecurringEventId, evt, externalCalendarId) as Promise - ); - } else { - const promises = bookingToDelete.user.credentials - .filter((credential) => credential.type.endsWith("_calendar")) - .map(async (credential) => { - const calendar = await getCalendar(credential); - for (const updBooking of updatedBookings) { - const bookingRef = updBooking.references.find((ref) => ref.type.includes("_calendar")); - if (bookingRef) { - const { uid, externalCalendarId } = bookingRef; - const deletedEvent = await calendar?.deleteEvent(uid, evt, externalCalendarId); - apiDeletes.push(deletedEvent); - } - } - }); - try { - await Promise.all(promises); - } catch (error) { - if (error instanceof Error) { - logger.error(error.message); - } - } - } - } else { - apiDeletes.push(calendar?.deleteEvent(uid, evt, externalCalendarId) as Promise); - } - } - } else { - // For bookings made before the refactor we go through the old behavior of running through each calendar credential - const calendarCredentials = bookingToDelete.user.credentials.filter((credential) => - credential.type.endsWith("_calendar") - ); - for (const credential of calendarCredentials) { - const calendar = await getCalendar(credential); - apiDeletes.push(calendar?.deleteEvent(uid, evt, externalCalendarId) as Promise); - } - } - } - } - - const bookingVideoReference = bookingToDelete.references.find((reference) => - reference.type.includes("_video") + const bookingToDeleteEventTypeMetadata = EventTypeMetaDataSchema.parse( + bookingToDelete.eventType?.metadata || null ); - // If the video reference has a credentialId find the specific credential - if (bookingVideoReference && bookingVideoReference.credentialId) { - const { credentialId, uid } = bookingVideoReference; - if (credentialId) { - const videoCredential = bookingToDelete.user.credentials.find( - (credential) => credential.id === credentialId - ); + const credentials = await getAllCredentials(bookingToDelete.user, { + ...bookingToDelete.eventType, + metadata: bookingToDeleteEventTypeMetadata, + }); - if (videoCredential) { - logger.debug("videoCredential inside cancel booking handler", videoCredential); - apiDeletes.push(deleteMeeting(videoCredential, uid)); - } - } - } + const eventManager = new EventManager({ ...bookingToDelete.user, credentials }); + + await eventManager.cancelEvent(evt, bookingToDelete.references, isBookingInRecurringSeries); const bookingReferenceDeletes = prisma.bookingReference.deleteMany({ where: { @@ -530,36 +467,24 @@ async function handler(req: CustomRequest) { }, }); - // delete scheduled jobs of cancelled bookings - // FIXME: async calls into ether - updatedBookings.forEach((booking) => { - cancelScheduledJobs(booking); - }); + const webhookTriggerPromises = []; + const workflowReminderPromises = []; - //Workflows - cancel all reminders for cancelled bookings - // FIXME: async calls into ether - updatedBookings.forEach((booking) => { - booking.workflowReminders.forEach((reminder) => { - if (reminder.method === WorkflowMethods.EMAIL) { - deleteScheduledEmailReminder(reminder.id, reminder.referenceId); - } else if (reminder.method === WorkflowMethods.SMS) { - deleteScheduledSMSReminder(reminder.id, reminder.referenceId); - } else if (reminder.method === WorkflowMethods.WHATSAPP) { - deleteScheduledWhatsappReminder(reminder.id, reminder.referenceId); - } - }); + for (const booking of updatedBookings) { + // delete scheduled webhook triggers of cancelled bookings + webhookTriggerPromises.push(deleteWebhookScheduledTriggers({ booking })); + + //Workflows - cancel all reminders for cancelled bookings + workflowReminderPromises.push(deleteAllWorkflowReminders(booking.workflowReminders)); + } + + await Promise.all([...webhookTriggerPromises, ...workflowReminderPromises]).catch((error) => { + log.error("An error occurred when deleting workflow reminders and webhook triggers", error); }); const prismaPromises: Promise[] = [bookingReferenceDeletes]; try { - const temp = prismaPromises.concat(apiDeletes); - const settled = await Promise.allSettled(temp); - const rejected = settled.filter(({ status }) => status === "rejected") as PromiseRejectedResult[]; - if (rejected.length) { - throw new Error(`Reasons: ${rejected.map(({ reason }) => reason)}`); - } - // TODO: if emails fail try to requeue them if (!platformClientId || (platformClientId && arePlatformEmailsEnabled)) await sendCancelledEmails(evt, { eventName: bookingToDelete?.eventType?.eventName }); diff --git a/packages/features/bookings/lib/handleCancelBooking/test/webhook.test.ts b/packages/features/bookings/lib/handleCancelBooking/test/webhook.test.ts new file mode 100644 index 00000000000000..f7df0792def712 --- /dev/null +++ b/packages/features/bookings/lib/handleCancelBooking/test/webhook.test.ts @@ -0,0 +1,134 @@ +import { + BookingLocations, + createBookingScenario, + getBooker, + getGoogleCalendarCredential, + getOrganizer, + getScenarioData, + mockCalendarToHaveNoBusySlots, + mockSuccessfulVideoMeetingCreation, + TestData, + getDate, +} from "@calcom/web/test/utils/bookingScenario/bookingScenario"; +import { createMockNextJsRequest } from "@calcom/web/test/utils/bookingScenario/createMockNextJsRequest"; +import { expectBookingCancelledWebhookToHaveBeenFired } from "@calcom/web/test/utils/bookingScenario/expects"; +import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; + +import { describe } from "vitest"; + +import { BookingStatus } from "@calcom/prisma/enums"; +import { test } from "@calcom/web/test/fixtures/fixtures"; + +describe("Cancel Booking", () => { + setupAndTeardown(); + + test("Should trigger BOOKING_CANCELLED webhook", async () => { + const handleCancelBooking = (await import("@calcom/features/bookings/lib/handleCancelBooking")).default; + + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + }); + + const uidOfBookingToBeCancelled = "h5Wv3eHgconAED2j4gcVhP"; + const idOfBookingToBeCancelled = 1020; + const { dateString: plus1DateString } = getDate({ dateIncrement: 1 }); + + await createBookingScenario( + getScenarioData({ + webhooks: [ + { + userId: organizer.id, + eventTriggers: ["BOOKING_CANCELLED"], + subscriberUrl: "http://my-webhook.example.com", + active: true, + eventTypeId: 1, + appId: null, + }, + ], + eventTypes: [ + { + id: 1, + slotInterval: 30, + length: 30, + users: [ + { + id: 101, + }, + ], + }, + ], + bookings: [ + { + id: idOfBookingToBeCancelled, + uid: uidOfBookingToBeCancelled, + eventTypeId: 1, + userId: 101, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: BookingLocations.CalVideo }, + }, + status: BookingStatus.ACCEPTED, + startTime: `${plus1DateString}T05:00:00.000Z`, + endTime: `${plus1DateString}T05:15:00.000Z`, + metadata: { + videoCallUrl: "https://existing-daily-video-call-url.example.com", + }, + }, + ], + organizer, + apps: [TestData.apps["daily-video"]], + }) + ); + mockSuccessfulVideoMeetingCreation({ + metadataLookupKey: "dailyvideo", + videoMeetingData: { + id: "MOCK_ID", + password: "MOCK_PASS", + url: `http://mock-dailyvideo.example.com/meeting-1`, + }, + }); + + mockCalendarToHaveNoBusySlots("googlecalendar", { + create: { + id: "MOCKED_GOOGLE_CALENDAR_EVENT_ID", + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: { + id: idOfBookingToBeCancelled, + uid: uidOfBookingToBeCancelled, + }, + }); + + await handleCancelBooking(req); + + expectBookingCancelledWebhookToHaveBeenFired({ + booker, + organizer, + location: BookingLocations.CalVideo, + subscriberUrl: "http://my-webhook.example.com", + payload: { + organizer: { + id: organizer.id, + username: organizer.username, + email: organizer.email, + name: organizer.name, + timeZone: organizer.timeZone, + }, + }, + }); + }); +}); diff --git a/packages/features/bookings/lib/handleConfirmation.ts b/packages/features/bookings/lib/handleConfirmation.ts index d2c0f394a3a12d..0f964dd50fd91c 100644 --- a/packages/features/bookings/lib/handleConfirmation.ts +++ b/packages/features/bookings/lib/handleConfirmation.ts @@ -1,28 +1,30 @@ -import type { Prisma, Workflow, WorkflowsOnEventTypes, WorkflowStep } from "@prisma/client"; +import type { Prisma } from "@prisma/client"; import type { EventManagerUser } from "@calcom/core/EventManager"; import EventManager from "@calcom/core/EventManager"; import { scheduleMandatoryReminder } from "@calcom/ee/workflows/lib/reminders/scheduleMandatoryReminder"; import { sendScheduledEmails } from "@calcom/emails"; +import { + allowDisablingAttendeeConfirmationEmails, + allowDisablingHostConfirmationEmails, +} from "@calcom/features/ee/workflows/lib/allowDisablingStandardEmails"; import { scheduleWorkflowReminders } from "@calcom/features/ee/workflows/lib/reminders/reminderScheduler"; +import type { Workflow } from "@calcom/features/ee/workflows/lib/types"; import getWebhooks from "@calcom/features/webhooks/lib/getWebhooks"; import { scheduleTrigger } from "@calcom/features/webhooks/lib/scheduleTrigger"; import sendPayload from "@calcom/features/webhooks/lib/sendOrSchedulePayload"; import type { EventTypeInfo } from "@calcom/features/webhooks/lib/sendPayload"; import { getVideoCallUrlFromCalEvent } from "@calcom/lib/CalEventParser"; +import getOrgIdFromMemberOrTeamId from "@calcom/lib/getOrgIdFromMemberOrTeamId"; import { getTeamIdFromEventType } from "@calcom/lib/getTeamIdFromEventType"; import logger from "@calcom/lib/logger"; import { safeStringify } from "@calcom/lib/safeStringify"; import type { PrismaClient } from "@calcom/prisma"; import { BookingStatus, WebhookTriggerEvents } from "@calcom/prisma/enums"; import { EventTypeMetaDataSchema } from "@calcom/prisma/zod-utils"; +import { getAllWorkflowsFromEventType } from "@calcom/trpc/server/routers/viewer/workflows/util"; import type { AdditionalInformation, CalendarEvent } from "@calcom/types/Calendar"; -import { - allowDisablingAttendeeConfirmationEmails, - allowDisablingHostConfirmationEmails, -} from "../../ee/workflows/lib/allowDisablingStandardEmails"; - const log = logger.getSubLogger({ prefix: ["[handleConfirmation] book:user"] }); export async function handleConfirmation(args: { @@ -46,10 +48,11 @@ export async function handleConfirmation(args: { } | null; teamId?: number | null; parentId?: number | null; + parent?: { + teamId: number | null; + } | null; workflows?: { - workflow: Workflow & { - steps: WorkflowStep[]; - }; + workflow: Workflow; }[]; } | null; metadata?: Prisma.JsonValue; @@ -60,11 +63,15 @@ export async function handleConfirmation(args: { paid?: boolean; }) { const { user, evt, recurringEventId, prisma, bookingId, booking, paid } = args; - const eventManager = new EventManager(user); + const eventType = booking.eventType; + const eventTypeMetadata = EventTypeMetaDataSchema.parse(eventType?.metadata || {}); + const eventManager = new EventManager(user, eventTypeMetadata?.apps); const scheduleResult = await eventManager.create(evt); const results = scheduleResult.results; const metadata: AdditionalInformation = {}; + const workflows = await getAllWorkflowsFromEventType(eventType, booking.userId); + if (results.length > 0 && results.every((res) => !res.success)) { const error = { errorCode: "BookingCreatingMeetingFailed", @@ -81,12 +88,10 @@ export async function handleConfirmation(args: { } try { const eventType = booking.eventType; - const eventTypeMetadata = EventTypeMetaDataSchema.parse(eventType?.metadata || {}); + let isHostConfirmationEmailsDisabled = false; let isAttendeeConfirmationEmailDisabled = false; - const workflows = eventType?.workflows?.map((workflow) => workflow.workflow); - if (workflows) { isHostConfirmationEmailsDisabled = eventTypeMetadata?.disableStandardEmails?.confirmation?.host || false; @@ -113,7 +118,6 @@ export async function handleConfirmation(args: { } } let updatedBookings: { - scheduledJobs: string[]; id: number; description: string | null; location: string | null; @@ -133,11 +137,6 @@ export async function handleConfirmation(args: { owner: { hideBranding?: boolean | null; } | null; - workflows: (WorkflowsOnEventTypes & { - workflow: Workflow & { - steps: WorkflowStep[]; - }; - })[]; } | null; }[] = []; @@ -180,15 +179,6 @@ export async function handleConfirmation(args: { hideBranding: true, }, }, - workflows: { - include: { - workflow: { - include: { - steps: true, - }, - }, - }, - }, }, }, description: true, @@ -201,7 +191,6 @@ export async function handleConfirmation(args: { smsReminderNumber: true, customInputs: true, id: true, - scheduledJobs: true, }, }) ); @@ -235,15 +224,6 @@ export async function handleConfirmation(args: { hideBranding: true, }, }, - workflows: { - include: { - workflow: { - include: { - steps: true, - }, - }, - }, - }, }, }, uid: true, @@ -256,7 +236,6 @@ export async function handleConfirmation(args: { location: true, customInputs: true, id: true, - scheduledJobs: true, }, }); updatedBookings.push(updatedBooking); @@ -275,20 +254,21 @@ export async function handleConfirmation(args: { evtOfBooking.endTime = updatedBookings[index].endTime.toISOString(); evtOfBooking.uid = updatedBookings[index].uid; const isFirstBooking = index === 0; + await scheduleMandatoryReminder( evtOfBooking, - updatedBookings[index]?.eventType?.workflows || [], + workflows, false, !!updatedBookings[index].eventType?.owner?.hideBranding, evt.attendeeSeatId ); + await scheduleWorkflowReminders({ - workflows: updatedBookings[index]?.eventType?.workflows || [], + workflows, smsReminderNumber: updatedBookings[index].smsReminderNumber, calendarEvent: evtOfBooking, isFirstRecurringEvent: isFirstBooking, hideBranding: !!updatedBookings[index].eventType?.owner?.hideBranding, - eventTypeRequiresConfirmation: true, }); } } catch (error) { @@ -299,50 +279,75 @@ export async function handleConfirmation(args: { try { const teamId = await getTeamIdFromEventType({ eventType: { - team: { id: booking.eventType?.teamId ?? null }, - parentId: booking?.eventType?.parentId ?? null, + team: { id: eventType?.teamId ?? null }, + parentId: eventType?.parentId ?? null, }, }); - const triggerForUser = !teamId || (teamId && booking.eventType?.parentId); + const triggerForUser = !teamId || (teamId && eventType?.parentId); + + const userId = triggerForUser ? booking.userId : null; + + const orgId = await getOrgIdFromMemberOrTeamId({ memberId: userId, teamId }); const subscribersBookingCreated = await getWebhooks({ - userId: triggerForUser ? booking.userId : null, + userId, eventTypeId: booking.eventTypeId, triggerEvent: WebhookTriggerEvents.BOOKING_CREATED, teamId, + orgId, }); const subscribersMeetingStarted = await getWebhooks({ - userId: triggerForUser ? booking.userId : null, + userId, eventTypeId: booking.eventTypeId, triggerEvent: WebhookTriggerEvents.MEETING_STARTED, - teamId: booking.eventType?.teamId, + teamId: eventType?.teamId, + orgId, }); const subscribersMeetingEnded = await getWebhooks({ - userId: triggerForUser ? booking.userId : null, + userId, eventTypeId: booking.eventTypeId, triggerEvent: WebhookTriggerEvents.MEETING_ENDED, - teamId: booking.eventType?.teamId, + teamId: eventType?.teamId, + orgId, }); + const scheduleTriggerPromises: Promise[] = []; + subscribersMeetingStarted.forEach((subscriber) => { updatedBookings.forEach((booking) => { - scheduleTrigger(booking, subscriber.subscriberUrl, subscriber, WebhookTriggerEvents.MEETING_STARTED); + scheduleTriggerPromises.push( + scheduleTrigger({ + booking, + subscriberUrl: subscriber.subscriberUrl, + subscriber, + triggerEvent: WebhookTriggerEvents.MEETING_STARTED, + }) + ); }); }); subscribersMeetingEnded.forEach((subscriber) => { updatedBookings.forEach((booking) => { - scheduleTrigger(booking, subscriber.subscriberUrl, subscriber, WebhookTriggerEvents.MEETING_ENDED); + scheduleTriggerPromises.push( + scheduleTrigger({ + booking, + subscriberUrl: subscriber.subscriberUrl, + subscriber, + triggerEvent: WebhookTriggerEvents.MEETING_ENDED, + }) + ); }); }); + await Promise.all(scheduleTriggerPromises); + const eventTypeInfo: EventTypeInfo = { - eventTitle: booking.eventType?.title, - eventDescription: booking.eventType?.description, - requiresConfirmation: booking.eventType?.requiresConfirmation || null, - price: booking.eventType?.price, - currency: booking.eventType?.currency, - length: booking.eventType?.length, + eventTitle: eventType?.title, + eventDescription: eventType?.description, + requiresConfirmation: eventType?.requiresConfirmation || null, + price: eventType?.price, + currency: eventType?.currency, + length: eventType?.length, }; const promises = subscribersBookingCreated.map((sub) => @@ -350,14 +355,14 @@ export async function handleConfirmation(args: { ...evt, ...eventTypeInfo, bookingId, - eventTypeId: booking.eventType?.id, + eventTypeId: eventType?.id, status: "ACCEPTED", smsReminderNumber: booking.smsReminderNumber || undefined, metadata: meetingUrl ? { videoCallUrl: meetingUrl } : undefined, }).catch((e) => { - console.error( - `Error executing webhook for event: ${WebhookTriggerEvents.BOOKING_CREATED}, URL: ${sub.subscriberUrl}`, - e + log.error( + `Error executing webhook for event: ${WebhookTriggerEvents.BOOKING_CREATED}, URL: ${sub.subscriberUrl}, bookingId: ${evt.bookingId}, bookingUid: ${evt.uid}`, + safeStringify(e) ); }) ); @@ -367,10 +372,11 @@ export async function handleConfirmation(args: { if (paid) { let paymentExternalId: string | undefined; const subscriberMeetingPaid = await getWebhooks({ - userId: triggerForUser ? booking.userId : null, + userId, eventTypeId: booking.eventTypeId, triggerEvent: WebhookTriggerEvents.BOOKING_PAID, - teamId: booking.eventType?.teamId, + teamId: eventType?.teamId, + orgId, }); const bookingWithPayment = await prisma.booking.findFirst({ where: { @@ -394,9 +400,9 @@ export async function handleConfirmation(args: { const paymentMetadata = { identifier: "cal.com", bookingId, - eventTypeId: booking.eventType?.id, + eventTypeId: eventType?.id, bookerEmail: evt.attendees[0].email, - eventTitle: booking.eventType?.title, + eventTitle: eventType?.title, externalId: paymentExternalId, }; const bookingPaidSubscribers = subscriberMeetingPaid.map((sub) => @@ -404,7 +410,7 @@ export async function handleConfirmation(args: { ...evt, ...eventTypeInfo, bookingId, - eventTypeId: booking.eventType?.id, + eventTypeId: eventType?.id, status: "ACCEPTED", smsReminderNumber: booking.smsReminderNumber || undefined, paymentId: bookingWithPayment?.payment?.[0].id, @@ -412,9 +418,9 @@ export async function handleConfirmation(args: { ...(paid ? paymentMetadata : {}), }, }).catch((e) => { - console.error( - `Error executing webhook for event: ${WebhookTriggerEvents.BOOKING_PAID}, URL: ${sub.subscriberUrl}`, - e + log.error( + `Error executing webhook for event: ${WebhookTriggerEvents.BOOKING_PAID}, URL: ${sub.subscriberUrl}, bookingId: ${evt.bookingId}, bookingUid: ${evt.uid}`, + safeStringify(e) ); }) ); diff --git a/packages/features/bookings/lib/handleNewBooking.ts b/packages/features/bookings/lib/handleNewBooking.ts index 21d7c929a50887..a265239e614ee8 100644 --- a/packages/features/bookings/lib/handleNewBooking.ts +++ b/packages/features/bookings/lib/handleNewBooking.ts @@ -1,30 +1,22 @@ -import type { App, DestinationCalendar, EventTypeCustomInput } from "@prisma/client"; -import { Prisma } from "@prisma/client"; -import type { IncomingMessage } from "http"; -import { isValidPhoneNumber } from "libphonenumber-js"; +import type { DestinationCalendar } from "@prisma/client"; +import type { Prisma } from "@prisma/client"; // eslint-disable-next-line no-restricted-imports import { cloneDeep } from "lodash"; import type { NextApiRequest } from "next"; -import type { TFunction } from "next-i18next"; import short, { uuid } from "short-uuid"; -import type { Logger } from "tslog"; import { v5 as uuidv5 } from "uuid"; -import z from "zod"; +import type z from "zod"; import processExternalId from "@calcom/app-store/_utils/calendars/processExternalId"; import { metadata as GoogleMeetMetadata } from "@calcom/app-store/googlevideo/_metadata"; -import type { LocationObject } from "@calcom/app-store/locations"; import { - getLocationValueForDB, MeetLocationType, OrganizerDefaultConferencingAppType, + getLocationValueForDB, } from "@calcom/app-store/locations"; -import type { EventTypeAppsList } from "@calcom/app-store/utils"; import { getAppFromSlug } from "@calcom/app-store/utils"; import EventManager from "@calcom/core/EventManager"; import { getEventName } from "@calcom/core/event"; -import { getBusyTimesForLimitChecks } from "@calcom/core/getBusyTimes"; -import { getUserAvailability } from "@calcom/core/getUserAvailability"; import dayjs from "@calcom/dayjs"; import { scheduleMandatoryReminder } from "@calcom/ee/workflows/lib/reminders/scheduleMandatoryReminder"; import { @@ -38,29 +30,28 @@ import { } from "@calcom/emails"; import getICalUID from "@calcom/emails/lib/getICalUID"; import { getBookingFieldsWithSystemFields } from "@calcom/features/bookings/lib/getBookingFields"; -import { getCalEventResponses } from "@calcom/features/bookings/lib/getCalEventResponses"; import { handleWebhookTrigger } from "@calcom/features/bookings/lib/handleWebhookTrigger"; import { isEventTypeLoggingEnabled } from "@calcom/features/bookings/lib/isEventTypeLoggingEnabled"; -import { orgDomainConfig } from "@calcom/features/ee/organizations/lib/orgDomains"; import { allowDisablingAttendeeConfirmationEmails, allowDisablingHostConfirmationEmails, } from "@calcom/features/ee/workflows/lib/allowDisablingStandardEmails"; -import { - cancelWorkflowReminders, - scheduleWorkflowReminders, -} from "@calcom/features/ee/workflows/lib/reminders/reminderScheduler"; +import { scheduleWorkflowReminders } from "@calcom/features/ee/workflows/lib/reminders/reminderScheduler"; import { getFullName } from "@calcom/features/form-builder/utils"; import type { GetSubscriberOptions } from "@calcom/features/webhooks/lib/getWebhooks"; import getWebhooks from "@calcom/features/webhooks/lib/getWebhooks"; -import { cancelScheduledJobs, scheduleTrigger } from "@calcom/features/webhooks/lib/scheduleTrigger"; -import { parseBookingLimit, parseDurationLimit } from "@calcom/lib"; -import { isPrismaObjOrUndefined, parseRecurringEvent } from "@calcom/lib"; +import { + deleteWebhookScheduledTriggers, + scheduleTrigger, +} from "@calcom/features/webhooks/lib/scheduleTrigger"; import { getVideoCallUrlFromCalEvent } from "@calcom/lib/CalEventParser"; +import { getUTCOffsetByTimezone } from "@calcom/lib/date-fns"; import { getDefaultEvent, getUsernameList } from "@calcom/lib/defaultEvents"; import { ErrorCode } from "@calcom/lib/errorCodes"; import { getErrorFromUnknown } from "@calcom/lib/errors"; +import { extractBaseEmail } from "@calcom/lib/extract-base-email"; import { getBookerBaseUrl } from "@calcom/lib/getBookerUrl/server"; +import getOrgIdFromMemberOrTeamId from "@calcom/lib/getOrgIdFromMemberOrTeamId"; import getPaymentAppData from "@calcom/lib/getPaymentAppData"; import { getTeamIdFromEventType } from "@calcom/lib/getTeamIdFromEventType"; import { HttpError } from "@calcom/lib/http-error"; @@ -71,7 +62,6 @@ import { getPiiFreeCalendarEvent, getPiiFreeEventType, getPiiFreeUser } from "@c import { safeStringify } from "@calcom/lib/safeStringify"; import { checkBookingLimits, checkDurationLimits, getLuckyUser } from "@calcom/lib/server"; import { getTranslation } from "@calcom/lib/server/i18n"; -import { UserRepository } from "@calcom/lib/server/repository/user"; import { slugify } from "@calcom/lib/slugify"; import { updateWebUser as syncServicesUpdateWebUser } from "@calcom/lib/sync/SyncServiceManager"; import { getTimeFormatStringFromUserTimeFormat } from "@calcom/lib/timeFormat"; @@ -79,12 +69,12 @@ import prisma, { userSelect } from "@calcom/prisma"; import type { BookingReference } from "@calcom/prisma/client"; import { BookingStatus, SchedulingType, WebhookTriggerEvents } from "@calcom/prisma/enums"; import { credentialForCalendarServiceSelect } from "@calcom/prisma/selects/credential"; +import type { bookingCreateSchemaLegacyPropsForApi } from "@calcom/prisma/zod-utils"; +import { userMetadata as userMetadataSchema } from "@calcom/prisma/zod-utils"; import { - bookingCreateSchemaLegacyPropsForApi, - customInputSchema, - EventTypeMetaDataSchema, - userMetadata as userMetadataSchema, -} from "@calcom/prisma/zod-utils"; + deleteAllWorkflowReminders, + getAllWorkflowsFromEventType, +} from "@calcom/trpc/server/routers/viewer/workflows/util"; import type { AdditionalInformation, AppsStatus, @@ -92,659 +82,41 @@ import type { IntervalLimit, Person, } from "@calcom/types/Calendar"; -import type { CredentialPayload } from "@calcom/types/Credential"; import type { EventResult, PartialReference } from "@calcom/types/EventManager"; import type { EventTypeInfo } from "../../webhooks/lib/sendPayload"; -import { checkForConflicts } from "./conflictChecker/checkForConflicts"; import { getAllCredentials } from "./getAllCredentialsForUsersOnEvent/getAllCredentials"; import { refreshCredentials } from "./getAllCredentialsForUsersOnEvent/refreshCredentials"; import getBookingDataSchema from "./getBookingDataSchema"; +import { checkIfBookerEmailIsBlocked } from "./handleNewBooking/checkIfBookerEmailIsBlocked"; +import { createBooking } from "./handleNewBooking/createBooking"; +import { ensureAvailableUsers } from "./handleNewBooking/ensureAvailableUsers"; +import { getBookingData } from "./handleNewBooking/getBookingData"; +import { getEventTypesFromDB } from "./handleNewBooking/getEventTypesFromDB"; +import type { getEventTypeResponse } from "./handleNewBooking/getEventTypesFromDB"; +import { getOriginalRescheduledBooking } from "./handleNewBooking/getOriginalRescheduledBooking"; +import { getRequiresConfirmationFlags } from "./handleNewBooking/getRequiresConfirmationFlags"; +import { handleAppsStatus } from "./handleNewBooking/handleAppsStatus"; +import { loadUsers } from "./handleNewBooking/loadUsers"; +import type { + Invitee, + IEventTypePaymentCredentialType, + IsFixedAwareUser, + BookingType, + Booking, +} from "./handleNewBooking/types"; import handleSeats from "./handleSeats/handleSeats"; import type { BookingSeat } from "./handleSeats/types"; const translator = short(); const log = logger.getSubLogger({ prefix: ["[api] book:user"] }); -type User = Prisma.UserGetPayload; -type BookingType = Prisma.PromiseReturnType; -export type Booking = Prisma.PromiseReturnType; -export type NewBookingEventType = - | Awaited> - | Awaited>; - -// Work with Typescript to require reqBody.end -type ReqBodyWithoutEnd = z.infer>; -type ReqBodyWithEnd = ReqBodyWithoutEnd & { end: string }; -export type Invitee = { - email: string; - name: string; - firstName: string; - lastName: string; - timeZone: string; - language: { - translate: TFunction; - locale: string; - }; -}[]; -export type OrganizerUser = Awaited>[number] & { - isFixed?: boolean; - metadata?: Prisma.JsonValue; -}; -export type OriginalRescheduledBooking = Awaited>; - -type AwaitedBookingData = Awaited>; -export type RescheduleReason = AwaitedBookingData["rescheduleReason"]; -export type NoEmail = AwaitedBookingData["noEmail"]; -export type AdditionalNotes = AwaitedBookingData["notes"]; -export type ReqAppsStatus = AwaitedBookingData["appsStatus"]; -export type SmsReminderNumber = AwaitedBookingData["smsReminderNumber"]; -export type EventTypeId = AwaitedBookingData["eventTypeId"]; -export type ReqBodyMetadata = ReqBodyWithEnd["metadata"]; - -export type IsConfirmedByDefault = ReturnType["isConfirmedByDefault"]; -export type PaymentAppData = ReturnType; - -export interface IEventTypePaymentCredentialType { - appId: EventTypeAppsList; - app: { - categories: App["categories"]; - dirName: string; - }; - key: Prisma.JsonValue; -} - -export const getEventTypesFromDB = async (eventTypeId: number) => { - const eventType = await prisma.eventType.findUniqueOrThrow({ - where: { - id: eventTypeId, - }, - select: { - id: true, - customInputs: true, - disableGuests: true, - users: { - select: { - credentials: { - select: credentialForCalendarServiceSelect, - }, - ...userSelect.select, - }, - }, - slug: true, - team: { - select: { - id: true, - name: true, - parentId: true, - }, - }, - bookingFields: true, - title: true, - length: true, - eventName: true, - schedulingType: true, - description: true, - periodType: true, - periodStartDate: true, - periodEndDate: true, - periodDays: true, - periodCountCalendarDays: true, - lockTimeZoneToggleOnBookingPage: true, - requiresConfirmation: true, - requiresBookerEmailVerification: true, - userId: true, - price: true, - currency: true, - metadata: true, - destinationCalendar: true, - hideCalendarNotes: true, - seatsPerTimeSlot: true, - recurringEvent: true, - seatsShowAttendees: true, - seatsShowAvailabilityCount: true, - bookingLimits: true, - durationLimits: true, - assignAllTeamMembers: true, - parentId: true, - useEventTypeDestinationCalendarEmail: true, - owner: { - select: { - hideBranding: true, - }, - }, - workflows: { - include: { - workflow: { - include: { - steps: true, - }, - }, - }, - }, - locations: true, - timeZone: true, - schedule: { - select: { - id: true, - availability: true, - timeZone: true, - }, - }, - hosts: { - select: { - isFixed: true, - priority: true, - user: { - select: { - credentials: { - select: credentialForCalendarServiceSelect, - }, - ...userSelect.select, - }, - }, - }, - }, - availability: { - select: { - date: true, - startTime: true, - endTime: true, - days: true, - }, - }, - secondaryEmailId: true, - secondaryEmail: { - select: { - id: true, - email: true, - }, - }, - }, - }); - - return { - ...eventType, - metadata: EventTypeMetaDataSchema.parse(eventType?.metadata || {}), - recurringEvent: parseRecurringEvent(eventType?.recurringEvent), - customInputs: customInputSchema.array().parse(eventType?.customInputs || []), - locations: (eventType?.locations ?? []) as LocationObject[], - bookingFields: getBookingFieldsWithSystemFields(eventType || {}), - isDynamic: false, - }; -}; - -type IsFixedAwareUser = User & { - isFixed: boolean; - credentials: CredentialPayload[]; - organization: { slug: string }; - priority?: number; -}; - -const loadUsers = async (eventType: NewBookingEventType, dynamicUserList: string[], req: IncomingMessage) => { - try { - if (!eventType.id) { - if (!Array.isArray(dynamicUserList) || dynamicUserList.length === 0) { - throw new Error("dynamicUserList is not properly defined or empty."); - } - const { isValidOrgDomain, currentOrgDomain } = orgDomainConfig(req); - const users = await findUsersByUsername({ - usernameList: dynamicUserList, - orgSlug: isValidOrgDomain ? currentOrgDomain : null, - }); - return users; - } - const hosts = eventType.hosts || []; - - if (!Array.isArray(hosts)) { - throw new Error("eventType.hosts is not properly defined."); - } - - const users = hosts.map(({ user, isFixed, priority }) => ({ - ...user, - isFixed, - priority, - })); - - return users.length ? users : eventType.users; - } catch (error) { - if (error instanceof HttpError || error instanceof Prisma.PrismaClientKnownRequestError) { - throw new HttpError({ statusCode: 400, message: error.message }); - } - throw new HttpError({ statusCode: 500, message: "Unable to load users" }); - } -}; - -export async function ensureAvailableUsers( - eventType: Awaited> & { - users: IsFixedAwareUser[]; - }, - input: { dateFrom: string; dateTo: string; timeZone: string; originalRescheduledBooking?: BookingType }, - loggerWithEventDetails: Logger -) { - const availableUsers: IsFixedAwareUser[] = []; - const getStartDateTimeUtc = (startDateTimeInput: string, timeZone?: string) => { - return timeZone === "Etc/GMT" - ? dayjs.utc(startDateTimeInput) - : dayjs(startDateTimeInput).tz(timeZone).utc(); - }; - - const startDateTimeUtc = getStartDateTimeUtc(input.dateFrom, input.timeZone); - const endDateTimeUtc = - input.timeZone === "Etc/GMT" ? dayjs.utc(input.dateTo) : dayjs(input.dateTo).tz(input.timeZone).utc(); - - const duration = dayjs(input.dateTo).diff(input.dateFrom, "minute"); - const originalBookingDuration = input.originalRescheduledBooking - ? dayjs(input.originalRescheduledBooking.endTime).diff( - dayjs(input.originalRescheduledBooking.startTime), - "minutes" - ) - : undefined; - - const bookingLimits = parseBookingLimit(eventType?.bookingLimits); - const durationLimits = parseDurationLimit(eventType?.durationLimits); - let busyTimesFromLimitsBookingsAllUsers: Awaited> = []; - - if (eventType && (bookingLimits || durationLimits)) { - busyTimesFromLimitsBookingsAllUsers = await getBusyTimesForLimitChecks({ - userIds: eventType.users.map((u) => u.id), - eventTypeId: eventType.id, - startDate: startDateTimeUtc.format(), - endDate: endDateTimeUtc.format(), - rescheduleUid: input.originalRescheduledBooking?.uid ?? null, - bookingLimits, - durationLimits, - }); - } - - for (const user of eventType.users) { - const { oooExcludedDateRanges: dateRanges, busy: bufferedBusyTimes } = await getUserAvailability( - { - ...input, - userId: user.id, - eventTypeId: eventType.id, - duration: originalBookingDuration, - returnDateOverrides: false, - dateFrom: startDateTimeUtc.format(), - dateTo: endDateTimeUtc.format(), - }, - { - user, - eventType, - rescheduleUid: input.originalRescheduledBooking?.uid ?? null, - busyTimesFromLimitsBookings: busyTimesFromLimitsBookingsAllUsers, - } - ); - - log.debug( - "calendarBusyTimes==>>>", - JSON.stringify({ bufferedBusyTimes, dateRanges, isRecurringEvent: eventType.recurringEvent }) - ); - - if (!dateRanges.length) { - loggerWithEventDetails.error( - `User does not have availability at this time.`, - safeStringify({ - startDateTimeUtc, - endDateTimeUtc, - input, - }) - ); - continue; - } - - let foundConflict = false; - - let dateRangeForBooking = false; - - //check if event time is within the date range - for (const dateRange of dateRanges) { - if ( - (startDateTimeUtc.isAfter(dateRange.start) || startDateTimeUtc.isSame(dateRange.start)) && - (endDateTimeUtc.isBefore(dateRange.end) || endDateTimeUtc.isSame(dateRange.end)) - ) { - dateRangeForBooking = true; - break; - } - } - - if (!dateRangeForBooking) { - loggerWithEventDetails.error( - `No date range for booking.`, - safeStringify({ - startDateTimeUtc, - endDateTimeUtc, - input, - }) - ); - continue; - } - - try { - foundConflict = checkForConflicts(bufferedBusyTimes, startDateTimeUtc, duration); - } catch (error) { - loggerWithEventDetails.error("Unable set isAvailableToBeBooked. Using true. ", error); - } - // no conflicts found, add to available users. - if (!foundConflict) { - availableUsers.push(user); - } - } - if (!availableUsers.length) { - loggerWithEventDetails.error( - `No available users found.`, - safeStringify({ - startDateTimeUtc, - endDateTimeUtc, - input, - }) - ); - throw new Error(ErrorCode.NoAvailableUsersFound); - } - return availableUsers; -} - -async function getOriginalRescheduledBooking(uid: string, seatsEventType?: boolean) { - return prisma.booking.findFirst({ - where: { - uid: uid, - status: { - in: [BookingStatus.ACCEPTED, BookingStatus.CANCELLED, BookingStatus.PENDING], - }, - }, - include: { - attendees: { - select: { - name: true, - email: true, - locale: true, - timeZone: true, - ...(seatsEventType && { bookingSeat: true, id: true }), - }, - }, - user: { - select: { - id: true, - name: true, - email: true, - locale: true, - timeZone: true, - destinationCalendar: true, - credentials: { - select: { - id: true, - userId: true, - key: true, - type: true, - teamId: true, - appId: true, - invalid: true, - user: { - select: { - email: true, - }, - }, - }, - }, - }, - }, - destinationCalendar: true, - payment: true, - references: true, - workflowReminders: true, - }, - }); -} - -export async function getBookingData({ - req, - eventType, - schema, -}: { - req: NextApiRequest; - eventType: Awaited>; - schema: T; -}) { - const reqBody = await schema.parseAsync(req.body); - const reqBodyWithEnd = (reqBody: ReqBodyWithoutEnd): reqBody is ReqBodyWithEnd => { - // Use the event length to auto-set the event end time. - if (!Object.prototype.hasOwnProperty.call(reqBody, "end")) { - reqBody.end = dayjs.utc(reqBody.start).add(eventType.length, "minutes").format(); - } - return true; - }; - if (!reqBodyWithEnd(reqBody)) { - throw new Error(ErrorCode.RequestBodyWithouEnd); - } - // reqBody.end is no longer an optional property. - if (reqBody.customInputs) { - // Check if required custom inputs exist - handleCustomInputs(eventType.customInputs as EventTypeCustomInput[], reqBody.customInputs); - const reqBodyWithLegacyProps = bookingCreateSchemaLegacyPropsForApi.parse(reqBody); - return { - ...reqBody, - name: reqBodyWithLegacyProps.name, - email: reqBodyWithLegacyProps.email, - guests: reqBodyWithLegacyProps.guests, - location: reqBodyWithLegacyProps.location || "", - smsReminderNumber: reqBodyWithLegacyProps.smsReminderNumber, - notes: reqBodyWithLegacyProps.notes, - rescheduleReason: reqBodyWithLegacyProps.rescheduleReason, - // So TS doesn't complain about unknown properties - calEventUserFieldsResponses: undefined, - calEventResponses: undefined, - customInputs: undefined, - }; - } - if (!reqBody.responses) { - throw new Error("`responses` must not be nullish"); - } - const responses = reqBody.responses; - - const { userFieldsResponses: calEventUserFieldsResponses, responses: calEventResponses } = - getCalEventResponses({ - bookingFields: eventType.bookingFields, - responses, - }); - return { - ...reqBody, - name: responses.name, - email: responses.email, - guests: responses.guests ? responses.guests : [], - location: responses.location?.optionValue || responses.location?.value || "", - smsReminderNumber: responses.smsReminderNumber, - notes: responses.notes || "", - calEventUserFieldsResponses, - rescheduleReason: responses.rescheduleReason, - calEventResponses, - // So TS doesn't complain about unknown properties - customInputs: undefined, - }; -} - -async function createBooking({ - originalRescheduledBooking, - evt, - eventTypeId, - eventTypeSlug, - reqBodyUser, - reqBodyMetadata, - reqBodyRecurringEventId, - uid, - responses, - isConfirmedByDefault, - smsReminderNumber, - organizerUser, - rescheduleReason, - eventType, - bookerEmail, - paymentAppData, - changedOrganizer, -}: { - originalRescheduledBooking: OriginalRescheduledBooking; - evt: CalendarEvent; - eventType: NewBookingEventType; - eventTypeId: EventTypeId; - eventTypeSlug: AwaitedBookingData["eventTypeSlug"]; - reqBodyUser: ReqBodyWithEnd["user"]; - reqBodyMetadata: ReqBodyWithEnd["metadata"]; - reqBodyRecurringEventId: ReqBodyWithEnd["recurringEventId"]; - uid: short.SUUID; - responses: ReqBodyWithEnd["responses"] | null; - isConfirmedByDefault: IsConfirmedByDefault; - smsReminderNumber: AwaitedBookingData["smsReminderNumber"]; - organizerUser: Awaited>[number] & { - isFixed?: boolean; - metadata?: Prisma.JsonValue; - }; - rescheduleReason: Awaited>["rescheduleReason"]; - bookerEmail: Awaited>["email"]; - paymentAppData: ReturnType; - changedOrganizer: boolean; -}) { - if (originalRescheduledBooking) { - evt.title = originalRescheduledBooking?.title || evt.title; - evt.description = originalRescheduledBooking?.description || evt.description; - evt.location = originalRescheduledBooking?.location || evt.location; - evt.location = changedOrganizer ? evt.location : originalRescheduledBooking?.location || evt.location; - } - - const eventTypeRel = !eventTypeId - ? {} - : { - connect: { - id: eventTypeId, - }, - }; - - const dynamicEventSlugRef = !eventTypeId ? eventTypeSlug : null; - const dynamicGroupSlugRef = !eventTypeId ? (reqBodyUser as string).toLowerCase() : null; - - const attendeesData = evt.attendees.map((attendee) => { - //if attendee is team member, it should fetch their locale not booker's locale - //perhaps make email fetch request to see if his locale is stored, else - return { - name: attendee.name, - email: attendee.email, - timeZone: attendee.timeZone, - locale: attendee.language.locale, - }; - }); - - if (evt.team?.members) { - attendeesData.push( - ...evt.team.members.map((member) => ({ - email: member.email, - name: member.name, - timeZone: member.timeZone, - locale: member.language.locale, - })) - ); - } - - const newBookingData: Prisma.BookingCreateInput = { - uid, - userPrimaryEmail: evt.organizer.email, - responses: responses === null || evt.seatsPerTimeSlot ? Prisma.JsonNull : responses, - title: evt.title, - startTime: dayjs.utc(evt.startTime).toDate(), - endTime: dayjs.utc(evt.endTime).toDate(), - description: evt.seatsPerTimeSlot ? null : evt.additionalNotes, - customInputs: isPrismaObjOrUndefined(evt.customInputs), - status: isConfirmedByDefault ? BookingStatus.ACCEPTED : BookingStatus.PENDING, - location: evt.location, - eventType: eventTypeRel, - smsReminderNumber, - metadata: reqBodyMetadata, - attendees: { - createMany: { - data: attendeesData, - }, - }, - dynamicEventSlugRef, - dynamicGroupSlugRef, - iCalUID: evt.iCalUID ?? "", - user: { - connect: { - id: organizerUser.id, - }, - }, - destinationCalendar: - evt.destinationCalendar && evt.destinationCalendar.length > 0 - ? { - connect: { id: evt.destinationCalendar[0].id }, - } - : undefined, - }; - - if (reqBodyRecurringEventId) { - newBookingData.recurringEventId = reqBodyRecurringEventId; - } - if (originalRescheduledBooking) { - newBookingData.metadata = { - ...(typeof originalRescheduledBooking.metadata === "object" && originalRescheduledBooking.metadata), - }; - newBookingData["paid"] = originalRescheduledBooking.paid; - newBookingData["fromReschedule"] = originalRescheduledBooking.uid; - if (originalRescheduledBooking.uid) { - newBookingData.cancellationReason = rescheduleReason; - } - if (newBookingData.attendees?.createMany?.data) { - // Reschedule logic with booking with seats - if (eventType?.seatsPerTimeSlot && bookerEmail) { - newBookingData.attendees.createMany.data = attendeesData.filter( - (attendee) => attendee.email === bookerEmail - ); - } - } - if (originalRescheduledBooking.recurringEventId) { - newBookingData.recurringEventId = originalRescheduledBooking.recurringEventId; - } - } - const createBookingObj = { - include: { - user: { - select: { email: true, name: true, timeZone: true, username: true }, - }, - attendees: true, - payment: true, - references: true, - }, - data: newBookingData, - }; - - if (originalRescheduledBooking?.paid && originalRescheduledBooking?.payment) { - const bookingPayment = originalRescheduledBooking?.payment?.find((payment) => payment.success); - - if (bookingPayment) { - createBookingObj.data.payment = { - connect: { id: bookingPayment.id }, - }; - } - } - - if (typeof paymentAppData.price === "number" && paymentAppData.price > 0) { - /* Validate if there is any payment app credential for this user */ - await prisma.credential.findFirstOrThrow({ - where: { - appId: paymentAppData.appId, - ...(paymentAppData.credentialId ? { id: paymentAppData.credentialId } : { userId: organizerUser.id }), - }, - select: { - id: true, - }, - }); - } - - return prisma.booking.create(createBookingObj); -} - export function getCustomInputsResponses( reqBody: { responses?: Record; customInputs?: z.infer["customInputs"]; }, - eventTypeCustomInputs: Awaited>["customInputs"] + eventTypeCustomInputs: getEventTypeResponse["customInputs"] ) { const customInputsResponses = {} as NonNullable; if (reqBody.customInputs && (reqBody.customInputs.length || 0) > 0) { @@ -799,43 +171,6 @@ export const createLoggerWithEventDetails = ( }); }; -export function handleAppsStatus( - results: EventResult[], - booking: (Booking & { appsStatus?: AppsStatus[] }) | null, - reqAppsStatus: ReqAppsStatus -) { - // Taking care of apps status - const resultStatus: AppsStatus[] = results.map((app) => ({ - appName: app.appName, - type: app.type, - success: app.success ? 1 : 0, - failures: !app.success ? 1 : 0, - errors: app.calError ? [app.calError] : [], - warnings: app.calWarnings, - })); - - if (reqAppsStatus === undefined) { - if (booking !== null) { - booking.appsStatus = resultStatus; - } - return resultStatus; - } - // From down here we can assume reqAppsStatus is not undefined anymore - // Other status exist, so this is the last booking of a series, - // proceeding to prepare the info for the event - const calcAppsStatus = reqAppsStatus.concat(resultStatus).reduce((prev, curr) => { - if (prev[curr.type]) { - prev[curr.type].success += curr.success; - prev[curr.type].errors = prev[curr.type].errors.concat(curr.errors); - prev[curr.type].warnings = prev[curr.type].warnings?.concat(curr.warnings || []); - } else { - prev[curr.type] = curr; - } - return prev; - }, {} as { [key: string]: AppsStatus }); - return Object.values(calcAppsStatus); -} - function getICalSequence(originalRescheduledBooking: BookingType | null) { // If new booking set the sequence to 0 if (!originalRescheduledBooking) { @@ -851,53 +186,6 @@ function getICalSequence(originalRescheduledBooking: BookingType | null) { return originalRescheduledBooking.iCalSequence + 1; } -export const findBookingQuery = async (bookingId: number) => { - const foundBooking = await prisma.booking.findUnique({ - where: { - id: bookingId, - }, - select: { - uid: true, - location: true, - startTime: true, - endTime: true, - title: true, - description: true, - status: true, - responses: true, - metadata: true, - user: { - select: { - name: true, - email: true, - timeZone: true, - username: true, - }, - }, - eventType: { - select: { - title: true, - description: true, - currency: true, - length: true, - lockTimeZoneToggleOnBookingPage: true, - requiresConfirmation: true, - requiresBookerEmailVerification: true, - price: true, - }, - }, - }, - }); - - // This should never happen but it's just typescript safe - if (!foundBooking) { - throw new Error("Internal Error. Couldn't find booking"); - } - - // Don't leak any sensitive data - return foundBooking; -}; - type BookingDataSchemaGetter = | typeof getBookingDataSchema | typeof import("@calcom/features/bookings/lib/getBookingDataSchemaForApi").default; @@ -927,7 +215,6 @@ async function handler( !req.body.eventTypeId && !!req.body.eventTypeSlug ? getDefaultEvent(req.body.eventTypeSlug) : await getEventTypesFromDB(req.body.eventTypeId); - eventType = { ...eventType, bookingFields: getBookingFieldsWithSystemFields(eventType), @@ -964,6 +251,8 @@ async function handler( const loggerWithEventDetails = createLoggerWithEventDetails(eventTypeId, reqBody.user, eventTypeSlug); + await checkIfBookerEmailIsBlocked({ loggedInUserId: userId, bookerEmail }); + if (isEventTypeLoggingEnabled({ eventTypeId, usernameOrTeamName: reqBody.user })) { logger.settings.minLevel = 0; } @@ -1008,13 +297,18 @@ async function handler( let timeOutOfBounds = false; try { - timeOutOfBounds = isOutOfBounds(reqBody.start, { - periodType: eventType.periodType, - periodDays: eventType.periodDays, - periodEndDate: eventType.periodEndDate, - periodStartDate: eventType.periodStartDate, - periodCountCalendarDays: eventType.periodCountCalendarDays, - }); + timeOutOfBounds = isOutOfBounds( + reqBody.start, + { + periodType: eventType.periodType, + periodDays: eventType.periodDays, + periodEndDate: eventType.periodEndDate, + periodStartDate: eventType.periodStartDate, + periodCountCalendarDays: eventType.periodCountCalendarDays, + utcOffset: getUTCOffsetByTimezone(reqBody.timeZone) ?? 0, + }, + eventType.minimumBookingNotice + ); } catch (error) { loggerWithEventDetails.warn({ message: "NewBooking: Unable set timeOutOfBounds. Using false. ", @@ -1178,10 +472,30 @@ async function handler( } let luckyUserResponse; + let isFirstSeat = true; + + if (eventType.seatsPerTimeSlot) { + const booking = await prisma.booking.findFirst({ + where: { + OR: [ + { + uid: rescheduleUid || reqBody.bookingUid, + }, + { + eventTypeId: eventType.id, + startTime: new Date(dayjs(reqBody.start).utc().format()), + }, + ], + status: BookingStatus.ACCEPTED, + }, + }); + + if (booking) isFirstSeat = false; + } //checks what users are available - if (!eventType.seatsPerTimeSlot) { - const eventTypeWithUsers: Awaited> & { + if (isFirstSeat) { + const eventTypeWithUsers: getEventTypeResponse & { users: IsFixedAwareUser[]; } = { ...eventType, @@ -1250,7 +564,12 @@ async function handler( loggerWithEventDetails ); const luckyUsers: typeof users = []; - const luckyUserPool = availableUsers.filter((user) => !user.isFixed); + const luckyUserPool: IsFixedAwareUser[] = []; + const fixedUserPool: IsFixedAwareUser[] = []; + availableUsers.forEach((user) => { + user.isFixed ? fixedUserPool.push(user) : luckyUserPool.push(user); + }); + const notAvailableLuckyUsers: typeof users = []; loggerWithEventDetails.debug( @@ -1260,6 +579,17 @@ async function handler( luckyUserPool: luckyUserPool.map((user) => user.id), }) ); + + if (reqBody.teamMemberEmail) { + // If requested user is not a fixed host, assign the lucky user as the team member + if (!fixedUserPool.some((user) => user.email === reqBody.teamMemberEmail)) { + const teamMember = availableUsers.find((user) => user.email === reqBody.teamMemberEmail); + if (teamMember) { + luckyUsers.push(teamMember); + } + } + } + // loop through all non-fixed hosts and get the lucky users while (luckyUserPool.length > 0 && luckyUsers.length < 1 /* TODO: Add variable */) { const newLuckyUser = await getLuckyUser("MAXIMIZE_AVAILABILITY", { @@ -1307,13 +637,11 @@ async function handler( } } // ALL fixed users must be available - if ( - availableUsers.filter((user) => user.isFixed).length !== users.filter((user) => user.isFixed).length - ) { + if (fixedUserPool.length !== users.filter((user) => user.isFixed).length) { throw new Error(ErrorCode.HostsUnavailableForBooking); } // Pushing fixed user before the luckyUser guarantees the (first) fixed user as the organizer. - users = [...availableUsers.filter((user) => user.isFixed), ...luckyUsers]; + users = [...fixedUserPool, ...luckyUsers]; luckyUserResponse = { luckyUsers: luckyUsers.map((u) => u.id) }; } else if (req.body.allRecurringDates && eventType.schedulingType === SchedulingType.ROUND_ROBIN) { // all recurring slots except the first one @@ -1330,7 +658,10 @@ async function handler( throw new Error(ErrorCode.NoAvailableUsersFound); } - const [organizerUser] = users; + // If the team member is requested then they should be the organizer + const organizerUser = reqBody.teamMemberEmail + ? users.find((user) => user.email === reqBody.teamMemberEmail) ?? users[0] + : users[0]; const tOrganizer = await getTranslation(organizerUser?.locale ?? "en", "common"); const allCredentials = await getAllCredentials(organizerUser, eventType); @@ -1381,7 +712,17 @@ async function handler( }, ]; + const blacklistedGuestEmails = process.env.BLACKLISTED_GUEST_EMAILS + ? process.env.BLACKLISTED_GUEST_EMAILS.split(",") + : []; + + const guestsRemoved: string[] = []; const guests = (reqGuests || []).reduce((guestArray, guest) => { + const baseGuestEmail = extractBaseEmail(guest).toLowerCase(); + if (blacklistedGuestEmails.some((e) => e.toLowerCase() === baseGuestEmail)) { + guestsRemoved.push(guest); + return guestArray; + } // If it's a team event, remove the team member from guests if (isTeamEventType && users.some((user) => user.email === guest)) { return guestArray; @@ -1397,6 +738,10 @@ async function handler( return guestArray; }, [] as Invitee); + if (guestsRemoved.length > 0) { + log.info("Removed guests from the booking", guestsRemoved); + } + const seed = `${organizerUser.username}:${dayjs(reqBody.start).utc().format()}:${new Date().getTime()}`; const uid = translator.fromUUID(uuidv5(seed, uuidv5.URL)); @@ -1413,29 +758,31 @@ async function handler( const teamDestinationCalendars: DestinationCalendar[] = []; // Organizer or user owner of this event type it's not listed as a team member. - const teamMemberPromises = users.slice(1).map(async (user) => { - // TODO: Add back once EventManager tests are ready https://github.com/calcom/cal.com/pull/14610#discussion_r1567817120 - // push to teamDestinationCalendars if it's a team event but collective only - if (isTeamEventType && eventType.schedulingType === "COLLECTIVE" && user.destinationCalendar) { - teamDestinationCalendars.push({ - ...user.destinationCalendar, - externalId: processExternalId(user.destinationCalendar), - }); - } + const teamMemberPromises = users + .filter((user) => user.email !== organizerUser.email) + .map(async (user) => { + // TODO: Add back once EventManager tests are ready https://github.com/calcom/cal.com/pull/14610#discussion_r1567817120 + // push to teamDestinationCalendars if it's a team event but collective only + if (isTeamEventType && eventType.schedulingType === "COLLECTIVE" && user.destinationCalendar) { + teamDestinationCalendars.push({ + ...user.destinationCalendar, + externalId: processExternalId(user.destinationCalendar), + }); + } - return { - id: user.id, - email: user.email ?? "", - name: user.name ?? "", - firstName: "", - lastName: "", - timeZone: user.timeZone, - language: { - translate: await getTranslation(user.locale ?? "en", "common"), - locale: user.locale ?? "en", - }, - }; - }); + return { + id: user.id, + email: user.email ?? "", + name: user.name ?? "", + firstName: "", + lastName: "", + timeZone: user.timeZone, + language: { + translate: await getTranslation(user.locale ?? "en", "common"), + locale: user.locale ?? "en", + }, + }; + }); const teamMembers = await Promise.all(teamMemberPromises); const attendeesList = [...invitee, ...guests]; @@ -1551,11 +898,16 @@ async function handler( const triggerForUser = !teamId || (teamId && eventType.parentId); + const organizerUserId = triggerForUser ? organizerUser.id : null; + + const orgId = await getOrgIdFromMemberOrTeamId({ memberId: organizerUserId, teamId }); + const subscriberOptions: GetSubscriberOptions = { - userId: triggerForUser ? organizerUser.id : null, + userId: organizerUserId, eventTypeId, triggerEvent: WebhookTriggerEvents.BOOKING_CREATED, teamId, + orgId, }; const eventTrigger: WebhookTriggerEvents = rescheduleUid @@ -1569,6 +921,7 @@ async function handler( eventTypeId, triggerEvent: WebhookTriggerEvents.MEETING_ENDED, teamId, + orgId, }; const subscriberOptionsMeetingStarted = { @@ -1576,8 +929,11 @@ async function handler( eventTypeId, triggerEvent: WebhookTriggerEvents.MEETING_STARTED, teamId, + orgId, }; + const workflows = await getAllWorkflowsFromEventType(eventType, organizerUser.id); + // For seats, if the booking already exists then we want to add the new attendee to the existing booking if (eventType.seatsPerTimeSlot) { const newBooking = await handleSeats({ @@ -1610,7 +966,9 @@ async function handler( subscriberOptions, eventTrigger, responses, + workflows, }); + if (newBooking) { req.statusCode = 201; const bookingResponse = { @@ -1619,12 +977,19 @@ async function handler( ...newBooking.user, email: null, }, + paymentRequired: false, }; - return { ...bookingResponse, ...luckyUserResponse, }; + } else { + // Rescheduling logic for the original seated event was handled in handleSeats + // We want to use new booking logic for the new time slot + originalRescheduledBooking = null; + evt.iCalUID = getICalUID({ + attendeeId: bookingSeat?.attendeeId, + }); } } if (isTeamEventType) { @@ -1634,7 +999,6 @@ async function handler( id: eventType.team?.id ?? 0, }; } - if (reqBody.recurringEventId && eventType.recurringEvent) { // Overriding the recurring event configuration count to be the actual number of events booked for // the recurring event (equal or less than recurring event configuration count) @@ -1751,22 +1115,15 @@ async function handler( // After polling videoBusyTimes, credentials might have been changed due to refreshment, so query them again. const credentials = await refreshCredentials(allCredentials); - const eventManager = new EventManager({ ...organizerUser, credentials }); + const eventManager = new EventManager({ ...organizerUser, credentials }, eventType?.metadata?.apps); let videoCallUrl; //this is the actual rescheduling logic - if (originalRescheduledBooking?.uid) { + if (!eventType.seatsPerTimeSlot && originalRescheduledBooking?.uid) { log.silly("Rescheduling booking", originalRescheduledBooking.uid); - try { - // cancel workflow reminders from previous rescheduled booking - await cancelWorkflowReminders(originalRescheduledBooking.workflowReminders); - } catch (error) { - loggerWithEventDetails.error( - "Error while canceling scheduled workflow reminders", - JSON.stringify({ error }) - ); - } + // cancel workflow reminders from previous rescheduled booking + await deleteAllWorkflowReminders(originalRescheduledBooking.workflowReminders); evt = addVideoCallDataToEvent(originalRescheduledBooking.references, evt); @@ -1795,7 +1152,6 @@ async function handler( changedOrganizer, previousHostDestinationCalendar ); - // This gets overridden when updating the event - to check if notes have been hidden or not. We just reset this back // to the default description when we are sending the emails. evt.description = eventType.description; @@ -1856,7 +1212,11 @@ async function handler( }); } - if (googleCalResult?.createdEvent?.hangoutLink) { + const googleHangoutLink = Array.isArray(googleCalResult?.updatedEvent) + ? googleCalResult.updatedEvent[0]?.hangoutLink + : googleCalResult?.updatedEvent?.hangoutLink ?? googleCalResult?.createdEvent?.hangoutLink; + + if (googleHangoutLink) { results.push({ ...googleMeetResult, success: true, @@ -1865,31 +1225,33 @@ async function handler( // Add google_meet to referencesToCreate in the same index as google_calendar updateManager.referencesToCreate[googleCalIndex] = { ...updateManager.referencesToCreate[googleCalIndex], - meetingUrl: googleCalResult.createdEvent.hangoutLink, + meetingUrl: googleHangoutLink, }; // Also create a new referenceToCreate with type video for google_meet updateManager.referencesToCreate.push({ type: "google_meet_video", - meetingUrl: googleCalResult.createdEvent.hangoutLink, + meetingUrl: googleHangoutLink, uid: googleCalResult.uid, credentialId: updateManager.referencesToCreate[googleCalIndex].credentialId, }); - } else if (googleCalResult && !googleCalResult.createdEvent?.hangoutLink) { + } else if (googleCalResult && !googleHangoutLink) { results.push({ ...googleMeetResult, success: false, }); } } - - metadata.hangoutLink = results[0].createdEvent?.hangoutLink; - metadata.conferenceData = results[0].createdEvent?.conferenceData; - metadata.entryPoints = results[0].createdEvent?.entryPoints; + const createdOrUpdatedEvent = Array.isArray(results[0]?.updatedEvent) + ? results[0]?.updatedEvent[0] + : results[0]?.updatedEvent ?? results[0]?.createdEvent; + metadata.hangoutLink = createdOrUpdatedEvent?.hangoutLink; + metadata.conferenceData = createdOrUpdatedEvent?.conferenceData; + metadata.entryPoints = createdOrUpdatedEvent?.entryPoints; evt.appsStatus = handleAppsStatus(results, booking, reqAppsStatus); videoCallUrl = metadata.hangoutLink || - results[0].createdEvent?.url || + createdOrUpdatedEvent?.url || organizerOrFirstDynamicGroupMemberDefaultLocationUrl || getVideoCallUrlFromCalEvent(evt) || videoCallUrl; @@ -1904,8 +1266,7 @@ async function handler( evt.appsStatus = handleAppsStatus(results, booking, reqAppsStatus); - // If there is an integration error, we don't send successful rescheduling email, instead broken integration email should be sent that are handled by either CalendarManager or videoClient - if (noEmail !== true && isConfirmedByDefault && !isThereAnIntegrationError) { + if (noEmail !== true && isConfirmedByDefault) { const copyEvent = cloneDeep(evt); const copyEventAdditionalInfo = { ...copyEvent, @@ -1979,7 +1340,9 @@ async function handler( } else if (isConfirmedByDefault) { // Use EventManager to conditionally use all needed integrations. const createManager = await eventManager.create(evt); - + if (evt.location) { + booking.location = evt.location; + } // This gets overridden when creating the event - to check if notes have been hidden or not. We just reset this back // to the default description when we are sending the emails. evt.description = eventType.description; @@ -2077,21 +1440,17 @@ async function handler( let isHostConfirmationEmailsDisabled = false; let isAttendeeConfirmationEmailDisabled = false; - const workflows = eventType.workflows.map((workflow) => workflow.workflow); - - if (eventType.workflows) { - isHostConfirmationEmailsDisabled = - eventType.metadata?.disableStandardEmails?.confirmation?.host || false; - isAttendeeConfirmationEmailDisabled = - eventType.metadata?.disableStandardEmails?.confirmation?.attendee || false; + isHostConfirmationEmailsDisabled = + eventType.metadata?.disableStandardEmails?.confirmation?.host || false; + isAttendeeConfirmationEmailDisabled = + eventType.metadata?.disableStandardEmails?.confirmation?.attendee || false; - if (isHostConfirmationEmailsDisabled) { - isHostConfirmationEmailsDisabled = allowDisablingHostConfirmationEmails(workflows); - } + if (isHostConfirmationEmailsDisabled) { + isHostConfirmationEmailsDisabled = allowDisablingHostConfirmationEmails(workflows); + } - if (isAttendeeConfirmationEmailDisabled) { - isAttendeeConfirmationEmailDisabled = allowDisablingAttendeeConfirmationEmails(workflows); - } + if (isAttendeeConfirmationEmailDisabled) { + isAttendeeConfirmationEmailDisabled = allowDisablingAttendeeConfirmationEmails(workflows); } loggerWithEventDetails.debug( @@ -2217,6 +1576,7 @@ async function handler( eventTypeId, triggerEvent: WebhookTriggerEvents.BOOKING_PAYMENT_INITIATED, teamId, + orgId, }; await handleWebhookTrigger({ subscriberOptions: subscriberOptionsPaymentInitiated, @@ -2230,7 +1590,7 @@ async function handler( req.statusCode = 201; // TODO: Refactor better so this booking object is not passed // all around and instead the individual fields are sent as args. - const bookingReponse = { + const bookingResponse = { ...booking, user: { ...booking.user, @@ -2239,9 +1599,10 @@ async function handler( }; return { - ...bookingReponse, + ...bookingResponse, ...luckyUserResponse, message: "Payment required", + paymentRequired: true, paymentUid: payment?.uid, paymentId: payment?.id, }; @@ -2251,38 +1612,49 @@ async function handler( // We are here so, booking doesn't require payment and booking is also created in DB already, through createBooking call if (isConfirmedByDefault) { - try { - const subscribersMeetingEnded = await getWebhooks(subscriberOptionsMeetingEnded); - const subscribersMeetingStarted = await getWebhooks(subscriberOptionsMeetingStarted); + const subscribersMeetingEnded = await getWebhooks(subscriberOptionsMeetingEnded); + const subscribersMeetingStarted = await getWebhooks(subscriberOptionsMeetingStarted); - subscribersMeetingEnded.forEach((subscriber) => { - if (rescheduleUid && originalRescheduledBooking) { - cancelScheduledJobs(originalRescheduledBooking, undefined, true); - } - if (booking && booking.status === BookingStatus.ACCEPTED) { - scheduleTrigger(booking, subscriber.subscriberUrl, subscriber, WebhookTriggerEvents.MEETING_ENDED); - } + let deleteWebhookScheduledTriggerPromise: Promise = Promise.resolve(); + const scheduleTriggerPromises = []; + + if (rescheduleUid && originalRescheduledBooking) { + //delete all scheduled triggers for meeting ended and meeting started of booking + deleteWebhookScheduledTriggerPromise = deleteWebhookScheduledTriggers({ + booking: originalRescheduledBooking, }); + } - subscribersMeetingStarted.forEach((subscriber) => { - if (rescheduleUid && originalRescheduledBooking) { - cancelScheduledJobs(originalRescheduledBooking, undefined, true); - } - if (booking && booking.status === BookingStatus.ACCEPTED) { - scheduleTrigger( + if (booking && booking.status === BookingStatus.ACCEPTED) { + for (const subscriber of subscribersMeetingEnded) { + scheduleTriggerPromises.push( + scheduleTrigger({ booking, - subscriber.subscriberUrl, + subscriberUrl: subscriber.subscriberUrl, subscriber, - WebhookTriggerEvents.MEETING_STARTED - ); - } - }); - } catch (error) { + triggerEvent: WebhookTriggerEvents.MEETING_ENDED, + }) + ); + } + + for (const subscriber of subscribersMeetingStarted) { + scheduleTriggerPromises.push( + scheduleTrigger({ + booking, + subscriberUrl: subscriber.subscriberUrl, + subscriber, + triggerEvent: WebhookTriggerEvents.MEETING_STARTED, + }) + ); + } + } + + await Promise.all([deleteWebhookScheduledTriggerPromise, ...scheduleTriggerPromises]).catch((error) => { loggerWithEventDetails.error( - "Error while running scheduledJobs for booking", + "Error while scheduling or canceling webhook triggers", JSON.stringify({ error }) ); - } + }); // Send Webhook call if hooked to BOOKING_CREATED & BOOKING_RESCHEDULED await handleWebhookTrigger({ subscriberOptions, eventTrigger, webhookData }); @@ -2322,6 +1694,7 @@ async function handler( uid: booking.uid, }, data: { + location: evt.location, metadata: { ...(typeof booking.metadata === "object" && booking.metadata), ...metadata }, references: { createMany: { @@ -2338,7 +1711,7 @@ async function handler( await scheduleMandatoryReminder( evtWithMetadata, - eventType.workflows || [], + workflows, !isConfirmedByDefault, !!eventType.owner?.hideBranding, evt.attendeeSeatId @@ -2346,15 +1719,14 @@ async function handler( try { await scheduleWorkflowReminders({ - workflows: eventType.workflows, + workflows, smsReminderNumber: smsReminderNumber || null, calendarEvent: evtWithMetadata, isNotConfirmed: rescheduleUid ? false : !isConfirmedByDefault, isRescheduleEvent: !!rescheduleUid, - isFirstRecurringEvent: true, + isFirstRecurringEvent: req.body.allRecurringDates ? req.body.isFirstRecurringSlot : undefined, hideBranding: !!eventType.owner?.hideBranding, seatReferenceUid: evt.attendeeSeatId, - eventTypeRequiresConfirmation: eventType.requiresConfirmation, }); } catch (error) { loggerWithEventDetails.error("Error while scheduling workflow reminders", JSON.stringify({ error })); @@ -2371,6 +1743,7 @@ async function handler( ...booking.user, email: null, }, + paymentRequired: false, }; return { @@ -2407,114 +1780,3 @@ function getVideoCallDetails({ return { videoCallUrl, metadata, updatedVideoEvent }; } - -function getRequiresConfirmationFlags({ - eventType, - bookingStartTime, - userId, - paymentAppData, - originalRescheduledBookingOrganizerId, -}: { - eventType: Pick>, "metadata" | "requiresConfirmation">; - bookingStartTime: string; - userId: number | undefined; - paymentAppData: { price: number }; - originalRescheduledBookingOrganizerId: number | undefined; -}) { - let requiresConfirmation = eventType?.requiresConfirmation; - const rcThreshold = eventType?.metadata?.requiresConfirmationThreshold; - if (rcThreshold) { - if (dayjs(dayjs(bookingStartTime).utc().format()).diff(dayjs(), rcThreshold.unit) > rcThreshold.time) { - requiresConfirmation = false; - } - } - - // If the user is not the owner of the event, new booking should be always pending. - // Otherwise, an owner rescheduling should be always accepted. - // Before comparing make sure that userId is set, otherwise undefined === undefined - const userReschedulingIsOwner = !!(userId && originalRescheduledBookingOrganizerId === userId); - const isConfirmedByDefault = (!requiresConfirmation && !paymentAppData.price) || userReschedulingIsOwner; - return { - /** - * Organizer of the booking is rescheduling - */ - userReschedulingIsOwner, - /** - * Booking won't need confirmation to be ACCEPTED - */ - isConfirmedByDefault, - }; -} - -function handleCustomInputs( - eventTypeCustomInputs: EventTypeCustomInput[], - reqCustomInputs: { - value: string | boolean; - label: string; - }[] -) { - eventTypeCustomInputs.forEach((etcInput) => { - if (etcInput.required) { - const input = reqCustomInputs.find((i) => i.label === etcInput.label); - if (etcInput.type === "BOOL") { - z.literal(true, { - errorMap: () => ({ message: `Missing ${etcInput.type} customInput: '${etcInput.label}'` }), - }).parse(input?.value); - } else if (etcInput.type === "PHONE") { - z.string({ - errorMap: () => ({ - message: `Missing ${etcInput.type} customInput: '${etcInput.label}'`, - }), - }) - .refine((val) => isValidPhoneNumber(val), { - message: "Phone number is invalid", - }) - .parse(input?.value); - } else { - // type: NUMBER are also passed as string - z.string({ - errorMap: () => ({ message: `Missing ${etcInput.type} customInput: '${etcInput.label}'` }), - }) - .min(1) - .parse(input?.value); - } - } - }); -} - -/** - * This method is mostly same as the one in UserRepository but it includes a lot more relations which are specific requirement here - * TODO: Figure out how to keep it in UserRepository and use it here - */ -export const findUsersByUsername = async ({ - usernameList, - orgSlug, -}: { - orgSlug: string | null; - usernameList: string[]; -}) => { - log.debug("findUsersByUsername", { usernameList, orgSlug }); - const { where, profiles } = await UserRepository._getWhereClauseForFindingUsersByUsername({ - orgSlug, - usernameList, - }); - return ( - await prisma.user.findMany({ - where, - select: { - ...userSelect.select, - credentials: { - select: credentialForCalendarServiceSelect, - }, - metadata: true, - }, - }) - ).map((user) => { - const profile = profiles?.find((profile) => profile.user.id === user.id) ?? null; - return { - ...user, - organizationId: profile?.organizationId ?? null, - profile, - }; - }); -}; diff --git a/packages/features/bookings/lib/handleNewBooking/checkIfBookerEmailIsBlocked.ts b/packages/features/bookings/lib/handleNewBooking/checkIfBookerEmailIsBlocked.ts new file mode 100644 index 00000000000000..4f4aa17649c48c --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/checkIfBookerEmailIsBlocked.ts @@ -0,0 +1,62 @@ +import { extractBaseEmail } from "@calcom/lib/extract-base-email"; +import { HttpError } from "@calcom/lib/http-error"; +import prisma from "@calcom/prisma"; + +export const checkIfBookerEmailIsBlocked = async ({ + bookerEmail, + loggedInUserId, +}: { + bookerEmail: string; + loggedInUserId?: number; +}) => { + const baseEmail = extractBaseEmail(bookerEmail); + const blacklistedGuestEmails = process.env.BLACKLISTED_GUEST_EMAILS + ? process.env.BLACKLISTED_GUEST_EMAILS.split(",") + : []; + + const blacklistedEmail = blacklistedGuestEmails.find( + (guestEmail: string) => guestEmail.toLowerCase() === baseEmail.toLowerCase() + ); + + if (!blacklistedEmail) { + return false; + } + + const user = await prisma.user.findFirst({ + where: { + OR: [ + { + email: baseEmail, + emailVerified: { + not: null, + }, + }, + { + secondaryEmails: { + some: { + email: baseEmail, + emailVerified: { + not: null, + }, + }, + }, + }, + ], + }, + select: { + id: true, + email: true, + }, + }); + + if (!user) { + throw new HttpError({ statusCode: 403, message: "Cannot use this email to create the booking." }); + } + + if (user.id !== loggedInUserId) { + throw new HttpError({ + statusCode: 403, + message: `Attendee email has been blocked. Make sure to login as ${bookerEmail} to use this email for creating a booking.`, + }); + } +}; diff --git a/packages/features/bookings/lib/handleNewBooking/createBooking.ts b/packages/features/bookings/lib/handleNewBooking/createBooking.ts new file mode 100644 index 00000000000000..6c1ad5c3019f5e --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/createBooking.ts @@ -0,0 +1,267 @@ +import { Prisma } from "@prisma/client"; +import type short from "short-uuid"; + +import dayjs from "@calcom/dayjs"; +import { isPrismaObjOrUndefined } from "@calcom/lib"; +import prisma from "@calcom/prisma"; +import { BookingStatus } from "@calcom/prisma/enums"; +import type { CalendarEvent } from "@calcom/types/Calendar"; + +import type { TgetBookingDataSchema } from "../getBookingDataSchema"; +import type { + EventTypeId, + AwaitedBookingData, + NewBookingEventType, + IsConfirmedByDefault, + PaymentAppData, + OriginalRescheduledBooking, + AwaitedLoadUsers, +} from "./types"; + +type ReqBodyWithEnd = TgetBookingDataSchema & { end: string }; + +type CreateBookingParams = { + originalRescheduledBooking: OriginalRescheduledBooking; + evt: CalendarEvent; + eventType: NewBookingEventType; + eventTypeId: EventTypeId; + eventTypeSlug: AwaitedBookingData["eventTypeSlug"]; + reqBodyUser: ReqBodyWithEnd["user"]; + reqBodyMetadata: ReqBodyWithEnd["metadata"]; + reqBodyRecurringEventId: ReqBodyWithEnd["recurringEventId"]; + uid: short.SUUID; + responses: ReqBodyWithEnd["responses"] | null; + isConfirmedByDefault: IsConfirmedByDefault; + smsReminderNumber: AwaitedBookingData["smsReminderNumber"]; + organizerUser: AwaitedLoadUsers[number] & { + isFixed?: boolean; + metadata?: Prisma.JsonValue; + }; + rescheduleReason: AwaitedBookingData["rescheduleReason"]; + bookerEmail: AwaitedBookingData["email"]; + paymentAppData: PaymentAppData; + changedOrganizer: boolean; +}; + +function updateEventDetails( + evt: CalendarEvent, + originalRescheduledBooking: OriginalRescheduledBooking | null, + changedOrganizer: boolean +) { + if (originalRescheduledBooking) { + evt.title = originalRescheduledBooking?.title || evt.title; + evt.description = originalRescheduledBooking?.description || evt.description; + evt.location = originalRescheduledBooking?.location || evt.location; + evt.location = changedOrganizer ? evt.location : originalRescheduledBooking?.location || evt.location; + } +} + +export async function createBooking({ + originalRescheduledBooking, + evt, + eventTypeId, + eventTypeSlug, + reqBodyUser, + reqBodyMetadata, + reqBodyRecurringEventId, + uid, + responses, + isConfirmedByDefault, + smsReminderNumber, + organizerUser, + rescheduleReason, + eventType, + bookerEmail, + paymentAppData, + changedOrganizer, +}: CreateBookingParams) { + updateEventDetails(evt, originalRescheduledBooking, changedOrganizer); + + const newBookingData = buildNewBookingData({ + uid, + evt, + responses, + isConfirmedByDefault, + reqBodyMetadata, + smsReminderNumber, + eventTypeSlug, + organizerUser, + reqBodyRecurringEventId, + originalRescheduledBooking, + bookerEmail, + rescheduleReason, + eventType, + eventTypeId, + reqBodyUser, + }); + + return await saveBooking(newBookingData, originalRescheduledBooking, paymentAppData, organizerUser); +} + +async function saveBooking( + newBookingData: Prisma.BookingCreateInput, + originalRescheduledBooking: OriginalRescheduledBooking, + paymentAppData: PaymentAppData, + organizerUser: CreateBookingParams["organizerUser"] +) { + const createBookingObj = { + include: { + user: { + select: { email: true, name: true, timeZone: true, username: true }, + }, + attendees: true, + payment: true, + references: true, + }, + data: newBookingData, + }; + + if (originalRescheduledBooking?.paid && originalRescheduledBooking?.payment) { + const bookingPayment = originalRescheduledBooking.payment.find((payment) => payment.success); + if (bookingPayment) { + createBookingObj.data.payment = { connect: { id: bookingPayment.id } }; + } + } + + if (typeof paymentAppData.price === "number" && paymentAppData.price > 0) { + await prisma.credential.findFirstOrThrow({ + where: { + appId: paymentAppData.appId, + ...(paymentAppData.credentialId ? { id: paymentAppData.credentialId } : { userId: organizerUser.id }), + }, + select: { id: true }, + }); + } + + return prisma.booking.create(createBookingObj); +} + +function getEventTypeRel(eventTypeId: EventTypeId) { + return eventTypeId ? { connect: { id: eventTypeId } } : {}; +} + +function getAttendeesData(evt: Pick) { + //if attendee is team member, it should fetch their locale not booker's locale + //perhaps make email fetch request to see if his locale is stored, else + const attendees = evt.attendees.map((attendee) => ({ + name: attendee.name, + email: attendee.email, + timeZone: attendee.timeZone, + locale: attendee.language.locale, + })); + + if (evt.team?.members) { + attendees.push( + ...evt.team.members.map((member) => ({ + email: member.email, + name: member.name, + timeZone: member.timeZone, + locale: member.language.locale, + })) + ); + } + + return attendees; +} + +function buildNewBookingData(params: { + uid: short.SUUID; + evt: CalendarEvent; + responses: ReqBodyWithEnd["responses"] | null; + isConfirmedByDefault: IsConfirmedByDefault; + reqBodyMetadata: ReqBodyWithEnd["metadata"]; + smsReminderNumber: AwaitedBookingData["smsReminderNumber"]; + eventTypeSlug: AwaitedBookingData["eventTypeSlug"]; + organizerUser: CreateBookingParams["organizerUser"]; + reqBodyRecurringEventId: ReqBodyWithEnd["recurringEventId"]; + originalRescheduledBooking: OriginalRescheduledBooking | null; + bookerEmail: AwaitedBookingData["email"]; + rescheduleReason: AwaitedBookingData["rescheduleReason"]; + eventType: NewBookingEventType; + eventTypeId: EventTypeId; + reqBodyUser: ReqBodyWithEnd["user"]; +}): Prisma.BookingCreateInput { + const { + uid, + evt, + responses, + isConfirmedByDefault, + reqBodyMetadata, + smsReminderNumber, + eventTypeSlug, + organizerUser, + reqBodyRecurringEventId, + originalRescheduledBooking, + bookerEmail, + rescheduleReason, + eventType, + eventTypeId, + reqBodyUser, + } = params; + + const attendeesData = getAttendeesData(evt); + const eventTypeRel = getEventTypeRel(eventTypeId); + + const newBookingData: Prisma.BookingCreateInput = { + uid, + userPrimaryEmail: evt.organizer.email, + responses: responses === null || evt.seatsPerTimeSlot ? Prisma.JsonNull : responses, + title: evt.title, + startTime: dayjs.utc(evt.startTime).toDate(), + endTime: dayjs.utc(evt.endTime).toDate(), + description: evt.seatsPerTimeSlot ? null : evt.additionalNotes, + customInputs: isPrismaObjOrUndefined(evt.customInputs), + status: isConfirmedByDefault ? BookingStatus.ACCEPTED : BookingStatus.PENDING, + location: evt.location, + eventType: eventTypeRel, + smsReminderNumber, + metadata: reqBodyMetadata, + attendees: { + createMany: { + data: attendeesData, + }, + }, + dynamicEventSlugRef: !eventTypeId ? eventTypeSlug : null, + dynamicGroupSlugRef: !eventTypeId ? (reqBodyUser as string).toLowerCase() : null, + iCalUID: evt.iCalUID ?? "", + user: { + connect: { + id: organizerUser.id, + }, + }, + destinationCalendar: + evt.destinationCalendar && evt.destinationCalendar.length > 0 + ? { + connect: { id: evt.destinationCalendar[0].id }, + } + : undefined, + }; + + if (reqBodyRecurringEventId) { + newBookingData.recurringEventId = reqBodyRecurringEventId; + } + + if (originalRescheduledBooking) { + newBookingData.metadata = { + ...(typeof originalRescheduledBooking.metadata === "object" && originalRescheduledBooking.metadata), + }; + newBookingData.paid = originalRescheduledBooking.paid; + newBookingData.fromReschedule = originalRescheduledBooking.uid; + if (originalRescheduledBooking.uid) { + newBookingData.cancellationReason = rescheduleReason; + } + // Reschedule logic with booking with seats + if (newBookingData.attendees?.createMany?.data && eventType?.seatsPerTimeSlot && bookerEmail) { + newBookingData.attendees.createMany.data = attendeesData.filter( + (attendee) => attendee.email === bookerEmail + ); + } + if (originalRescheduledBooking.recurringEventId) { + newBookingData.recurringEventId = originalRescheduledBooking.recurringEventId; + } + } + + return newBookingData; +} + +export type Booking = Prisma.PromiseReturnType; diff --git a/packages/features/bookings/lib/handleNewBooking/ensureAvailableUsers.ts b/packages/features/bookings/lib/handleNewBooking/ensureAvailableUsers.ts new file mode 100644 index 00000000000000..028c076203e7fd --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/ensureAvailableUsers.ts @@ -0,0 +1,155 @@ +import type { Logger } from "tslog"; + +import { getBusyTimesForLimitChecks } from "@calcom/core/getBusyTimes"; +import { getUsersAvailability } from "@calcom/core/getUserAvailability"; +import dayjs from "@calcom/dayjs"; +import type { Dayjs } from "@calcom/dayjs"; +import { parseBookingLimit, parseDurationLimit } from "@calcom/lib"; +import { ErrorCode } from "@calcom/lib/errorCodes"; +import { safeStringify } from "@calcom/lib/safeStringify"; + +import { checkForConflicts } from "../conflictChecker/checkForConflicts"; +import type { getEventTypeResponse } from "./getEventTypesFromDB"; +import type { IsFixedAwareUser, BookingType } from "./types"; + +type DateRange = { + start: Dayjs; + end: Dayjs; +}; + +const getDateTimeInUtc = (timeInput: string, timeZone?: string) => { + return timeZone === "Etc/GMT" ? dayjs.utc(timeInput) : dayjs(timeInput).tz(timeZone).utc(); +}; + +const getOriginalBookingDuration = (originalBooking?: BookingType) => { + return originalBooking + ? dayjs(originalBooking.endTime).diff(dayjs(originalBooking.startTime), "minutes") + : undefined; +}; + +const hasDateRangeForBooking = ( + dateRanges: DateRange[], + startDateTimeUtc: dayjs.Dayjs, + endDateTimeUtc: dayjs.Dayjs +) => { + let dateRangeForBooking = false; + + for (const dateRange of dateRanges) { + if ( + (startDateTimeUtc.isAfter(dateRange.start) || startDateTimeUtc.isSame(dateRange.start)) && + (endDateTimeUtc.isBefore(dateRange.end) || endDateTimeUtc.isSame(dateRange.end)) + ) { + dateRangeForBooking = true; + break; + } + } + + return dateRangeForBooking; +}; + +export async function ensureAvailableUsers( + eventType: getEventTypeResponse & { + users: IsFixedAwareUser[]; + }, + input: { dateFrom: string; dateTo: string; timeZone: string; originalRescheduledBooking?: BookingType }, + loggerWithEventDetails: Logger +) { + const availableUsers: IsFixedAwareUser[] = []; + + const startDateTimeUtc = getDateTimeInUtc(input.dateFrom, input.timeZone); + const endDateTimeUtc = getDateTimeInUtc(input.dateTo, input.timeZone); + + const duration = dayjs(input.dateTo).diff(input.dateFrom, "minute"); + const originalBookingDuration = getOriginalBookingDuration(input.originalRescheduledBooking); + + const bookingLimits = parseBookingLimit(eventType?.bookingLimits); + const durationLimits = parseDurationLimit(eventType?.durationLimits); + + const busyTimesFromLimitsBookingsAllUsers: Awaited> = + eventType && (bookingLimits || durationLimits) + ? await getBusyTimesForLimitChecks({ + userIds: eventType.users.map((u) => u.id), + eventTypeId: eventType.id, + startDate: startDateTimeUtc.format(), + endDate: endDateTimeUtc.format(), + rescheduleUid: input.originalRescheduledBooking?.uid ?? null, + bookingLimits, + durationLimits, + }) + : []; + + const usersAvailability = await getUsersAvailability({ + users: eventType.users, + query: { + ...input, + eventTypeId: eventType.id, + duration: originalBookingDuration, + returnDateOverrides: false, + dateFrom: startDateTimeUtc.format(), + dateTo: endDateTimeUtc.format(), + }, + initialData: { + eventType, + rescheduleUid: input.originalRescheduledBooking?.uid ?? null, + busyTimesFromLimitsBookings: busyTimesFromLimitsBookingsAllUsers, + }, + }); + + usersAvailability.forEach(({ oooExcludedDateRanges: dateRanges, busy: bufferedBusyTimes }, index) => { + const user = eventType.users[index]; + + loggerWithEventDetails.debug( + "calendarBusyTimes==>>>", + JSON.stringify({ bufferedBusyTimes, dateRanges, isRecurringEvent: eventType.recurringEvent }) + ); + + if (!dateRanges.length) { + loggerWithEventDetails.error( + `User does not have availability at this time.`, + safeStringify({ + startDateTimeUtc, + endDateTimeUtc, + input, + }) + ); + return; + } + + //check if event time is within the date range + if (!hasDateRangeForBooking(dateRanges, startDateTimeUtc, endDateTimeUtc)) { + loggerWithEventDetails.error( + `No date range for booking.`, + safeStringify({ + startDateTimeUtc, + endDateTimeUtc, + input, + }) + ); + return; + } + + try { + const foundConflict = checkForConflicts(bufferedBusyTimes, startDateTimeUtc, duration); + // no conflicts found, add to available users. + if (!foundConflict) { + availableUsers.push(user); + } + } catch (error) { + loggerWithEventDetails.error("Unable set isAvailableToBeBooked. Using true. ", error); + } + }); + + if (!availableUsers.length) { + loggerWithEventDetails.error( + `No available users found.`, + safeStringify({ + startDateTimeUtc, + endDateTimeUtc, + input, + }) + ); + throw new Error(ErrorCode.NoAvailableUsersFound); + } + + return availableUsers; +} diff --git a/packages/features/bookings/lib/handleNewBooking/findBookingQuery.ts b/packages/features/bookings/lib/handleNewBooking/findBookingQuery.ts new file mode 100644 index 00000000000000..ec339e585f3174 --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/findBookingQuery.ts @@ -0,0 +1,48 @@ +import prisma from "@calcom/prisma"; + +export const findBookingQuery = async (bookingId: number) => { + const foundBooking = await prisma.booking.findUnique({ + where: { + id: bookingId, + }, + select: { + uid: true, + location: true, + startTime: true, + endTime: true, + title: true, + description: true, + status: true, + responses: true, + metadata: true, + user: { + select: { + name: true, + email: true, + timeZone: true, + username: true, + }, + }, + eventType: { + select: { + title: true, + description: true, + currency: true, + length: true, + lockTimeZoneToggleOnBookingPage: true, + requiresConfirmation: true, + requiresBookerEmailVerification: true, + price: true, + }, + }, + }, + }); + + // This should never happen but it's just typescript safe + if (!foundBooking) { + throw new Error("Internal Error. Couldn't find booking"); + } + + // Don't leak any sensitive data + return foundBooking; +}; diff --git a/packages/features/bookings/lib/handleNewBooking/getBookingData.ts b/packages/features/bookings/lib/handleNewBooking/getBookingData.ts new file mode 100644 index 00000000000000..316630a1b85f75 --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/getBookingData.ts @@ -0,0 +1,89 @@ +import type { EventTypeCustomInput } from "@prisma/client"; +import type { NextApiRequest } from "next"; +import type z from "zod"; + +import dayjs from "@calcom/dayjs"; +import { getCalEventResponses } from "@calcom/features/bookings/lib/getCalEventResponses"; +import { ErrorCode } from "@calcom/lib/errorCodes"; +import { bookingCreateSchemaLegacyPropsForApi } from "@calcom/prisma/zod-utils"; + +import type { TgetBookingDataSchema } from "../getBookingDataSchema"; +import { handleCustomInputs } from "./handleCustomInputs"; +import type { getEventTypeResponse } from "./types"; + +type ReqBodyWithEnd = TgetBookingDataSchema & { end: string }; + +export async function getBookingData({ + req, + eventType, + schema, +}: { + req: NextApiRequest; + eventType: getEventTypeResponse; + schema: T; +}) { + const reqBody = await schema.parseAsync(req.body); + const reqBodyWithEnd = (reqBody: TgetBookingDataSchema): reqBody is ReqBodyWithEnd => { + // Use the event length to auto-set the event end time. + if (!Object.prototype.hasOwnProperty.call(reqBody, "end")) { + reqBody.end = dayjs.utc(reqBody.start).add(eventType.length, "minutes").format(); + } + return true; + }; + if (!reqBodyWithEnd(reqBody)) { + throw new Error(ErrorCode.RequestBodyWithouEnd); + } + // reqBody.end is no longer an optional property. + if (reqBody.customInputs) { + // Check if required custom inputs exist + handleCustomInputs(eventType.customInputs as EventTypeCustomInput[], reqBody.customInputs); + const reqBodyWithLegacyProps = bookingCreateSchemaLegacyPropsForApi.parse(reqBody); + return { + ...reqBody, + name: reqBodyWithLegacyProps.name, + email: reqBodyWithLegacyProps.email, + guests: reqBodyWithLegacyProps.guests, + location: reqBodyWithLegacyProps.location || "", + smsReminderNumber: reqBodyWithLegacyProps.smsReminderNumber, + notes: reqBodyWithLegacyProps.notes, + rescheduleReason: reqBodyWithLegacyProps.rescheduleReason, + // So TS doesn't complain about unknown properties + calEventUserFieldsResponses: undefined, + calEventResponses: undefined, + customInputs: undefined, + }; + } + if (!reqBody.responses) { + throw new Error("`responses` must not be nullish"); + } + const responses = reqBody.responses; + + const { userFieldsResponses: calEventUserFieldsResponses, responses: calEventResponses } = + getCalEventResponses({ + bookingFields: eventType.bookingFields, + responses, + }); + return { + ...reqBody, + name: responses.name, + email: responses.email, + guests: responses.guests ? responses.guests : [], + location: responses.location?.optionValue || responses.location?.value || "", + smsReminderNumber: responses.smsReminderNumber, + notes: responses.notes || "", + calEventUserFieldsResponses, + rescheduleReason: responses.rescheduleReason, + calEventResponses, + // So TS doesn't complain about unknown properties + customInputs: undefined, + }; +} + +export type AwaitedBookingData = Awaited>; +export type RescheduleReason = AwaitedBookingData["rescheduleReason"]; +export type NoEmail = AwaitedBookingData["noEmail"]; +export type AdditionalNotes = AwaitedBookingData["notes"]; +export type ReqAppsStatus = AwaitedBookingData["appsStatus"]; +export type SmsReminderNumber = AwaitedBookingData["smsReminderNumber"]; +export type EventTypeId = AwaitedBookingData["eventTypeId"]; +export type ReqBodyMetadata = ReqBodyWithEnd["metadata"]; diff --git a/packages/features/bookings/lib/handleNewBooking/getEventTypesFromDB.ts b/packages/features/bookings/lib/handleNewBooking/getEventTypesFromDB.ts new file mode 100644 index 00000000000000..38576d80aea54a --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/getEventTypesFromDB.ts @@ -0,0 +1,133 @@ +import type { LocationObject } from "@calcom/app-store/locations"; +import { workflowSelect } from "@calcom/ee/workflows/lib/getAllWorkflows"; +import { getBookingFieldsWithSystemFields } from "@calcom/features/bookings/lib/getBookingFields"; +import { parseRecurringEvent } from "@calcom/lib"; +import prisma, { userSelect } from "@calcom/prisma"; +import { credentialForCalendarServiceSelect } from "@calcom/prisma/selects/credential"; +import { EventTypeMetaDataSchema, customInputSchema } from "@calcom/prisma/zod-utils"; + +export const getEventTypesFromDB = async (eventTypeId: number) => { + const eventType = await prisma.eventType.findUniqueOrThrow({ + where: { + id: eventTypeId, + }, + select: { + id: true, + customInputs: true, + disableGuests: true, + users: { + select: { + credentials: { + select: credentialForCalendarServiceSelect, + }, + ...userSelect.select, + }, + }, + slug: true, + team: { + select: { + id: true, + name: true, + parentId: true, + }, + }, + bookingFields: true, + title: true, + length: true, + eventName: true, + schedulingType: true, + description: true, + periodType: true, + periodStartDate: true, + periodEndDate: true, + periodDays: true, + periodCountCalendarDays: true, + lockTimeZoneToggleOnBookingPage: true, + requiresConfirmation: true, + requiresBookerEmailVerification: true, + minimumBookingNotice: true, + userId: true, + price: true, + currency: true, + metadata: true, + destinationCalendar: true, + hideCalendarNotes: true, + seatsPerTimeSlot: true, + recurringEvent: true, + seatsShowAttendees: true, + seatsShowAvailabilityCount: true, + bookingLimits: true, + durationLimits: true, + assignAllTeamMembers: true, + parentId: true, + parent: { + select: { + teamId: true, + }, + }, + useEventTypeDestinationCalendarEmail: true, + owner: { + select: { + hideBranding: true, + }, + }, + workflows: { + select: { + workflow: { + select: workflowSelect, + }, + }, + }, + locations: true, + timeZone: true, + schedule: { + select: { + id: true, + availability: true, + timeZone: true, + }, + }, + hosts: { + select: { + isFixed: true, + priority: true, + user: { + select: { + credentials: { + select: credentialForCalendarServiceSelect, + }, + ...userSelect.select, + }, + }, + }, + }, + availability: { + select: { + date: true, + startTime: true, + endTime: true, + days: true, + }, + }, + secondaryEmailId: true, + secondaryEmail: { + select: { + id: true, + email: true, + }, + }, + }, + }); + + return { + ...eventType, + metadata: EventTypeMetaDataSchema.parse(eventType?.metadata || {}), + recurringEvent: parseRecurringEvent(eventType?.recurringEvent), + customInputs: customInputSchema.array().parse(eventType?.customInputs || []), + locations: (eventType?.locations ?? []) as LocationObject[], + bookingFields: getBookingFieldsWithSystemFields(eventType || {}), + isDynamic: false, + }; +}; + +export type getEventTypeResponse = Awaited>; diff --git a/packages/features/bookings/lib/handleNewBooking/getOriginalRescheduledBooking.ts b/packages/features/bookings/lib/handleNewBooking/getOriginalRescheduledBooking.ts new file mode 100644 index 00000000000000..55930a095f4a26 --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/getOriginalRescheduledBooking.ts @@ -0,0 +1,60 @@ +import type { Prisma } from "@prisma/client"; + +import prisma from "@calcom/prisma"; +import { BookingStatus } from "@calcom/prisma/enums"; + +export async function getOriginalRescheduledBooking(uid: string, seatsEventType?: boolean) { + return prisma.booking.findFirst({ + where: { + uid: uid, + status: { + in: [BookingStatus.ACCEPTED, BookingStatus.CANCELLED, BookingStatus.PENDING], + }, + }, + include: { + attendees: { + select: { + name: true, + email: true, + locale: true, + timeZone: true, + ...(seatsEventType && { bookingSeat: true, id: true }), + }, + }, + user: { + select: { + id: true, + name: true, + email: true, + locale: true, + timeZone: true, + destinationCalendar: true, + credentials: { + select: { + id: true, + userId: true, + key: true, + type: true, + teamId: true, + appId: true, + invalid: true, + user: { + select: { + email: true, + }, + }, + }, + }, + }, + }, + destinationCalendar: true, + payment: true, + references: true, + workflowReminders: true, + }, + }); +} + +export type BookingType = Prisma.PromiseReturnType; + +export type OriginalRescheduledBooking = Awaited>; diff --git a/packages/features/bookings/lib/handleNewBooking/getRequiresConfirmationFlags.ts b/packages/features/bookings/lib/handleNewBooking/getRequiresConfirmationFlags.ts new file mode 100644 index 00000000000000..e2c4f9891f1b97 --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/getRequiresConfirmationFlags.ts @@ -0,0 +1,73 @@ +import dayjs from "@calcom/dayjs"; + +import type { getEventTypeResponse } from "./getEventTypesFromDB"; + +type EventType = Pick; +type PaymentAppData = { price: number }; + +export function getRequiresConfirmationFlags({ + eventType, + bookingStartTime, + userId, + paymentAppData, + originalRescheduledBookingOrganizerId, +}: { + eventType: EventType; + bookingStartTime: string; + userId: number | undefined; + paymentAppData: PaymentAppData; + originalRescheduledBookingOrganizerId: number | undefined; +}) { + const requiresConfirmation = determineRequiresConfirmation(eventType, bookingStartTime); + const userReschedulingIsOwner = isUserReschedulingOwner(userId, originalRescheduledBookingOrganizerId); + const isConfirmedByDefault = determineIsConfirmedByDefault( + requiresConfirmation, + paymentAppData.price, + userReschedulingIsOwner + ); + + return { + /** + * Organizer of the booking is rescheduling + */ + userReschedulingIsOwner, + /** + * Booking won't need confirmation to be ACCEPTED + */ + isConfirmedByDefault, + }; +} + +function determineRequiresConfirmation(eventType: EventType, bookingStartTime: string): boolean { + let requiresConfirmation = eventType?.requiresConfirmation; + const rcThreshold = eventType?.metadata?.requiresConfirmationThreshold; + + if (rcThreshold) { + const timeDifference = dayjs(dayjs(bookingStartTime).utc().format()).diff(dayjs(), rcThreshold.unit); + if (timeDifference > rcThreshold.time) { + requiresConfirmation = false; + } + } + + return requiresConfirmation; +} + +function isUserReschedulingOwner( + userId: number | undefined, + originalRescheduledBookingOrganizerId: number | undefined +): boolean { + // If the user is not the owner of the event, new booking should be always pending. + // Otherwise, an owner rescheduling should be always accepted. + // Before comparing make sure that userId is set, otherwise undefined === undefined + return !!(userId && originalRescheduledBookingOrganizerId === userId); +} + +function determineIsConfirmedByDefault( + requiresConfirmation: boolean, + price: number, + userReschedulingIsOwner: boolean +): boolean { + return (!requiresConfirmation && price === 0) || userReschedulingIsOwner; +} + +export type IsConfirmedByDefault = ReturnType["isConfirmedByDefault"]; diff --git a/packages/features/bookings/lib/handleNewBooking/handleAppsStatus.ts b/packages/features/bookings/lib/handleNewBooking/handleAppsStatus.ts new file mode 100644 index 00000000000000..67fdb38f27e0e9 --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/handleAppsStatus.ts @@ -0,0 +1,60 @@ +import type { AdditionalInformation, AppsStatus } from "@calcom/types/Calendar"; +import type { EventResult } from "@calcom/types/EventManager"; + +import type { ReqAppsStatus, Booking } from "./types"; + +export function handleAppsStatus( + results: EventResult[], + booking: (Booking & { appsStatus?: AppsStatus[] }) | null, + reqAppsStatus: ReqAppsStatus +): AppsStatus[] { + const resultStatus = mapResultsToAppsStatus(results); + + if (reqAppsStatus === undefined) { + return updateBookingWithStatus(booking, resultStatus); + } + + return calculateAggregatedAppsStatus(reqAppsStatus, resultStatus); +} + +function mapResultsToAppsStatus(results: EventResult[]): AppsStatus[] { + return results.map((app) => ({ + appName: app.appName, + type: app.type, + success: app.success ? 1 : 0, + failures: !app.success ? 1 : 0, + errors: app.calError ? [app.calError] : [], + warnings: app.calWarnings, + })); +} + +function updateBookingWithStatus( + booking: (Booking & { appsStatus?: AppsStatus[] }) | null, + resultStatus: AppsStatus[] +): AppsStatus[] { + if (booking !== null) { + booking.appsStatus = resultStatus; + } + return resultStatus; +} + +function calculateAggregatedAppsStatus( + reqAppsStatus: NonNullable, + resultStatus: AppsStatus[] +): AppsStatus[] { + // From down here we can assume reqAppsStatus is not undefined anymore + // Other status exist, so this is the last booking of a series, + // proceeding to prepare the info for the event + const aggregatedStatus = reqAppsStatus.concat(resultStatus).reduce((acc, curr) => { + if (acc[curr.type]) { + acc[curr.type].success += curr.success; + acc[curr.type].errors = acc[curr.type].errors.concat(curr.errors); + acc[curr.type].warnings = acc[curr.type].warnings?.concat(curr.warnings || []); + } else { + acc[curr.type] = curr; + } + return acc; + }, {} as { [key: string]: AppsStatus }); + + return Object.values(aggregatedStatus); +} diff --git a/packages/features/bookings/lib/handleNewBooking/handleCustomInputs.ts b/packages/features/bookings/lib/handleNewBooking/handleCustomInputs.ts new file mode 100644 index 00000000000000..be6058a94e62c5 --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/handleCustomInputs.ts @@ -0,0 +1,56 @@ +import type { EventTypeCustomInput } from "@prisma/client"; +import { isValidPhoneNumber } from "libphonenumber-js"; +import z from "zod"; + +type CustomInput = { + value: string | boolean; + label: string; +}; + +export function handleCustomInputs( + eventTypeCustomInputs: EventTypeCustomInput[], + reqCustomInputs: CustomInput[] +) { + eventTypeCustomInputs.forEach((etcInput) => { + if (etcInput.required) { + const input = reqCustomInputs.find((input) => input.label === etcInput.label); + validateInput(etcInput, input?.value); + } + }); +} + +function validateInput(etcInput: EventTypeCustomInput, value: string | boolean | undefined) { + const errorMessage = `Missing ${etcInput.type} customInput: '${etcInput.label}'`; + + if (etcInput.type === "BOOL") { + validateBooleanInput(value, errorMessage); + } else if (etcInput.type === "PHONE") { + validatePhoneInput(value, errorMessage); + } else { + validateStringInput(value, errorMessage); + } +} + +function validateBooleanInput(value: string | boolean | undefined, errorMessage: string) { + z.literal(true, { + errorMap: () => ({ message: errorMessage }), + }).parse(value); +} + +function validatePhoneInput(value: string | boolean | undefined, errorMessage: string) { + z.string({ + errorMap: () => ({ message: errorMessage }), + }) + .refine((val) => isValidPhoneNumber(val), { + message: "Phone number is invalid", + }) + .parse(value); +} + +function validateStringInput(value: string | boolean | undefined, errorMessage: string) { + z.string({ + errorMap: () => ({ message: errorMessage }), + }) + .min(1) + .parse(value); +} diff --git a/packages/features/bookings/lib/handleNewBooking/loadUsers.ts b/packages/features/bookings/lib/handleNewBooking/loadUsers.ts new file mode 100644 index 00000000000000..a7117bec7e8482 --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/loadUsers.ts @@ -0,0 +1,89 @@ +import { Prisma } from "@prisma/client"; +import type { IncomingMessage } from "http"; + +import { orgDomainConfig } from "@calcom/features/ee/organizations/lib/orgDomains"; +import { HttpError } from "@calcom/lib/http-error"; +import logger from "@calcom/lib/logger"; +import { UserRepository } from "@calcom/lib/server/repository/user"; +import prisma, { userSelect } from "@calcom/prisma"; +import { credentialForCalendarServiceSelect } from "@calcom/prisma/selects/credential"; + +import type { NewBookingEventType } from "./types"; + +const log = logger.getSubLogger({ prefix: ["[loadUsers]:handleNewBooking "] }); + +type EventType = Pick; + +export const loadUsers = async (eventType: EventType, dynamicUserList: string[], req: IncomingMessage) => { + try { + const { currentOrgDomain } = orgDomainConfig(req); + + return eventType.id + ? await loadUsersByEventType(eventType) + : await loadDynamicUsers(dynamicUserList, currentOrgDomain); + } catch (error) { + if (error instanceof HttpError || error instanceof Prisma.PrismaClientKnownRequestError) { + throw new HttpError({ statusCode: 400, message: error.message }); + } + throw new HttpError({ statusCode: 500, message: "Unable to load users" }); + } +}; + +const loadUsersByEventType = async (eventType: EventType): Promise => { + const hosts = eventType.hosts || []; + const users = hosts.map(({ user, isFixed, priority }) => ({ + ...user, + isFixed, + priority, + })); + return users.length ? users : eventType.users; +}; + +const loadDynamicUsers = async (dynamicUserList: string[], currentOrgDomain: string | null) => { + if (!Array.isArray(dynamicUserList) || dynamicUserList.length === 0) { + throw new Error("dynamicUserList is not properly defined or empty."); + } + return findUsersByUsername({ + usernameList: dynamicUserList, + orgSlug: !!currentOrgDomain ? currentOrgDomain : null, + }); +}; + +/** + * This method is mostly same as the one in UserRepository but it includes a lot more relations which are specific requirement here + * TODO: Figure out how to keep it in UserRepository and use it here + */ +export const findUsersByUsername = async ({ + usernameList, + orgSlug, +}: { + orgSlug: string | null; + usernameList: string[]; +}) => { + log.debug("findUsersByUsername", { usernameList, orgSlug }); + const { where, profiles } = await UserRepository._getWhereClauseForFindingUsersByUsername({ + orgSlug, + usernameList, + }); + return ( + await prisma.user.findMany({ + where, + select: { + ...userSelect.select, + credentials: { + select: credentialForCalendarServiceSelect, + }, + metadata: true, + }, + }) + ).map((user) => { + const profile = profiles?.find((profile) => profile.user.id === user.id) ?? null; + return { + ...user, + organizationId: profile?.organizationId ?? null, + profile, + }; + }); +}; + +export type AwaitedLoadUsers = Awaited>; diff --git a/packages/features/bookings/lib/handleNewBooking/test/booking-limits.test.ts b/packages/features/bookings/lib/handleNewBooking/test/booking-limits.test.ts index f79531e8cfd349..a9f2322ee67a7e 100644 --- a/packages/features/bookings/lib/handleNewBooking/test/booking-limits.test.ts +++ b/packages/features/bookings/lib/handleNewBooking/test/booking-limits.test.ts @@ -7,10 +7,6 @@ */ import prismock from "../../../../../../tests/libs/__mocks__/prisma"; -import { describe, expect, vi } from "vitest"; - -import { BookingStatus } from "@calcom/prisma/enums"; -import { test } from "@calcom/web/test/fixtures/fixtures"; import { TestData, createBookingScenario, @@ -19,12 +15,22 @@ import { getNextMonthNotStartingOnWeekStart, getOrganizer, getScenarioData, + getGoogleCalendarCredential, + BookingLocations, + mockSuccessfulVideoMeetingCreation, + mockCalendarToHaveNoBusySlots, } from "@calcom/web/test/utils/bookingScenario/bookingScenario"; import { createMockNextJsRequest } from "@calcom/web/test/utils/bookingScenario/createMockNextJsRequest"; import { expectBookingToBeInDatabase } from "@calcom/web/test/utils/bookingScenario/expects"; import { getMockRequestDataForBooking } from "@calcom/web/test/utils/bookingScenario/getMockRequestDataForBooking"; import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; +import { describe, expect, vi } from "vitest"; + +import { PeriodType } from "@calcom/prisma/enums"; +import { BookingStatus } from "@calcom/prisma/enums"; +import { test } from "@calcom/web/test/fixtures/fixtures"; + // Local test runs sometime gets too slow const timeout = process.env.CI ? 5000 : 20000; @@ -462,4 +468,307 @@ describe("handleNewBooking", () => { }, timeout ); + + describe("Buffers", () => { + test(`should throw error when booking is within a before event buffer of an existing booking + `, async ({}) => { + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }); + + const { dateString: nextDayDateString } = getDate({ dateIncrement: 1 }); + + await createBookingScenario( + getScenarioData({ + eventTypes: [ + { + id: 1, + slotInterval: 15, + length: 15, + beforeEventBuffer: 60, + users: [ + { + id: 101, + }, + ], + }, + ], + bookings: [ + { + eventTypeId: 1, + userId: 101, + status: BookingStatus.ACCEPTED, + startTime: `${nextDayDateString}T05:00:00.000Z`, + endTime: `${nextDayDateString}T05:15:00.000Z`, + }, + ], + organizer, + }) + ); + + const mockBookingData = getMockRequestDataForBooking({ + data: { + start: `${nextDayDateString}T04:30:00.000Z`, + end: `${nextDayDateString}T04:45:00.000Z`, + eventTypeId: 1, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: "New York" }, + }, + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData, + }); + await expect(async () => await handleNewBooking(req)).rejects.toThrowError( + "no_available_users_found_error" + ); + }); + }); + test(`should throw error when booking is within a after event buffer of an existing booking + `, async ({}) => { + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }); + + const { dateString: nextDayDateString } = getDate({ dateIncrement: 1 }); + + await createBookingScenario( + getScenarioData({ + eventTypes: [ + { + id: 1, + slotInterval: 15, + length: 15, + afterEventBuffer: 60, + users: [ + { + id: 101, + }, + ], + }, + ], + bookings: [ + { + eventTypeId: 1, + userId: 101, + status: BookingStatus.ACCEPTED, + startTime: `${nextDayDateString}T05:00:00.000Z`, + endTime: `${nextDayDateString}T05:15:00.000Z`, + }, + ], + organizer, + }) + ); + + const mockBookingData = getMockRequestDataForBooking({ + data: { + start: `${nextDayDateString}T05:30:00.000Z`, + end: `${nextDayDateString}T05:45:00.000Z`, + eventTypeId: 1, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: "New York" }, + }, + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData, + }); + await expect(async () => await handleNewBooking(req)).rejects.toThrowError( + "no_available_users_found_error" + ); + }); + + test( + `should fail booking if the start date is in the past`, + async ({}) => { + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + }); + + const mockBookingData = getMockRequestDataForBooking({ + data: { + user: organizer.username, + eventTypeId: 1, + start: `${getDate({ dateIncrement: -1 }).dateString}T05:00:00.000Z`, + end: `${getDate({ dateIncrement: -1 }).dateString}T05:30:00.000Z`, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: "New York" }, + }, + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData, + }); + + const scenarioData = getScenarioData({ + webhooks: [ + { + userId: organizer.id, + eventTriggers: ["BOOKING_CREATED"], + subscriberUrl: "http://my-webhook.example.com", + active: true, + eventTypeId: 1, + appId: null, + }, + ], + eventTypes: [ + { + id: 1, + slotInterval: 30, + length: 30, + users: [ + { + id: 101, + }, + ], + }, + ], + organizer, + apps: [TestData.apps["google-calendar"], TestData.apps["daily-video"]], + }); + + mockCalendarToHaveNoBusySlots("googlecalendar", {}); + await createBookingScenario(scenarioData); + + await expect(() => handleNewBooking(req)).rejects.toThrowError("book a meeting in the past"); + }, + timeout + ); + + describe("Future Limits", () => { + test( + `should fail booking if periodType=ROLLING check fails`, + async () => { + // In IST it is 2024-05-22 12:39am + vi.setSystemTime("2024-05-21T19:09:13Z"); + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const organizerOtherEmail = "organizer2@example.com"; + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: "google_calendar", + externalId: "organizer@google-calendar.com", + primaryEmail: organizerOtherEmail, + }, + }); + + await createBookingScenario( + getScenarioData({ + eventTypes: [ + { + id: 1, + slotInterval: 30, + periodType: PeriodType.ROLLING, + // 22st, 23nd and 24th in IST availability(Schedule being used is ISTWorkHours) + periodDays: 2, + periodCountCalendarDays: true, + length: 30, + useEventTypeDestinationCalendarEmail: true, + users: [ + { + id: 101, + }, + ], + }, + ], + organizer, + apps: [], + }) + ); + + const plus3DateString = `2024-05-25`; + const mockBookingData = getMockRequestDataForBooking({ + data: { + user: organizer.username, + // plus2Date timeslot being booked + start: `${plus3DateString}T05:00:00.000Z`, + end: `${plus3DateString}T05:30:00.000Z`, + eventTypeId: 1, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: BookingLocations.CalVideo }, + }, + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData, + }); + + mockCalendarToHaveNoBusySlots("googlecalendar", { + create: { + id: "MOCKED_GOOGLE_CALENDAR_EVENT_ID", + }, + }); + + mockSuccessfulVideoMeetingCreation({ + metadataLookupKey: "dailyvideo", + videoMeetingData: { + id: "MOCK_ID", + password: "MOCK_PASS", + url: `http://mock-dailyvideo.example.com/meeting-1`, + }, + }); + + expect(() => handleNewBooking(req)).rejects.toThrowError("cannot be booked at this time"); + }, + timeout + ); + }); }); diff --git a/packages/features/bookings/lib/handleNewBooking/test/complex-schedules.test.ts b/packages/features/bookings/lib/handleNewBooking/test/complex-schedules.test.ts index 4ca6484a66748b..a739223d4681df 100644 --- a/packages/features/bookings/lib/handleNewBooking/test/complex-schedules.test.ts +++ b/packages/features/bookings/lib/handleNewBooking/test/complex-schedules.test.ts @@ -1,11 +1,3 @@ -import type { Request, Response } from "express"; -import type { NextApiRequest, NextApiResponse } from "next"; -import { describe, expect } from "vitest"; - -import { appStoreMetadata } from "@calcom/app-store/appStoreMetaData"; -import dayjs from "@calcom/dayjs"; -import { BookingStatus } from "@calcom/prisma/enums"; -import { test } from "@calcom/web/test/fixtures/fixtures"; import { createBookingScenario, getGoogleCalendarCredential, @@ -28,6 +20,15 @@ import { import { getMockRequestDataForBooking } from "@calcom/web/test/utils/bookingScenario/getMockRequestDataForBooking"; import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { describe, expect } from "vitest"; + +import { appStoreMetadata } from "@calcom/app-store/appStoreMetaData"; +import dayjs from "@calcom/dayjs"; +import { BookingStatus } from "@calcom/prisma/enums"; +import { test } from "@calcom/web/test/fixtures/fixtures"; + export const Timezones = { "-05:00": "America/New_York", "00:00": "Europe/London", diff --git a/packages/features/bookings/lib/handleNewBooking/test/date-overrides.test.ts b/packages/features/bookings/lib/handleNewBooking/test/date-overrides.test.ts index b7f2523a2036d1..7585842ef2133c 100644 --- a/packages/features/bookings/lib/handleNewBooking/test/date-overrides.test.ts +++ b/packages/features/bookings/lib/handleNewBooking/test/date-overrides.test.ts @@ -1,11 +1,3 @@ -import type { Request, Response } from "express"; -import type { NextApiRequest, NextApiResponse } from "next"; -import { describe, expect } from "vitest"; - -import { appStoreMetadata } from "@calcom/app-store/appStoreMetaData"; -import dayjs from "@calcom/dayjs"; -import { BookingStatus } from "@calcom/prisma/enums"; -import { test } from "@calcom/web/test/fixtures/fixtures"; import { createBookingScenario, getGoogleCalendarCredential, @@ -28,6 +20,15 @@ import { import { getMockRequestDataForBooking } from "@calcom/web/test/utils/bookingScenario/getMockRequestDataForBooking"; import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { describe, expect } from "vitest"; + +import { appStoreMetadata } from "@calcom/app-store/appStoreMetaData"; +import dayjs from "@calcom/dayjs"; +import { BookingStatus } from "@calcom/prisma/enums"; +import { test } from "@calcom/web/test/fixtures/fixtures"; + export const Timezones = { "-05:00": "America/New_York", "00:00": "Europe/London", diff --git a/packages/features/bookings/lib/handleNewBooking/test/dynamic-group-booking.test.ts b/packages/features/bookings/lib/handleNewBooking/test/dynamic-group-booking.test.ts index 2da113005d34bb..8256a6d77731e8 100644 --- a/packages/features/bookings/lib/handleNewBooking/test/dynamic-group-booking.test.ts +++ b/packages/features/bookings/lib/handleNewBooking/test/dynamic-group-booking.test.ts @@ -1,7 +1,8 @@ +import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; + import { describe } from "vitest"; import { test } from "@calcom/web/test/fixtures/fixtures"; -import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; describe("handleNewBooking", () => { setupAndTeardown(); diff --git a/packages/features/bookings/lib/handleNewBooking/test/fresh-booking.test.ts b/packages/features/bookings/lib/handleNewBooking/test/fresh-booking.test.ts index 8857811a4ec796..732fa4a604f504 100644 --- a/packages/features/bookings/lib/handleNewBooking/test/fresh-booking.test.ts +++ b/packages/features/bookings/lib/handleNewBooking/test/fresh-booking.test.ts @@ -7,16 +7,6 @@ * * They don't intend to test what the apps logic should do, but rather test if the apps are called with the correct data. For testing that, once should write tests within each app. */ -import type { Request, Response } from "express"; -import type { NextApiRequest, NextApiResponse } from "next"; -import { describe, expect } from "vitest"; - -import { appStoreMetadata } from "@calcom/app-store/appStoreMetaData"; -import { WEBSITE_URL, WEBAPP_URL } from "@calcom/lib/constants"; -import { ErrorCode } from "@calcom/lib/errorCodes"; -import { resetTestEmails } from "@calcom/lib/testEmails"; -import { BookingStatus } from "@calcom/prisma/enums"; -import { test } from "@calcom/web/test/fixtures/fixtures"; import { createBookingScenario, getDate, @@ -42,6 +32,7 @@ import { import { createMockNextJsRequest } from "@calcom/web/test/utils/bookingScenario/createMockNextJsRequest"; import { expectWorkflowToBeTriggered, + expectWorkflowToBeNotTriggered, expectSuccessfulBookingCreationEmails, expectBookingToBeInDatabase, expectAwaitingPaymentEmails, @@ -51,13 +42,23 @@ import { expectBookingPaymentIntiatedWebhookToHaveBeenFired, expectBrokenIntegrationEmails, expectSuccessfulCalendarEventCreationInCalendar, - expectWorkflowToBeNotTriggered, expectICalUIDAsString, } from "@calcom/web/test/utils/bookingScenario/expects"; import { getMockRequestDataForBooking } from "@calcom/web/test/utils/bookingScenario/getMockRequestDataForBooking"; import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; import { testWithAndWithoutOrg } from "@calcom/web/test/utils/bookingScenario/test"; +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { describe, expect } from "vitest"; + +import { appStoreMetadata } from "@calcom/app-store/appStoreMetaData"; +import { WEBSITE_URL, WEBAPP_URL } from "@calcom/lib/constants"; +import { ErrorCode } from "@calcom/lib/errorCodes"; +import { resetTestEmails } from "@calcom/lib/testEmails"; +import { BookingStatus } from "@calcom/prisma/enums"; +import { test } from "@calcom/web/test/fixtures/fixtures"; + export type CustomNextApiRequest = NextApiRequest & Request; export type CustomNextApiResponse = NextApiResponse & Response; @@ -118,7 +119,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -215,9 +216,8 @@ describe("handleNewBooking", () => { }); expectWorkflowToBeTriggered({ - organizer, + emailsToReceive: [organizerDestinationCalendarEmailOnEventType], emails, - destinationEmail: organizerDestinationCalendarEmailOnEventType, }); expectSuccessfulCalendarEventCreationInCalendar(calendarMock, { calendarId: "event-type-1@google-calendar.com", @@ -291,7 +291,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -379,7 +379,7 @@ describe("handleNewBooking", () => { iCalUID: createdBooking.iCalUID, }); - expectWorkflowToBeTriggered({ organizer, emails }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); expectSuccessfulCalendarEventCreationInCalendar(calendarMock, { videoCallUrl: "http://mock-dailyvideo.example.com/meeting-1", // We won't be sending evt.destinationCalendar in this case. @@ -454,7 +454,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -541,7 +541,7 @@ describe("handleNewBooking", () => { iCalUID: createdBooking.iCalUID, }); - expectWorkflowToBeTriggered({ organizer, emails }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); expectSuccessfulCalendarEventCreationInCalendar(calendarMock, { calendarId: "organizer@google-calendar.com", videoCallUrl: "http://mock-dailyvideo.example.com/meeting-1", @@ -609,7 +609,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -675,7 +675,7 @@ describe("handleNewBooking", () => { ], }); - expectWorkflowToBeTriggered({ organizer, emails }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); // FIXME: We should send Broken Integration emails on calendar event creation failure // expectCalendarEventCreationFailureEmails({ booker, organizer, emails }); @@ -730,7 +730,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -825,7 +825,7 @@ describe("handleNewBooking", () => { iCalUID: createdBooking.iCalUID, }); - expectWorkflowToBeTriggered({ organizer, emails }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); expectSuccessfulCalendarEventCreationInCalendar(calendarMock, { calendarId: "organizer@google-calendar.com", @@ -895,7 +895,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -982,7 +982,7 @@ describe("handleNewBooking", () => { ], }); - expectWorkflowToBeTriggered({ organizer, emails }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); expectSuccessfulCalendarEventCreationInCalendar(calendarMock, { calendarId: "organizer@google-calendar.com", videoCallUrl: "http://mock-dailyvideo.example.com/meeting-1", @@ -1100,7 +1100,7 @@ describe("handleNewBooking", () => { ); test( - `Booking should still be created if booking with Zoom errors`, + `Booking should still be created using calvideo, if error occurs with zoom`, async ({ emails }) => { const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; const subscriberUrl = "http://my-webhook.example.com"; @@ -1132,7 +1132,7 @@ describe("handleNewBooking", () => { ], }, ], - apps: [TestData.apps["zoomvideo"]], + apps: [TestData.apps["zoomvideo"], TestData.apps["daily-video"]], webhooks: [ { userId: organizer.id, @@ -1150,6 +1150,15 @@ describe("handleNewBooking", () => { metadataLookupKey: "zoomvideo", }); + mockSuccessfulVideoMeetingCreation({ + metadataLookupKey: "dailyvideo", + videoMeetingData: { + id: "MOCK_ID", + password: "MOCK_PASS", + url: `http://mock-dailyvideo.example.com/meeting-1`, + }, + }); + const { req } = createMockNextJsRequest({ method: "POST", body: getMockRequestDataForBooking({ @@ -1163,16 +1172,18 @@ describe("handleNewBooking", () => { }, }), }); - await handleNewBooking(req); + const createdBooking = await handleNewBooking(req); + expect(createdBooking).toContain({ + location: BookingLocations.CalVideo, + }); expectBrokenIntegrationEmails({ organizer, emails }); - expectBookingCreatedWebhookToHaveBeenFired({ booker, organizer, - location: BookingLocations.ZoomVideo, + location: BookingLocations.CalVideo, subscriberUrl, - videoCallUrl: null, + videoCallUrl: `${WEBAPP_URL}/video/${createdBooking.uid}`, }); }, timeout @@ -1446,7 +1457,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -1511,7 +1522,7 @@ describe("handleNewBooking", () => { status: BookingStatus.PENDING, }); - expectWorkflowToBeNotTriggered({ organizer, emails }); + expectWorkflowToBeNotTriggered({ emailsToReceive: [organizer.email], emails }); expectBookingRequestedEmails({ booker, @@ -1572,7 +1583,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -1636,7 +1647,7 @@ describe("handleNewBooking", () => { }), }); - expectWorkflowToBeNotTriggered({ organizer, emails }); + expectWorkflowToBeNotTriggered({ emailsToReceive: [organizer.email], emails }); expectBookingRequestedEmails({ booker, @@ -1696,7 +1707,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -1764,7 +1775,7 @@ describe("handleNewBooking", () => { iCalUID: createdBooking.iCalUID, }); - expectWorkflowToBeTriggered({ organizer, emails }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); const iCalUID = expectICalUIDAsString(createdBooking.iCalUID); @@ -1828,7 +1839,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -1897,7 +1908,7 @@ describe("handleNewBooking", () => { iCalUID: createdBooking.iCalUID, }); - expectWorkflowToBeNotTriggered({ organizer, emails }); + expectWorkflowToBeNotTriggered({ emailsToReceive: [organizer.email], emails }); expectBookingRequestedEmails({ booker, organizer, emails }); @@ -2035,7 +2046,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -2076,7 +2087,7 @@ describe("handleNewBooking", () => { iCalUID: createdBooking.iCalUID, }); - expectWorkflowToBeTriggered({ organizer, emails }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); const iCalUID = expectICalUIDAsString(createdBooking.iCalUID); @@ -2141,7 +2152,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -2220,7 +2231,7 @@ describe("handleNewBooking", () => { }), }); - expectWorkflowToBeNotTriggered({ organizer, emails }); + expectWorkflowToBeNotTriggered({ emailsToReceive: [organizer.email], emails }); expectAwaitingPaymentEmails({ organizer, booker, emails }); @@ -2244,7 +2255,7 @@ describe("handleNewBooking", () => { status: BookingStatus.ACCEPTED, }); - expectWorkflowToBeTriggered({ organizer, emails }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); expectBookingCreatedWebhookToHaveBeenFired({ booker, @@ -2300,7 +2311,7 @@ describe("handleNewBooking", () => { trigger: "NEW_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -2374,7 +2385,7 @@ describe("handleNewBooking", () => { status: BookingStatus.PENDING, }); - expectWorkflowToBeNotTriggered({ organizer, emails }); + expectWorkflowToBeNotTriggered({ emailsToReceive: [organizer.email], emails }); expectAwaitingPaymentEmails({ organizer, booker, emails }); expectBookingPaymentIntiatedWebhookToHaveBeenFired({ @@ -2433,7 +2444,13 @@ describe("handleNewBooking", () => { email: "organizer@example.com", id: 101, schedules: [TestData.schedules.IstWorkHours], - credentials: [], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: "google_calendar", + externalId: "organizer@google-calendar.com", + primaryEmail: organizerOtherEmail, + }, }); await createBookingScenario( @@ -2449,10 +2466,15 @@ describe("handleNewBooking", () => { id: 101, }, ], + destinationCalendar: { + integration: "google_calendar", + externalId: "event-type-1@google-calendar.com", + primaryEmail: organizerDestinationCalendarEmailOnEventType, + }, }, ], organizer, - apps: [TestData.apps["daily-video"]], + apps: [TestData.apps["google-calendar"], TestData.apps["daily-video"]], }) ); @@ -2513,10 +2535,36 @@ describe("handleNewBooking", () => { meetingPassword: "MOCK_PASS", meetingUrl: "http://mock-dailyvideo.example.com/meeting-1", }, + { + type: appStoreMetadata.googlecalendar.type, + uid: "MOCKED_GOOGLE_CALENDAR_EVENT_ID", + meetingId: "MOCKED_GOOGLE_CALENDAR_EVENT_ID", + meetingPassword: "MOCK_PASSWORD", + meetingUrl: "https://UNUSED_URL", + }, ], iCalUID: createdBooking.iCalUID, }); + expectSuccessfulCalendarEventCreationInCalendar(calendarMock, { + calendarId: "event-type-1@google-calendar.com", + videoCallUrl: "http://mock-dailyvideo.example.com/meeting-1", + }); + + const iCalUID = expectICalUIDAsString(createdBooking.iCalUID); + + expectSuccessfulBookingCreationEmails({ + booking: { + uid: createdBooking.uid!, + urlOrigin: WEBSITE_URL, + }, + booker, + organizer, + emails, + iCalUID, + destinationEmail: organizerDestinationCalendarEmailOnEventType, + }); + await expect(async () => await handleNewBooking(req)).rejects.toThrowError( ErrorCode.NoAvailableUsersFound ); diff --git a/packages/features/bookings/lib/handleNewBooking/test/managed-event-type-booking.test.ts b/packages/features/bookings/lib/handleNewBooking/test/managed-event-type-booking.test.ts index 9a86bbec7cad1b..59214bf260143e 100644 --- a/packages/features/bookings/lib/handleNewBooking/test/managed-event-type-booking.test.ts +++ b/packages/features/bookings/lib/handleNewBooking/test/managed-event-type-booking.test.ts @@ -1,7 +1,8 @@ +import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; + import { describe } from "vitest"; import { test } from "@calcom/web/test/fixtures/fixtures"; -import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; describe("handleNewBooking", () => { setupAndTeardown(); diff --git a/packages/features/bookings/lib/handleNewBooking/test/recurring-event.test.ts b/packages/features/bookings/lib/handleNewBooking/test/recurring-event.test.ts index a5ef6a4a54ba19..72fb1a1c92df41 100644 --- a/packages/features/bookings/lib/handleNewBooking/test/recurring-event.test.ts +++ b/packages/features/bookings/lib/handleNewBooking/test/recurring-event.test.ts @@ -1,11 +1,3 @@ -import { v4 as uuidv4 } from "uuid"; -import { describe, expect } from "vitest"; - -import { WEBAPP_URL, WEBSITE_URL } from "@calcom/lib/constants"; -import { ErrorCode } from "@calcom/lib/errorCodes"; -import logger from "@calcom/lib/logger"; -import { BookingStatus, SchedulingType } from "@calcom/prisma/enums"; -import { test } from "@calcom/web/test/fixtures/fixtures"; import { createBookingScenario, getBooker, @@ -28,6 +20,15 @@ import { import { getMockRequestDataForBooking } from "@calcom/web/test/utils/bookingScenario/getMockRequestDataForBooking"; import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; +import { v4 as uuidv4 } from "uuid"; +import { describe, expect } from "vitest"; + +import { WEBAPP_URL, WEBSITE_URL } from "@calcom/lib/constants"; +import { ErrorCode } from "@calcom/lib/errorCodes"; +import logger from "@calcom/lib/logger"; +import { BookingStatus, SchedulingType } from "@calcom/prisma/enums"; +import { test } from "@calcom/web/test/fixtures/fixtures"; + const DAY_IN_MS = 1000 * 60 * 60 * 24; function getPlusDayDate(date: string, days: number) { @@ -266,8 +267,12 @@ describe("handleNewBooking", () => { email: "organizer@example.com", id: 101, schedules: [TestData.schedules.IstWorkHours], - credentials: [], - selectedCalendars: [], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: "google_calendar", + externalId: "organizer@google-calendar.com", + }, }); const recurrence = getRecurrence({ @@ -299,6 +304,10 @@ describe("handleNewBooking", () => { id: 101, }, ], + destinationCalendar: { + integration: "google_calendar", + externalId: "event-type-1@google-calendar.com", + }, }, ], bookings: [ @@ -312,7 +321,7 @@ describe("handleNewBooking", () => { }, ], organizer, - apps: [TestData.apps["daily-video"]], + apps: [TestData.apps["google-calendar"], TestData.apps["daily-video"]], }) ); @@ -829,7 +838,12 @@ describe("handleNewBooking", () => { ], // Has morning shift with some overlap with morning shift schedules: [TestData.schedules.IstMorningShift], - credentials: [], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: TestData.apps["google-calendar"].type, + externalId: "organizer@google-calendar.com", + }, }); const otherTeamMembers = [ @@ -843,7 +857,12 @@ describe("handleNewBooking", () => { id: 102, // Has Evening shift schedules: [TestData.schedules.IstMorningShift], - credentials: [], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: TestData.apps["google-calendar"].type, + externalId: "other-team-member-1@google-calendar.com", + }, }, ]; @@ -883,6 +902,10 @@ describe("handleNewBooking", () => { isFixed: true, }, ], + destinationCalendar: { + integration: "google_calendar", + externalId: "event-type-1@google-calendar.com", + }, }, ], bookings: [ @@ -901,7 +924,7 @@ describe("handleNewBooking", () => { ], organizer, usersApartFromOrganizer: otherTeamMembers, - apps: [TestData.apps["daily-video"]], + apps: [TestData.apps["google-calendar"], TestData.apps["daily-video"]], }) ); @@ -914,6 +937,13 @@ describe("handleNewBooking", () => { }, }); + const calendarMock = mockCalendarToHaveNoBusySlots("googlecalendar", { + create: { + id: "MOCKED_GOOGLE_CALENDAR_EVENT_ID", + iCalUID: "MOCKED_GOOGLE_CALENDAR_ICS_ID", + }, + }); + const recurringCountInRequest = 4; const mockBookingData1 = getMockRequestDataForBooking({ data: { diff --git a/packages/features/bookings/lib/handleNewBooking/test/reschedule.test.ts b/packages/features/bookings/lib/handleNewBooking/test/reschedule.test.ts index b942c118b02da4..6575e11f877fd8 100644 --- a/packages/features/bookings/lib/handleNewBooking/test/reschedule.test.ts +++ b/packages/features/bookings/lib/handleNewBooking/test/reschedule.test.ts @@ -1,16 +1,10 @@ import prismaMock from "../../../../../../tests/libs/__mocks__/prisma"; -import { describe, expect } from "vitest"; - -import { appStoreMetadata } from "@calcom/app-store/apps.metadata.generated"; -import { WEBAPP_URL } from "@calcom/lib/constants"; -import logger from "@calcom/lib/logger"; -import { BookingStatus, SchedulingType } from "@calcom/prisma/enums"; -import { test } from "@calcom/web/test/fixtures/fixtures"; import { createBookingScenario, getDate, getGoogleCalendarCredential, + getGoogleMeetCredential, TestData, getOrganizer, getBooker, @@ -42,6 +36,14 @@ import { import { getMockRequestDataForBooking } from "@calcom/web/test/utils/bookingScenario/getMockRequestDataForBooking"; import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; +import { describe, expect } from "vitest"; + +import { appStoreMetadata } from "@calcom/app-store/apps.metadata.generated"; +import { WEBAPP_URL } from "@calcom/lib/constants"; +import logger from "@calcom/lib/logger"; +import { BookingStatus, SchedulingType } from "@calcom/prisma/enums"; +import { test } from "@calcom/web/test/fixtures/fixtures"; + // Local test runs sometime gets too slow const timeout = process.env.CI ? 5000 : 20000; @@ -94,7 +96,7 @@ describe("handleNewBooking", () => { trigger: "RESCHEDULE_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -240,7 +242,7 @@ describe("handleNewBooking", () => { ], }, }); - expectWorkflowToBeTriggered({ emails, organizer }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); expectSuccessfulVideoMeetingUpdationInCalendar(videoMock, { calEvent: { @@ -331,7 +333,7 @@ describe("handleNewBooking", () => { trigger: "RESCHEDULE_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -459,7 +461,7 @@ describe("handleNewBooking", () => { }, }); - expectWorkflowToBeTriggered({ emails, organizer }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); expectSuccessfulVideoMeetingUpdationInCalendar(videoMock, { calEvent: { @@ -543,7 +545,7 @@ describe("handleNewBooking", () => { trigger: "RESCHEDULE_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -656,10 +658,13 @@ describe("handleNewBooking", () => { }, }); - expectWorkflowToBeTriggered({ emails, organizer }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); - // FIXME: We should send Broken Integration emails on calendar event updation failure - // expectBrokenIntegrationEmails({ booker, organizer, emails }); + expectSuccessfulBookingRescheduledEmails({ + booker, + organizer, + emails, + }); expectBookingRescheduledWebhookToHaveBeenFired({ booker, @@ -726,7 +731,7 @@ describe("handleNewBooking", () => { trigger: "RESCHEDULE_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -850,7 +855,7 @@ describe("handleNewBooking", () => { }, }); - expectWorkflowToBeTriggered({ emails, organizer }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); expectBookingRequestedEmails({ booker, @@ -933,7 +938,7 @@ describe("handleNewBooking", () => { trigger: "RESCHEDULE_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -1085,7 +1090,7 @@ describe("handleNewBooking", () => { }, }); - expectWorkflowToBeTriggered({ emails, organizer }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); expectSuccessfulVideoMeetingUpdationInCalendar(videoMock, { calEvent: { @@ -1138,6 +1143,250 @@ describe("handleNewBooking", () => { }, timeout ); + test( + `[GOOGLE MEET AS LOCATION]should rechedule a booking, that requires confirmation, without confirmation - When booker is the organizer of the existing booking as well as the event-type + 1. Should cancel the existing booking + 2. Should delete existing calendar invite and Video meeting + 2. Should create a new booking in the database in ACCEPTED state + 3. Should send rescheduled emails to the booker as well as organizer + 4. Should trigger BOOKING_RESCHEDULED webhook + `, + async ({ emails }) => { + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + credentials: [getGoogleCalendarCredential(), getGoogleMeetCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + }); + + const { dateString: plus1DateString } = getDate({ dateIncrement: 1 }); + const uidOfBookingToBeRescheduled = "n5Wv3eHgconAED2j4gcVhP"; + await createBookingScenario( + getScenarioData({ + webhooks: [ + { + userId: organizer.id, + eventTriggers: ["BOOKING_CREATED"], + subscriberUrl: "http://my-webhook.example.com", + active: true, + eventTypeId: 1, + appId: null, + }, + ], + workflows: [ + { + userId: organizer.id, + trigger: "RESCHEDULE_EVENT", + action: "EMAIL_HOST", + template: "REMINDER", + activeOn: [1], + }, + ], + eventTypes: [ + { + id: 1, + requiresConfirmation: true, + slotInterval: 15, + length: 15, + locations: [ + { + type: BookingLocations.GoogleMeet, + }, + ], + users: [ + { + id: 101, + }, + ], + destinationCalendar: { + integration: "google_calendar", + externalId: "event-type-1@example.com", + }, + }, + ], + bookings: [ + { + uid: uidOfBookingToBeRescheduled, + eventTypeId: 1, + userId: organizer.id, + status: BookingStatus.ACCEPTED, + location: BookingLocations.GoogleMeet, + startTime: `${plus1DateString}T05:00:00.000Z`, + endTime: `${plus1DateString}T05:15:00.000Z`, + references: [ + getMockBookingReference({ + type: appStoreMetadata.googlecalendar.type, + uid: "MOCK_ID", + meetingId: "MOCK_ID", + meetingPassword: "MOCK_PASSWORD", + meetingUrl: "https://UNUSED_URL", + externalCalendarId: "MOCK_EXTERNAL_CALENDAR_ID", + credentialId: 1, + }), + getMockBookingReference({ + type: appStoreMetadata.googlevideo.type, + uid: "MOCK_ID", + meetingId: "MOCK_ID", + meetingPassword: "MOCK_PASSWORD", + meetingUrl: "https://UNUSED_URL", + externalCalendarId: "MOCK_EXTERNAL_CALENDAR_ID", + credentialId: 1, + }), + ], + attendees: [ + getMockBookingAttendee({ + id: 1, + name: organizer.name, + email: organizer.email, + locale: "en", + timeZone: "Europe/London", + }), + getMockBookingAttendee({ + id: 2, + name: booker.name, + email: booker.email, + // Booker's locale when the fresh booking happened earlier + locale: "hi", + // Booker's timezone when the fresh booking happened earlier + timeZone: "Asia/Kolkata", + }), + ], + }, + ], + organizer, + apps: [TestData.apps["google-calendar"], TestData.apps["google-meet"]], + }) + ); + + const calendarMock = mockCalendarToHaveNoBusySlots("googlecalendar", { + create: { + uid: "MOCK_ID", + }, + update: { + iCalUID: "MOCKED_GOOGLE_CALENDAR_ICS_ID", + uid: "UPDATED_MOCK_ID", + }, + }); + + const mockBookingData = getMockRequestDataForBooking({ + data: { + eventTypeId: 1, + rescheduleUid: uidOfBookingToBeRescheduled, + start: `${plus1DateString}T04:00:00.000Z`, + end: `${plus1DateString}T04:15:00.000Z`, + // Organizer is doing the rescheduling from his timezone which is different from Booker Timezone as per the booking being rescheduled + timeZone: "Europe/London", + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: BookingLocations.GoogleMeet }, + }, + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData, + }); + + // Fake the request to be from organizer + req.userId = organizer.id; + + const createdBooking = await handleNewBooking(req); + + /** + * Booking Time should be new time + */ + expect(createdBooking.startTime?.toISOString()).toBe(`${plus1DateString}T04:00:00.000Z`); + expect(createdBooking.endTime?.toISOString()).toBe(`${plus1DateString}T04:15:00.000Z`); + + await expectBookingInDBToBeRescheduledFromTo({ + from: { + uid: uidOfBookingToBeRescheduled, + }, + to: { + description: "", + // eslint-disable-next-line @typescript-eslint/no-non-null-assertion + uid: createdBooking.uid!, + eventTypeId: mockBookingData.eventTypeId, + status: BookingStatus.ACCEPTED, + location: BookingLocations.GoogleMeet, + responses: expect.objectContaining({ + email: booker.email, + name: booker.name, + }), + references: [ + { + type: appStoreMetadata.googlecalendar.type, + uid: "MOCK_ID", + meetingId: "MOCK_ID", + meetingPassword: "MOCK_PASSWORD", + meetingUrl: "https://UNUSED_URL", + externalCalendarId: "MOCK_EXTERNAL_CALENDAR_ID", + }, + ], + }, + }); + + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); + + expectSuccessfulCalendarEventUpdationInCalendar(calendarMock, { + externalCalendarId: "MOCK_EXTERNAL_CALENDAR_ID", + calEvent: { + location: BookingLocations.GoogleMeet, + videoCallData: expect.objectContaining({ + id: "MOCK_ID", + password: "MOCK_PASSWORD", + type: "google_video", + url: "https://UNUSED_URL", + }), + attendees: expect.arrayContaining([ + expect.objectContaining({ + email: booker.email, + name: booker.name, + // Expect that the booker timezone is his earlier timezone(from original booking), even though the rescheduling is done by organizer from his timezone + timeZone: "Asia/Kolkata", + language: expect.objectContaining({ + // Expect that the booker locale is his earlier locale(from original booking), even though the rescheduling is done by organizer with his locale + locale: "hi", + }), + }), + ]), + }, + uid: "MOCK_ID", + }); + + expectSuccessfulBookingRescheduledEmails({ + booker, + organizer, + emails, + iCalUID: "MOCKED_GOOGLE_CALENDAR_ICS_ID", + appsStatus: [ + getMockPassingAppStatus({ slug: appStoreMetadata.googlecalendar.slug }), + getMockPassingAppStatus({ + slug: appStoreMetadata.googlevideo.slug, + overrideName: "Google Meet", + }), + ], + }); + expectBookingRescheduledWebhookToHaveBeenFired({ + booker, + organizer, + location: BookingLocations.GoogleMeet, + subscriberUrl: "http://my-webhook.example.com", + videoCallUrl: "https://UNUSED_URL", + }); + }, + timeout + ); test( `should rechedule a booking, that requires confirmation, in PENDING state - Even when the rescheduler is the organizer of the event-type but not the organizer of the existing booking @@ -1184,7 +1433,7 @@ describe("handleNewBooking", () => { trigger: "RESCHEDULE_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -1312,7 +1561,7 @@ describe("handleNewBooking", () => { }, }); - //expectWorkflowToBeTriggered({emails, organizer}); + //expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); expectBookingRequestedEmails({ booker, @@ -1396,7 +1645,7 @@ describe("handleNewBooking", () => { trigger: "RESCHEDULE_EVENT", action: "EMAIL_HOST", template: "REMINDER", - activeEventTypeId: 1, + activeOn: [1], }, ], eventTypes: [ @@ -1559,7 +1808,7 @@ describe("handleNewBooking", () => { }, }); - expectWorkflowToBeTriggered({ emails, organizer }); + expectWorkflowToBeTriggered({ emailsToReceive: [organizer.email], emails }); expectSuccessfulVideoMeetingUpdationInCalendar(videoMock, { calEvent: { diff --git a/packages/features/bookings/lib/handleNewBooking/test/team-bookings/collective-scheduling.test.ts b/packages/features/bookings/lib/handleNewBooking/test/team-bookings/collective-scheduling.test.ts index 104a147f35f1a0..ecb098639402f8 100644 --- a/packages/features/bookings/lib/handleNewBooking/test/team-bookings/collective-scheduling.test.ts +++ b/packages/features/bookings/lib/handleNewBooking/test/team-bookings/collective-scheduling.test.ts @@ -1,14 +1,3 @@ -import type { Request, Response } from "express"; -import type { NextApiRequest, NextApiResponse } from "next"; -import { describe, expect } from "vitest"; - -import { appStoreMetadata } from "@calcom/app-store/appStoreMetaData"; -import { OrganizerDefaultConferencingAppType } from "@calcom/app-store/locations"; -import { WEBAPP_URL, WEBSITE_URL } from "@calcom/lib/constants"; -import { ErrorCode } from "@calcom/lib/errorCodes"; -import { SchedulingType } from "@calcom/prisma/enums"; -import { BookingStatus } from "@calcom/prisma/enums"; -import { test } from "@calcom/web/test/fixtures/fixtures"; import { createOrganization } from "@calcom/web/test/utils/bookingScenario/bookingScenario"; import { createBookingScenario, @@ -37,6 +26,18 @@ import { import { getMockRequestDataForBooking } from "@calcom/web/test/utils/bookingScenario/getMockRequestDataForBooking"; import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; +import type { Request, Response } from "express"; +import type { NextApiRequest, NextApiResponse } from "next"; +import { describe, expect } from "vitest"; + +import { appStoreMetadata } from "@calcom/app-store/appStoreMetaData"; +import { OrganizerDefaultConferencingAppType } from "@calcom/app-store/locations"; +import { WEBAPP_URL, WEBSITE_URL } from "@calcom/lib/constants"; +import { ErrorCode } from "@calcom/lib/errorCodes"; +import { SchedulingType } from "@calcom/prisma/enums"; +import { BookingStatus } from "@calcom/prisma/enums"; +import { test } from "@calcom/web/test/fixtures/fixtures"; + export type CustomNextApiRequest = NextApiRequest & Request; export type CustomNextApiResponse = NextApiResponse & Response; @@ -1286,7 +1287,7 @@ describe("handleNewBooking", () => { expectBookingCreatedWebhookToHaveBeenFired({ booker, organizer, - location: OrganizerDefaultConferencingAppType, + location: BookingLocations.CalVideo, subscriberUrl: "http://my-webhook.example.com", videoCallUrl: `${WEBAPP_URL}/video/${createdBooking.uid}`, }); @@ -1508,7 +1509,128 @@ describe("handleNewBooking", () => { }); }); - test.todo("Round Robin booking"); + describe("Round Robin Assignment", () => { + test(`successfully books contact owner if rr lead skip is enabled`, async ({ emails }) => { + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const otherTeamMembers = [ + { + name: "Other Team Member 1", + username: "other-team-member-1", + timeZone: Timezones["+5:30"], + defaultScheduleId: 1001, + email: "other-team-member-1@example.com", + id: 102, + schedules: [{ ...TestData.schedules.IstWorkHours, id: 1001 }], + }, + ]; + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }); + + mockSuccessfulVideoMeetingCreation({ + metadataLookupKey: appStoreMetadata.dailyvideo.dirName, + videoMeetingData: { + id: "MOCK_ID", + password: "MOCK_PASS", + url: `http://mock-dailyvideo.example.com/meeting-1`, + }, + }); + + const { eventTypes } = await createBookingScenario( + getScenarioData({ + webhooks: [ + { + userId: organizer.id, + eventTriggers: ["BOOKING_CREATED"], + subscriberUrl: "http://my-webhook.example.com", + active: true, + eventTypeId: 1, + appId: null, + }, + ], + eventTypes: [ + { + id: 1, + slotInterval: 30, + schedulingType: SchedulingType.ROUND_ROBIN, + length: 30, + metadata: { + apps: { + salesforce: { + enabled: true, + appCategories: ["crm"], + roundRobinLeadSkip: true, + }, + }, + }, + users: [ + { + id: 101, + }, + { + id: 102, + }, + ], + }, + ], + organizer, + usersApartFromOrganizer: otherTeamMembers, + }) + ); + + const bookingData = { + eventTypeId: 1, + teamMemberEmail: otherTeamMembers[0].email, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: OrganizerDefaultConferencingAppType }, + }, + }; + + const mockBookingData1 = getMockRequestDataForBooking({ + data: { + ...bookingData, + start: `${getDate({ dateIncrement: 1 }).dateString}T05:00:00.000Z`, + end: `${getDate({ dateIncrement: 1 }).dateString}T05:30:00.000Z`, + }, + }); + + const mockBookingData2 = getMockRequestDataForBooking({ + data: { + ...bookingData, + start: `${getDate({ dateIncrement: 2 }).dateString}T05:00:00.000Z`, + end: `${getDate({ dateIncrement: 2 }).dateString}T05:30:00.000Z`, + }, + }); + + const { req: req1 } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData1, + }); + + const { req: req2 } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData2, + }); + + const createdBooking1 = await handleNewBooking(req1); + + expect(createdBooking1.userId).toBe(102); + + const createdBooking2 = await handleNewBooking(req2); + expect(createdBooking2.userId).toBe(102); + }); + }); }); describe("Team Plus Paid Events", () => { diff --git a/packages/features/bookings/lib/handleNewBooking/test/workflow-notifications.test.ts b/packages/features/bookings/lib/handleNewBooking/test/workflow-notifications.test.ts new file mode 100644 index 00000000000000..e2a523ea773623 --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/test/workflow-notifications.test.ts @@ -0,0 +1,777 @@ +import { + createBookingScenario, + getGoogleCalendarCredential, + TestData, + getOrganizer, + getBooker, + getScenarioData, + mockSuccessfulVideoMeetingCreation, + mockCalendarToHaveNoBusySlots, + BookingLocations, + getDate, + Timezones, + createOrganization, +} from "@calcom/web/test/utils/bookingScenario/bookingScenario"; +import { createMockNextJsRequest } from "@calcom/web/test/utils/bookingScenario/createMockNextJsRequest"; +import { + expectWorkflowToBeTriggered, + expectSMSWorkflowToBeTriggered, + expectSMSWorkflowToBeNotTriggered, +} from "@calcom/web/test/utils/bookingScenario/expects"; +import { getMockRequestDataForBooking } from "@calcom/web/test/utils/bookingScenario/getMockRequestDataForBooking"; +import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; + +import { describe, beforeEach } from "vitest"; + +import { resetTestSMS } from "@calcom/lib/testSMS"; +import { SMSLockState, SchedulingType } from "@calcom/prisma/enums"; +import { test } from "@calcom/web/test/fixtures/fixtures"; + +// Local test runs sometime gets too slow +const timeout = process.env.CI ? 5000 : 20000; + +describe("handleNewBooking", () => { + setupAndTeardown(); + + beforeEach(() => { + resetTestSMS(); + }); + + describe("User Workflows", () => { + test( + "should send workflow email and sms when booking is created", + async ({ emails, sms }) => { + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const organizerOtherEmail = "organizer2@example.com"; + const organizerDestinationCalendarEmailOnEventType = "organizerEventTypeEmail@example.com"; + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: "google_calendar", + externalId: "organizer@google-calendar.com", + primaryEmail: organizerOtherEmail, + }, + }); + + await createBookingScenario( + getScenarioData({ + workflows: [ + { + userId: organizer.id, + trigger: "NEW_EVENT", + action: "EMAIL_HOST", + template: "REMINDER", + activeOn: [1], + }, + { + userId: organizer.id, + trigger: "NEW_EVENT", + action: "SMS_ATTENDEE", + template: "REMINDER", + activeOn: [1], + }, + ], + eventTypes: [ + { + id: 1, + slotInterval: 30, + length: 30, + useEventTypeDestinationCalendarEmail: true, + users: [ + { + id: 101, + }, + ], + destinationCalendar: { + integration: "google_calendar", + externalId: "event-type-1@google-calendar.com", + primaryEmail: organizerDestinationCalendarEmailOnEventType, + }, + }, + ], + organizer, + apps: [TestData.apps["google-calendar"], TestData.apps["daily-video"]], + }) + ); + + mockSuccessfulVideoMeetingCreation({ + metadataLookupKey: "dailyvideo", + videoMeetingData: { + id: "MOCK_ID", + password: "MOCK_PASS", + url: `http://mock-dailyvideo.example.com/meeting-1`, + }, + }); + + mockCalendarToHaveNoBusySlots("googlecalendar", { + create: { + id: "MOCKED_GOOGLE_CALENDAR_EVENT_ID", + }, + }); + + const mockBookingData = getMockRequestDataForBooking({ + data: { + user: organizer.username, + eventTypeId: 1, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: BookingLocations.CalVideo }, + smsReminderNumber: "000", + }, + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData, + }); + + await handleNewBooking(req); + + expectSMSWorkflowToBeTriggered({ + sms, + toNumber: "000", + }); + + expectWorkflowToBeTriggered({ + emailsToReceive: [organizerDestinationCalendarEmailOnEventType], + emails, + }); + }, + timeout + ); + test( + "should not send workflow sms when booking is created if the organizer is locked for sms sending", + async ({ sms }) => { + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const organizerOtherEmail = "organizer2@example.com"; + const organizerDestinationCalendarEmailOnEventType = "organizerEventTypeEmail@example.com"; + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: "google_calendar", + externalId: "organizer@google-calendar.com", + primaryEmail: organizerOtherEmail, + }, + smsLockState: SMSLockState.LOCKED, + }); + + await createBookingScenario( + getScenarioData({ + workflows: [ + { + userId: organizer.id, + trigger: "NEW_EVENT", + action: "SMS_ATTENDEE", + template: "REMINDER", + activeOn: [1], + }, + ], + eventTypes: [ + { + id: 1, + slotInterval: 30, + length: 30, + useEventTypeDestinationCalendarEmail: true, + users: [ + { + id: 101, + }, + ], + destinationCalendar: { + integration: "google_calendar", + externalId: "event-type-1@google-calendar.com", + primaryEmail: organizerDestinationCalendarEmailOnEventType, + }, + }, + ], + organizer, + apps: [TestData.apps["google-calendar"], TestData.apps["daily-video"]], + }) + ); + + mockCalendarToHaveNoBusySlots("googlecalendar", { + create: { + id: "MOCKED_GOOGLE_CALENDAR_EVENT_ID", + }, + }); + + const mockBookingData = getMockRequestDataForBooking({ + data: { + user: organizer.username, + eventTypeId: 1, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: BookingLocations.CalVideo }, + smsReminderNumber: "000", + }, + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData, + }); + + await handleNewBooking(req); + + expectSMSWorkflowToBeNotTriggered({ + sms, + toNumber: "000", + }); + }, + timeout + ); + }); + describe("Team Workflows", () => { + test( + "should send workflow email and sms when booking is created", + async ({ emails, sms }) => { + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const organizerDestinationCalendarEmailOnEventType = "organizerEventTypeEmail@example.com"; + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: "google_calendar", + externalId: "organizer@google-calendar.com", + primaryEmail: organizerDestinationCalendarEmailOnEventType, + }, + teams: [ + { + membership: { + accepted: true, + }, + team: { + id: 1, + name: "Team 1", + slug: "team-1", + }, + }, + ], + }); + + const otherTeamMembers = [ + { + name: "Other Team Member 1", + username: "other-team-member-1", + defaultScheduleId: null, + email: "other-team-member-1@example.com", + timeZone: Timezones["+0:00"], + id: 102, + schedules: [TestData.schedules.IstWorkHours], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: TestData.apps["google-calendar"].type, + externalId: "other-team-member-1@google-calendar.com", + }, + }, + ]; + + await createBookingScenario( + getScenarioData({ + workflows: [ + { + teamId: 1, + trigger: "NEW_EVENT", + action: "EMAIL_HOST", + template: "REMINDER", + activeOn: [1], + }, + { + teamId: 1, + trigger: "NEW_EVENT", + action: "SMS_ATTENDEE", + template: "REMINDER", + activeOn: [1], + }, + ], + eventTypes: [ + { + id: 1, + slotInterval: 15, + schedulingType: SchedulingType.COLLECTIVE, + length: 15, + users: [ + { + id: 101, + }, + { + id: 102, + }, + ], + teamId: 1, + destinationCalendar: { + integration: TestData.apps["google-calendar"].type, + externalId: "event-type-1@google-calendar.com", + }, + }, + ], + organizer, + usersApartFromOrganizer: otherTeamMembers, + apps: [TestData.apps["google-calendar"], TestData.apps["daily-video"]], + }) + ); + + mockSuccessfulVideoMeetingCreation({ + metadataLookupKey: "dailyvideo", + videoMeetingData: { + id: "MOCK_ID", + password: "MOCK_PASS", + url: `http://mock-dailyvideo.example.com/meeting-1`, + }, + }); + + mockCalendarToHaveNoBusySlots("googlecalendar", { + create: { + id: "MOCKED_GOOGLE_CALENDAR_EVENT_ID", + iCalUID: "MOCKED_GOOGLE_CALENDAR_ICS_ID", + }, + }); + + const mockBookingData = getMockRequestDataForBooking({ + data: { + start: `${getDate({ dateIncrement: 1 }).dateString}T09:00:00.000Z`, + end: `${getDate({ dateIncrement: 1 }).dateString}T09:15:00.000Z`, + user: organizer.username, + eventTypeId: 1, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: BookingLocations.CalVideo }, + smsReminderNumber: "000", + }, + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData, + }); + + await handleNewBooking(req); + + expectSMSWorkflowToBeTriggered({ + sms, + toNumber: "000", + }); + + expectWorkflowToBeTriggered({ + // emailsToReceive: [organizer.email].concat(otherTeamMembers.map(member => member.email)), + emailsToReceive: [organizer.email], + emails, + }); + }, + timeout + ); + + test( + "should not send workflow sms when booking is created if the team is locked for sms sending", + async ({ emails, sms }) => { + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const organizerDestinationCalendarEmailOnEventType = "organizerEventTypeEmail@example.com"; + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: "google_calendar", + externalId: "organizer@google-calendar.com", + primaryEmail: organizerDestinationCalendarEmailOnEventType, + }, + teams: [ + { + membership: { + accepted: true, + }, + team: { + id: 1, + name: "Team 1", + slug: "team-1", + smsLockState: SMSLockState.LOCKED, + }, + }, + ], + }); + + const otherTeamMembers = [ + { + name: "Other Team Member 1", + username: "other-team-member-1", + defaultScheduleId: null, + email: "other-team-member-1@example.com", + timeZone: Timezones["+0:00"], + id: 102, + schedules: [TestData.schedules.IstWorkHours], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: TestData.apps["google-calendar"].type, + externalId: "other-team-member-1@google-calendar.com", + }, + }, + ]; + + await createBookingScenario( + getScenarioData({ + workflows: [ + { + teamId: 1, + trigger: "NEW_EVENT", + action: "SMS_ATTENDEE", + template: "REMINDER", + activeOn: [1], + }, + ], + eventTypes: [ + { + id: 1, + slotInterval: 15, + schedulingType: SchedulingType.COLLECTIVE, + length: 15, + users: [ + { + id: 101, + }, + { + id: 102, + }, + ], + teamId: 1, + destinationCalendar: { + integration: TestData.apps["google-calendar"].type, + externalId: "event-type-1@google-calendar.com", + }, + }, + ], + organizer, + usersApartFromOrganizer: otherTeamMembers, + apps: [TestData.apps["google-calendar"], TestData.apps["daily-video"]], + }) + ); + + mockSuccessfulVideoMeetingCreation({ + metadataLookupKey: "dailyvideo", + videoMeetingData: { + id: "MOCK_ID", + password: "MOCK_PASS", + url: `http://mock-dailyvideo.example.com/meeting-1`, + }, + }); + + mockCalendarToHaveNoBusySlots("googlecalendar", { + create: { + id: "MOCKED_GOOGLE_CALENDAR_EVENT_ID", + iCalUID: "MOCKED_GOOGLE_CALENDAR_ICS_ID", + }, + }); + + const mockBookingData = getMockRequestDataForBooking({ + data: { + start: `${getDate({ dateIncrement: 1 }).dateString}T09:00:00.000Z`, + end: `${getDate({ dateIncrement: 1 }).dateString}T09:15:00.000Z`, + user: organizer.username, + eventTypeId: 1, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: BookingLocations.CalVideo }, + smsReminderNumber: "000", + }, + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData, + }); + + await handleNewBooking(req); + + expectSMSWorkflowToBeNotTriggered({ + sms, + toNumber: "000", + }); + }, + timeout + ); + }); + describe("Org Workflows", () => { + test("should trigger workflow when a new team event is booked and this team is active on org workflow", async ({ + emails, + }) => { + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + const org = await createOrganization({ + name: "Test Org", + slug: "testorg", + }); + + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + defaultScheduleId: null, + organizationId: org.id, + teams: [ + { + membership: { + accepted: true, + }, + team: { + id: 2, + name: "Team 1", + slug: "team-1", + parentId: org.id, + }, + }, + { + membership: { + accepted: true, + }, + team: { + id: 1, + name: "Test Org", + slug: "testorg", + }, + }, + ], + schedules: [TestData.schedules.IstMorningShift], + }); + + await createBookingScenario( + getScenarioData( + { + workflows: [ + { + teamId: 1, + trigger: "NEW_EVENT", + action: "EMAIL_ATTENDEE", + template: "REMINDER", + activeOnTeams: [2], + }, + ], + eventTypes: [ + { + id: 1, + slotInterval: 15, + schedulingType: SchedulingType.COLLECTIVE, + length: 15, + users: [ + { + id: 101, + }, + ], + teamId: 2, + }, + ], + organizer: { + ...organizer, + username: "organizer", + }, + apps: [TestData.apps["daily-video"]], + }, + { id: org.id } + ) + ); + mockSuccessfulVideoMeetingCreation({ + metadataLookupKey: "dailyvideo", + videoMeetingData: { + id: "MOCK_ID", + password: "MOCK_PASS", + url: `http://mock-dailyvideo.example.com/meeting-1`, + }, + }); + + const mockBookingData = getMockRequestDataForBooking({ + data: { + // Try booking the first available free timeslot in both the users' schedules + start: `${getDate({ dateIncrement: 1 }).dateString}T11:30:00.000Z`, + end: `${getDate({ dateIncrement: 1 }).dateString}T11:45:00.000Z`, + eventTypeId: 1, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: BookingLocations.CalVideo }, + }, + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData, + }); + + await handleNewBooking(req); + + expectWorkflowToBeTriggered({ + emailsToReceive: ["booker@example.com"], + emails, + }); + }); + + test("should trigger workflow when a new user event is booked and the user is part of an org team that is active on a org workflow", async ({ + sms, + }) => { + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + const org = await createOrganization({ + name: "Test Org", + slug: "testorg", + }); + + const booker = getBooker({ + email: "booker@example.com", + name: "Booker", + }); + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + defaultScheduleId: null, + organizationId: org.id, + teams: [ + { + membership: { + accepted: true, + }, + team: { + id: 2, + name: "Team 1", + slug: "team-1", + parentId: org.id, + }, + }, + { + membership: { + accepted: true, + }, + team: { + id: 1, + name: "Test Org", + slug: "testorg", + }, + }, + ], + schedules: [TestData.schedules.IstMorningShift], + }); + + await createBookingScenario( + getScenarioData( + { + workflows: [ + { + teamId: 1, + trigger: "NEW_EVENT", + action: "SMS_ATTENDEE", + template: "REMINDER", + activeOnTeams: [2], + }, + ], + eventTypes: [ + { + id: 1, + slotInterval: 15, + length: 15, + users: [ + { + id: 101, + }, + ], + }, + ], + organizer: { + ...organizer, + username: "organizer", + }, + apps: [TestData.apps["daily-video"]], + }, + { id: org.id } + ) + ); + mockSuccessfulVideoMeetingCreation({ + metadataLookupKey: "dailyvideo", + videoMeetingData: { + id: "MOCK_ID", + password: "MOCK_PASS", + url: `http://mock-dailyvideo.example.com/meeting-1`, + }, + }); + + const mockBookingData = getMockRequestDataForBooking({ + data: { + // Try booking the first available free timeslot in both the users' schedules + start: `${getDate({ dateIncrement: 1 }).dateString}T11:30:00.000Z`, + end: `${getDate({ dateIncrement: 1 }).dateString}T11:45:00.000Z`, + eventTypeId: 1, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: BookingLocations.CalVideo }, + smsReminderNumber: "000", + }, + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData, + }); + + await handleNewBooking(req); + + expectSMSWorkflowToBeTriggered({ + sms, + toNumber: "000", + }); + }); + }); +}); diff --git a/packages/features/bookings/lib/handleNewBooking/types.ts b/packages/features/bookings/lib/handleNewBooking/types.ts new file mode 100644 index 00000000000000..385816a633f24c --- /dev/null +++ b/packages/features/bookings/lib/handleNewBooking/types.ts @@ -0,0 +1,81 @@ +import type { App } from "@prisma/client"; +import type { Prisma } from "@prisma/client"; +import type { TFunction } from "next-i18next"; + +import type { EventTypeAppsList } from "@calcom/app-store/utils"; +import type { AwaitedGetDefaultEvent } from "@calcom/lib/defaultEvents"; +import type { PaymentAppData } from "@calcom/lib/getPaymentAppData"; +import type { userSelect } from "@calcom/prisma"; +import type { CredentialPayload } from "@calcom/types/Credential"; + +import type { Booking } from "./createBooking"; +import type { + AwaitedBookingData, + RescheduleReason, + NoEmail, + AdditionalNotes, + ReqAppsStatus, + SmsReminderNumber, + EventTypeId, + ReqBodyMetadata, +} from "./getBookingData"; +import type { getEventTypeResponse } from "./getEventTypesFromDB"; +import type { BookingType, OriginalRescheduledBooking } from "./getOriginalRescheduledBooking"; +import type { getRequiresConfirmationFlags } from "./getRequiresConfirmationFlags"; +import type { AwaitedLoadUsers } from "./loadUsers"; + +type User = Prisma.UserGetPayload; + +export type OrganizerUser = AwaitedLoadUsers[number] & { + isFixed?: boolean; + metadata?: Prisma.JsonValue; +}; + +export type Invitee = { + email: string; + name: string; + firstName: string; + lastName: string; + timeZone: string; + language: { + translate: TFunction; + locale: string; + }; +}[]; + +export interface IEventTypePaymentCredentialType { + appId: EventTypeAppsList; + app: { + categories: App["categories"]; + dirName: string; + }; + key: Prisma.JsonValue; +} + +export type IsFixedAwareUser = User & { + isFixed: boolean; + credentials: CredentialPayload[]; + organization: { slug: string }; + priority?: number; +}; + +export type NewBookingEventType = AwaitedGetDefaultEvent | getEventTypeResponse; + +export type IsConfirmedByDefault = ReturnType["isConfirmedByDefault"]; + +export type { + AwaitedBookingData, + RescheduleReason, + NoEmail, + AdditionalNotes, + ReqAppsStatus, + SmsReminderNumber, + EventTypeId, + ReqBodyMetadata, + PaymentAppData, + BookingType, + Booking, + OriginalRescheduledBooking, + AwaitedLoadUsers, + getEventTypeResponse, +}; diff --git a/packages/features/bookings/lib/handleSeats/cancel/cancelAttendeeSeat.ts b/packages/features/bookings/lib/handleSeats/cancel/cancelAttendeeSeat.ts index 91fe47308e0624..af732a9027f751 100644 --- a/packages/features/bookings/lib/handleSeats/cancel/cancelAttendeeSeat.ts +++ b/packages/features/bookings/lib/handleSeats/cancel/cancelAttendeeSeat.ts @@ -1,17 +1,17 @@ import { getCalendar } from "@calcom/app-store/_utils/getCalendar"; import { updateMeeting } from "@calcom/core/videoClient"; import { sendCancelledSeatEmails } from "@calcom/emails"; -import { deleteScheduledEmailReminder } from "@calcom/features/ee/workflows/lib/reminders/emailReminderManager"; -import { deleteScheduledSMSReminder } from "@calcom/features/ee/workflows/lib/reminders/smsReminderManager"; -import { deleteScheduledWhatsappReminder } from "@calcom/features/ee/workflows/lib/reminders/whatsappReminderManager"; import sendPayload from "@calcom/features/webhooks/lib/sendOrSchedulePayload"; import type { EventTypeInfo } from "@calcom/features/webhooks/lib/sendPayload"; import { HttpError } from "@calcom/lib/http-error"; +import logger from "@calcom/lib/logger"; +import { safeStringify } from "@calcom/lib/safeStringify"; import { getTranslation } from "@calcom/lib/server/i18n"; import prisma from "@calcom/prisma"; -import { WebhookTriggerEvents, WorkflowMethods } from "@calcom/prisma/enums"; +import { WebhookTriggerEvents } from "@calcom/prisma/enums"; import { credentialForCalendarServiceSelect } from "@calcom/prisma/selects/credential"; import { schemaBookingCancelParams } from "@calcom/prisma/zod-utils"; +import { deleteAllWorkflowReminders } from "@calcom/trpc/server/routers/viewer/workflows/util"; import type { CalendarEvent } from "@calcom/types/Calendar"; import type { CustomRequest } from "../../handleCancelBooking"; @@ -130,31 +130,19 @@ async function cancelAttendeeSeat( status: "CANCELLED", smsReminderNumber: bookingToDelete.smsReminderNumber || undefined, }).catch((e) => { - console.error( - `Error executing webhook for event: ${WebhookTriggerEvents.BOOKING_CANCELLED}, URL: ${webhook.subscriberUrl}`, - e + logger.error( + `Error executing webhook for event: ${WebhookTriggerEvents.BOOKING_CANCELLED}, URL: ${webhook.subscriberUrl}, bookingId: ${evt.bookingId}, bookingUid: ${evt.uid}`, + safeStringify(e) ); }) ); await Promise.all(promises); - const workflowRemindersForAttendee = bookingToDelete?.workflowReminders.filter( - (reminder) => reminder.seatReferenceId === seatReferenceUid - ); + const workflowRemindersForAttendee = + bookingToDelete?.workflowReminders.filter((reminder) => reminder.seatReferenceId === seatReferenceUid) ?? + null; - if (workflowRemindersForAttendee && workflowRemindersForAttendee.length !== 0) { - const deletionPromises = workflowRemindersForAttendee.map((reminder) => { - if (reminder.method === WorkflowMethods.EMAIL) { - return deleteScheduledEmailReminder(reminder.id, reminder.referenceId); - } else if (reminder.method === WorkflowMethods.SMS) { - return deleteScheduledSMSReminder(reminder.id, reminder.referenceId); - } else if (reminder.method === WorkflowMethods.WHATSAPP) { - return deleteScheduledWhatsappReminder(reminder.id, reminder.referenceId); - } - }); - - await Promise.allSettled(deletionPromises); - } + await deleteAllWorkflowReminders(workflowRemindersForAttendee); return { success: true }; } diff --git a/packages/features/bookings/lib/handleSeats/create/createNewSeat.ts b/packages/features/bookings/lib/handleSeats/create/createNewSeat.ts index 214d7752a6d90e..9a6fd8b17e01a8 100644 --- a/packages/features/bookings/lib/handleSeats/create/createNewSeat.ts +++ b/packages/features/bookings/lib/handleSeats/create/createNewSeat.ts @@ -15,8 +15,8 @@ import { handlePayment } from "@calcom/lib/payment/handlePayment"; import prisma from "@calcom/prisma"; import { BookingStatus } from "@calcom/prisma/enums"; -import type { IEventTypePaymentCredentialType } from "../../handleNewBooking"; -import { findBookingQuery } from "../../handleNewBooking"; +import { findBookingQuery } from "../../handleNewBooking/findBookingQuery"; +import type { IEventTypePaymentCredentialType } from "../../handleNewBooking/types"; import type { SeatedBooking, NewSeatedBookingObject, HandleSeatsResultBooking } from "../types"; const createNewSeat = async ( @@ -36,6 +36,7 @@ const createNewSeat = async ( fullName, bookerEmail, responses, + workflows, } = rescheduleSeatedBookingObject; let { evt } = rescheduleSeatedBookingObject; let resultBooking: HandleSeatsResultBooking; @@ -46,7 +47,10 @@ const createNewSeat = async ( evt = { ...evt, attendees: [...bookingAttendees, invitee[0]] }; - if (eventType.seatsPerTimeSlot && eventType.seatsPerTimeSlot <= seatedBooking.attendees.length) { + if ( + eventType.seatsPerTimeSlot && + eventType.seatsPerTimeSlot <= seatedBooking.attendees.filter((attendee) => !!attendee.bookingSeat).length + ) { throw new HttpError({ statusCode: 409, message: ErrorCode.BookingSeatsFull }); } @@ -117,21 +121,16 @@ const createNewSeat = async ( let isHostConfirmationEmailsDisabled = false; let isAttendeeConfirmationEmailDisabled = false; - const workflows = eventType.workflows.map((workflow) => workflow.workflow); + isHostConfirmationEmailsDisabled = eventType.metadata?.disableStandardEmails?.confirmation?.host || false; + isAttendeeConfirmationEmailDisabled = + eventType.metadata?.disableStandardEmails?.confirmation?.attendee || false; - if (eventType.workflows) { - isHostConfirmationEmailsDisabled = - eventType.metadata?.disableStandardEmails?.confirmation?.host || false; - isAttendeeConfirmationEmailDisabled = - eventType.metadata?.disableStandardEmails?.confirmation?.attendee || false; - - if (isHostConfirmationEmailsDisabled) { - isHostConfirmationEmailsDisabled = allowDisablingHostConfirmationEmails(workflows); - } + if (isHostConfirmationEmailsDisabled) { + isHostConfirmationEmailsDisabled = allowDisablingHostConfirmationEmails(workflows); + } - if (isAttendeeConfirmationEmailDisabled) { - isAttendeeConfirmationEmailDisabled = allowDisablingAttendeeConfirmationEmails(workflows); - } + if (isAttendeeConfirmationEmailDisabled) { + isAttendeeConfirmationEmailDisabled = allowDisablingAttendeeConfirmationEmails(workflows); } await sendScheduledSeatsEmails( copyEvent, @@ -143,7 +142,7 @@ const createNewSeat = async ( ); } const credentials = await refreshCredentials(allCredentials); - const eventManager = new EventManager({ ...organizerUser, credentials }); + const eventManager = new EventManager({ ...organizerUser, credentials }, eventType?.metadata?.apps); await eventManager.updateCalendarAttendees(evt, seatedBooking); const foundBooking = await findBookingQuery(seatedBooking.id); diff --git a/packages/features/bookings/lib/handleSeats/handleSeats.ts b/packages/features/bookings/lib/handleSeats/handleSeats.ts index ae96d4ab4f1cc7..b4cf2a661afb2b 100644 --- a/packages/features/bookings/lib/handleSeats/handleSeats.ts +++ b/packages/features/bookings/lib/handleSeats/handleSeats.ts @@ -29,6 +29,7 @@ const handleSeats = async (newSeatedBookingObject: NewSeatedBookingObject) => { subscriberOptions, eventTrigger, evt, + workflows, } = newSeatedBookingObject; const loggerWithEventDetails = createLoggerWithEventDetails(eventType.id, reqBodyUser, eventType.slug); @@ -60,7 +61,6 @@ const handleSeats = async (newSeatedBookingObject: NewSeatedBookingObject) => { status: true, smsReminderNumber: true, endTime: true, - scheduledJobs: true, }, }); @@ -102,15 +102,13 @@ const handleSeats = async (newSeatedBookingObject: NewSeatedBookingObject) => { }; try { await scheduleWorkflowReminders({ - workflows: eventType.workflows, + workflows, smsReminderNumber: smsReminderNumber || null, calendarEvent: { ...evt, ...{ metadata, eventType: { slug: eventType.slug } } }, isNotConfirmed: evt.requiresConfirmation || false, isRescheduleEvent: !!rescheduleUid, - isFirstRecurringEvent: true, emailAttendeeSendToOverride: bookerEmail, seatReferenceUid: evt.attendeeSeatId, - eventTypeRequiresConfirmation: eventType.requiresConfirmation, }); } catch (error) { loggerWithEventDetails.error("Error while scheduling workflow reminders", JSON.stringify({ error })); @@ -121,6 +119,7 @@ const handleSeats = async (newSeatedBookingObject: NewSeatedBookingObject) => { ...eventTypeInfo, uid: resultBooking?.uid || uid, bookingId: seatedBooking?.id, + attendeeSeatId: resultBooking?.seatReferenceUid, rescheduleUid, rescheduleStartTime: originalRescheduledBooking?.startTime ? dayjs(originalRescheduledBooking?.startTime).utc().format() diff --git a/packages/features/bookings/lib/handleSeats/lib/lastAttendeeDeleteBooking.ts b/packages/features/bookings/lib/handleSeats/lib/lastAttendeeDeleteBooking.ts index 4c1dc53dfa8691..4c1eb418cf9935 100644 --- a/packages/features/bookings/lib/handleSeats/lib/lastAttendeeDeleteBooking.ts +++ b/packages/features/bookings/lib/handleSeats/lib/lastAttendeeDeleteBooking.ts @@ -8,7 +8,7 @@ import { BookingStatus } from "@calcom/prisma/enums"; import { credentialForCalendarServiceSelect } from "@calcom/prisma/selects/credential"; import type { CalendarEvent } from "@calcom/types/Calendar"; -import type { OriginalRescheduledBooking } from "../../handleNewBooking"; +import type { OriginalRescheduledBooking } from "../../handleNewBooking/types"; /* Check if the original booking has no more attendees, if so delete the booking and any calendar or video integrations */ diff --git a/packages/features/bookings/lib/handleSeats/reschedule/attendee/attendeeRescheduleSeatedBooking.ts b/packages/features/bookings/lib/handleSeats/reschedule/attendee/attendeeRescheduleSeatedBooking.ts index 31d289e9577e87..e340319666ff76 100644 --- a/packages/features/bookings/lib/handleSeats/reschedule/attendee/attendeeRescheduleSeatedBooking.ts +++ b/packages/features/bookings/lib/handleSeats/reschedule/attendee/attendeeRescheduleSeatedBooking.ts @@ -3,10 +3,11 @@ import { cloneDeep } from "lodash"; import type EventManager from "@calcom/core/EventManager"; import { sendRescheduledSeatEmail } from "@calcom/emails"; +import { getTranslation } from "@calcom/lib/server/i18n"; import prisma from "@calcom/prisma"; import type { Person, CalendarEvent } from "@calcom/types/Calendar"; -import { findBookingQuery } from "../../../handleNewBooking"; +import { findBookingQuery } from "../../../handleNewBooking/findBookingQuery"; import lastAttendeeDeleteBooking from "../../lib/lastAttendeeDeleteBooking"; import type { RescheduleSeatedBookingObject, SeatAttendee, NewTimeSlotBooking } from "../../types"; @@ -17,11 +18,28 @@ const attendeeRescheduleSeatedBooking = async ( originalBookingEvt: CalendarEvent, eventManager: EventManager ) => { - const { tAttendees, bookingSeat, bookerEmail, rescheduleUid, evt } = rescheduleSeatedBookingObject; + const { tAttendees, bookingSeat, bookerEmail, evt } = rescheduleSeatedBookingObject; let { originalRescheduledBooking } = rescheduleSeatedBookingObject; seatAttendee["language"] = { translate: tAttendees, locale: bookingSeat?.attendee.locale ?? "en" }; + // Update the original calendar event by removing the attendee that is rescheduling + if (originalBookingEvt && originalRescheduledBooking) { + // Event would probably be deleted so we first check than instead of updating references + const filteredAttendees = originalRescheduledBooking?.attendees.filter((attendee) => { + return attendee.email !== bookerEmail; + }); + const deletedReference = await lastAttendeeDeleteBooking( + originalRescheduledBooking, + filteredAttendees, + originalBookingEvt + ); + + if (!deletedReference) { + await eventManager.updateCalendarAttendees(originalBookingEvt, originalRescheduledBooking); + } + } + // If there is no booking then remove the attendee from the old booking and create a new one if (!newTimeSlotBooking) { await prisma.attendee.delete({ @@ -30,23 +48,6 @@ const attendeeRescheduleSeatedBooking = async ( }, }); - // Update the original calendar event by removing the attendee that is rescheduling - if (originalBookingEvt && originalRescheduledBooking) { - // Event would probably be deleted so we first check than instead of updating references - const filteredAttendees = originalRescheduledBooking?.attendees.filter((attendee) => { - return attendee.email !== bookerEmail; - }); - const deletedReference = await lastAttendeeDeleteBooking( - originalRescheduledBooking, - filteredAttendees, - originalBookingEvt - ); - - if (!deletedReference) { - await eventManager.updateCalendarAttendees(originalBookingEvt, originalRescheduledBooking); - } - } - // We don't want to trigger rescheduling logic of the original booking originalRescheduledBooking = null; @@ -76,17 +77,19 @@ const attendeeRescheduleSeatedBooking = async ( ]); } - const copyEvent = cloneDeep(evt); - - const updateManager = await eventManager.reschedule(copyEvent, rescheduleUid, newTimeSlotBooking.id); - - const results = updateManager.results; + // Add the new attendees to the new time slot booking attendees + for (const attendee of newTimeSlotBooking.attendees) { + const language = await getTranslation(attendee.locale ?? "en", "common"); + evt.attendees.push({ + email: attendee.email, + name: attendee.name, + language, + }); + } - const calendarResult = results.find((result) => result.type.includes("_calendar")); + const copyEvent = cloneDeep({ ...evt, iCalUID: newTimeSlotBooking.iCalUID }); - evt.iCalUID = Array.isArray(calendarResult?.updatedEvent) - ? calendarResult?.updatedEvent[0]?.iCalUID - : calendarResult?.updatedEvent?.iCalUID || undefined; + await eventManager.updateCalendarAttendees(copyEvent, newTimeSlotBooking); await sendRescheduledSeatEmail(copyEvent, seatAttendee as Person); const filteredAttendees = originalRescheduledBooking?.attendees.filter((attendee) => { diff --git a/packages/features/bookings/lib/handleSeats/reschedule/owner/combineTwoSeatedBookings.ts b/packages/features/bookings/lib/handleSeats/reschedule/owner/combineTwoSeatedBookings.ts index d4b5b1ab19e097..7efe855e038b2b 100644 --- a/packages/features/bookings/lib/handleSeats/reschedule/owner/combineTwoSeatedBookings.ts +++ b/packages/features/bookings/lib/handleSeats/reschedule/owner/combineTwoSeatedBookings.ts @@ -10,7 +10,8 @@ import prisma from "@calcom/prisma"; import { BookingStatus } from "@calcom/prisma/enums"; import type { createLoggerWithEventDetails } from "../../../handleNewBooking"; -import { addVideoCallDataToEvent, findBookingQuery } from "../../../handleNewBooking"; +import { addVideoCallDataToEvent } from "../../../handleNewBooking"; +import { findBookingQuery } from "../../../handleNewBooking/findBookingQuery"; import type { SeatedBooking, RescheduleSeatedBookingObject, NewTimeSlotBooking } from "../../types"; const combineTwoSeatedBookings = async ( diff --git a/packages/features/bookings/lib/handleSeats/reschedule/owner/moveSeatedBookingToNewTimeSlot.ts b/packages/features/bookings/lib/handleSeats/reschedule/owner/moveSeatedBookingToNewTimeSlot.ts index 0dcd16c605972a..93dc6f4342660d 100644 --- a/packages/features/bookings/lib/handleSeats/reschedule/owner/moveSeatedBookingToNewTimeSlot.ts +++ b/packages/features/bookings/lib/handleSeats/reschedule/owner/moveSeatedBookingToNewTimeSlot.ts @@ -6,8 +6,11 @@ import { sendRescheduledEmails } from "@calcom/emails"; import prisma from "@calcom/prisma"; import type { AdditionalInformation, AppsStatus } from "@calcom/types/Calendar"; -import { addVideoCallDataToEvent, handleAppsStatus, findBookingQuery } from "../../../handleNewBooking"; -import type { Booking, createLoggerWithEventDetails } from "../../../handleNewBooking"; +import { addVideoCallDataToEvent } from "../../../handleNewBooking"; +import type { createLoggerWithEventDetails } from "../../../handleNewBooking"; +import { findBookingQuery } from "../../../handleNewBooking/findBookingQuery"; +import { handleAppsStatus } from "../../../handleNewBooking/handleAppsStatus"; +import type { Booking } from "../../../handleNewBooking/types"; import type { SeatedBooking, RescheduleSeatedBookingObject } from "../../types"; const moveSeatedBookingToNewTimeSlot = async ( diff --git a/packages/features/bookings/lib/handleSeats/reschedule/rescheduleSeatedBooking.ts b/packages/features/bookings/lib/handleSeats/reschedule/rescheduleSeatedBooking.ts index 50913ff3834793..a08b26cd79ff85 100644 --- a/packages/features/bookings/lib/handleSeats/reschedule/rescheduleSeatedBooking.ts +++ b/packages/features/bookings/lib/handleSeats/reschedule/rescheduleSeatedBooking.ts @@ -39,11 +39,14 @@ const rescheduleSeatedBooking = async ( select: { id: true, uid: true, + iCalUID: true, + userId: true, attendees: { include: { bookingSeat: true, }, }, + references: true, }, }); @@ -82,6 +85,7 @@ const rescheduleSeatedBooking = async ( startTime: dayjs(originalRescheduledBooking.startTime).utc().format(), endTime: dayjs(originalRescheduledBooking.endTime).utc().format(), attendees: updatedBookingAttendees, + iCalUID: originalRescheduledBooking.iCalUID, // If the location is a video integration then include the videoCallData ...(videoReference && { videoCallData: { diff --git a/packages/features/bookings/lib/handleSeats/test/handleSeats.test.ts b/packages/features/bookings/lib/handleSeats/test/handleSeats.test.ts index 08843c299629dc..9acbf31cd90713 100644 --- a/packages/features/bookings/lib/handleSeats/test/handleSeats.test.ts +++ b/packages/features/bookings/lib/handleSeats/test/handleSeats.test.ts @@ -1,15 +1,12 @@ import prismaMock from "../../../../../../tests/libs/__mocks__/prisma"; -import { describe, test, vi, expect } from "vitest"; - -import { appStoreMetadata } from "@calcom/app-store/apps.metadata.generated"; -import { ErrorCode } from "@calcom/lib/errorCodes"; -import { BookingStatus } from "@calcom/prisma/enums"; import { getBooker, TestData, getOrganizer, createBookingScenario, + getGoogleCalendarCredential, + Timezones, getScenarioData, mockSuccessfulVideoMeetingCreation, BookingLocations, @@ -21,6 +18,13 @@ import { getMockRequestDataForBooking } from "@calcom/web/test/utils/bookingScen import { getMockRequestDataForCancelBooking } from "@calcom/web/test/utils/bookingScenario/getMockRequestDataForCancelBooking"; import { setupAndTeardown } from "@calcom/web/test/utils/bookingScenario/setupAndTeardown"; +import { describe, test, vi, expect } from "vitest"; + +import { appStoreMetadata } from "@calcom/app-store/apps.metadata.generated"; +import { ErrorCode } from "@calcom/lib/errorCodes"; +import { SchedulingType } from "@calcom/prisma/enums"; +import { BookingStatus } from "@calcom/prisma/enums"; + import * as handleSeatsModule from "../handleSeats"; describe("handleSeats", () => { @@ -872,6 +876,186 @@ describe("handleSeats", () => { await expect(() => handleNewBooking(req)).rejects.toThrowError(ErrorCode.BookingSeatsFull); }); + + test("Verify Seat Availability Calculation Based on Booked Seats, Not Total Attendees", async () => { + const handleNewBooking = (await import("@calcom/features/bookings/lib/handleNewBooking")).default; + + const booker = getBooker({ + email: "seat2@example.com", + name: "Seat 2", + }); + + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + defaultScheduleId: null, + schedules: [TestData.schedules.IstMorningShift], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: TestData.apps["google-calendar"].type, + externalId: "organizer@google-calendar.com", + }, + }); + + const otherTeamMembers = [ + { + name: "Other Team Member 1", + username: "other-team-member-1", + timeZone: Timezones["+5:30"], + defaultScheduleId: null, + email: "other-team-member-1@example.com", + id: 102, + schedules: [TestData.schedules.IstEveningShift], + credentials: [getGoogleCalendarCredential()], + selectedCalendars: [TestData.selectedCalendars.google], + destinationCalendar: { + integration: TestData.apps["google-calendar"].type, + externalId: "other-team-member-1@google-calendar.com", + }, + }, + ]; + + const bookingId = 1; + const bookingUid = "abc123"; + const { dateString: plus1DateString } = getDate({ dateIncrement: 1 }); + const bookingStartTime = `${plus1DateString}T04:00:00Z`; + const bookingEndTime = `${plus1DateString}T04:30:00Z`; + + await createBookingScenario( + getScenarioData({ + eventTypes: [ + { + id: 1, + slug: "collective-team-seated-event", + slotInterval: 30, + length: 30, + schedulingType: SchedulingType.COLLECTIVE, + users: [ + { + id: 101, + }, + { + id: 102, + }, + ], + destinationCalendar: { + integration: TestData.apps["google-calendar"].type, + externalId: "event-type-1@google-calendar.com", + }, + seatsPerTimeSlot: 2, + seatsShowAttendees: false, + }, + ], + bookings: [ + { + id: bookingId, + uid: bookingUid, + eventTypeId: 1, + status: BookingStatus.ACCEPTED, + startTime: bookingStartTime, + endTime: bookingEndTime, + metadata: { + videoCallUrl: "https://existing-daily-video-call-url.example.com", + }, + references: [ + { + type: appStoreMetadata.dailyvideo.type, + uid: "MOCK_ID", + meetingId: "MOCK_ID", + meetingPassword: "MOCK_PASS", + meetingUrl: "http://mock-dailyvideo.example.com", + credentialId: null, + }, + ], + attendees: [ + getMockBookingAttendee({ + id: 1, + name: "Other Team Member 1", + email: "other-team-member-1@example.com", + locale: "en", + timeZone: "America/Toronto", + }), + getMockBookingAttendee({ + id: 2, + name: "Seat 1", + email: "seat1@test.com", + locale: "en", + timeZone: "America/Toronto", + bookingSeat: { + referenceUid: "booking-seat-1", + data: {}, + }, + }), + ], + }, + ], + organizer, + usersApartFromOrganizer: otherTeamMembers, + apps: [TestData.apps["google-calendar"], TestData.apps["daily-video"]], + }) + ); + + mockSuccessfulVideoMeetingCreation({ + metadataLookupKey: "dailyvideo", + videoMeetingData: { + id: "MOCK_ID", + password: "MOCK_PASS", + url: `http://mock-dailyvideo.example.com/meeting-1`, + }, + }); + + const reqBookingUser = "seatedAttendee"; + + const mockBookingData = getMockRequestDataForBooking({ + data: { + eventTypeId: 1, + responses: { + email: booker.email, + name: booker.name, + location: { optionValue: "", value: BookingLocations.CalVideo }, + }, + bookingUid: bookingUid, + user: reqBookingUser, + }, + }); + + const { req } = createMockNextJsRequest({ + method: "POST", + body: mockBookingData, + }); + + await handleNewBooking(req); + + const newAttendee = await prismaMock.attendee.findFirst({ + where: { + email: booker.email, + bookingId: bookingId, + }, + include: { + bookingSeat: true, + }, + }); + + // Check for the existence of the new attendee with booking seat + expect(newAttendee?.bookingSeat).toEqual( + expect.objectContaining({ + referenceUid: expect.any(String), + data: expect.any(Object), + bookingId: bookingId, + }) + ); + + // Verify that the booking seat count is now 2 out of 2 + const bookingSeatCount = await prismaMock.bookingSeat.count({ + where: { + bookingId: bookingId, + }, + }); + + expect(bookingSeatCount).toBe(2); + }); }); describe("Rescheduling a booking", () => { diff --git a/packages/features/bookings/lib/handleSeats/types.d.ts b/packages/features/bookings/lib/handleSeats/types.d.ts index b26ca2982c221c..e4497d39d11616 100644 --- a/packages/features/bookings/lib/handleSeats/types.d.ts +++ b/packages/features/bookings/lib/handleSeats/types.d.ts @@ -1,9 +1,10 @@ import type { Prisma } from "@prisma/client"; import type z from "zod"; +import type { Workflow } from "@calcom/features/ee/workflows/lib/types"; import type { AppsStatus } from "@calcom/types/Calendar"; -import type { Booking, NewBookingEventType, OriginalRescheduledBooking } from "../handleNewBooking"; +import type { Booking, NewBookingEventType, OriginalRescheduledBooking } from "../handleNewBooking/types"; export type BookingSeat = Prisma.BookingSeatGetPayload<{ include: { booking: true; attendee: true } }> | null; @@ -37,6 +38,7 @@ export type NewSeatedBookingObject = { subscriberOptions: GetSubscriberOptions; eventTrigger: WebhookTriggerEvents; responses: z.infer>["responses"] | null; + workflows: Workflow[]; }; export type RescheduleSeatedBookingObject = NewSeatedBookingObject & { rescheduleUid: string }; @@ -53,7 +55,6 @@ export type SeatedBooking = Prisma.BookingGetPayload<{ status: true; smsReminderNumber: true; endTime: true; - scheduledJobs: true; }; }>; @@ -71,6 +72,9 @@ export type NewTimeSlotBooking = Prisma.BookingGetPayload<{ select: { id: true; uid: true; + iCalUID: true; + userId: true; + references: true; attendees: { include: { bookingSeat: true; diff --git a/packages/features/bookings/lib/handleWebhookTrigger.ts b/packages/features/bookings/lib/handleWebhookTrigger.ts index dbbcaaf75f9b42..64696cefca32f6 100644 --- a/packages/features/bookings/lib/handleWebhookTrigger.ts +++ b/packages/features/bookings/lib/handleWebhookTrigger.ts @@ -3,6 +3,7 @@ import type { GetSubscriberOptions } from "@calcom/features/webhooks/lib/getWebh import sendPayload from "@calcom/features/webhooks/lib/sendOrSchedulePayload"; import type { WebhookDataType } from "@calcom/features/webhooks/lib/sendPayload"; import logger from "@calcom/lib/logger"; +import { safeStringify } from "@calcom/lib/safeStringify"; export async function handleWebhookTrigger(args: { subscriberOptions: GetSubscriberOptions; @@ -15,9 +16,9 @@ export async function handleWebhookTrigger(args: { const promises = subscribers.map((sub) => sendPayload(sub.secret, args.eventTrigger, new Date().toISOString(), sub, args.webhookData).catch( (e) => { - console.error( - `Error executing webhook for event: ${args.eventTrigger}, URL: ${sub.subscriberUrl}`, - e + logger.error( + `Error executing webhook for event: ${args.eventTrigger}, URL: ${sub.subscriberUrl}, bookingId: ${args.webhookData.bookingId}, bookingUid: ${args.webhookData.uid}`, + safeStringify(e) ); } ) diff --git a/packages/features/bookings/types.ts b/packages/features/bookings/types.ts index c327a5b5543ba9..92163d293745e4 100644 --- a/packages/features/bookings/types.ts +++ b/packages/features/bookings/types.ts @@ -6,6 +6,53 @@ import type { RouterOutputs } from "@calcom/trpc/react"; import type { AppsStatus } from "@calcom/types/Calendar"; export type PublicEvent = NonNullable; + +export type BookerEventQuery = { + isSuccess: boolean; + isError: boolean; + isPending: boolean; + data?: BookerEvent | null; +}; + +type BookerEventUser = Pick< + PublicEvent["users"][number], + "name" | "username" | "avatarUrl" | "weekStart" | "profile" +> & { + metadata?: undefined; + brandColor?: string | null; + darkBrandColor?: string | null; + bookerUrl: string; +}; + +type BookerEventProfile = Pick; + +export type BookerEvent = Pick< + PublicEvent, + | "id" + | "length" + | "slug" + | "schedulingType" + | "recurringEvent" + | "entity" + | "locations" + | "metadata" + | "isDynamic" + | "requiresConfirmation" + | "price" + | "currency" + | "lockTimeZoneToggleOnBookingPage" + | "schedule" + | "seatsPerTimeSlot" + | "title" + | "description" + | "forwardParamsSuccessRedirect" + | "successRedirectUrl" + | "hosts" + | "bookingFields" + | "seatsShowAvailabilityCount" + | "isInstantEvent" +> & { users: BookerEventUser[] } & { profile: BookerEventProfile }; + export type ValidationErrors = { key: FieldPath; error: ErrorOption }[]; export type EventPrice = { currency: string; price: number; displayAlternateSymbol?: boolean }; @@ -38,3 +85,7 @@ export type BookingResponse = Awaited< export type InstantBookingResponse = Awaited< ReturnType >; + +export type MarkNoShowResponse = Awaited< + ReturnType +>; diff --git a/packages/features/calendars/DatePicker.tsx b/packages/features/calendars/DatePicker.tsx index 08a44879867421..728a3ea3019093 100644 --- a/packages/features/calendars/DatePicker.tsx +++ b/packages/features/calendars/DatePicker.tsx @@ -80,7 +80,7 @@ export const Day = ({ type="button" style={disabled ? { ...disabledDateButtonEmbedStyles } : { ...enabledDateButtonEmbedStyles }} className={classNames( - "disabled:text-bookinglighter absolute bottom-0 left-0 right-0 top-0 mx-auto w-full rounded-md border-2 border-transparent text-center text-sm font-medium disabled:cursor-default disabled:border-transparent disabled:font-light ", + "disabled:text-bookinglighter absolute bottom-0 left-0 right-0 top-0 mx-auto w-full rounded-md border-2 border-transparent text-center text-sm font-medium transition disabled:cursor-default disabled:border-transparent disabled:font-light ", active ? "bg-brand-default text-brand" : !disabled @@ -129,6 +129,16 @@ const NoAvailabilityOverlay = ({ ); }; +const ReschedulingNotPossibleOverlay = () => { + const { t } = useLocale(); + + return ( +

    +

    {t("rescheduling_not_possible")}

    +
    + ); +}; + const Days = ({ minDate, excludedDates = [], @@ -141,6 +151,7 @@ const Days = ({ eventSlug, slots, customClassName, + isBookingInPast, ...props }: Omit & { DayComponent?: React.FC>; @@ -152,6 +163,8 @@ const Days = ({ datePickerDate?: string; datePickerDateActive?: string; }; + scrollToTimeSlots?: () => void; + isBookingInPast: boolean; }) => { // Create placeholder elements for empty days in first week const weekdayOfFirst = browsingDate.date(1).day(); @@ -235,7 +248,9 @@ const Days = ({ // If selected date not available in the month, select the first available date of the month props.onChange(firstAvailableDateOfTheMonth); } - + if (isSelectedDateAvailable) { + props.onChange(dayjs(selected)); + } if (!firstAvailableDateOfTheMonth) { props.onChange(null); } @@ -251,10 +266,10 @@ const Days = ({
    ) : props.isPending ? ( ) : ( { props.onChange(day); + props?.scrollToTimeSlots?.(); }} disabled={disabled} active={isActive(day)} @@ -275,7 +291,9 @@ const Days = ({
    ))} - {!props.isPending && includedDates && includedDates?.length === 0 && ( + {isBookingInPast && } + + {!props.isPending && !isBookingInPast && includedDates && includedDates?.length === 0 && ( )} @@ -290,6 +308,7 @@ const DatePicker = ({ onMonthChange, slots, customClassNames, + includedDates, ...passThroughProps }: DatePickerProps & Partial> & { @@ -300,9 +319,12 @@ const DatePicker = ({ datePickerDatesActive?: string; datePickerToggle?: string; }; + scrollToTimeSlots?: () => void; }) => { const browsingDate = passThroughProps.browsingDate || dayjs().startOf("month"); const { i18n } = useLocale(); + const bookingData = useBookerStore((state) => state.bookingData); + const isBookingInPast = bookingData ? new Date(bookingData.endTime) < new Date() : false; const changeMonth = (newMonth: number) => { if (onMonthChange) { @@ -337,7 +359,7 @@ const DatePicker = ({
    diff --git a/packages/features/ee/README.md b/packages/features/ee/README.md index 2843b0cd9deb3b..d8a148ad9b8a44 100644 --- a/packages/features/ee/README.md +++ b/packages/features/ee/README.md @@ -4,16 +4,16 @@ Logo - Get a License Key + Get a License Key
    # Enterprise Edition Welcome to the Enterprise Edition ("/ee") of Cal.com. -The [/ee](https://github.com/calcom/cal.com/tree/main/packages/features/ee) subfolder is the place for all the **Enterprise Edition** features from our [hosted](https://cal.com/pricing) plan and enterprise-grade features for [Ultimate](https://cal.com/emterprise) such as SSO, SAML, OIDC, SCIM, SIEM and much more or [Platform](https://cal.com/platform) plan to build a marketplace. +The [/ee](https://github.com/calcom/cal.com/tree/main/packages/features/ee) subfolder is the place for all the **Enterprise Edition** features from our [hosted](https://cal.com/pricing) plan and enterprise-grade features for [Enterprise](https://cal.com/enterprise) such as SSO, SAML, OIDC, SCIM, SIEM and much more or [Platform](https://cal.com/platform) plan to build a marketplace. -> _❗ WARNING: This repository is copyrighted (unlike our [main repo](https://github.com/calcom/cal.com)). You are not allowed to use this code to host your own version of app.cal.com without obtaining a proper [license](https://console.cal.com/) first❗_ +> _❗ WARNING: This repository is copyrighted (unlike our [main repo](https://github.com/calcom/cal.com)). You are not allowed to use this code to host your own version of app.cal.com without obtaining a proper [license](https://cal.com/sales) first❗_ ## Setting up Stripe diff --git a/packages/features/ee/common/components/LicenseRequired.tsx b/packages/features/ee/common/components/LicenseRequired.tsx index 1f3422aa26db2b..e48af6496315e4 100644 --- a/packages/features/ee/common/components/LicenseRequired.tsx +++ b/packages/features/ee/common/components/LicenseRequired.tsx @@ -1,11 +1,10 @@ import { useSession } from "next-auth/react"; -import { Trans } from "next-i18next"; import type { AriaRole, ComponentType } from "react"; import React, { Fragment, useEffect } from "react"; -import { SUPPORT_MAIL_ADDRESS, WEBAPP_URL } from "@calcom/lib/constants"; +import { WEBAPP_URL } from "@calcom/lib/constants"; import { useLocale } from "@calcom/lib/hooks/useLocale"; -import { EmptyScreen, Alert } from "@calcom/ui"; +import { EmptyScreen, Alert, Button } from "@calcom/ui"; type LicenseRequiredProps = { as?: keyof JSX.IntrinsicElements | ""; @@ -41,15 +40,10 @@ const LicenseRequired = ({ children, as = "", ...rest }: LicenseRequiredProps) = severity="warning" title={ <> - {t("enterprise_license")}.{" "} - - You can test this feature on development mode. For production usage please have an - administrator go to{" "} - - /auth/setup - {" "} - to enter a license key. - + {t("enterprise_license_locally")} {t("enterprise_license_sales")}{" "} + + {t("contact_sales")} + } /> @@ -59,19 +53,12 @@ const LicenseRequired = ({ children, as = "", ...rest }: LicenseRequiredProps) = - To enable this feature, have an administrator go to{" "} - - /auth/setup - - to enter a license key. If a license key is already in place, please contact{" "} - - {{ SUPPORT_MAIL_ADDRESS }} - - for help. - + buttonRaw={ + } + description={t("enterprise_license_sales")} /> )} diff --git a/packages/features/ee/deployment/licensekey/CreateLicenseKeyForm.tsx b/packages/features/ee/deployment/licensekey/CreateLicenseKeyForm.tsx new file mode 100644 index 00000000000000..18cd5e03305bb7 --- /dev/null +++ b/packages/features/ee/deployment/licensekey/CreateLicenseKeyForm.tsx @@ -0,0 +1,270 @@ +import type { SessionContextValue } from "next-auth/react"; +import { useSession } from "next-auth/react"; +import { useState } from "react"; +import { Controller, useForm } from "react-hook-form"; + +import { useLocale } from "@calcom/lib/hooks/useLocale"; +import { trpc } from "@calcom/trpc"; +import type { Ensure } from "@calcom/types/utils"; +import { showToast } from "@calcom/ui"; +import { Alert, Button, Form, Label, TextField, ToggleGroup } from "@calcom/ui"; + +import { UserPermissionRole } from "../../../../prisma/enums"; + +export const CreateANewLicenseKeyForm = () => { + const session = useSession(); + if (session.data?.user.role !== "ADMIN") { + return null; + } + // @ts-expect-error session can't be null due to the early return + return ; +}; + +enum BillingType { + PER_BOOKING = "PER_BOOKING", + PER_USER = "PER_USER", +} + +enum BillingPeriod { + MONTHLY = "MONTHLY", + ANNUALLY = "ANNUALLY", +} + +interface FormValues { + billingType: BillingType; + entityCount: number; + entityPrice: number; + billingPeriod: BillingPeriod; + overages: number; + billingEmail: string; +} + +const CreateANewLicenseKeyFormChild = ({ session }: { session: Ensure }) => { + const { t } = useLocale(); + const [serverErrorMessage, setServerErrorMessage] = useState(null); + const [stripeCheckoutUrl, setStripeCheckoutUrl] = useState(null); + const isAdmin = session.data.user.role === UserPermissionRole.ADMIN; + const newLicenseKeyFormMethods = useForm({ + defaultValues: { + billingType: BillingType.PER_BOOKING, + billingPeriod: BillingPeriod.MONTHLY, + entityCount: 500, + overages: 99, // $0.99 + entityPrice: 50, // $0.5 + billingEmail: undefined, + }, + }); + + const mutation = trpc.viewer.admin.createSelfHostedLicense.useMutation({ + onSuccess: async (values) => { + showToast(`Success: We have created a stripe payment URL for this billing email`, "success"); + setStripeCheckoutUrl(values.stripeCheckoutUrl); + }, + onError: async (err) => { + setServerErrorMessage(err.message); + }, + }); + + const watchedBillingPeriod = newLicenseKeyFormMethods.watch("billingPeriod"); + const watchedEntityCount = newLicenseKeyFormMethods.watch("entityCount"); + const watchedEntityPrice = newLicenseKeyFormMethods.watch("entityPrice"); + + function calculateMonthlyPrice() { + const occurrence = watchedBillingPeriod === "MONTHLY" ? 1 : 12; + + const sum = watchedEntityCount * watchedEntityPrice * occurrence; + return `$ ${sum / 100} / ${occurrence} months`; + } + + return ( + <> + {!stripeCheckoutUrl ? ( +
    { + mutation.mutate(values); + }}> +
    + {serverErrorMessage && ( +
    + +
    + )} + +
    + ( + <> + + onChange(e)} + options={[ + { + value: "MONTHLY", + label: "Monthly", + }, + { + value: "ANNUALLY", + label: "Annually", + }, + ]} + /> + + )} + /> +
    + + ( +
    + +
    + )} + /> +
    +
    + ( + <> + + onChange(e)} + options={[ + { + value: "PER_BOOKING", + label: "Per Booking", + tooltip: "Configure pricing on a per booking basis", + }, + { + value: "PER_USER", + label: "Per User", + tooltip: "Configure pricing on a per user basis", + }, + ]} + /> + + )} + /> +
    + +
    + ( + onChange(+event.target.value)} + /> + )} + /> + ( + onChange(+event.target.value * 100)} + /> + )} + /> +
    + +
    + ( + <> + onChange(+event.target.value * 100)} + autoComplete="off" + /> + + )} + /> +
    + +
    + +
    +
    + ) : ( +
    +
    + +
    + +
    + +
    +
    + )} + + ); +}; diff --git a/packages/features/ee/dsync/lib/handleGroupEvents.ts b/packages/features/ee/dsync/lib/handleGroupEvents.ts index 507363e4519efe..efa58f5c41d7ec 100644 --- a/packages/features/ee/dsync/lib/handleGroupEvents.ts +++ b/packages/features/ee/dsync/lib/handleGroupEvents.ts @@ -5,7 +5,6 @@ import { createAProfileForAnExistingUser } from "@calcom/lib/createAProfileForAn import { getTranslation } from "@calcom/lib/server/i18n"; import prisma from "@calcom/prisma"; import { IdentityProvider, MembershipRole } from "@calcom/prisma/enums"; -import { teamMetadataSchema } from "@calcom/prisma/zod-utils"; import { getTeamOrThrow, sendSignupToOrganizationEmail, @@ -115,7 +114,7 @@ const handleGroupEvents = async (event: DirectorySyncEvent, organizationId: numb newUserEmails.map((email) => { return sendSignupToOrganizationEmail({ usernameOrEmail: email, - team: { ...group.team, metadata: teamMetadataSchema.parse(group.team.metadata) }, + team: group.team, translation, inviterName: org.name, teamId: group.teamId, @@ -161,7 +160,7 @@ const handleGroupEvents = async (event: DirectorySyncEvent, organizationId: numb const translation = await getTranslation(user.locale || "en", "common"); return sendExistingUserTeamInviteEmails({ currentUserTeamName: group.team.name, - existingUsersWithMembersips: [ + existingUsersWithMemberships: [ { ...user, profile: null, diff --git a/packages/features/ee/dsync/lib/handleUserEvents.ts b/packages/features/ee/dsync/lib/handleUserEvents.ts index 527ef4c324a622..f301467c2874f6 100644 --- a/packages/features/ee/dsync/lib/handleUserEvents.ts +++ b/packages/features/ee/dsync/lib/handleUserEvents.ts @@ -49,7 +49,7 @@ const handleUserEvents = async (event: DirectorySyncEvent, organizationId: numbe await sendExistingUserTeamInviteEmails({ currentUserName: user.username, currentUserTeamName: org.name, - existingUsersWithMembersips: [ + existingUsersWithMemberships: [ { ...addedUser, profile: null, diff --git a/packages/features/ee/dsync/lib/inviteExistingUserToOrg.ts b/packages/features/ee/dsync/lib/inviteExistingUserToOrg.ts index a1c990cf474572..3ccb8a1b5f0800 100644 --- a/packages/features/ee/dsync/lib/inviteExistingUserToOrg.ts +++ b/packages/features/ee/dsync/lib/inviteExistingUserToOrg.ts @@ -42,7 +42,7 @@ const inviteExistingUserToOrg = async ({ await sendExistingUserTeamInviteEmails({ currentUserName: user.username, currentUserTeamName: org.name, - existingUsersWithMembersips: [user], + existingUsersWithMemberships: [user], language: translation, isOrg: true, teamId: org.id, diff --git a/packages/features/ee/organizations/README.md b/packages/features/ee/organizations/README.md index 4723fb73a9b91a..766f017cfb3a0d 100644 --- a/packages/features/ee/organizations/README.md +++ b/packages/features/ee/organizations/README.md @@ -11,8 +11,8 @@ From the [Original RFC](https://github.com/calcom/cal.com/issues/7142): 2. Set the following environment variables as described: 1. **`CALCOM_LICENSE_KEY`**: Since Organizations is an EE feature, a license key should be present, either as this environment variable or visiting as an Admin `/auth/setup`. To get a license key you should visit Cal Console ([prod](https://console.cal.com) or [dev](https://console.cal.dev)) - 2. **`NEXT_PUBLIC_WEBAPP_URL`**: In case of local development, this variable should be set to `https://app.cal.local:3000` to be able to handle subdomains correctly in terms of authentication and cookies - 3. **`NEXTAUTH_URL`**: Should be equal to `NEXT_PUBLIC_WEBAPP_URL` which is `https://app.cal.local:3000` + 2. **`NEXT_PUBLIC_WEBAPP_URL`**: In case of local development, this variable should be set to `http://app.cal.local:3000` to be able to handle subdomains correctly in terms of authentication and cookies + 3. **`NEXTAUTH_URL`**: Should be equal to `NEXT_PUBLIC_WEBAPP_URL` which is `http://app.cal.local:3000` 4. **`NEXTAUTH_COOKIE_DOMAIN`**: In case of local development, this variable should be set to `.cal.local` to be able to accept session cookies in subdomains as well otherwise it should be set to the corresponding environment such as `.cal.dev`, `.cal.qa` or `.cal.com`. If you choose another subdomain, the value for this should match the apex domain of `NEXT_PUBLIC_WEBAPP_URL` with a leading dot (`.`) 5. **`ORGANIZATIONS_ENABLED`**: Should be set to `1` or `true` 6. **`STRIPE_ORG_MONTHLY_PRICE_ID`**: For dev and all testing should be set to your own testing key. Or ask for the shared key if you're a core member. @@ -20,7 +20,7 @@ From the [Original RFC](https://github.com/calcom/cal.com/issues/7142): 3. Add `app.cal.local` to your host file, either: - 1. `sudo npx hostile app.cal.local` + 1. `sudo npx hostile set localhost app.cal.local` 2. Add it yourself 6. Add `acme.cal.local` to host file given that the org create for it will be `acme`, otherwise do this for whatever slug will be assigned to the org. This is needed to test org-related public URLs, such as sub-teams, members and event-types. diff --git a/packages/features/ee/organizations/components/CreateANewOrganizationForm.tsx b/packages/features/ee/organizations/components/CreateANewOrganizationForm.tsx index 0e96cc76ab0a1a..5e590f4e2b59f0 100644 --- a/packages/features/ee/organizations/components/CreateANewOrganizationForm.tsx +++ b/packages/features/ee/organizations/components/CreateANewOrganizationForm.tsx @@ -13,7 +13,7 @@ import { telemetryEventTypes, useTelemetry } from "@calcom/lib/telemetry"; import { UserPermissionRole } from "@calcom/prisma/enums"; import { trpc } from "@calcom/trpc/react"; import type { Ensure } from "@calcom/types/utils"; -import { Alert, Button, Form, RadioGroup as RadioArea, TextField } from "@calcom/ui"; +import { Alert, Button, Form, Label, RadioGroup as RadioArea, TextField, ToggleGroup } from "@calcom/ui"; function extractDomainFromEmail(email: string) { let out = ""; @@ -32,22 +32,33 @@ export const CreateANewOrganizationForm = () => { return ; }; -const CreateANewOrganizationFormChild = ({ session }: { session: Ensure }) => { +enum BillingPeriod { + MONTHLY = "MONTHLY", + ANNUALLY = "ANNUALLY", +} + +const CreateANewOrganizationFormChild = ({ + session, +}: { + session: Ensure; + isPlatformOrg?: boolean; +}) => { const { t } = useLocale(); const router = useRouter(); const telemetry = useTelemetry(); const [serverErrorMessage, setServerErrorMessage] = useState(null); const isAdmin = session.data.user.role === UserPermissionRole.ADMIN; - const isImpersonated = session.data.user.impersonatedBy; const defaultOrgOwnerEmail = session.data.user.email ?? ""; const newOrganizationFormMethods = useForm<{ name: string; seats: number; + billingPeriod: BillingPeriod; pricePerSeat: number; slug: string; orgOwnerEmail: string; }>({ defaultValues: { + billingPeriod: BillingPeriod.MONTHLY, slug: !isAdmin ? deriveSlugFromEmail(defaultOrgOwnerEmail) : undefined, orgOwnerEmail: !isAdmin ? defaultOrgOwnerEmail : undefined, name: !isAdmin ? deriveOrgNameFromEmail(defaultOrgOwnerEmail) : undefined, @@ -103,6 +114,39 @@ const CreateANewOrganizationFormChild = ({ session }: { session: Ensure
    )} + {isAdmin && ( +
    + ( + <> + + { + if ([BillingPeriod.ANNUALLY, BillingPeriod.MONTHLY].includes(e)) { + onChange(e); + } + }} + options={[ + { + value: "MONTHLY", + label: "Monthly", + }, + { + value: "ANNUALLY", + label: "Annually", + }, + ]} + /> + + )} + /> +
    + )} { @@ -188,7 +232,7 @@ const CreateANewOrganizationFormChild = ({ session }: { session: Ensure
    - {(isAdmin || isImpersonated) && ( + {isAdmin && ( <>
    @@ -283,13 +327,13 @@ const CreateANewOrganizationFormChild = ({ session }: { session: Ensure void; }) { - const bookerUrl = useBookerUrl(); return (
    - +
    + + ); +}; + +AdminAPIViewWrapper.getLayout = getLayout; + +export default AdminAPIViewWrapper; diff --git a/packages/features/ee/organizations/pages/settings/appearance.tsx b/packages/features/ee/organizations/pages/settings/appearance.tsx index 7c9c76e19dee92..bad76be5ac9456 100644 --- a/packages/features/ee/organizations/pages/settings/appearance.tsx +++ b/packages/features/ee/organizations/pages/settings/appearance.tsx @@ -5,20 +5,17 @@ import { useRouter } from "next/navigation"; import { useState, useEffect } from "react"; import { useForm } from "react-hook-form"; -import LicenseRequired from "@calcom/features/ee/common/components/LicenseRequired"; import BrandColorsForm from "@calcom/features/ee/components/BrandColorsForm"; import { AppearanceSkeletonLoader } from "@calcom/features/ee/components/CommonSkeletonLoaders"; import SectionBottomActions from "@calcom/features/settings/SectionBottomActions"; import ThemeLabel from "@calcom/features/settings/ThemeLabel"; -import { getLayout } from "@calcom/features/settings/layouts/SettingsLayout"; import { DEFAULT_LIGHT_BRAND_COLOR, DEFAULT_DARK_BRAND_COLOR } from "@calcom/lib/constants"; import { APP_NAME } from "@calcom/lib/constants"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { MembershipRole } from "@calcom/prisma/enums"; import { trpc } from "@calcom/trpc/react"; import type { RouterOutputs } from "@calcom/trpc/react"; -import { Button, Form, Meta, showToast, SettingsToggle, Avatar, ImageUploader } from "@calcom/ui"; -import { Icon } from "@calcom/ui"; +import { Button, Form, showToast, SettingsToggle } from "@calcom/ui"; type BrandColorsFormValues = { brandColor: string; @@ -27,7 +24,6 @@ type BrandColorsFormValues = { const OrgAppearanceView = ({ currentOrg, - isAdminOrOwner, }: { currentOrg: RouterOutputs["viewer"]["organizations"]["listCurrent"]; isAdminOrOwner: boolean; @@ -79,134 +75,79 @@ const OrgAppearanceView = ({ }; return ( - - - {isAdminOrOwner ? ( -
    -
    -
    - } - size="lg" - /> -
    -
    - { - mutation.mutate({ - calVideoLogo: newLogo, - }); - }} - disabled={mutation.isPending} - imageSrc={currentOrg?.calVideoLogo ?? undefined} - uploadInstruction={t("cal_video_logo_upload_instruction")} - triggerButtonColor={currentOrg?.calVideoLogo ? "secondary" : "primary"} - /> - {currentOrg?.calVideoLogo && ( - - )} -
    -
    -
    +
    +
    { + mutation.mutate({ + theme: value.theme === "" ? null : value.theme, + }); + }}> +
    +
    +

    {t("theme")}

    +

    {t("theme_applies_note")}

    - { - mutation.mutate({ - theme: value.theme ?? null, - }); - }}> -
    -
    -

    {t("theme")}

    -

    {t("theme_applies_note")}

    -
    -
    -
    - - - -
    - - - - - -
    { - onBrandColorsFormSubmit(values); - }}> - - - - { - setHideBrandingValue(checked); - mutation.mutate({ hideBranding: checked }); - }} - switchContainerClassName="mt-6" - />
    - ) : ( -
    - {t("only_owner_change")} +
    + + +
    - )} - + + + + + +
    { + onBrandColorsFormSubmit(values); + }}> + + + + { + setHideBrandingValue(checked); + mutation.mutate({ hideBranding: checked }); + }} + switchContainerClassName="mt-6" + /> +
    ); }; @@ -220,7 +161,7 @@ const OrgAppearanceViewWrapper = () => { useEffect( function refactorMeWithoutEffect() { if (error) { - router.push("/settings"); + router.replace("/enterprise"); } }, [error] @@ -237,6 +178,4 @@ const OrgAppearanceViewWrapper = () => { return ; }; -OrgAppearanceViewWrapper.getLayout = getLayout; - export default OrgAppearanceViewWrapper; diff --git a/packages/features/ee/organizations/pages/settings/general.tsx b/packages/features/ee/organizations/pages/settings/general.tsx index 51339f8c4c030d..18e10f642c85cc 100644 --- a/packages/features/ee/organizations/pages/settings/general.tsx +++ b/packages/features/ee/organizations/pages/settings/general.tsx @@ -27,6 +27,7 @@ import { } from "@calcom/ui"; import { LockEventTypeSwitch } from "../components/LockEventTypeSwitch"; +import { NoSlotsNotificationSwitch } from "../components/NoSlotsNotificationSwitch"; const SkeletonLoader = ({ title, description }: { title: string; description: string }) => { return ( @@ -66,7 +67,7 @@ const OrgGeneralView = () => { useEffect( function refactorMeWithoutEffect() { if (error) { - router.push("/settings"); + router.replace("/enterprise"); } }, [error] @@ -87,6 +88,7 @@ const OrgGeneralView = () => { /> + ); }; diff --git a/packages/features/ee/organizations/pages/settings/other-team-members-view.tsx b/packages/features/ee/organizations/pages/settings/other-team-members-view.tsx index a593ba33d59214..3108552b1453a8 100644 --- a/packages/features/ee/organizations/pages/settings/other-team-members-view.tsx +++ b/packages/features/ee/organizations/pages/settings/other-team-members-view.tsx @@ -114,7 +114,7 @@ const MembersView = () => { useEffect( function refactorMeWithoutEffect() { if (otherMembersError || otherTeamError) { - router.push("/settings"); + router.replace("/enterprise"); } }, [router, otherMembersError, otherTeamError] @@ -215,7 +215,7 @@ const MembersView = () => { if (Array.isArray(data.usernameOrEmail)) { showToast( t("email_invite_team_bulk", { - userCount: data.usernameOrEmail.length, + userCount: data.numUsersInvited, }), "success" ); diff --git a/packages/features/ee/organizations/pages/settings/other-team-profile-view.tsx b/packages/features/ee/organizations/pages/settings/other-team-profile-view.tsx index b7317d5610fefd..8e9cf680fda368 100644 --- a/packages/features/ee/organizations/pages/settings/other-team-profile-view.tsx +++ b/packages/features/ee/organizations/pages/settings/other-team-profile-view.tsx @@ -94,7 +94,7 @@ const OtherTeamProfileView = () => { useEffect( function refactorMeWithoutEffect() { if (teamError) { - router.push("/settings"); + router.replace("/enterprise"); } }, [teamError] @@ -161,8 +161,8 @@ const OtherTeamProfileView = () => { function leaveTeam() { if (team?.id && session.data) removeMemberMutation.mutate({ - teamId: team.id, - memberId: session.data.user.id, + teamIds: [team.id], + memberIds: [session.data.user.id], }); } diff --git a/packages/features/ee/organizations/pages/settings/profile.tsx b/packages/features/ee/organizations/pages/settings/profile.tsx index c16e15065ed8e0..f459f557d53d2a 100644 --- a/packages/features/ee/organizations/pages/settings/profile.tsx +++ b/packages/features/ee/organizations/pages/settings/profile.tsx @@ -9,6 +9,7 @@ import { z } from "zod"; import LicenseRequired from "@calcom/features/ee/common/components/LicenseRequired"; import { subdomainSuffix } from "@calcom/features/ee/organizations/lib/orgDomains"; +import OrgAppearanceViewWrapper from "@calcom/features/ee/organizations/pages/settings/appearance"; import SectionBottomActions from "@calcom/features/settings/SectionBottomActions"; import { getPlaceholderAvatar } from "@calcom/lib/defaultAvatarImage"; import { useLocale } from "@calcom/lib/hooks/useLocale"; @@ -16,6 +17,7 @@ import { md } from "@calcom/lib/markdownIt"; import turndown from "@calcom/lib/turndownService"; import { MembershipRole } from "@calcom/prisma/enums"; import { trpc } from "@calcom/trpc/react"; +import { Icon } from "@calcom/ui"; import { Avatar, BannerUploader, @@ -33,6 +35,8 @@ import { SkeletonText, TextField, } from "@calcom/ui"; +// if I include this in the above barrel import, I get a runtime error that the component is not exported. +import { OrgBanner } from "@calcom/ui"; import { getLayout } from "../../../../settings/layouts/SettingsLayout"; import { useOrgBranding } from "../../../organizations/context/provider"; @@ -41,6 +45,7 @@ const orgProfileFormSchema = z.object({ name: z.string(), logoUrl: z.string().nullable(), banner: z.string().nullable(), + calVideoLogo: z.string().nullable(), bio: z.string(), }); @@ -50,6 +55,7 @@ type FormValues = { banner: string | null; bio: string; slug: string; + calVideoLogo: string | null; }; const SkeletonLoader = ({ title, description }: { title: string; description: string }) => { @@ -90,10 +96,10 @@ const OrgProfileView = () => { useEffect( function refactorMeWithoutEffect() { if (error) { - router.push("/settings"); + router.replace("/enterprise"); } }, - [error] + [error, router] ); if (isPending || !orgBranding || !currentOrganisation) { @@ -114,6 +120,7 @@ const OrgProfileView = () => { logoUrl: currentOrganisation?.logoUrl, banner: currentOrganisation?.bannerUrl || "", bio: currentOrganisation?.bio || "", + calVideoLogo: currentOrganisation?.calVideoLogo || "", slug: currentOrganisation?.slug || ((currentOrganisation?.metadata as Prisma.JsonObject)?.requestedSlug as string) || @@ -125,7 +132,10 @@ const OrgProfileView = () => { <> {isOrgAdminOrOwner ? ( - + <> + + + ) : (
    @@ -182,6 +192,7 @@ const OrgProfileForm = ({ defaultValues }: { defaultValues: FormValues }) => { bio: (res.data?.bio || "") as string, slug: defaultValues["slug"], banner: (res.data?.bannerUrl || "") as string, + calVideoLogo: (res.data?.calVideoLogo || "") as string, }); await utils.viewer.teams.get.invalidate(); await utils.viewer.organizations.listCurrent.invalidate(); @@ -206,6 +217,7 @@ const OrgProfileForm = ({ defaultValues }: { defaultValues: FormValues }) => { slug: values.slug, bio: values.bio, banner: values.banner, + calVideoLogo: values.calVideoLogo, }; mutation.mutate(variables); @@ -248,7 +260,7 @@ const OrgProfileForm = ({ defaultValues }: { defaultValues: FormValues }) => { />
    -
    +
    { return ( <> -
    @@ -288,6 +301,44 @@ const OrgProfileForm = ({ defaultValues }: { defaultValues: FormValues }) => { }} />
    +
    + { + const showRemoveLogoButton = !!value; + return ( + <> + } + size="lg" + /> +
    +
    + + {showRemoveLogoButton && ( + + )} +
    +
    + + ); + }} + /> +
    {

    {t("org_description")}

    - diff --git a/packages/features/ee/payments/api/webhook.ts b/packages/features/ee/payments/api/webhook.ts index 720b4c04dd7420..fa07ee1dc8f591 100644 --- a/packages/features/ee/payments/api/webhook.ts +++ b/packages/features/ee/payments/api/webhook.ts @@ -72,7 +72,7 @@ const handleSetupSuccess = async (event: Stripe.Event) => { }, }); if (!requiresConfirmation) { - const eventManager = new EventManager(user); + const eventManager = new EventManager(user, eventType?.metadata?.apps); const scheduleResult = await eventManager.create(evt); bookingData.references = { create: scheduleResult.referencesToCreate }; bookingData.status = BookingStatus.ACCEPTED; diff --git a/packages/features/ee/payments/components/Payment.tsx b/packages/features/ee/payments/components/Payment.tsx index 8581ac6d7fc309..f91440f96b6ec4 100644 --- a/packages/features/ee/payments/components/Payment.tsx +++ b/packages/features/ee/payments/components/Payment.tsx @@ -7,8 +7,7 @@ import type { SyntheticEvent } from "react"; import { useEffect, useState } from "react"; import getStripe from "@calcom/app-store/stripepayment/lib/client"; -import { getBookingRedirectExtraParams, useBookingSuccessRedirect } from "@calcom/lib/bookingSuccessRedirect"; -import { WEBAPP_URL } from "@calcom/lib/constants"; +import { useBookingSuccessRedirect } from "@calcom/lib/bookingSuccessRedirect"; import { useCompatSearchParams } from "@calcom/lib/hooks/useCompatSearchParams"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import { Button, CheckboxField } from "@calcom/ui"; @@ -22,6 +21,7 @@ type Props = { eventType: { id: number; successRedirectUrl: EventType["successRedirectUrl"]; + forwardParamsSuccessRedirect: EventType["forwardParamsSuccessRedirect"]; }; user: { username: string | null; @@ -46,24 +46,6 @@ type States = status: "ok"; }; -const getReturnUrl = (props: Props) => { - if (!props.eventType.successRedirectUrl) { - return `${WEBAPP_URL}/booking/${props.booking.uid}`; - } - - const returnUrl = new URL(props.eventType.successRedirectUrl); - const queryParams = getBookingRedirectExtraParams(props.booking); - - Object.entries(queryParams).forEach(([key, value]) => { - if (value === null || value === undefined) { - return; - } - returnUrl.searchParams.append(key, String(value)); - }); - - return returnUrl.toString(); -}; - const PaymentForm = (props: Props) => { const { user: { username }, @@ -96,6 +78,9 @@ const PaymentForm = (props: Props) => { uid: string; email: string | null; location?: string; + payment_intent?: string; + payment_intent_client_secret?: string; + redirect_status?: string; } = { uid: props.booking.uid, email: searchParams?.get("email"), @@ -103,17 +88,23 @@ const PaymentForm = (props: Props) => { if (paymentOption === "HOLD" && "setupIntent" in props.payment.data) { payload = await stripe.confirmSetup({ elements, - confirmParams: { - return_url: getReturnUrl(props), - }, + redirect: "if_required", }); + if (payload.setupIntent) { + params.payment_intent = payload.setupIntent.id; + params.payment_intent_client_secret = payload.setupIntent.client_secret || undefined; + params.redirect_status = payload.setupIntent.status; + } } else if (paymentOption === "ON_BOOKING") { payload = await stripe.confirmPayment({ elements, - confirmParams: { - return_url: getReturnUrl(props), - }, + redirect: "if_required", }); + if (payload.paymentIntent) { + params.payment_intent = payload.paymentIntent.id; + params.payment_intent_client_secret = payload.paymentIntent.client_secret || undefined; + params.redirect_status = payload.paymentIntent.status; + } } if (payload?.error) { @@ -134,6 +125,7 @@ const PaymentForm = (props: Props) => { successRedirectUrl: props.eventType.successRedirectUrl, query: params, booking: props.booking, + forwardParamsSuccessRedirect: props.eventType.forwardParamsSuccessRedirect, }); } }; diff --git a/packages/features/ee/payments/pages/payment.tsx b/packages/features/ee/payments/pages/payment.tsx index 397d66dbc5ab41..f0fc011bfc1431 100644 --- a/packages/features/ee/payments/pages/payment.tsx +++ b/packages/features/ee/payments/pages/payment.tsx @@ -79,6 +79,7 @@ export const getServerSideProps = async (context: GetServerSidePropsContext) => price: true, currency: true, successRedirectUrl: true, + forwardParamsSuccessRedirect: true, }, }, }, diff --git a/packages/features/ee/platform/components/CreateANewPlatformForm.tsx b/packages/features/ee/platform/components/CreateANewPlatformForm.tsx new file mode 100644 index 00000000000000..f4cc3f4b97ee3a --- /dev/null +++ b/packages/features/ee/platform/components/CreateANewPlatformForm.tsx @@ -0,0 +1,175 @@ +import type { SessionContextValue } from "next-auth/react"; +import { useSession, signIn } from "next-auth/react"; +import { useRouter } from "next/navigation"; +import { useState } from "react"; +import { Controller, useForm } from "react-hook-form"; + +import { deriveOrgNameFromEmail } from "@calcom/ee/organizations/components/CreateANewOrganizationForm"; +import { deriveSlugFromEmail } from "@calcom/ee/organizations/components/CreateANewOrganizationForm"; +import { useLocale } from "@calcom/lib/hooks/useLocale"; +import slugify from "@calcom/lib/slugify"; +import { telemetryEventTypes, useTelemetry } from "@calcom/lib/telemetry"; +import { UserPermissionRole } from "@calcom/prisma/enums"; +import { trpc } from "@calcom/trpc/react"; +import type { Ensure } from "@calcom/types/utils"; +import { Alert, Form, TextField, Button } from "@calcom/ui"; + +export const CreateANewPlatformForm = () => { + const session = useSession(); + if (!session.data) { + return null; + } + return ; +}; + +const CreateANewPlatformFormChild = ({ session }: { session: Ensure }) => { + const { t } = useLocale(); + const router = useRouter(); + const telemetry = useTelemetry(); + const [serverErrorMessage, setServerErrorMessage] = useState(null); + const isAdmin = session.data.user.role === UserPermissionRole.ADMIN; + const defaultOrgOwnerEmail = session.data.user.email ?? ""; + const newOrganizationFormMethods = useForm<{ + name: string; + slug: string; + orgOwnerEmail: string; + isPlatform: boolean; + }>({ + defaultValues: { + slug: !isAdmin ? deriveSlugFromEmail(defaultOrgOwnerEmail) : undefined, + orgOwnerEmail: !isAdmin ? defaultOrgOwnerEmail : undefined, + name: !isAdmin ? deriveOrgNameFromEmail(defaultOrgOwnerEmail) : undefined, + isPlatform: true, + }, + }); + + const createOrganizationMutation = trpc.viewer.organizations.create.useMutation({ + onSuccess: async (data) => { + telemetry.event(telemetryEventTypes.org_created); + // This is necessary so that server token has the updated upId + await session.update({ + upId: data.upId, + }); + if (isAdmin && data.userId !== session.data?.user.id) { + // Impersonate the user chosen as the organization owner(if the admin user isn't the owner himself), so that admin can now configure the organisation on his behalf. + // He won't need to have access to the org directly in this way. + signIn("impersonation-auth", { + username: data.email, + callbackUrl: `/settings/platform`, + }); + } + router.push("/settings/platform"); + }, + onError: (err) => { + if (err.message === "organization_url_taken") { + newOrganizationFormMethods.setError("slug", { type: "custom", message: t("url_taken") }); + } else if (err.message === "domain_taken_team" || err.message === "domain_taken_project") { + newOrganizationFormMethods.setError("slug", { + type: "custom", + message: t("problem_registering_domain"), + }); + } else { + setServerErrorMessage(err.message); + } + }, + }); + + return ( + <> +
    { + if (!createOrganizationMutation.isPending) { + setServerErrorMessage(null); + createOrganizationMutation.mutate({ + ...v, + slug: `${v.name.toLocaleLowerCase()}_platform`, + }); + } + }}> +
    + {serverErrorMessage && ( +
    + +
    + )} + ( +
    + { + const email = e?.target.value; + const slug = deriveSlugFromEmail(email); + newOrganizationFormMethods.setValue("orgOwnerEmail", email.trim()); + if (newOrganizationFormMethods.getValues("slug") === "") { + newOrganizationFormMethods.setValue("slug", slug); + } + newOrganizationFormMethods.setValue("name", deriveOrgNameFromEmail(email)); + }} + autoComplete="off" + /> +
    + )} + /> +
    + +
    + ( + <> + { + newOrganizationFormMethods.setValue("name", e?.target.value.trim()); + if (newOrganizationFormMethods.formState.touchedFields["slug"] === undefined) { + newOrganizationFormMethods.setValue("slug", slugify(e?.target.value)); + } + }} + autoComplete="off" + /> + + )} + /> +
    + +
    + +
    +
    + + + ); +}; diff --git a/packages/features/ee/platform/components/index.ts b/packages/features/ee/platform/components/index.ts new file mode 100644 index 00000000000000..c6d65577799482 --- /dev/null +++ b/packages/features/ee/platform/components/index.ts @@ -0,0 +1 @@ +export { CreateANewPlatformForm } from "./CreateANewPlatformForm"; diff --git a/packages/features/ee/sso/page/teams-sso-view.tsx b/packages/features/ee/sso/page/teams-sso-view.tsx index aecc1d05787105..9832f4f6dd529e 100644 --- a/packages/features/ee/sso/page/teams-sso-view.tsx +++ b/packages/features/ee/sso/page/teams-sso-view.tsx @@ -30,7 +30,7 @@ const SAMLSSO = () => { useEffect( function refactorMeWithoutEffect() { if (error) { - router.push("/settings"); + router.replace("/teams"); } }, [error] diff --git a/packages/features/ee/support/lib/intercom/useIntercom.ts b/packages/features/ee/support/lib/intercom/useIntercom.ts index b62522335a197f..b87367836f7c1b 100644 --- a/packages/features/ee/support/lib/intercom/useIntercom.ts +++ b/packages/features/ee/support/lib/intercom/useIntercom.ts @@ -48,6 +48,9 @@ export const useIntercom = () => { user_name: data?.username, link: `${WEBSITE_URL}/${data?.username}`, admin_link: `${WEBAPP_URL}/settings/admin/users/${data?.id}/edit`, + impersonate_user: `${WEBAPP_URL}/settings/admin/impersonation?username=${ + data?.email ?? data?.username + }`, identity_provider: data?.identityProvider, timezone: data?.timeZone, locale: data?.locale, @@ -56,6 +59,14 @@ export const useIntercom = () => { metadata: data?.metadata, completed_onboarding: data.completedOnboarding, is_logged_in: !!data, + sum_of_bookings: data?.sumOfBookings, + sum_of_calendars: data?.sumOfCalendars, + sum_of_teams: data?.sumOfTeams, + has_orgs_plan: !!data?.organizationId, + organization: data?.organization?.slug, + sum_of_event_types: data?.sumOfEventTypes, + sum_of_team_event_types: data?.sumOfTeamEventTypes, + is_premium: data?.isPremium, }, }); }; @@ -80,6 +91,9 @@ export const useIntercom = () => { user_name: data?.username, link: `${WEBSITE_URL}/${data?.username}`, admin_link: `${WEBAPP_URL}/settings/admin/users/${data?.id}/edit`, + impersonate_user: `${WEBAPP_URL}/settings/admin/impersonation?username=${ + data?.email ?? data?.username + }`, identity_provider: data?.identityProvider, timezone: data?.timeZone, locale: data?.locale, @@ -88,6 +102,14 @@ export const useIntercom = () => { metadata: data?.metadata, completed_onboarding: data?.completedOnboarding, is_logged_in: !!data, + sum_of_bookings: data?.sumOfBookings, + sum_of_calendars: data?.sumOfCalendars, + sum_of_teams: data?.sumOfTeams, + has_orgs_plan: !!data?.organizationId, + organization: data?.organization?.slug, + sum_of_event_types: data?.sumOfEventTypes, + sum_of_team_event_types: data?.sumOfTeamEventTypes, + is_premium: data?.isPremium, }, }); hookData.show(); diff --git a/packages/features/ee/teams/components/AddNewTeamMembers.tsx b/packages/features/ee/teams/components/AddNewTeamMembers.tsx index 95cbce921ae462..0346ccd0cab835 100644 --- a/packages/features/ee/teams/components/AddNewTeamMembers.tsx +++ b/packages/features/ee/teams/components/AddNewTeamMembers.tsx @@ -143,7 +143,6 @@ export const AddNewTeamMembersForm = ({ language: i18n.language, role: values.role, usernameOrEmail: values.emailOrUsername, - isOrg: !!isOrg, }, { onSuccess: async (data) => { @@ -153,7 +152,7 @@ export const AddNewTeamMembersForm = ({ if (Array.isArray(data.usernameOrEmail)) { showToast( t("email_invite_team_bulk", { - userCount: data.usernameOrEmail.length, + userCount: data.numUsersInvited, }), "success" ); @@ -288,8 +287,8 @@ const PendingMemberItem = (props: { member: TeamMember; index: number; teamId: n className="h-[36px] w-[36px]" onClick={() => { removeMemberMutation.mutate({ - teamId: teamId, - memberId: member.id, + teamIds: [teamId], + memberIds: [member.id], isOrg: !!props.isOrg, }); }} diff --git a/packages/features/ee/teams/components/MemberListItem.tsx b/packages/features/ee/teams/components/MemberListItem.tsx index cdb1081e2f0789..5570548f07ffe1 100644 --- a/packages/features/ee/teams/components/MemberListItem.tsx +++ b/packages/features/ee/teams/components/MemberListItem.tsx @@ -95,8 +95,8 @@ export default function MemberListItem(props: Props) { const removeMember = () => removeMemberMutation.mutate({ - teamId: props.team?.id, - memberId: props.member.id, + teamIds: [props.team?.id], + memberIds: [props.member.id], isOrg: checkIsOrg(props.team), }); diff --git a/packages/features/ee/teams/components/TeamInviteList.tsx b/packages/features/ee/teams/components/TeamInviteList.tsx index fe3bfaa87c74e2..82f7fa83c1614a 100644 --- a/packages/features/ee/teams/components/TeamInviteList.tsx +++ b/packages/features/ee/teams/components/TeamInviteList.tsx @@ -15,6 +15,7 @@ interface Props { bio?: string | null; hideBranding?: boolean | undefined; role: MembershipRole; + logoUrl?: string | null; accepted: boolean; }[]; } diff --git a/packages/features/ee/teams/components/TeamInviteListItem.tsx b/packages/features/ee/teams/components/TeamInviteListItem.tsx index de7c1d9f0ae52a..7ec579a7e2dd7a 100644 --- a/packages/features/ee/teams/components/TeamInviteListItem.tsx +++ b/packages/features/ee/teams/components/TeamInviteListItem.tsx @@ -1,5 +1,5 @@ import classNames from "@calcom/lib/classNames"; -import { WEBAPP_URL } from "@calcom/lib/constants"; +import { getPlaceholderAvatar } from "@calcom/lib/defaultAvatarImage"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import type { MembershipRole } from "@calcom/prisma/enums"; import { trpc } from "@calcom/trpc/react"; @@ -20,6 +20,7 @@ interface Props { name?: string | null; slug?: string | null; bio?: string | null; + logoUrl?: string | null; hideBranding?: boolean | undefined; role: MembershipRole; accepted: boolean; @@ -64,7 +65,7 @@ export default function TeamInviteListItem(props: Props) {
    diff --git a/packages/features/ee/teams/components/TeamList.tsx b/packages/features/ee/teams/components/TeamList.tsx index 5067a1a4d4ac0f..5e1218e5a6ea2b 100644 --- a/packages/features/ee/teams/components/TeamList.tsx +++ b/packages/features/ee/teams/components/TeamList.tsx @@ -1,6 +1,6 @@ import { useState } from "react"; -import { ORG_SELF_SERVE_ENABLED } from "@calcom/lib/constants"; +import { ORG_SELF_SERVE_ENABLED, ORG_MINIMUM_PUBLISHED_TEAMS_SELF_SERVE } from "@calcom/lib/constants"; import { trackFormbricksAction } from "@calcom/lib/formbricks-client"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import type { RouterOutputs } from "@calcom/trpc/react"; @@ -55,7 +55,7 @@ export default function TeamList(props: Props) { {ORG_SELF_SERVE_ENABLED && !props.pending && !isUserAlreadyInAnOrganization && - props.teams.length > 2 && + props.teams.length >= ORG_MINIMUM_PUBLISHED_TEAMS_SELF_SERVE && props.teams.map( (team, i) => team.role !== "MEMBER" && diff --git a/packages/features/ee/teams/components/TeamListItem.tsx b/packages/features/ee/teams/components/TeamListItem.tsx index c96830708eb7e6..42bef77cfb737d 100644 --- a/packages/features/ee/teams/components/TeamListItem.tsx +++ b/packages/features/ee/teams/components/TeamListItem.tsx @@ -134,7 +134,7 @@ export default function TeamListItem(props: Props) { if (Array.isArray(data.usernameOrEmail)) { showToast( t("email_invite_team_bulk", { - userCount: data.usernameOrEmail.length, + userCount: data.numUsersInvited, }), "success" ); diff --git a/packages/features/ee/teams/lib/__mocks__/payments.ts b/packages/features/ee/teams/lib/__mocks__/payments.ts new file mode 100644 index 00000000000000..6c404c5830b471 --- /dev/null +++ b/packages/features/ee/teams/lib/__mocks__/payments.ts @@ -0,0 +1,21 @@ +import { beforeEach, vi, expect } from "vitest"; +import { mockReset, mockDeep } from "vitest-mock-extended"; + +import type * as payments from "@calcom/features/ee/teams/lib/payments"; + +vi.mock("@calcom/features/ee/teams/lib/payments", () => paymentsMock); + +beforeEach(() => { + mockReset(paymentsMock); +}); + +const paymentsMock = mockDeep(); + +export const paymentsScenarios = {}; +export const paymentsExpects = { + expectQuantitySubscriptionToBeUpdatedForTeam: (teamId: number) => { + expect(paymentsMock.updateQuantitySubscriptionFromStripe).toHaveBeenCalledWith(teamId); + }, +}; + +export default paymentsMock; diff --git a/packages/features/ee/teams/lib/deleteWorkflowRemindersOfRemovedMember.ts b/packages/features/ee/teams/lib/deleteWorkflowRemindersOfRemovedMember.ts new file mode 100644 index 00000000000000..3fc82c7665e509 --- /dev/null +++ b/packages/features/ee/teams/lib/deleteWorkflowRemindersOfRemovedMember.ts @@ -0,0 +1,95 @@ +import prisma from "@calcom/prisma"; +import { deleteAllWorkflowReminders } from "@calcom/trpc/server/routers/viewer/workflows/util"; + +// cancel/delete all workflowReminders of the removed member that come from that team (org teams only) +export async function deleteWorkfowRemindersOfRemovedMember( + team: { + id: number; + parentId?: number | null; + }, + memberId: number, + isOrg: boolean +) { + if (isOrg) { + // if member was removed from org, delete all workflowReminders of the removed team member that come from org workflows + const workflowRemindersToDelete = await prisma.workflowReminder.findMany({ + where: { + workflowStep: { + workflow: { + teamId: team.id, + }, + }, + booking: { + eventType: { + userId: memberId, + }, + }, + }, + select: { + id: true, + referenceId: true, + method: true, + }, + }); + + deleteAllWorkflowReminders(workflowRemindersToDelete); + } else { + if (!team.parentId) return; + + // member was removed from an org subteam + const removedWorkflows = await prisma.workflow.findMany({ + where: { + OR: [ + { + AND: [ + { + activeOnTeams: { + some: { + teamId: team.id, + }, + }, + }, + { + activeOnTeams: { + // Don't delete reminder if user is still part of another team that is active on this workflow + none: { + team: { + members: { + some: { + userId: memberId, + }, + }, + }, + }, + }, + }, + // only if workflow is not active on all team and user event types + { isActiveOnAll: false }, + ], + }, + ], + }, + }); + + const workflowRemindersToDelete = await prisma.workflowReminder.findMany({ + where: { + workflowStep: { + workflowId: { + in: removedWorkflows?.map((workflow) => workflow.id) ?? [], + }, + }, + booking: { + eventType: { + userId: memberId, + }, + }, + }, + select: { + id: true, + referenceId: true, + method: true, + }, + }); + deleteAllWorkflowReminders(workflowRemindersToDelete); + } +} diff --git a/packages/features/ee/teams/lib/getUserAdminTeams.ts b/packages/features/ee/teams/lib/getUserAdminTeams.ts deleted file mode 100644 index ed4b0c74f61556..00000000000000 --- a/packages/features/ee/teams/lib/getUserAdminTeams.ts +++ /dev/null @@ -1,96 +0,0 @@ -import type { Prisma } from "@prisma/client"; - -import { prisma } from "@calcom/prisma"; -import { MembershipRole } from "@calcom/prisma/enums"; - -export type UserAdminTeams = (Prisma.TeamGetPayload<{ - select: { - id: true; - name: true; - logoUrl: true; - credentials?: true; - parent?: { - select: { - id: true; - name: true; - logoUrl: true; - credentials: true; - }; - }; - }; -}> & { isUser?: boolean })[]; - -/** Get a user's team & orgs they are admins/owners of. Abstracted to a function to call in tRPC endpoint and SSR. */ -const getUserAdminTeams = async ({ - userId, - getUserInfo, - getParentInfo, - includeCredentials = false, -}: { - userId: number; - getUserInfo?: boolean; - getParentInfo?: boolean; - includeCredentials?: boolean; -}): Promise => { - const teams = await prisma.team.findMany({ - where: { - members: { - some: { - userId: userId, - accepted: true, - role: { in: [MembershipRole.ADMIN, MembershipRole.OWNER] }, - }, - }, - }, - select: { - id: true, - name: true, - logoUrl: true, - ...(includeCredentials && { credentials: true }), - ...(getParentInfo && { - parent: { - select: { - id: true, - name: true, - logoUrl: true, - credentials: true, - }, - }, - }), - }, - // FIXME - OrgNewSchema: Fix this orderBy - // orderBy: { - // orgUsers: { _count: "desc" }, - // }, - }); - - if (teams.length && getUserInfo) { - const user = await prisma.user.findUnique({ - where: { - id: userId, - }, - select: { - id: true, - name: true, - avatarUrl: true, - ...(includeCredentials && { credentials: true }), - }, - }); - - if (user) { - const userObject = { - id: user.id, - name: user.name || "me", - logoUrl: user?.avatarUrl, // bit ugly, no? - isUser: true, - credentials: includeCredentials ? user.credentials : [], - parent: null, - }; - teams.unshift(userObject); - } - } - - return teams; -}; - -export default getUserAdminTeams; diff --git a/packages/features/ee/teams/lib/payments.test.ts b/packages/features/ee/teams/lib/payments.test.ts new file mode 100644 index 00000000000000..9fd8af8d42b845 --- /dev/null +++ b/packages/features/ee/teams/lib/payments.test.ts @@ -0,0 +1,713 @@ +import prismock from "../../../../../tests/libs/__mocks__/prisma"; + +import { describe, expect, it, vi, beforeEach, afterEach } from "vitest"; + +import stripe from "@calcom/app-store/stripepayment/lib/server"; + +import { + getTeamWithPaymentMetadata, + purchaseTeamOrOrgSubscription, + updateQuantitySubscriptionFromStripe, +} from "./payments"; + +beforeEach(async () => { + vi.stubEnv("STRIPE_ORG_MONTHLY_PRICE_ID", "STRIPE_ORG_MONTHLY_PRICE_ID"); + vi.stubEnv("STRIPE_TEAM_MONTHLY_PRICE_ID", "STRIPE_TEAM_MONTHLY_PRICE_ID"); + vi.resetAllMocks(); + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + // @ts-ignore + await prismock.reset(); +}); + +afterEach(async () => { + vi.unstubAllEnvs(); + vi.resetAllMocks(); + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + // @ts-ignore + await prismock.reset(); +}); + +vi.mock("@calcom/app-store/stripepayment/lib/customer", () => { + return { + getStripeCustomerIdFromUserId: function () { + return "CUSTOMER_ID"; + }, + }; +}); + +vi.mock("@calcom/lib/constant", () => { + return { + MINIMUM_NUMBER_OF_ORG_SEATS: 30, + }; +}); + +vi.mock("@calcom/app-store/stripepayment/lib/server", () => { + return { + default: { + checkout: { + sessions: { + create: vi.fn(), + retrieve: vi.fn(), + }, + }, + prices: { + retrieve: vi.fn(), + create: vi.fn(), + }, + subscriptions: { + retrieve: vi.fn(), + update: vi.fn(), + create: vi.fn(), + }, + }, + }; +}); + +describe("purchaseTeamOrOrgSubscription", () => { + it("should use `seatsToChargeFor` to create price", async () => { + const FAKE_PAYMENT_ID = "FAKE_PAYMENT_ID"; + const user = await prismock.user.create({ + data: { + name: "test", + email: "test@email.com", + }, + }); + + const checkoutSessionsCreate = mockStripeCheckoutSessionsCreate({ + url: "SESSION_URL", + }); + + mockStripeCheckoutSessionRetrieve( + { + currency: "USD", + product: { + id: "PRODUCT_ID", + }, + }, + [FAKE_PAYMENT_ID] + ); + + mockStripeCheckoutPricesRetrieve({ + id: "PRICE_ID", + product: { + id: "PRODUCT_ID", + }, + }); + + mockStripePricesCreate({ + id: "PRICE_ID", + }); + + const team = await prismock.team.create({ + data: { + name: "test", + metadata: { + paymentId: FAKE_PAYMENT_ID, + }, + }, + }); + + const seatsToChargeFor = 1000; + expect( + await purchaseTeamOrOrgSubscription({ + teamId: team.id, + seatsUsed: 10, + seatsToChargeFor, + userId: user.id, + isOrg: true, + pricePerSeat: 100, + }) + ).toEqual({ url: "SESSION_URL" }); + + expect(checkoutSessionsCreate).toHaveBeenCalledWith( + expect.objectContaining({ + line_items: [ + { + price: "PRICE_ID", + quantity: seatsToChargeFor, + }, + ], + }) + ); + }); + it("Should create a monthly subscription if billing period is set to monthly", async () => { + const FAKE_PAYMENT_ID = "FAKE_PAYMENT_ID"; + const user = await prismock.user.create({ + data: { + name: "test", + email: "test@email.com", + }, + }); + + const checkoutSessionsCreate = mockStripeCheckoutSessionsCreate({ + url: "SESSION_URL", + }); + + mockStripeCheckoutSessionRetrieve( + { + currency: "USD", + product: { + id: "PRODUCT_ID", + }, + }, + [FAKE_PAYMENT_ID] + ); + + mockStripeCheckoutPricesRetrieve({ + id: "PRICE_ID", + product: { + id: "PRODUCT_ID", + }, + }); + + const checkoutPricesCreate = mockStripePricesCreate({ + id: "PRICE_ID", + }); + + const team = await prismock.team.create({ + data: { + name: "test", + metadata: { + paymentId: FAKE_PAYMENT_ID, + }, + }, + }); + + const seatsToChargeFor = 1000; + expect( + await purchaseTeamOrOrgSubscription({ + teamId: team.id, + seatsUsed: 10, + seatsToChargeFor, + userId: user.id, + isOrg: true, + pricePerSeat: 100, + billingPeriod: "MONTHLY", + }) + ).toEqual({ url: "SESSION_URL" }); + + expect(checkoutPricesCreate).toHaveBeenCalledWith( + expect.objectContaining({ recurring: { interval: "month" } }) + ); + + expect(checkoutSessionsCreate).toHaveBeenCalledWith( + expect.objectContaining({ + line_items: [ + { + price: "PRICE_ID", + quantity: seatsToChargeFor, + }, + ], + }) + ); + }); + it("Should create a annual subscription if billing period is set to annual", async () => { + const FAKE_PAYMENT_ID = "FAKE_PAYMENT_ID"; + const user = await prismock.user.create({ + data: { + name: "test", + email: "test@email.com", + }, + }); + + const checkoutSessionsCreate = mockStripeCheckoutSessionsCreate({ + url: "SESSION_URL", + }); + + mockStripeCheckoutSessionRetrieve( + { + currency: "USD", + product: { + id: "PRODUCT_ID", + }, + }, + [FAKE_PAYMENT_ID] + ); + + mockStripeCheckoutPricesRetrieve({ + id: "PRICE_ID", + product: { + id: "PRODUCT_ID", + }, + }); + + const checkoutPricesCreate = mockStripePricesCreate({ + id: "PRICE_ID", + }); + + const team = await prismock.team.create({ + data: { + name: "test", + metadata: { + paymentId: FAKE_PAYMENT_ID, + }, + }, + }); + + const seatsToChargeFor = 1000; + expect( + await purchaseTeamOrOrgSubscription({ + teamId: team.id, + seatsUsed: 10, + seatsToChargeFor, + userId: user.id, + isOrg: true, + pricePerSeat: 100, + billingPeriod: "ANNUALLY", + }) + ).toEqual({ url: "SESSION_URL" }); + + expect(checkoutPricesCreate).toHaveBeenCalledWith( + expect.objectContaining({ recurring: { interval: "year" } }) + ); + + expect(checkoutSessionsCreate).toHaveBeenCalledWith( + expect.objectContaining({ + line_items: [ + { + price: "PRICE_ID", + quantity: seatsToChargeFor, + }, + ], + }) + ); + }); + + it("It should not create a custom price if price_per_seat is not set", async () => { + const FAKE_PAYMENT_ID = "FAKE_PAYMENT_ID"; + const user = await prismock.user.create({ + data: { + name: "test", + email: "test@email.com", + }, + }); + + mockStripeCheckoutSessionsCreate({ + url: "SESSION_URL", + }); + + mockStripeCheckoutSessionRetrieve( + { + currency: "USD", + product: { + id: "PRODUCT_ID", + }, + }, + [FAKE_PAYMENT_ID] + ); + + mockStripeCheckoutPricesRetrieve({ + id: "PRICE_ID", + product: { + id: "PRODUCT_ID", + }, + }); + + const checkoutPricesCreate = mockStripePricesCreate({ + id: "PRICE_ID", + }); + + const team = await prismock.team.create({ + data: { + name: "test", + metadata: { + paymentId: FAKE_PAYMENT_ID, + }, + }, + }); + + const seatsToChargeFor = 1000; + expect( + await purchaseTeamOrOrgSubscription({ + teamId: team.id, + seatsUsed: 10, + seatsToChargeFor, + userId: user.id, + isOrg: true, + billingPeriod: "ANNUALLY", + }) + ).toEqual({ url: "SESSION_URL" }); + + expect(checkoutPricesCreate).not.toHaveBeenCalled(); + }); +}); + +describe("updateQuantitySubscriptionFromStripe", () => { + describe("For an organization", () => { + it("should not update subscription when team members are less than metadata.orgSeats", async () => { + const FAKE_PAYMENT_ID = "FAKE_PAYMENT_ID"; + const FAKE_SUBITEM_ID = "FAKE_SUBITEM_ID"; + const FAKE_SUB_ID = "FAKE_SUB_ID"; + const FAKE_SUBSCRIPTION_QTY_IN_STRIPE = 1000; + const consoleInfoSpy = vi.spyOn(console, "info"); + + const organization = await createOrgWithMembersAndPaymentData({ + paymentId: FAKE_PAYMENT_ID, + subscriptionId: FAKE_SUB_ID, + subscriptionItemId: FAKE_SUBITEM_ID, + membersInTeam: 2, + orgSeats: 5, + }); + + mockStripeCheckoutSessionRetrieve( + { + payment_status: "paid", + }, + [FAKE_PAYMENT_ID] + ); + + mockStripeSubscriptionsRetrieve( + { + items: { + data: [ + { + id: "FAKE_SUBITEM_ID", + quantity: FAKE_SUBSCRIPTION_QTY_IN_STRIPE, + }, + ], + }, + }, + [FAKE_SUB_ID] + ); + + const mockedSubscriptionsUpdate = mockStripeSubscriptionsUpdate(null); + + await updateQuantitySubscriptionFromStripe(organization.id); + // Ensure that we reached the flow we are expecting to + expect(consoleInfoSpy.mock.calls[0][0]).toContain("has less members"); + + // orgSeats is more than the current number of members - So, no update in stripe + expect(mockedSubscriptionsUpdate).not.toHaveBeenCalled(); + }); + + it("should update subscription when team members are more than metadata.orgSeats", async () => { + const FAKE_PAYMENT_ID = "FAKE_PAYMENT_ID"; + const FAKE_SUB_ID = "FAKE_SUB_ID"; + const FAKE_SUBITEM_ID = "FAKE_SUBITEM_ID"; + const FAKE_SUBSCRIPTION_QTY_IN_STRIPE = 1000; + const membersInTeam = 4; + const organization = await createOrgWithMembersAndPaymentData({ + paymentId: FAKE_PAYMENT_ID, + subscriptionId: FAKE_SUB_ID, + subscriptionItemId: FAKE_SUBITEM_ID, + membersInTeam, + orgSeats: 3, + }); + + mockStripeCheckoutSessionRetrieve( + { + payment_status: "paid", + }, + [FAKE_PAYMENT_ID] + ); + + mockStripeSubscriptionsRetrieve( + { + items: { + data: [ + { + id: FAKE_SUBITEM_ID, + quantity: FAKE_SUBSCRIPTION_QTY_IN_STRIPE, + }, + ], + }, + }, + [FAKE_SUB_ID] + ); + + const mockedSubscriptionsUpdate = mockStripeSubscriptionsUpdate(null); + + await updateQuantitySubscriptionFromStripe(organization.id); + + // orgSeats is more than the current number of members - So, no update in stripe + expect(mockedSubscriptionsUpdate).toHaveBeenCalledWith(FAKE_SUB_ID, { + items: [ + { + quantity: membersInTeam, + id: FAKE_SUBITEM_ID, + }, + ], + }); + }); + + it("should not update subscription when team members are less than MINIMUM_NUMBER_OF_ORG_SEATS(if metadata.orgSeats is null)", async () => { + const FAKE_PAYMENT_ID = "FAKE_PAYMENT_ID"; + const FAKE_SUBITEM_ID = "FAKE_SUBITEM_ID"; + const FAKE_SUB_ID = "FAKE_SUB_ID"; + const FAKE_SUBSCRIPTION_QTY_IN_STRIPE = 1000; + const membersInTeam = 2; + const consoleInfoSpy = vi.spyOn(console, "info"); + + const organization = await createOrgWithMembersAndPaymentData({ + paymentId: FAKE_PAYMENT_ID, + subscriptionId: FAKE_SUB_ID, + subscriptionItemId: FAKE_SUBITEM_ID, + membersInTeam, + orgSeats: null, + }); + + mockStripeSubscriptionsRetrieve( + { + items: { + data: [ + { + id: "FAKE_SUBITEM_ID", + quantity: FAKE_SUBSCRIPTION_QTY_IN_STRIPE, + }, + ], + }, + }, + [FAKE_SUB_ID] + ); + + mockStripeCheckoutSessionRetrieve( + { + payment_status: "paid", + }, + [FAKE_PAYMENT_ID] + ); + + const mockedSubscriptionsUpdate = mockStripeSubscriptionsUpdate(null); + + await updateQuantitySubscriptionFromStripe(organization.id); + // Ensure that we reached the flow we are expecting to + expect(consoleInfoSpy.mock.calls[0][0]).toContain("has less members"); + // orgSeats is more than the current number of members - So, no update in stripe + expect(mockedSubscriptionsUpdate).not.toHaveBeenCalled(); + }); + + it("should update subscription when team members are more than MINIMUM_NUMBER_OF_ORG_SEATS(if metadata.orgSeats is null)", async () => { + const FAKE_PAYMENT_ID = "FAKE_PAYMENT_ID"; + const FAKE_SUB_ID = "FAKE_SUB_ID"; + const FAKE_SUBITEM_ID = "FAKE_SUBITEM_ID"; + const FAKE_SUBSCRIPTION_QTY_IN_STRIPE = 1000; + const membersInTeam = 35; + const organization = await createOrgWithMembersAndPaymentData({ + paymentId: FAKE_PAYMENT_ID, + subscriptionId: FAKE_SUB_ID, + subscriptionItemId: FAKE_SUBITEM_ID, + membersInTeam, + orgSeats: null, + }); + + mockStripeCheckoutSessionRetrieve( + { + payment_status: "paid", + }, + [FAKE_PAYMENT_ID] + ); + + mockStripeSubscriptionsRetrieve( + { + items: { + data: [ + { + id: FAKE_SUBITEM_ID, + quantity: FAKE_SUBSCRIPTION_QTY_IN_STRIPE, + }, + ], + }, + }, + [FAKE_SUB_ID] + ); + + const mockedSubscriptionsUpdate = mockStripeSubscriptionsUpdate(null); + + await updateQuantitySubscriptionFromStripe(organization.id); + + // orgSeats is more than the current number of members - So, no update in stripe + expect(mockedSubscriptionsUpdate).toHaveBeenCalledWith(FAKE_SUB_ID, { + items: [ + { + quantity: membersInTeam, + id: FAKE_SUBITEM_ID, + }, + ], + }); + }); + }); +}); + +describe("getTeamWithPaymentMetadata", () => { + it("should error if paymentId is not set", async () => { + const team = await prismock.team.create({ + data: { + isOrganization: true, + name: "TestTeam", + metadata: { + subscriptionId: "FAKE_SUB_ID", + subscriptionItemId: "FAKE_SUB_ITEM_ID", + }, + }, + }); + expect(() => getTeamWithPaymentMetadata(team.id)).rejects.toThrow(); + }); + + it("should error if subscriptionId is not set", async () => { + const team = await prismock.team.create({ + data: { + isOrganization: true, + name: "TestTeam", + metadata: { + paymentId: "FAKE_PAY_ID", + subscriptionItemId: "FAKE_SUB_ITEM_ID", + }, + }, + }); + expect(() => getTeamWithPaymentMetadata(team.id)).rejects.toThrow(); + }); + + it("should error if subscriptionItemId is not set", async () => { + const team = await prismock.team.create({ + data: { + isOrganization: true, + name: "TestTeam", + metadata: { + paymentId: "FAKE_PAY_ID", + subscriptionId: "FAKE_SUB_ID", + }, + }, + }); + expect(() => getTeamWithPaymentMetadata(team.id)).rejects.toThrow(); + }); + + it("should parse successfully if orgSeats is not set in metadata", async () => { + const team = await prismock.team.create({ + data: { + isOrganization: true, + name: "TestTeam", + metadata: { + paymentId: "FAKE_PAY_ID", + subscriptionId: "FAKE_SUB_ID", + subscriptionItemId: "FAKE_SUB_ITEM_ID", + }, + }, + }); + const teamWithPaymentData = await getTeamWithPaymentMetadata(team.id); + expect(teamWithPaymentData.metadata.orgSeats).toBeUndefined(); + }); + + it("should parse successfully if orgSeats is set in metadata", async () => { + const team = await prismock.team.create({ + data: { + isOrganization: true, + name: "TestTeam", + metadata: { + orgSeats: 5, + paymentId: "FAKE_PAY_ID", + subscriptionId: "FAKE_SUB_ID", + subscriptionItemId: "FAKE_SUB_ITEM_ID", + }, + }, + }); + const teamWithPaymentData = await getTeamWithPaymentMetadata(team.id); + expect(teamWithPaymentData.metadata.orgSeats).toEqual(5); + }); +}); + +async function createOrgWithMembersAndPaymentData({ + paymentId, + subscriptionId, + subscriptionItemId, + orgSeats, + membersInTeam, +}: { + paymentId: string; + subscriptionId: string; + subscriptionItemId: string; + orgSeats?: number | null; + membersInTeam: number; +}) { + const organization = await prismock.team.create({ + data: { + isOrganization: true, + name: "TestTeam", + metadata: { + // Make sure that payment is already done + paymentId, + orgSeats, + subscriptionId, + subscriptionItemId, + }, + }, + }); + + await Promise.all([ + Array(membersInTeam) + .fill(0) + .map(async (_, index) => { + return await prismock.membership.create({ + data: { + team: { + connect: { + id: organization.id, + }, + }, + user: { + create: { + name: "ABC", + email: `test-${index}@example.com`, + }, + }, + role: "MEMBER", + }, + }); + }), + ]); + return organization; +} + +function mockStripePricesCreate(data) { + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + //@ts-ignore + return vi.mocked(stripe.prices.create).mockImplementation(() => new Promise((resolve) => resolve(data))); +} + +function mockStripeCheckoutPricesRetrieve(data) { + return vi.mocked(stripe.prices.retrieve).mockImplementation( + async () => + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + //@ts-ignore + new Promise((resolve) => { + resolve(data); + }) + ); +} + +function mockStripeCheckoutSessionRetrieve(data, expectedArgs) { + return vi.mocked(stripe.checkout.sessions.retrieve).mockImplementation(async (sessionId) => + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + //@ts-ignore + { + const conditionMatched = expectedArgs[0] === sessionId; + return new Promise((resolve) => resolve(conditionMatched ? data : null)); + } + ); +} + +function mockStripeCheckoutSessionsCreate(data) { + return vi.mocked(stripe.checkout.sessions.create).mockImplementation( + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + //@ts-ignore + async () => new Promise((resolve) => resolve(data)) + ); +} + +function mockStripeSubscriptionsRetrieve(data, expectedArgs) { + return vi.mocked(stripe.subscriptions.retrieve).mockImplementation( + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + //@ts-ignore + async (subscriptionId) => { + const conditionMatched = expectedArgs ? expectedArgs[0] === subscriptionId : true; + return new Promise((resolve) => resolve(conditionMatched ? data : undefined)); + } + ); +} + +function mockStripeSubscriptionsUpdate(data) { + return vi.mocked(stripe.subscriptions.update).mockImplementation( + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + //@ts-ignore + async () => new Promise((resolve) => resolve(data)) + ); +} diff --git a/packages/features/ee/teams/lib/payments.ts b/packages/features/ee/teams/lib/payments.ts index d5ff20c75e10fe..3b022338605631 100644 --- a/packages/features/ee/teams/lib/payments.ts +++ b/packages/features/ee/teams/lib/payments.ts @@ -1,20 +1,22 @@ +import type Stripe from "stripe"; import { z } from "zod"; import { getStripeCustomerIdFromUserId } from "@calcom/app-store/stripepayment/lib/customer"; import stripe from "@calcom/app-store/stripepayment/lib/server"; -import { IS_PRODUCTION } from "@calcom/lib/constants"; -import { MINIMUM_NUMBER_OF_ORG_SEATS, WEBAPP_URL } from "@calcom/lib/constants"; -import { ORGANIZATION_MIN_SEATS } from "@calcom/lib/constants"; +import { IS_PRODUCTION, MINIMUM_NUMBER_OF_ORG_SEATS, WEBAPP_URL } from "@calcom/lib/constants"; import logger from "@calcom/lib/logger"; import { safeStringify } from "@calcom/lib/safeStringify"; import prisma from "@calcom/prisma"; +import { BillingPeriod } from "@calcom/prisma/zod-utils"; import { teamMetadataSchema } from "@calcom/prisma/zod-utils"; const log = logger.getSubLogger({ prefix: ["teams/lib/payments"] }); const teamPaymentMetadataSchema = z.object({ + // Redefine paymentId, subscriptionId and subscriptionItemId to ensure that they are present and nonNullable paymentId: z.string(), subscriptionId: z.string(), subscriptionItemId: z.string(), + orgSeats: teamMetadataSchema.unwrap().shape.orgSeats, }); /** Used to prevent double charges for the same team */ @@ -81,19 +83,57 @@ export const generateTeamCheckoutSession = async ({ */ export const purchaseTeamOrOrgSubscription = async (input: { teamId: number; - seats: number; + /** + * The actual number of seats in the team. + * The seats that we would charge for could be more than this depending on the MINIMUM_NUMBER_OF_ORG_SEATS in case of an organization + * For a team it would be the same as this value + */ + seatsUsed: number; + /** + * If provided, this is the exact number we would charge for. + */ + seatsToChargeFor?: number | null; userId: number; isOrg?: boolean; pricePerSeat: number | null; + billingPeriod?: BillingPeriod; }) => { - const { teamId, seats, userId, isOrg, pricePerSeat } = input; + const { + teamId, + seatsToChargeFor, + seatsUsed, + userId, + isOrg, + pricePerSeat, + billingPeriod = BillingPeriod.MONTHLY, + } = input; const { url } = await checkIfTeamPaymentRequired({ teamId }); if (url) return { url }; - // For orgs, enforce minimum of 30 seats - const quantity = isOrg ? Math.max(seats, MINIMUM_NUMBER_OF_ORG_SEATS) : seats; + // For orgs, enforce minimum of MINIMUM_NUMBER_OF_ORG_SEATS seats if `seatsToChargeFor` not set + const seats = isOrg ? Math.max(seatsUsed, MINIMUM_NUMBER_OF_ORG_SEATS) : seatsUsed; + const quantity = seatsToChargeFor ? seatsToChargeFor : seats; + const customer = await getStripeCustomerIdFromUserId(userId); + const fixedPrice = await getFixedPrice(); + + let priceId: string | undefined; + + if (pricePerSeat) { + const customPriceObj = await getPriceObject(fixedPrice); + priceId = await createPrice({ + isOrg: !!isOrg, + teamId, + pricePerSeat, + billingPeriod, + product: customPriceObj.product as string, // We don't expand the object from stripe so just use the product as ID + currency: customPriceObj.currency, + }); + } else { + priceId = fixedPrice as string; + } + const session = await stripe.checkout.sessions.create({ customer, mode: "subscription", @@ -102,7 +142,7 @@ export const purchaseTeamOrOrgSubscription = async (input: { cancel_url: `${WEBAPP_URL}/settings/my-account/profile`, line_items: [ { - price: await getPriceId(), + price: priceId, quantity: quantity, }, ], @@ -124,11 +164,52 @@ export const purchaseTeamOrOrgSubscription = async (input: { }); return { url: session.url }; + async function createPrice({ + isOrg, + teamId, + pricePerSeat, + billingPeriod, + product, + currency, + }: { + isOrg: boolean; + teamId: number; + pricePerSeat: number; + billingPeriod: BillingPeriod; + product: Stripe.Product | string; + currency: string; + }) { + try { + const pricePerSeatInCents = pricePerSeat * 100; + // Price comes in monthly so we need to convert it to a monthly/yearly price + const occurrence = billingPeriod === "MONTHLY" ? 1 : 12; + const yearlyPrice = pricePerSeatInCents * occurrence; + + const customPriceObj = await stripe.prices.create({ + nickname: `Custom price for ${isOrg ? "Organization" : "Team"} ID: ${teamId}`, + unit_amount: yearlyPrice, // Stripe expects the amount in cents + // Use the same currency as in the fixed price to avoid hardcoding it. + currency: currency, + recurring: { interval: billingPeriod === "MONTHLY" ? "month" : "year" }, // Define your subscription interval + product: typeof product === "string" ? product : product.id, + tax_behavior: "exclusive", + }); + return customPriceObj.id; + } catch (e) { + log.error( + `Error creating custom price for ${isOrg ? "Organization" : "Team"} ID: ${teamId}`, + safeStringify(e) + ); + + throw new Error("Error in creation of custom price"); + } + } + /** * Determines the priceId depending on if a custom price is required or not. * If the organization has a custom price per seat, it will create a new price in stripe and return its ID. */ - async function getPriceId() { + async function getFixedPrice() { const fixedPriceId = isOrg ? process.env.STRIPE_ORG_MONTHLY_PRICE_ID : process.env.STRIPE_TEAM_MONTHLY_PRICE_ID; @@ -141,35 +222,18 @@ export const purchaseTeamOrOrgSubscription = async (input: { log.debug("Getting price ID", safeStringify({ fixedPriceId, isOrg, teamId, pricePerSeat })); - if (!pricePerSeat) { - return fixedPriceId; - } - - const priceObj = await stripe.prices.retrieve(fixedPriceId); - if (!priceObj) throw new Error(`No price found for ID ${fixedPriceId}`); - try { - const customPriceObj = await stripe.prices.create({ - nickname: `Custom price for ${isOrg ? "Organization" : "Team"} ID: ${teamId}`, - unit_amount: pricePerSeat * 100, // Stripe expects the amount in cents - // Use the same currency as in the fixed price to avoid hardcoding it. - currency: priceObj.currency, - recurring: { interval: "month" }, // Define your subscription interval - product: typeof priceObj.product === "string" ? priceObj.product : priceObj.product.id, - tax_behavior: "exclusive", - }); - return customPriceObj.id; - } catch (e) { - log.error( - `Error creating custom price for ${isOrg ? "Organization" : "Team"} ID: ${teamId}`, - safeStringify(e) - ); - - throw new Error("Error in creation of custom price"); - } + return fixedPriceId; } }; -const getTeamWithPaymentMetadata = async (teamId: number) => { +async function getPriceObject(priceId: string) { + const priceObj = await stripe.prices.retrieve(priceId); + if (!priceObj) throw new Error(`No price found for ID ${priceId}`); + + return priceObj; +} + +export const getTeamWithPaymentMetadata = async (teamId: number) => { const team = await prisma.team.findUniqueOrThrow({ where: { id: teamId }, select: { metadata: true, members: true, isOrganization: true }, @@ -200,7 +264,10 @@ export const updateQuantitySubscriptionFromStripe = async (teamId: number) => { **/ if (!url) return; const team = await getTeamWithPaymentMetadata(teamId); - const { subscriptionId, subscriptionItemId } = team.metadata; + const { subscriptionId, subscriptionItemId, orgSeats } = team.metadata; + // Either it would be custom pricing where minimum number of seats are changed(available in orgSeats) or it would be default MINIMUM_NUMBER_OF_ORG_SEATS + // We can't go below this quantity for subscription + const orgMinimumSubscriptionQuantity = orgSeats || MINIMUM_NUMBER_OF_ORG_SEATS; const membershipCount = team.members.length; const subscription = await stripe.subscriptions.retrieve(subscriptionId); const subscriptionQuantity = subscription.items.data.find( @@ -208,9 +275,9 @@ export const updateQuantitySubscriptionFromStripe = async (teamId: number) => { )?.quantity; if (!subscriptionQuantity) throw new Error("Subscription not found"); - if (team.isOrganization && membershipCount < ORGANIZATION_MIN_SEATS) { + if (team.isOrganization && membershipCount < orgMinimumSubscriptionQuantity) { console.info( - `Org ${teamId} has less members than the min ${ORGANIZATION_MIN_SEATS}, skipping updating subscription.` + `Org ${teamId} has less members than the min required ${orgMinimumSubscriptionQuantity}, skipping updating subscription.` ); return; } diff --git a/packages/features/ee/teams/lib/removeMember.ts b/packages/features/ee/teams/lib/removeMember.ts index d1bca7ff5edb41..f98d73b8edd103 100644 --- a/packages/features/ee/teams/lib/removeMember.ts +++ b/packages/features/ee/teams/lib/removeMember.ts @@ -4,6 +4,8 @@ import prisma from "@calcom/prisma"; import { TRPCError } from "@trpc/server"; +import { deleteWorkfowRemindersOfRemovedMember } from "./deleteWorkflowRemindersOfRemovedMember"; + const log = logger.getSubLogger({ prefix: ["removeMember"] }); const removeMember = async ({ @@ -36,34 +38,44 @@ const removeMember = async ({ }), ]); - if (isOrg) { - log.debug("Removing a member from the organization"); - - // Deleting membership from all child teams - const foundUser = await prisma.user.findUnique({ - where: { id: memberId }, - select: { - id: true, - movedToProfileId: true, - email: true, - username: true, - completedOnboarding: true, - }, - }); + const team = await prisma.team.findUnique({ + where: { id: teamId }, + select: { + isOrganization: true, + organizationSettings: true, + id: true, + metadata: true, + activeOrgWorkflows: true, + parentId: true, + }, + }); - const orgInfo = await prisma.team.findUnique({ - where: { id: teamId }, - select: { - isOrganization: true, - organizationSettings: true, - id: true, - metadata: true, + const foundUser = await prisma.user.findUnique({ + where: { id: memberId }, + select: { + id: true, + movedToProfileId: true, + email: true, + username: true, + completedOnboarding: true, + teams: { + select: { + team: { + select: { + id: true, + parentId: true, + }, + }, + }, }, - }); - const orgMetadata = orgInfo?.organizationSettings; + }, + }); - if (!foundUser || !orgInfo) throw new TRPCError({ code: "NOT_FOUND" }); + if (!team || !foundUser) throw new TRPCError({ code: "NOT_FOUND" }); + if (isOrg) { + log.debug("Removing a member from the organization"); + // Deleting membership from all child teams // Delete all sub-team memberships where this team is the organization await prisma.membership.deleteMany({ where: { @@ -78,7 +90,7 @@ const removeMember = async ({ const profileToDelete = await ProfileRepository.findByUserIdAndOrgId({ userId: userToDeleteMembershipOf.id, - organizationId: orgInfo.id, + organizationId: team.id, }); if ( @@ -101,7 +113,7 @@ const removeMember = async ({ }), ProfileRepository.delete({ userId: membership.userId, - organizationId: orgInfo.id, + organizationId: team.id, }), ]); } @@ -111,6 +123,8 @@ const removeMember = async ({ where: { parent: { teamId: teamId }, userId: membership.userId }, }); + await deleteWorkfowRemindersOfRemovedMember(team, memberId, isOrg); + return { membership }; }; diff --git a/packages/features/ee/teams/pages/team-appearance-view.tsx b/packages/features/ee/teams/pages/team-appearance-view.tsx index 01bf90efbd35c1..f3040a851fc292 100644 --- a/packages/features/ee/teams/pages/team-appearance-view.tsx +++ b/packages/features/ee/teams/pages/team-appearance-view.tsx @@ -92,7 +92,7 @@ const ProfileView = ({ team }: ProfileViewProps) => { handleSubmit={(values) => { mutation.mutate({ id: team.id, - theme: values.theme || null, + theme: values.theme === "" ? null : values.theme, }); }}>
    @@ -193,7 +193,7 @@ const ProfileViewWrapper = () => { useEffect( function refactorMeWithoutEffect() { if (error) { - router.push("/settings"); + router.replace("/teams"); } }, [error] diff --git a/packages/features/ee/teams/pages/team-members-view.tsx b/packages/features/ee/teams/pages/team-members-view.tsx index a6313247d1f5d0..1ddf2f0a0008cc 100644 --- a/packages/features/ee/teams/pages/team-members-view.tsx +++ b/packages/features/ee/teams/pages/team-members-view.tsx @@ -117,7 +117,7 @@ const MembersView = () => { useEffect( function refactorMeWithoutEffect() { if (teamError) { - router.push("/settings"); + router.replace("/teams"); } }, [teamError] @@ -225,7 +225,7 @@ const MembersView = () => { if (Array.isArray(data.usernameOrEmail)) { showToast( t("email_invite_team_bulk", { - userCount: data.usernameOrEmail.length, + userCount: data.numUsersInvited, }), "success" ); diff --git a/packages/features/ee/teams/pages/team-profile-view.tsx b/packages/features/ee/teams/pages/team-profile-view.tsx index c99de595fb1fca..43f51a7c38e459 100644 --- a/packages/features/ee/teams/pages/team-profile-view.tsx +++ b/packages/features/ee/teams/pages/team-profile-view.tsx @@ -107,7 +107,7 @@ const ProfileView = () => { useEffect( function refactorMeWithoutEffect() { if (error) { - router.push("/settings"); + router.replace("/teams"); } }, [error] @@ -115,7 +115,12 @@ const ProfileView = () => { const isAdmin = team && (team.membership.role === MembershipRole.OWNER || team.membership.role === MembershipRole.ADMIN); - const permalink = `${WEBAPP_URL}/team/${team?.slug}`; + const permalink = team + ? `${getTeamUrlSync({ + orgSlug: team.parent ? team.parent.slug : null, + teamSlug: team.slug, + })}` + : ""; const isBioEmpty = !team || !team.bio || !team.bio.replace("


    ", "").length; @@ -147,8 +152,8 @@ const ProfileView = () => { function leaveTeam() { if (team?.id && session.data) removeMemberMutation.mutate({ - teamId: team.id, - memberId: session.data.user.id, + teamIds: [team.id], + memberIds: [session.data.user.id], }); } diff --git a/packages/features/ee/workflows/api/scheduleEmailReminders.ts b/packages/features/ee/workflows/api/scheduleEmailReminders.ts index 151e160acc0c0d..efdbe624f3b301 100644 --- a/packages/features/ee/workflows/api/scheduleEmailReminders.ts +++ b/packages/features/ee/workflows/api/scheduleEmailReminders.ts @@ -258,34 +258,30 @@ async function handler(req: NextApiRequest, res: NextApiResponse) { if (emailContent.emailSubject.length > 0 && !emailBodyEmpty && sendTo) { const batchId = await getBatchId(); - if (reminder.workflowStep.action !== WorkflowActions.EMAIL_ADDRESS) { - sendEmailPromises.push( - sendSendgridMail( - { - to: sendTo, - subject: emailContent.emailSubject, - html: emailContent.emailBody, - batchId: batchId, - sendAt: dayjs(reminder.scheduledDate).unix(), - replyTo: reminder.booking?.userPrimaryEmail ?? reminder.booking.user?.email, - attachments: reminder.workflowStep.includeCalendarEvent - ? [ - { - content: Buffer.from(getiCalEventAsString(reminder.booking) || "").toString( - "base64" - ), - filename: "event.ics", - type: "text/calendar; method=REQUEST", - disposition: "attachment", - contentId: uuidv4(), - }, - ] - : undefined, - }, - { sender: reminder.workflowStep.sender } - ) - ); - } + sendEmailPromises.push( + sendSendgridMail( + { + to: sendTo, + subject: emailContent.emailSubject, + html: emailContent.emailBody, + batchId: batchId, + sendAt: dayjs(reminder.scheduledDate).unix(), + replyTo: reminder.booking?.userPrimaryEmail ?? reminder.booking.user?.email, + attachments: reminder.workflowStep.includeCalendarEvent + ? [ + { + content: Buffer.from(getiCalEventAsString(reminder.booking) || "").toString("base64"), + filename: "event.ics", + type: "text/calendar; method=REQUEST", + disposition: "attachment", + contentId: uuidv4(), + }, + ] + : undefined, + }, + { sender: reminder.workflowStep.sender } + ) + ); await prisma.workflowReminder.update({ where: { diff --git a/packages/features/ee/workflows/api/scheduleSMSReminders.ts b/packages/features/ee/workflows/api/scheduleSMSReminders.ts index 3faf361ce7ecaf..a6d7f46740dca0 100644 --- a/packages/features/ee/workflows/api/scheduleSMSReminders.ts +++ b/packages/features/ee/workflows/api/scheduleSMSReminders.ts @@ -28,10 +28,19 @@ async function handler(req: NextApiRequest, res: NextApiResponse) { //delete all scheduled sms reminders where scheduled date is past current date await prisma.workflowReminder.deleteMany({ where: { - method: WorkflowMethods.SMS, - scheduledDate: { - lte: dayjs().toISOString(), - }, + OR: [ + { + method: WorkflowMethods.SMS, + scheduledDate: { + lte: dayjs().toISOString(), + }, + }, + { + retryCount: { + gt: 1, + }, + }, + ], }, }); @@ -44,8 +53,11 @@ async function handler(req: NextApiRequest, res: NextApiResponse) { lte: dayjs().add(7, "day").toISOString(), }, }, - select, - })) as PartialWorkflowReminder[]; + select: { + ...select, + retryCount: true, + }, + })) as (PartialWorkflowReminder & { retryCount: number })[]; if (!unscheduledReminders.length) { res.json({ ok: true }); @@ -56,6 +68,9 @@ async function handler(req: NextApiRequest, res: NextApiResponse) { if (!reminder.workflowStep || !reminder.booking) { continue; } + const userId = reminder.workflowStep.workflow.userId; + const teamId = reminder.workflowStep.workflow.teamId; + try { const sendTo = reminder.workflowStep.action === WorkflowActions.SMS_NUMBER @@ -141,19 +156,45 @@ async function handler(req: NextApiRequest, res: NextApiResponse) { } if (message?.length && message?.length > 0 && sendTo) { - const scheduledSMS = await twilio.scheduleSMS(sendTo, message, reminder.scheduledDate, senderID); + const scheduledSMS = await twilio.scheduleSMS( + sendTo, + message, + reminder.scheduledDate, + senderID, + userId, + teamId + ); - await prisma.workflowReminder.update({ - where: { - id: reminder.id, - }, - data: { - scheduled: true, - referenceId: scheduledSMS.sid, - }, - }); + if (scheduledSMS) { + await prisma.workflowReminder.update({ + where: { + id: reminder.id, + }, + data: { + scheduled: true, + referenceId: scheduledSMS.sid, + }, + }); + } else { + await prisma.workflowReminder.update({ + where: { + id: reminder.id, + }, + data: { + retryCount: reminder.retryCount + 1, + }, + }); + } } } catch (error) { + await prisma.workflowReminder.update({ + where: { + id: reminder.id, + }, + data: { + retryCount: reminder.retryCount + 1, + }, + }); console.log(`Error scheduling SMS with error ${error}`); } } diff --git a/packages/features/ee/workflows/api/scheduleWhatsappReminders.ts b/packages/features/ee/workflows/api/scheduleWhatsappReminders.ts index c4021c4712ed1e..5660407715dc98 100644 --- a/packages/features/ee/workflows/api/scheduleWhatsappReminders.ts +++ b/packages/features/ee/workflows/api/scheduleWhatsappReminders.ts @@ -8,6 +8,8 @@ import prisma from "@calcom/prisma"; import { WorkflowActions, WorkflowMethods } from "@calcom/prisma/enums"; import { getWhatsappTemplateFunction } from "../lib/actionHelperFunctions"; +import type { PartialWorkflowReminder } from "../lib/getWorkflowReminders"; +import { select } from "../lib/getWorkflowReminders"; import * as twilio from "../lib/reminders/providers/twilioProvider"; async function handler(req: NextApiRequest, res: NextApiResponse) { @@ -28,7 +30,7 @@ async function handler(req: NextApiRequest, res: NextApiResponse) { }); //find all unscheduled WHATSAPP reminders - const unscheduledReminders = await prisma.workflowReminder.findMany({ + const unscheduledReminders = (await prisma.workflowReminder.findMany({ where: { method: WorkflowMethods.WHATSAPP, scheduled: false, @@ -36,17 +38,8 @@ async function handler(req: NextApiRequest, res: NextApiResponse) { lte: dayjs().add(7, "day").toISOString(), }, }, - include: { - workflowStep: true, - booking: { - include: { - eventType: true, - user: true, - attendees: true, - }, - }, - }, - }); + select, + })) as PartialWorkflowReminder[]; if (!unscheduledReminders.length) { res.json({ ok: true }); @@ -57,6 +50,9 @@ async function handler(req: NextApiRequest, res: NextApiResponse) { if (!reminder.workflowStep || !reminder.booking) { continue; } + const userId = reminder.workflowStep.workflow.userId; + const teamId = reminder.workflowStep.workflow.teamId; + try { const sendTo = reminder.workflowStep.action === WorkflowActions.WHATSAPP_NUMBER @@ -91,17 +87,27 @@ async function handler(req: NextApiRequest, res: NextApiResponse) { ); if (message?.length && message?.length > 0 && sendTo) { - const scheduledSMS = await twilio.scheduleSMS(sendTo, message, reminder.scheduledDate, "", true); - - await prisma.workflowReminder.update({ - where: { - id: reminder.id, - }, - data: { - scheduled: true, - referenceId: scheduledSMS.sid, - }, - }); + const scheduledSMS = await twilio.scheduleSMS( + sendTo, + message, + reminder.scheduledDate, + "", + userId, + teamId, + true + ); + + if (scheduledSMS) { + await prisma.workflowReminder.update({ + where: { + id: reminder.id, + }, + data: { + scheduled: true, + referenceId: scheduledSMS.sid, + }, + }); + } } } catch (error) { console.log(`Error scheduling WHATSAPP with error ${error}`); diff --git a/packages/features/ee/workflows/components/AddActionDialog.tsx b/packages/features/ee/workflows/components/AddActionDialog.tsx index e1f492abab4f87..d776fb297fd90c 100644 --- a/packages/features/ee/workflows/components/AddActionDialog.tsx +++ b/packages/features/ee/workflows/components/AddActionDialog.tsx @@ -136,7 +136,7 @@ export const AddActionDialog = (props: IAddActionDialog) => { return ( - +
    { diff --git a/packages/features/ee/workflows/components/EmptyScreen.tsx b/packages/features/ee/workflows/components/EmptyScreen.tsx index d72102d20bbe34..b1562ef209ea2e 100644 --- a/packages/features/ee/workflows/components/EmptyScreen.tsx +++ b/packages/features/ee/workflows/components/EmptyScreen.tsx @@ -82,6 +82,7 @@ export default function EmptyScreen(props: { isFilteredView: boolean }) { createFunction={(teamId?: number) => createMutation.mutate({ teamId })} buttonText={t("create_workflow")} isPending={createMutation.isPending} + includeOrg={true} />
    diff --git a/packages/features/ee/workflows/components/EventWorkflowsTab.tsx b/packages/features/ee/workflows/components/EventWorkflowsTab.tsx index c6437251711b14..cc648c30a4a601 100644 --- a/packages/features/ee/workflows/components/EventWorkflowsTab.tsx +++ b/packages/features/ee/workflows/components/EventWorkflowsTab.tsx @@ -5,7 +5,6 @@ import { useFormContext } from "react-hook-form"; import { Trans } from "react-i18next"; import useLockedFieldsManager from "@calcom/features/ee/managed-event-types/hooks/useLockedFieldsManager"; -import { isTextMessageToAttendeeAction } from "@calcom/features/ee/workflows/lib/actionHelperFunctions"; import type { FormValues } from "@calcom/features/eventtypes/lib/types"; import classNames from "@calcom/lib/classNames"; import { useLocale } from "@calcom/lib/hooks/useLocale"; @@ -20,46 +19,38 @@ import { getActionIcon } from "../lib/getActionIcon"; import SkeletonLoader from "./SkeletonLoaderEventWorkflowsTab"; import type { WorkflowType } from "./WorkflowListPage"; +type PartialWorkflowType = Pick; + type ItemProps = { - workflow: WorkflowType; + workflow: PartialWorkflowType; eventType: { id: number; title: string; requiresConfirmation: boolean; }; isChildrenManagedEventType: boolean; + isActive: boolean; }; const WorkflowListItem = (props: ItemProps) => { - const { workflow, eventType } = props; + const { workflow, eventType, isActive } = props; const { t } = useLocale(); const [activeEventTypeIds, setActiveEventTypeIds] = useState( - workflow.activeOn.map((active) => { + workflow.activeOn?.map((active) => { if (active.eventType) { return active.eventType.id; } - }) + }) ?? [] ); - const isActive = activeEventTypeIds.includes(eventType.id); const utils = trpc.useUtils(); const activateEventTypeMutation = trpc.viewer.workflows.activateEventType.useMutation({ onSuccess: async () => { - let offOn = ""; - if (activeEventTypeIds.includes(eventType.id)) { - const newActiveEventTypeIds = activeEventTypeIds.filter((id) => { - return id !== eventType.id; - }); - setActiveEventTypeIds(newActiveEventTypeIds); - offOn = "off"; - } else { - const newActiveEventTypeIds = activeEventTypeIds; - newActiveEventTypeIds.push(eventType.id); - setActiveEventTypeIds(newActiveEventTypeIds); - offOn = "on"; - } + const offOn = isActive ? "off" : "on"; + await utils.viewer.workflows.getAllActiveWorkflows.invalidate(); + await utils.viewer.eventTypes.get.invalidate({ id: eventType.id }); showToast( t("workflow_turned_on_successfully", { @@ -105,12 +96,6 @@ const WorkflowListItem = (props: ItemProps) => { } }); - const needsRequiresConfirmationWarning = - !eventType.requiresConfirmation && - workflow.steps.find((step) => { - return isTextMessageToAttendeeAction(step.action); - }); - return (
    @@ -179,15 +164,6 @@ const WorkflowListItem = (props: ItemProps) => {
    - - {needsRequiresConfirmationWarning ? ( -
    - -

    {t("requires_confirmation_mandatory")}

    -
    - ) : ( - <> - )}
    ); }; @@ -196,7 +172,7 @@ type EventTypeSetup = RouterOutputs["viewer"]["eventTypes"]["get"]["eventType"]; type Props = { eventType: EventTypeSetup; - workflows: WorkflowType[]; + workflows: PartialWorkflowType[]; }; function EventWorkflowsTab(props: Props) { @@ -210,9 +186,7 @@ function EventWorkflowsTab(props: Props) { }); const workflowsDisableProps = shouldLockDisableProps("workflows", { simple: true }); - const lockedText = workflowsDisableProps.isLocked ? "locked" : "unlocked"; - const { data, isPending } = trpc.viewer.workflows.list.useQuery({ teamId: eventType.team?.id, userId: !isChildrenManagedEventType ? eventType.userId || undefined : undefined, @@ -222,13 +196,14 @@ function EventWorkflowsTab(props: Props) { useEffect(() => { if (data?.workflows) { - const activeWorkflows = workflows.map((workflowOnEventType) => { + const allActiveWorkflows = workflows.map((workflowOnEventType) => { const dataWf = data.workflows.find((wf) => wf.id === workflowOnEventType.id); return { ...workflowOnEventType, readOnly: isChildrenManagedEventType && dataWf?.teamId ? true : dataWf?.readOnly ?? false, } as WorkflowType; }); + const disabledWorkflows = data.workflows.filter( (workflow) => (!workflow.teamId || eventType.teamId === workflow.teamId) && @@ -240,8 +215,8 @@ function EventWorkflowsTab(props: Props) { ); const allSortedWorkflows = workflowsDisableProps.isLocked && !isManagedEventType - ? activeWorkflows - : activeWorkflows.concat(disabledWorkflows); + ? allActiveWorkflows + : allActiveWorkflows.concat(disabledWorkflows); setSortedWorkflows(allSortedWorkflows); } // eslint-disable-next-line react-hooks/exhaustive-deps @@ -249,7 +224,7 @@ function EventWorkflowsTab(props: Props) { const createMutation = trpc.viewer.workflows.create.useMutation({ onSuccess: async ({ workflow }) => { - await router.replace(`/workflows/${workflow.id}`); + await router.replace(`/workflows/${workflow.id}?eventTypeId=${eventType.id}`); }, onError: (err) => { if (err instanceof HttpError) { @@ -302,6 +277,7 @@ function EventWorkflowsTab(props: Props) { workflow={workflow} eventType={props.eventType} isChildrenManagedEventType + isActive={!!workflows.find((activeWorkflow) => activeWorkflow.id === workflow.id)} /> ); })} diff --git a/packages/features/ee/workflows/components/TimeTimeUnitInput.tsx b/packages/features/ee/workflows/components/TimeTimeUnitInput.tsx index 1087adc73b94e0..da4f8e6fe73f42 100644 --- a/packages/features/ee/workflows/components/TimeTimeUnitInput.tsx +++ b/packages/features/ee/workflows/components/TimeTimeUnitInput.tsx @@ -2,6 +2,7 @@ import { useState } from "react"; import type { UseFormReturn } from "react-hook-form"; import { useLocale } from "@calcom/lib/hooks/useLocale"; +import { TimeUnit } from "@calcom/prisma/enums"; import { Dropdown, DropdownItem, @@ -12,21 +13,50 @@ import { TextField, } from "@calcom/ui"; -import { getWorkflowTimeUnitOptions } from "../lib/getOptions"; import type { FormValues } from "../pages/workflow"; +const TIME_UNITS = [TimeUnit.DAY, TimeUnit.HOUR, TimeUnit.MINUTE] as const; + type Props = { form: UseFormReturn; disabled: boolean; }; +const TimeUnitAddonSuffix = ({ + DropdownItems, + timeUnitOptions, + form, +}: { + form: UseFormReturn; + DropdownItems: JSX.Element; + timeUnitOptions: { [x: string]: string }; +}) => { + // because isDropdownOpen already triggers a render cycle we can use getValues() + // instead of watch() function + const timeUnit = form.getValues("timeUnit"); + const [isDropdownOpen, setIsDropdownOpen] = useState(false); + return ( + + + + + {DropdownItems} + + ); +}; + export const TimeTimeUnitInput = (props: Props) => { const { form } = props; const { t } = useLocale(); - const timeUnitOptions = getWorkflowTimeUnitOptions(t); - - const [timeUnit, setTimeUnit] = useState(form.getValues("timeUnit")); - + const timeUnitOptions = TIME_UNITS.reduce((acc, option) => { + acc[option] = t(`${option.toLowerCase()}_timeUnit`); + return acc; + }, {} as { [x: string]: string }); return (
    @@ -39,33 +69,26 @@ export const TimeTimeUnitInput = (props: Props) => { className="-mt-2 rounded-r-none text-sm focus:ring-0" {...form.register("time", { valueAsNumber: true })} addOnSuffix={ - - - - - - {timeUnitOptions.map((option, index) => ( - - { - setTimeUnit(option.value); - form.setValue("timeUnit", option.value); - }}> - {option.label} - - - ))} - - + + {TIME_UNITS.map((timeUnit, index) => ( + + { + form.setValue("timeUnit", timeUnit); + }}> + {timeUnitOptions[timeUnit]} + + + ))} + + } + /> } />
    diff --git a/packages/features/ee/workflows/components/WorkflowDetailsPage.tsx b/packages/features/ee/workflows/components/WorkflowDetailsPage.tsx index 3e3a78f7c08ae1..7929ca13809ccb 100644 --- a/packages/features/ee/workflows/components/WorkflowDetailsPage.tsx +++ b/packages/features/ee/workflows/components/WorkflowDetailsPage.tsx @@ -1,6 +1,6 @@ -import { useRouter } from "next/navigation"; +import { useRouter, useSearchParams } from "next/navigation"; import type { Dispatch, SetStateAction } from "react"; -import { useMemo, useState } from "react"; +import { useState, useEffect } from "react"; import type { UseFormReturn } from "react-hook-form"; import { Controller } from "react-hook-form"; @@ -9,9 +9,8 @@ import { useLocale } from "@calcom/lib/hooks/useLocale"; import type { WorkflowActions } from "@calcom/prisma/enums"; import { WorkflowTemplates } from "@calcom/prisma/enums"; import type { RouterOutputs } from "@calcom/trpc/react"; -import { trpc } from "@calcom/trpc/react"; import type { MultiSelectCheckboxesOptionType as Option } from "@calcom/ui"; -import { Button, Icon, Label, MultiSelectCheckboxes, TextField } from "@calcom/ui"; +import { Button, Icon, Label, MultiSelectCheckboxes, TextField, CheckboxField, InfoBadge } from "@calcom/ui"; import { isSMSAction, isWhatsappAction } from "../lib/actionHelperFunctions"; import type { FormValues } from "../pages/workflow"; @@ -24,16 +23,17 @@ type User = RouterOutputs["viewer"]["me"]; interface Props { form: UseFormReturn; workflowId: number; - selectedEventTypes: Option[]; - setSelectedEventTypes: Dispatch>; + selectedOptions: Option[]; + setSelectedOptions: Dispatch>; teamId?: number; user: User; - isMixedEventType: boolean; readOnly: boolean; + isOrg: boolean; + allOptions: Option[]; } export default function WorkflowDetailsPage(props: Props) { - const { form, workflowId, selectedEventTypes, setSelectedEventTypes, teamId, isMixedEventType } = props; + const { form, workflowId, selectedOptions, setSelectedOptions, teamId, isOrg, allOptions } = props; const { t } = useLocale(); const router = useRouter(); @@ -42,46 +42,18 @@ export default function WorkflowDetailsPage(props: Props) { const [reload, setReload] = useState(false); const [deleteDialogOpen, setDeleteDialogOpen] = useState(false); - const { data, isPending } = trpc.viewer.eventTypes.getByViewer.useQuery(); + const searchParams = useSearchParams(); + const eventTypeId = searchParams?.get("eventTypeId"); - const eventTypeOptions = useMemo( - () => - data?.eventTypeGroups.reduce((options, group) => { - /** don't show team event types for user workflow */ - if (!teamId && group.teamId) return options; - /** only show correct team event types for team workflows */ - if (teamId && teamId !== group.teamId) return options; - return [ - ...options, - ...group.eventTypes - .filter( - (evType) => - !evType.metadata?.managedEventConfig || - !!evType.metadata?.managedEventConfig.unlockedFields?.workflows || - !!teamId - ) - .map((eventType) => ({ - value: String(eventType.id), - label: `${eventType.title} ${ - eventType.children && eventType.children.length ? `(+${eventType.children.length})` : `` - }`, - })), - ]; - }, [] as Option[]) || [], - [data] - ); - - let allEventTypeOptions = eventTypeOptions; - const distinctEventTypes = new Set(); - - if (!teamId && isMixedEventType) { - allEventTypeOptions = [...eventTypeOptions, ...selectedEventTypes]; - allEventTypeOptions = allEventTypeOptions.filter((option) => { - const duplicate = distinctEventTypes.has(option.value); - distinctEventTypes.add(option.value); - return !duplicate; - }); - } + useEffect(() => { + const matchingOption = allOptions.find((option) => option.value === eventTypeId); + if (matchingOption && !selectedOptions.find((option) => option.value === eventTypeId)) { + const newOptions = [...selectedOptions, matchingOption]; + setSelectedOptions(newOptions); + form.setValue("activeOn", newOptions); + } + // eslint-disable-next-line react-hooks/exhaustive-deps + }, [eventTypeId]); const addAction = ( action: WorkflowActions, @@ -135,26 +107,54 @@ export default function WorkflowDetailsPage(props: Props) { {...form.register("name")} />
    - + {isOrg ? ( +
    + +
    + +
    +
    + ) : ( + + )} { return ( { form.setValue("activeOn", s); }} + countText={isOrg ? "count_team" : "nr_event_type"} /> ); }} /> +
    + ( + { + onChange(e); + if (e.target.value) { + setSelectedOptions(allOptions); + form.setValue("activeOn", allOptions); + } + }} + checked={value} + /> + )} + /> +
    {!props.readOnly && (
    + ) : workflow.activeOnTeams && workflow.activeOnTeams.length > 0 ? ( + //active on teams badge + ( +

    {activeOn.team.name}

    + ))}> +
    +
    +
    ) : ( + // active on no teams or event types
    )} diff --git a/packages/features/ee/workflows/components/WorkflowStepContainer.tsx b/packages/features/ee/workflows/components/WorkflowStepContainer.tsx index 75ae7ac75bd3c2..8dce2dfe1f2a76 100644 --- a/packages/features/ee/workflows/components/WorkflowStepContainer.tsx +++ b/packages/features/ee/workflows/components/WorkflowStepContainer.tsx @@ -45,7 +45,6 @@ import { isAttendeeAction, isSMSAction, isSMSOrWhatsappAction, - isTextMessageToAttendeeAction, isWhatsappAction, } from "../lib/actionHelperFunctions"; import { DYNAMIC_TEXT_VARIABLES } from "../lib/constants"; @@ -79,9 +78,12 @@ export default function WorkflowStepContainer(props: WorkflowStepProps) { { enabled: !!teamId } ); + const { data: _verifiedEmails } = trpc.viewer.workflows.getVerifiedEmails.useQuery({ teamId }); + const timeFormat = getTimeFormatStringFromUserTimeFormat(props.user.timeFormat); const verifiedNumbers = _verifiedNumbers?.map((number) => number.phoneNumber) || []; + const verifiedEmails = _verifiedEmails?.map((verified) => verified.email) || []; const [isAdditionalInputsDialogOpen, setIsAdditionalInputsDialogOpen] = useState(false); const [verificationCode, setVerificationCode] = useState(""); @@ -120,10 +122,6 @@ export default function WorkflowStepContainer(props: WorkflowStepProps) { form.getValues("trigger") === WorkflowTriggerEvents.AFTER_EVENT ); - const [isRequiresConfirmationNeeded, setIsRequiresConfirmationNeeded] = useState( - isTextMessageToAttendeeAction(step?.action) - ); - const { data: actionOptions } = trpc.viewer.workflows.getWorkflowActionOptions.useQuery(); const triggerOptions = getWorkflowTriggerOptions(t); const templateOptions = getWorkflowTemplateOptions(t, step?.action); @@ -177,9 +175,15 @@ export default function WorkflowStepContainer(props: WorkflowStepProps) { (number: string) => number === form.getValues(`steps.${step.stepNumber - 1}.sendTo`) ); + const getEmailVerificationStatus = () => + !!step && + !!verifiedEmails.find((email: string) => email === form.getValues(`steps.${step.stepNumber - 1}.sendTo`)); + const [numberVerified, setNumberVerified] = useState(getNumberVerificationStatus()); + const [emailVerified, setEmailVerified] = useState(getEmailVerificationStatus()); useEffect(() => setNumberVerified(getNumberVerificationStatus()), [verifiedNumbers.length]); + useEffect(() => setEmailVerified(getEmailVerificationStatus()), [verifiedEmails.length]); const addVariableBody = (variable: string) => { if (step) { @@ -236,6 +240,36 @@ export default function WorkflowStepContainer(props: WorkflowStepProps) { }, }); + const sendEmailVerificationCodeMutation = trpc.viewer.auth.sendVerifyEmailCode.useMutation({ + onSuccess() { + showToast(t("email_sent"), "success"); + }, + onError: () => { + showToast(t("email_not_sent"), "error"); + }, + }); + + const verifyEmailCodeMutation = trpc.viewer.workflows.verifyEmailCode.useMutation({ + onSuccess: (isVerified) => { + showToast(isVerified ? t("verified_successfully") : t("wrong_code"), "success"); + setEmailVerified(true); + if ( + step && + form?.formState?.errors?.steps && + form.formState.errors.steps[step.stepNumber - 1]?.sendTo && + isVerified + ) { + form.clearErrors(`steps.${step.stepNumber - 1}.sendTo`); + } + utils.viewer.workflows.getVerifiedEmails.invalidate(); + }, + onError: (err) => { + if (err.message === "invalid_code") { + showToast(t("code_provided_invalid"), "error"); + setEmailVerified(false); + } + }, + }); /* const testActionMutation = trpc.viewer.workflows.testAction.useMutation({ onSuccess: async () => { showToast(t("notification_sent"), "success"); @@ -345,7 +379,6 @@ export default function WorkflowStepContainer(props: WorkflowStepProps) { label: actionString.charAt(0).toUpperCase() + actionString.slice(1), value: step.action, needsTeamsUpgrade: false, - needsOrgsUpgrade: false, }; const selectedTemplate = { label: t(`${step.template.toLowerCase()}`), value: step.template }; @@ -463,12 +496,6 @@ export default function WorkflowStepContainer(props: WorkflowStepProps) { setIsEmailSubjectNeeded(true); } - if (isTextMessageToAttendeeAction(val.value)) { - setIsRequiresConfirmationNeeded(true); - } else { - setIsRequiresConfirmationNeeded(false); - } - if ( form.getValues(`steps.${step.stepNumber - 1}.template`) === WorkflowTemplates.REMINDER @@ -541,20 +568,11 @@ export default function WorkflowStepContainer(props: WorkflowStepProps) { label: string; value: WorkflowActions; needsTeamsUpgrade: boolean; - needsOrgsUpgrade: boolean; - }) => option.needsTeamsUpgrade || option.needsOrgsUpgrade} + }) => option.needsTeamsUpgrade} /> ); }} /> - {isRequiresConfirmationNeeded ? ( -
    - -

    {t("requires_confirmation_mandatory")}

    -
    - ) : ( - <> - )}
    {isPhoneNumberNeeded && (
    @@ -650,10 +668,12 @@ export default function WorkflowStepContainer(props: WorkflowStepProps) { {isSenderIsNeeded ? ( <>
    -
    +
    - + + +
    - + +
    + ( + { + const isAlreadyVerified = !!verifiedEmails + ?.concat([]) + .find((email) => email === val.target.value); + setEmailVerified(isAlreadyVerified); + onChange(val); + }} + /> + )} + /> + +
    + + {form.formState.errors.steps && + form.formState?.errors?.steps[step.stepNumber - 1]?.sendTo && ( +

    + {form.formState?.errors?.steps[step.stepNumber - 1]?.sendTo?.message || ""} +

    + )} + + {emailVerified ? ( +
    + {t("email_verified")} +
    + ) : ( + !props.readOnly && ( + <> +
    + { + setVerificationCode(e.target.value); + }} + required + /> + +
    + {form.formState.errors.steps && + form.formState?.errors?.steps[step.stepNumber - 1]?.sendTo && ( +

    + {form.formState?.errors?.steps[step.stepNumber - 1]?.sendTo?.message || ""} +

    + )} + + ) + )}
    )}
    diff --git a/packages/features/ee/workflows/lib/actionHelperFunctions.ts b/packages/features/ee/workflows/lib/actionHelperFunctions.ts index b66f2b7734478d..18b126bec3ab99 100644 --- a/packages/features/ee/workflows/lib/actionHelperFunctions.ts +++ b/packages/features/ee/workflows/lib/actionHelperFunctions.ts @@ -42,9 +42,6 @@ export function isEmailToAttendeeAction(action: WorkflowActions) { return action === WorkflowActions.EMAIL_ATTENDEE; } -export function isTextMessageToAttendeeAction(action?: WorkflowActions) { - return action === WorkflowActions.SMS_ATTENDEE || action === WorkflowActions.WHATSAPP_ATTENDEE; -} export function isTextMessageToSpecificNumber(action?: WorkflowActions) { return action === WorkflowActions.SMS_NUMBER || action === WorkflowActions.WHATSAPP_NUMBER; } @@ -65,7 +62,7 @@ export function getWhatsappTemplateForTrigger(trigger: WorkflowTriggerEvents): W } } -export function getWhatsappTemplateFunction(template: WorkflowTemplates): typeof whatsappReminderTemplate { +export function getWhatsappTemplateFunction(template?: WorkflowTemplates): typeof whatsappReminderTemplate { switch (template) { case "CANCELLED": return whatsappEventCancelledTemplate; diff --git a/packages/features/ee/workflows/lib/allowDisablingStandardEmails.ts b/packages/features/ee/workflows/lib/allowDisablingStandardEmails.ts index 5f9d8615d3fa78..28a7556b76c92c 100644 --- a/packages/features/ee/workflows/lib/allowDisablingStandardEmails.ts +++ b/packages/features/ee/workflows/lib/allowDisablingStandardEmails.ts @@ -1,12 +1,9 @@ -import type { Workflow, WorkflowStep } from "@calcom/prisma/client"; import { WorkflowTriggerEvents } from "@calcom/prisma/client"; import { WorkflowActions } from "@calcom/prisma/enums"; -export function allowDisablingHostConfirmationEmails( - workflows: (Workflow & { - steps: WorkflowStep[]; - })[] -) { +import type { Workflow } from "./types"; + +export function allowDisablingHostConfirmationEmails(workflows: Workflow[]) { return !!workflows.find( (workflow) => workflow.trigger === WorkflowTriggerEvents.NEW_EVENT && @@ -14,14 +11,13 @@ export function allowDisablingHostConfirmationEmails( ); } -export function allowDisablingAttendeeConfirmationEmails( - workflows: (Workflow & { - steps: WorkflowStep[]; - })[] -) { +export function allowDisablingAttendeeConfirmationEmails(workflows: Workflow[]) { return !!workflows.find( (workflow) => workflow.trigger === WorkflowTriggerEvents.NEW_EVENT && - !!workflow.steps.find((step) => step.action === WorkflowActions.EMAIL_ATTENDEE) + !!workflow.steps.find( + (step) => + step.action === WorkflowActions.EMAIL_ATTENDEE || step.action === WorkflowActions.SMS_ATTENDEE + ) ); } diff --git a/packages/features/ee/workflows/lib/getActionIcon.tsx b/packages/features/ee/workflows/lib/getActionIcon.tsx index b1fedf62a3da77..930c3506d1c652 100644 --- a/packages/features/ee/workflows/lib/getActionIcon.tsx +++ b/packages/features/ee/workflows/lib/getActionIcon.tsx @@ -1,9 +1,9 @@ -import type { WorkflowStep } from "@prisma/client"; - import { isSMSOrWhatsappAction } from "@calcom/features/ee/workflows/lib/actionHelperFunctions"; import { classNames } from "@calcom/lib"; import { Icon } from "@calcom/ui"; +import type { WorkflowStep } from "../lib/types"; + export function getActionIcon(steps: WorkflowStep[], className?: string): JSX.Element { if (steps.length === 0) { return ( diff --git a/packages/features/ee/workflows/lib/getAllWorkflows.ts b/packages/features/ee/workflows/lib/getAllWorkflows.ts new file mode 100644 index 00000000000000..5d6b20e6c9b2ab --- /dev/null +++ b/packages/features/ee/workflows/lib/getAllWorkflows.ts @@ -0,0 +1,120 @@ +import prisma from "@calcom/prisma"; + +import type { Workflow } from "./types"; + +export const workflowSelect = { + id: true, + trigger: true, + time: true, + timeUnit: true, + userId: true, + teamId: true, + name: true, + steps: { + select: { + id: true, + action: true, + sendTo: true, + reminderBody: true, + emailSubject: true, + template: true, + numberVerificationPending: true, + sender: true, + includeCalendarEvent: true, + numberRequired: true, + }, + }, +}; + +export const getAllWorkflows = async ( + eventTypeWorkflows: Workflow[], + userId?: number | null, + teamId?: number | null, + orgId?: number | null, + workflowsLockedForUser = true +) => { + const allWorkflows = eventTypeWorkflows; + + if (orgId) { + if (teamId) { + const orgTeamWorkflowsRel = await prisma.workflowsOnTeams.findMany({ + where: { + teamId: teamId, + }, + select: { + workflow: { + select: workflowSelect, + }, + }, + }); + + const orgTeamWorkflows = orgTeamWorkflowsRel?.map((workflowRel) => workflowRel.workflow) ?? []; + allWorkflows.push(...orgTeamWorkflows); + } else if (userId) { + const orgUserWorkflowsRel = await prisma.workflowsOnTeams.findMany({ + where: { + team: { + members: { + some: { + userId: userId, + accepted: true, + }, + }, + }, + }, + select: { + workflow: { + select: workflowSelect, + }, + team: true, + }, + }); + + const orgUserWorkflows = orgUserWorkflowsRel.map((workflowRel) => workflowRel.workflow) ?? []; + allWorkflows.push(...orgUserWorkflows); + } + // get workflows that are active on all + const activeOnAllOrgWorkflows = await prisma.workflow.findMany({ + where: { + teamId: orgId, + isActiveOnAll: true, + }, + select: workflowSelect, + }); + allWorkflows.push(...activeOnAllOrgWorkflows); + } + + if (teamId) { + const activeOnAllTeamWorkflows = await prisma.workflow.findMany({ + where: { + teamId, + isActiveOnAll: true, + }, + select: workflowSelect, + }); + allWorkflows.push(...activeOnAllTeamWorkflows); + } + + if ((!teamId || !workflowsLockedForUser) && userId) { + const activeOnAllUserWorkflows = await prisma.workflow.findMany({ + where: { + userId, + teamId: null, + isActiveOnAll: true, + }, + select: workflowSelect, + }); + allWorkflows.push(...activeOnAllUserWorkflows); + } + + // remove all the duplicate workflows from allWorkflows + const seen = new Set(); + + const workflows = allWorkflows.filter((workflow) => { + const duplicate = seen.has(workflow.id); + seen.add(workflow.id); + return !duplicate; + }); + + return workflows; +}; diff --git a/packages/features/ee/workflows/lib/getOptions.ts b/packages/features/ee/workflows/lib/getOptions.ts index a1d80149ecfc73..f8d74275d652c6 100644 --- a/packages/features/ee/workflows/lib/getOptions.ts +++ b/packages/features/ee/workflows/lib/getOptions.ts @@ -1,15 +1,9 @@ import type { TFunction } from "next-i18next"; -import { WorkflowActions } from "@calcom/prisma/enums"; +import type { WorkflowActions } from "@calcom/prisma/enums"; +import { isSMSOrWhatsappAction, isWhatsappAction, isEmailToAttendeeAction } from "./actionHelperFunctions"; import { - isTextMessageToAttendeeAction, - isSMSOrWhatsappAction, - isWhatsappAction, - isEmailToAttendeeAction, -} from "./actionHelperFunctions"; -import { - TIME_UNIT, WHATSAPP_WORKFLOW_TEMPLATES, WORKFLOW_ACTIONS, BASIC_WORKFLOW_TEMPLATES, @@ -18,18 +12,15 @@ import { } from "./constants"; export function getWorkflowActionOptions(t: TFunction, isTeamsPlan?: boolean, isOrgsPlan?: boolean) { - return WORKFLOW_ACTIONS.filter((action) => action !== WorkflowActions.EMAIL_ADDRESS) //removing EMAIL_ADDRESS for now due to abuse episode - .map((action) => { - const actionString = t(`${action.toLowerCase()}_action`); - - return { - label: actionString.charAt(0).toUpperCase() + actionString.slice(1), - value: action, - needsTeamsUpgrade: - isSMSOrWhatsappAction(action) && !isTextMessageToAttendeeAction(action) && !isTeamsPlan, - needsOrgsUpgrade: isTextMessageToAttendeeAction(action) && !isOrgsPlan, - }; - }); + return WORKFLOW_ACTIONS.map((action) => { + const actionString = t(`${action.toLowerCase()}_action`); + + return { + label: actionString.charAt(0).toUpperCase() + actionString.slice(1), + value: action, + needsTeamsUpgrade: isSMSOrWhatsappAction(action) && !isTeamsPlan, + }; + }); } export function getWorkflowTriggerOptions(t: TFunction) { @@ -40,12 +31,6 @@ export function getWorkflowTriggerOptions(t: TFunction) { }); } -export function getWorkflowTimeUnitOptions(t: TFunction) { - return TIME_UNIT.map((timeUnit) => { - return { label: t(`${timeUnit.toLowerCase()}_timeUnit`), value: timeUnit }; - }); -} - export function getWorkflowTemplateOptions(t: TFunction, action: WorkflowActions | undefined) { const TEMPLATES = action && isWhatsappAction(action) diff --git a/packages/features/ee/workflows/lib/getWorkflowReminders.ts b/packages/features/ee/workflows/lib/getWorkflowReminders.ts index 4c88206dbdc9b4..ea07e4cafacab3 100644 --- a/packages/features/ee/workflows/lib/getWorkflowReminders.ts +++ b/packages/features/ee/workflows/lib/getWorkflowReminders.ts @@ -3,7 +3,9 @@ import prisma from "@calcom/prisma"; import type { EventType, Prisma, User, WorkflowReminder, WorkflowStep } from "@calcom/prisma/client"; import { WorkflowMethods } from "@calcom/prisma/enums"; -type PartialWorkflowStep = Partial | null; +type PartialWorkflowStep = + | (Partial & { workflow: { userId?: number; teamId?: number } }) + | null; type Booking = Prisma.BookingGetPayload<{ include: { @@ -120,6 +122,12 @@ export const select: Prisma.WorkflowReminderSelect = { template: true, sender: true, includeCalendarEvent: true, + workflow: { + select: { + userId: true, + teamId: true, + }, + }, }, }, booking: { diff --git a/packages/features/ee/workflows/lib/reminders/emailReminderManager.ts b/packages/features/ee/workflows/lib/reminders/emailReminderManager.ts index 0e6b0d87bb1b07..f5a26670f036c9 100644 --- a/packages/features/ee/workflows/lib/reminders/emailReminderManager.ts +++ b/packages/features/ee/workflows/lib/reminders/emailReminderManager.ts @@ -87,7 +87,7 @@ export interface ScheduleReminderArgs { time: number | null; timeUnit: TimeUnit | null; }; - template: WorkflowTemplates; + template?: WorkflowTemplates; sender?: string | null; workflowStepId?: number; seatReferenceUid?: string; @@ -120,7 +120,6 @@ export const scheduleEmailReminder = async (args: scheduleEmailReminderArgs) => isMandatoryReminder, action, } = args; - if (action === WorkflowActions.EMAIL_ADDRESS) return; const { startTime, endTime } = evt; const uid = evt.uid as string; const currentDate = dayjs(); @@ -141,6 +140,12 @@ export const scheduleEmailReminder = async (args: scheduleEmailReminderArgs) => let timeZone = ""; switch (action) { + case WorkflowActions.EMAIL_ADDRESS: + name = ""; + attendeeToBeUsedInMail = evt.attendees[0]; + attendeeName = evt.attendees[0].name; + timeZone = evt.organizer.timeZone; + break; case WorkflowActions.EMAIL_HOST: attendeeToBeUsedInMail = evt.attendees[0]; name = evt.organizer.name; diff --git a/packages/features/ee/workflows/lib/reminders/providers/sendgridProvider.ts b/packages/features/ee/workflows/lib/reminders/providers/sendgridProvider.ts index c22ae466f6e135..29357ec21c79b2 100644 --- a/packages/features/ee/workflows/lib/reminders/providers/sendgridProvider.ts +++ b/packages/features/ee/workflows/lib/reminders/providers/sendgridProvider.ts @@ -2,6 +2,7 @@ import client from "@sendgrid/client"; import type { MailData } from "@sendgrid/helpers/classes/mail"; import sgMail from "@sendgrid/mail"; import { JSDOM } from "jsdom"; +import { v4 as uuidv4 } from "uuid"; import { SENDER_NAME } from "@calcom/lib/constants"; import { setTestEmail } from "@calcom/lib/testEmails"; @@ -9,6 +10,8 @@ import { setTestEmail } from "@calcom/lib/testEmails"; let sendgridAPIKey: string; let senderEmail: string; +const testMode = process.env.NEXT_PUBLIC_IS_E2E || process.env.INTEGRATION_TEST_MODE; + function assertSendgrid() { if (process.env.SENDGRID_API_KEY && process.env.SENDGRID_EMAIL) { sendgridAPIKey = process.env.SENDGRID_API_KEY as string; @@ -21,6 +24,9 @@ function assertSendgrid() { } export async function getBatchId() { + if (testMode) { + return uuidv4(); + } assertSendgrid(); if (!process.env.SENDGRID_API_KEY) { console.info("No sendgrid API key provided, returning DUMMY_BATCH_ID"); @@ -39,7 +45,6 @@ export function sendSendgridMail( ) { assertSendgrid(); - const testMode = process.env.NEXT_PUBLIC_IS_E2E || process.env.INTEGRATION_TEST_MODE; if (testMode) { if (!mailData.sendAt) { setTestEmail({ diff --git a/packages/features/ee/workflows/lib/reminders/providers/twilioProvider.ts b/packages/features/ee/workflows/lib/reminders/providers/twilioProvider.ts index d5eb0d1e2a9a7c..99cc6c8c218ff1 100644 --- a/packages/features/ee/workflows/lib/reminders/providers/twilioProvider.ts +++ b/packages/features/ee/workflows/lib/reminders/providers/twilioProvider.ts @@ -1,22 +1,21 @@ import TwilioClient from "twilio"; +import { v4 as uuidv4 } from "uuid"; -declare global { - // eslint-disable-next-line no-var - var twilio: TwilioClient.Twilio | undefined; -} +import { checkSMSRateLimit } from "@calcom/lib/checkRateLimitAndThrowError"; +import logger from "@calcom/lib/logger"; +import { setTestSMS } from "@calcom/lib/testSMS"; +import prisma from "@calcom/prisma"; +import { SMSLockState } from "@calcom/prisma/enums"; -export const twilio = - globalThis.twilio || - (process.env.TWILIO_SID && process.env.TWILIO_TOKEN && process.env.TWILIO_MESSAGING_SID) - ? TwilioClient(process.env.TWILIO_SID, process.env.TWILIO_TOKEN) - : undefined; +const log = logger.getSubLogger({ prefix: ["[twilioProvider]"] }); -if (process.env.NODE_ENV !== "production") { - globalThis.twilio = twilio; -} +const testMode = process.env.NEXT_PUBLIC_IS_E2E || process.env.INTEGRATION_TEST_MODE; -function assertTwilio(twilio: TwilioClient.Twilio | undefined): asserts twilio is TwilioClient.Twilio { - if (!twilio) throw new Error("Twilio credentials are missing from the .env file"); +function createTwilioClient() { + if (process.env.TWILIO_SID && process.env.TWILIO_TOKEN && process.env.TWILIO_MESSAGING_SID) { + return TwilioClient(process.env.TWILIO_SID, process.env.TWILIO_TOKEN); + } + throw new Error("Twilio credentials are missing from the .env file"); } function getDefaultSender(whatsapp = false) { @@ -24,15 +23,50 @@ function getDefaultSender(whatsapp = false) { if (whatsapp) { defaultSender = `whatsapp:+${process.env.TWILIO_WHATSAPP_PHONE_NUMBER}`; } - return defaultSender; + return defaultSender || ""; } function getSMSNumber(phone: string, whatsapp = false) { return whatsapp ? `whatsapp:${phone}` : phone; } -export const sendSMS = async (phoneNumber: string, body: string, sender: string, whatsapp = false) => { - assertTwilio(twilio); +export const sendSMS = async ( + phoneNumber: string, + body: string, + sender: string, + userId?: number | null, + teamId?: number | null, + whatsapp = false +) => { + const isSMSSendingLocked = await isLockedForSMSSending(userId, teamId); + + if (isSMSSendingLocked) { + log.debug(`${teamId ? `Team id ${teamId} ` : `User id ${userId} `} is locked for SMS sending `); + return; + } + + if (testMode) { + setTestSMS({ + to: getSMSNumber(phoneNumber, whatsapp), + from: whatsapp ? getDefaultSender(whatsapp) : sender ? sender : getDefaultSender(), + message: body, + }); + console.log( + "Skipped sending SMS because process.env.NEXT_PUBLIC_IS_E2E or process.env.INTEGRATION_TEST_MODE is set. SMS are available in globalThis.testSMS" + ); + + return; + } + + const twilio = createTwilioClient(); + + if (!teamId && userId) { + await checkSMSRateLimit({ + identifier: `sms:user:${userId}`, + rateLimitingType: "smsMonth", + }); + } + const response = await twilio.messages.create({ body: body, messagingServiceSid: process.env.TWILIO_MESSAGING_SID, @@ -48,9 +82,38 @@ export const scheduleSMS = async ( body: string, scheduledDate: Date, sender: string, + userId?: number | null, + teamId?: number | null, whatsapp = false ) => { - assertTwilio(twilio); + const isSMSSendingLocked = await isLockedForSMSSending(userId, teamId); + + if (isSMSSendingLocked) { + log.debug(`${teamId ? `Team id ${teamId} ` : `User id ${userId} `} is locked for SMS sending `); + return; + } + + if (testMode) { + setTestSMS({ + to: getSMSNumber(phoneNumber, whatsapp), + from: whatsapp ? getDefaultSender(whatsapp) : sender ? sender : getDefaultSender(), + message: body, + }); + console.log( + "Skipped sending SMS because process.env.NEXT_PUBLIC_IS_E2E or process.env.INTEGRATION_TEST_MODE is set. SMS are available in globalThis.testSMS" + ); + return { sid: uuidv4() }; + } + + const twilio = createTwilioClient(); + + if (!teamId && userId) { + await checkSMSRateLimit({ + identifier: `sms:user:${userId}`, + rateLimitingType: "smsMonth", + }); + } + const response = await twilio.messages.create({ body: body, messagingServiceSid: process.env.TWILIO_MESSAGING_SID, @@ -64,12 +127,12 @@ export const scheduleSMS = async ( }; export const cancelSMS = async (referenceId: string) => { - assertTwilio(twilio); + const twilio = createTwilioClient(); await twilio.messages(referenceId).update({ status: "canceled" }); }; export const sendVerificationCode = async (phoneNumber: string) => { - assertTwilio(twilio); + const twilio = createTwilioClient(); if (process.env.TWILIO_VERIFY_SID) { await twilio.verify .services(process.env.TWILIO_VERIFY_SID) @@ -78,7 +141,7 @@ export const sendVerificationCode = async (phoneNumber: string) => { }; export const verifyNumber = async (phoneNumber: string, code: string) => { - assertTwilio(twilio); + const twilio = createTwilioClient(); if (process.env.TWILIO_VERIFY_SID) { try { const verification_check = await twilio.verify.v2 @@ -90,3 +153,44 @@ export const verifyNumber = async (phoneNumber: string, code: string) => { } } }; + +async function isLockedForSMSSending(userId?: number | null, teamId?: number | null) { + if (teamId) { + const team = await prisma.team.findFirst({ + where: { + id: teamId, + }, + }); + return team?.smsLockState === SMSLockState.LOCKED; + } + + if (userId) { + const memberships = await prisma.membership.findMany({ + where: { + userId: userId, + }, + select: { + team: { + select: { + smsLockState: true, + }, + }, + }, + }); + + const memberOfLockedTeam = memberships.find( + (membership) => membership.team.smsLockState === SMSLockState.LOCKED + ); + + if (!!memberOfLockedTeam) { + return true; + } + + const user = await prisma.user.findFirst({ + where: { + id: userId, + }, + }); + return user?.smsLockState === SMSLockState.LOCKED; + } +} diff --git a/packages/features/ee/workflows/lib/reminders/reminderScheduler.ts b/packages/features/ee/workflows/lib/reminders/reminderScheduler.ts index c23291ab94fb66..0f0aaf2ce109eb 100644 --- a/packages/features/ee/workflows/lib/reminders/reminderScheduler.ts +++ b/packages/features/ee/workflows/lib/reminders/reminderScheduler.ts @@ -1,20 +1,20 @@ -import type { Workflow, WorkflowsOnEventTypes, WorkflowStep } from "@prisma/client"; - import { isSMSAction, - isTextMessageToAttendeeAction, + isSMSOrWhatsappAction, isWhatsappAction, } from "@calcom/features/ee/workflows/lib/actionHelperFunctions"; +import type { Workflow, WorkflowStep } from "@calcom/features/ee/workflows/lib/types"; +import { checkSMSRateLimit } from "@calcom/lib/checkRateLimitAndThrowError"; import { SENDER_NAME } from "@calcom/lib/constants"; -import { WorkflowActions, WorkflowMethods, WorkflowTriggerEvents } from "@calcom/prisma/enums"; +import { WorkflowActions, WorkflowTriggerEvents } from "@calcom/prisma/enums"; import type { CalendarEvent } from "@calcom/types/Calendar"; -import { deleteScheduledEmailReminder, scheduleEmailReminder } from "./emailReminderManager"; +import { scheduleEmailReminder } from "./emailReminderManager"; import type { ScheduleTextReminderAction } from "./smsReminderManager"; -import { deleteScheduledSMSReminder, scheduleSMSReminder } from "./smsReminderManager"; -import { deleteScheduledWhatsappReminder, scheduleWhatsappReminder } from "./whatsappReminderManager"; +import { scheduleSMSReminder } from "./smsReminderManager"; +import { scheduleWhatsappReminder } from "./whatsappReminderManager"; -type ExtendedCalendarEvent = CalendarEvent & { +export type ExtendedCalendarEvent = CalendarEvent & { metadata?: { videoCallUrl: string | undefined }; eventType: { slug?: string }; }; @@ -25,15 +25,10 @@ type ProcessWorkflowStepParams = { emailAttendeeSendToOverride?: string; hideBranding?: boolean; seatReferenceUid?: string; - eventTypeRequiresConfirmation?: boolean; }; export interface ScheduleWorkflowRemindersArgs extends ProcessWorkflowStepParams { - workflows: (WorkflowsOnEventTypes & { - workflow: Workflow & { - steps: WorkflowStep[]; - }; - })[]; + workflows: Workflow[]; isNotConfirmed?: boolean; isRescheduleEvent?: boolean; isFirstRecurringEvent?: boolean; @@ -48,10 +43,14 @@ const processWorkflowStep = async ( emailAttendeeSendToOverride, hideBranding, seatReferenceUid, - eventTypeRequiresConfirmation, }: ProcessWorkflowStepParams ) => { - if (isTextMessageToAttendeeAction(step.action) && !eventTypeRequiresConfirmation) return; + if (isSMSOrWhatsappAction(step.action)) { + await checkSMSRateLimit({ + identifier: `sms:${workflow.teamId ? "team:" : "user:"}${workflow.teamId || workflow.userId}`, + rateLimitingType: "sms", + }); + } if (isSMSAction(step.action)) { const sendTo = step.action === WorkflowActions.SMS_ATTENDEE ? smsReminderNumber : step.sendTo; @@ -73,10 +72,17 @@ const processWorkflowStep = async ( isVerificationPending: step.numberVerificationPending, seatReferenceUid, }); - } else if (step.action === WorkflowActions.EMAIL_ATTENDEE || step.action === WorkflowActions.EMAIL_HOST) { + } else if ( + step.action === WorkflowActions.EMAIL_ATTENDEE || + step.action === WorkflowActions.EMAIL_HOST || + step.action === WorkflowActions.EMAIL_ADDRESS + ) { let sendTo: string[] = []; switch (step.action) { + case WorkflowActions.EMAIL_ADDRESS: + sendTo = [step.sendTo || ""]; + break; case WorkflowActions.EMAIL_HOST: sendTo = [evt.organizer?.email || ""]; break; @@ -137,18 +143,16 @@ export const scheduleWorkflowReminders = async (args: ScheduleWorkflowRemindersA calendarEvent: evt, isNotConfirmed = false, isRescheduleEvent = false, - isFirstRecurringEvent = false, + isFirstRecurringEvent = true, emailAttendeeSendToOverride = "", hideBranding, seatReferenceUid, - eventTypeRequiresConfirmation = false, } = args; if (isNotConfirmed || !workflows.length) return; - for (const workflowReference of workflows) { - if (workflowReference.workflow.steps.length === 0) continue; + for (const workflow of workflows) { + if (workflow.steps.length === 0) continue; - const workflow = workflowReference.workflow; const isNotBeforeOrAfterEvent = workflow.trigger !== WorkflowTriggerEvents.BEFORE_EVENT && workflow.trigger !== WorkflowTriggerEvents.AFTER_EVENT; @@ -173,47 +177,24 @@ export const scheduleWorkflowReminders = async (args: ScheduleWorkflowRemindersA smsReminderNumber, hideBranding, seatReferenceUid, - eventTypeRequiresConfirmation, }); } } }; -const reminderMethods: { [x: string]: (id: number, referenceId: string | null) => void } = { - [WorkflowMethods.EMAIL]: deleteScheduledEmailReminder, - [WorkflowMethods.SMS]: deleteScheduledSMSReminder, - [WorkflowMethods.WHATSAPP]: deleteScheduledWhatsappReminder, -}; - -export const cancelWorkflowReminders = async ( - workflowReminders: { method: WorkflowMethods; id: number; referenceId: string | null }[] -) => { - await Promise.all( - workflowReminders.map((reminder) => { - return reminderMethods[reminder.method](reminder.id, reminder.referenceId); - }) - ); -}; - export interface SendCancelledRemindersArgs { - workflows: (WorkflowsOnEventTypes & { - workflow: Workflow & { - steps: WorkflowStep[]; - }; - })[]; + workflows: Workflow[]; smsReminderNumber: string | null; evt: ExtendedCalendarEvent; hideBranding?: boolean; - eventTypeRequiresConfirmation?: boolean; } export const sendCancelledReminders = async (args: SendCancelledRemindersArgs) => { - const { workflows, smsReminderNumber, evt, hideBranding, eventTypeRequiresConfirmation } = args; - if (!workflows.length) return; + const { smsReminderNumber, evt, workflows, hideBranding } = args; - for (const workflowRef of workflows) { - const { workflow } = workflowRef; + if (!workflows.length) return; + for (const workflow of workflows) { if (workflow.trigger !== WorkflowTriggerEvents.EVENT_CANCELLED) continue; for (const step of workflow.steps) { @@ -221,7 +202,6 @@ export const sendCancelledReminders = async (args: SendCancelledRemindersArgs) = smsReminderNumber, hideBranding, calendarEvent: evt, - eventTypeRequiresConfirmation, }); } } diff --git a/packages/features/ee/workflows/lib/reminders/scheduleMandatoryReminder.ts b/packages/features/ee/workflows/lib/reminders/scheduleMandatoryReminder.ts index 3512e9f9f1557a..d8f232572088ce 100644 --- a/packages/features/ee/workflows/lib/reminders/scheduleMandatoryReminder.ts +++ b/packages/features/ee/workflows/lib/reminders/scheduleMandatoryReminder.ts @@ -1,25 +1,19 @@ -import type { Workflow, WorkflowsOnEventTypes, WorkflowStep } from "@prisma/client"; - -import type { getEventTypesFromDB } from "@calcom/features/bookings/lib/handleNewBooking"; +import type { getEventTypeResponse } from "@calcom/features/bookings/lib/handleNewBooking/getEventTypesFromDB"; import { scheduleEmailReminder } from "@calcom/features/ee/workflows/lib/reminders/emailReminderManager"; -import type { BookingInfo } from "@calcom/features/ee/workflows/lib/reminders/smsReminderManager"; +import type { Workflow } from "@calcom/features/ee/workflows/lib/types"; import type { getDefaultEvent } from "@calcom/lib/defaultEvents"; import logger from "@calcom/lib/logger"; import { WorkflowTriggerEvents, TimeUnit, WorkflowActions, WorkflowTemplates } from "@calcom/prisma/enums"; +import type { ExtendedCalendarEvent } from "./reminderScheduler"; + const log = logger.getSubLogger({ prefix: ["[scheduleMandatoryReminder]"] }); -export type NewBookingEventType = - | Awaited> - | Awaited>; +export type NewBookingEventType = Awaited> | getEventTypeResponse; export async function scheduleMandatoryReminder( - evt: BookingInfo, - workflows: (WorkflowsOnEventTypes & { - workflow: Workflow & { - steps: WorkflowStep[]; - }; - })[], + evt: ExtendedCalendarEvent, + workflows: Workflow[], requiresConfirmation: boolean, hideBranding: boolean, seatReferenceUid: string | undefined @@ -27,14 +21,10 @@ export async function scheduleMandatoryReminder( try { const hasExistingWorkflow = workflows.some((workflow) => { return ( - workflow.workflow?.trigger === WorkflowTriggerEvents.BEFORE_EVENT && - ((workflow.workflow.time !== null && - workflow.workflow.time <= 12 && - workflow.workflow?.timeUnit === TimeUnit.HOUR) || - (workflow.workflow.time !== null && - workflow.workflow.time <= 720 && - workflow.workflow?.timeUnit === TimeUnit.MINUTE)) && - workflow.workflow?.steps.some((step) => step?.action === WorkflowActions.EMAIL_ATTENDEE) + workflow.trigger === WorkflowTriggerEvents.BEFORE_EVENT && + ((workflow.time !== null && workflow.time <= 12 && workflow.timeUnit === TimeUnit.HOUR) || + (workflow.time !== null && workflow.time <= 720 && workflow.timeUnit === TimeUnit.MINUTE)) && + workflow.steps.some((step) => step?.action === WorkflowActions.EMAIL_ATTENDEE) ); }); diff --git a/packages/features/ee/workflows/lib/reminders/smsReminderManager.ts b/packages/features/ee/workflows/lib/reminders/smsReminderManager.ts index a555d74dff5a3f..3bff4f7b1f2542 100644 --- a/packages/features/ee/workflows/lib/reminders/smsReminderManager.ts +++ b/packages/features/ee/workflows/lib/reminders/smsReminderManager.ts @@ -2,6 +2,7 @@ import dayjs from "@calcom/dayjs"; import { SENDER_ID } from "@calcom/lib/constants"; import logger from "@calcom/lib/logger"; import type { TimeFormat } from "@calcom/lib/timeFormat"; +import type { PrismaClient } from "@calcom/prisma"; import prisma from "@calcom/prisma"; import type { Prisma } from "@calcom/prisma/client"; import { WorkflowTemplates, WorkflowActions, WorkflowMethods } from "@calcom/prisma/enums"; @@ -68,6 +69,7 @@ export interface ScheduleTextReminderArgs extends ScheduleReminderArgs { userId?: number | null; teamId?: number | null; isVerificationPending?: boolean; + prisma?: PrismaClient; } export const scheduleSMSReminder = async (args: ScheduleTextReminderArgs) => { @@ -86,6 +88,7 @@ export const scheduleSMSReminder = async (args: ScheduleTextReminderArgs) => { isVerificationPending = false, seatReferenceUid, } = args; + const { startTime, endTime } = evt; const uid = evt.uid as string; const currentDate = dayjs(); @@ -184,7 +187,7 @@ export const scheduleSMSReminder = async (args: ScheduleTextReminderArgs) => { triggerEvent === WorkflowTriggerEvents.RESCHEDULE_EVENT ) { try { - await twilio.sendSMS(reminderPhone, smsMessage, senderID); + await twilio.sendSMS(reminderPhone, smsMessage, senderID, userId, teamId); } catch (error) { log.error(`Error sending SMS with error ${error}`); } @@ -203,20 +206,24 @@ export const scheduleSMSReminder = async (args: ScheduleTextReminderArgs) => { reminderPhone, smsMessage, scheduledDate.toDate(), - senderID + senderID, + userId, + teamId ); - await prisma.workflowReminder.create({ - data: { - bookingUid: uid, - workflowStepId: workflowStepId, - method: WorkflowMethods.SMS, - scheduledDate: scheduledDate.toDate(), - scheduled: true, - referenceId: scheduledSMS.sid, - seatReferenceId: seatReferenceUid, - }, - }); + if (scheduledSMS) { + await prisma.workflowReminder.create({ + data: { + bookingUid: uid, + workflowStepId: workflowStepId, + method: WorkflowMethods.SMS, + scheduledDate: scheduledDate.toDate(), + scheduled: true, + referenceId: scheduledSMS.sid, + seatReferenceId: seatReferenceUid, + }, + }); + } } catch (error) { log.error(`Error scheduling SMS with error ${error}`); } diff --git a/packages/features/ee/workflows/lib/reminders/whatsappReminderManager.ts b/packages/features/ee/workflows/lib/reminders/whatsappReminderManager.ts index 66529248984df9..967b8a56af764e 100644 --- a/packages/features/ee/workflows/lib/reminders/whatsappReminderManager.ts +++ b/packages/features/ee/workflows/lib/reminders/whatsappReminderManager.ts @@ -35,6 +35,7 @@ export const scheduleWhatsappReminder = async (args: ScheduleTextReminderArgs) = isVerificationPending = false, seatReferenceUid, } = args; + const { startTime, endTime } = evt; const uid = evt.uid as string; const currentDate = dayjs(); @@ -147,7 +148,7 @@ export const scheduleWhatsappReminder = async (args: ScheduleTextReminderArgs) = triggerEvent === WorkflowTriggerEvents.RESCHEDULE_EVENT ) { try { - await twilio.sendSMS(reminderPhone, textMessage, "", true); + await twilio.sendSMS(reminderPhone, textMessage, "", userId, teamId, true); } catch (error) { console.log(`Error sending WHATSAPP with error ${error}`); } @@ -167,20 +168,24 @@ export const scheduleWhatsappReminder = async (args: ScheduleTextReminderArgs) = textMessage, scheduledDate.toDate(), "", + userId, + teamId, true ); - await prisma.workflowReminder.create({ - data: { - bookingUid: uid, - workflowStepId: workflowStepId, - method: WorkflowMethods.WHATSAPP, - scheduledDate: scheduledDate.toDate(), - scheduled: true, - referenceId: scheduledWHATSAPP.sid, - seatReferenceId: seatReferenceUid, - }, - }); + if (scheduledWHATSAPP) { + await prisma.workflowReminder.create({ + data: { + bookingUid: uid, + workflowStepId: workflowStepId, + method: WorkflowMethods.WHATSAPP, + scheduledDate: scheduledDate.toDate(), + scheduled: true, + referenceId: scheduledWHATSAPP.sid, + seatReferenceId: seatReferenceUid, + }, + }); + } } catch (error) { console.log(`Error scheduling WHATSAPP with error ${error}`); } diff --git a/packages/features/ee/workflows/lib/test/workflows.test.ts b/packages/features/ee/workflows/lib/test/workflows.test.ts new file mode 100644 index 00000000000000..f2382056892a29 --- /dev/null +++ b/packages/features/ee/workflows/lib/test/workflows.test.ts @@ -0,0 +1,857 @@ +import prismock from "../../../../../../tests/libs/__mocks__/prisma"; + +import { + getOrganizer, + getScenarioData, + TestData, + createBookingScenario, + createOrganization, +} from "@calcom/web/test/utils/bookingScenario/bookingScenario"; +import { + expectSMSWorkflowToBeTriggered, + expectSMSWorkflowToBeNotTriggered, +} from "@calcom/web/test/utils/bookingScenario/expects"; + +import { describe, expect, beforeAll, vi } from "vitest"; + +import dayjs from "@calcom/dayjs"; +import { BookingStatus, WorkflowMethods, TimeUnit } from "@calcom/prisma/enums"; +import { + deleteRemindersOfActiveOnIds, + scheduleBookingReminders, + bookingSelect, +} from "@calcom/trpc/server/routers/viewer/workflows/util"; +import { test } from "@calcom/web/test/fixtures/fixtures"; + +import { deleteWorkfowRemindersOfRemovedMember } from "../../../teams/lib/deleteWorkflowRemindersOfRemovedMember"; + +const workflowSelect = { + id: true, + userId: true, + isActiveOnAll: true, + trigger: true, + time: true, + timeUnit: true, + team: { + select: { + isOrganization: true, + }, + }, + teamId: true, + user: { + select: { + teams: true, + }, + }, + steps: true, + activeOn: true, + activeOnTeams: true, +}; + +beforeAll(() => { + vi.setSystemTime(new Date("2024-05-20T11:59:59Z")); +}); + +const mockEventTypes = [ + { + id: 1, + slotInterval: 30, + length: 30, + useEventTypeDestinationCalendarEmail: true, + owner: 101, + users: [ + { + id: 101, + }, + ], + }, + { + id: 2, + slotInterval: 30, + length: 30, + useEventTypeDestinationCalendarEmail: true, + owner: 101, + users: [ + { + id: 101, + }, + ], + }, +]; + +const mockBookings = [ + { + uid: "jK7Rf8iYsOpmQUw9hB1vZxP", + eventTypeId: 1, + userId: 101, + status: BookingStatus.ACCEPTED, + startTime: `2024-05-22T04:00:00.000Z`, + endTime: `2024-05-22T04:30:00.000Z`, + attendees: [{ email: "attendee@example.com" }], + }, + { + uid: "mL4Dx9jTkQbnWEu3pR7yNcF", + eventTypeId: 1, + userId: 101, + status: BookingStatus.ACCEPTED, + startTime: `2024-05-23T04:00:00.000Z`, + endTime: `2024-05-23T04:30:00.000Z`, + attendees: [{ email: "attendee@example.com" }], + }, + { + uid: "Fd9Rf8iYsOpmQUw9hB1vKd8", + eventTypeId: 2, + userId: 101, + status: BookingStatus.ACCEPTED, + startTime: `2024-06-01T04:30:00.000Z`, + endTime: `2024-06-01T05:00:00.000Z`, + attendees: [{ email: "attendee@example.com" }], + }, + { + uid: "Kd8Dx9jTkQbnWEu3pR7yKdl", + eventTypeId: 2, + userId: 101, + status: BookingStatus.ACCEPTED, + startTime: `2024-06-02T04:30:00.000Z`, + endTime: `2024-06-02T05:00:00.000Z`, + attendees: [{ email: "attendee@example.com" }], + }, +]; + +async function createWorkflowRemindersForWorkflow(workflowName: string) { + const workflow = await prismock.workflow.findFirst({ + where: { + name: workflowName, + }, + select: { + steps: { + select: { + id: true, + stepNumber: true, + action: true, + workflowId: true, + sendTo: true, + reminderBody: true, + emailSubject: true, + template: true, + numberRequired: true, + sender: true, + numberVerificationPending: true, + includeCalendarEvent: true, + }, + }, + }, + }); + + const workflowRemindersData = [ + { + booking: { + connect: { + bookingUid: "jK7Rf8iYsOpmQUw9hB1vZxP", + }, + }, + bookingUid: "jK7Rf8iYsOpmQUw9hB1vZxP", + workflowStepId: workflow?.steps[0]?.id, + method: WorkflowMethods.EMAIL, + scheduledDate: `2024-05-22T06:00:00.000Z`, + scheduled: false, + retryCount: 0, + }, + { + booking: { + connect: { + bookingUid: "mL4Dx9jTkQbnWEu3pR7yNcF", + }, + }, + bookingUid: "mL4Dx9jTkQbnWEu3pR7yNcF", + workflowStepId: workflow?.steps[0]?.id, + method: WorkflowMethods.EMAIL, + scheduledDate: `2024-05-22T06:30:00.000Z`, + scheduled: false, + retryCount: 0, + }, + { + booking: { + connect: { + bookingUid: "Fd9Rf8iYsOpmQUw9hB1vKd8", + }, + }, + bookingUid: "Fd9Rf8iYsOpmQUw9hB1vKd8", + workflowStepId: workflow?.steps[0]?.id, + method: WorkflowMethods.EMAIL, + scheduledDate: `2024-05-22T06:30:00.000Z`, + scheduled: false, + retryCount: 0, + }, + { + booking: { + connect: { + bookingUid: "Kd8Dx9jTkQbnWEu3pR7yKdl", + }, + }, + bookingUid: "Kd8Dx9jTkQbnWEu3pR7yKdl", + workflowStepId: workflow?.steps[0]?.id, + method: WorkflowMethods.EMAIL, + scheduledDate: `2024-05-22T06:30:00.000Z`, + scheduled: false, + retryCount: 0, + }, + ]; + + for (const data of workflowRemindersData) { + await prismock.workflowReminder.create({ + data, + }); + } + + return workflow; +} + +describe("deleteRemindersOfActiveOnIds", () => { + test("should delete all reminders from removed event types", async ({}) => { + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + schedules: [TestData.schedules.IstWorkHours], + }); + + await createBookingScenario( + getScenarioData({ + workflows: [ + { + name: "User Workflow", + userId: organizer.id, + trigger: "BEFORE_EVENT", + time: 1, + timeUnit: TimeUnit.HOUR, + action: "EMAIL_HOST", + template: "REMINDER", + activeOn: [1], + }, + ], + eventTypes: mockEventTypes, + bookings: mockBookings, + organizer, + }) + ); + + const workflow = await createWorkflowRemindersForWorkflow("User Workflow"); + + const removedActiveOnIds = [1]; + const activeOnIds = [2]; + + await deleteRemindersOfActiveOnIds({ + removedActiveOnIds, + workflowSteps: workflow?.steps || [], + isOrg: false, + activeOnIds, + }); + + const workflowReminders = await prismock.workflowReminder.findMany({ + select: { + booking: { + select: { + eventTypeId: true, + }, + }, + }, + }); + expect(workflowReminders.filter((reminder) => reminder.booking?.eventTypeId === 1).length).toBe(0); + expect(workflowReminders.filter((reminder) => reminder.booking?.eventTypeId === 2).length).toBe(2); + }); + + test("should delete all reminders from removed event types (org workflow)", async ({}) => { + const org = await createOrganization({ + name: "Test Org", + slug: "testorg", + withTeam: true, + }); + + // organizer is part of org and two teams + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + defaultScheduleId: null, + organizationId: org.id, + teams: [ + { + membership: { + accepted: true, + }, + team: { + id: 3, + name: "Team 1", + slug: "team-1", + parentId: org.id, + }, + }, + { + membership: { + accepted: true, + }, + team: { + id: 4, + name: "Team 2", + slug: "team-2", + parentId: org.id, + }, + }, + ], + schedules: [TestData.schedules.IstMorningShift], + }); + + await createBookingScenario( + getScenarioData({ + workflows: [ + { + name: "Org Workflow", + teamId: 1, + trigger: "BEFORE_EVENT", + action: "EMAIL_HOST", + template: "REMINDER", + activeOnTeams: [2, 3, 4], + }, + ], + eventTypes: mockEventTypes, + bookings: mockBookings, + organizer, + }) + ); + + const workflow = await createWorkflowRemindersForWorkflow("Org Workflow"); + + let removedActiveOnIds = [1]; + const activeOnIds = [2]; + + //workflow removed from team 2, but still acitve on team 3 --> so reminder should not be removed + await deleteRemindersOfActiveOnIds({ + removedActiveOnIds, + workflowSteps: workflow?.steps || [], + isOrg: true, + activeOnIds, + }); + + // get all reminders from organizer's bookings + const workflowRemindersWithOneTeamActive = await prismock.workflowReminder.findMany({ + where: { + booking: { + userId: organizer.id, + }, + }, + }); + + removedActiveOnIds = [3]; + + // should still be active on all 4 bookings + expect(workflowRemindersWithOneTeamActive.length).toBe(4); + await deleteRemindersOfActiveOnIds({ + removedActiveOnIds, + workflowSteps: workflow?.steps || [], + isOrg: true, + activeOnIds, + }); + + const workflowRemindersWithNoTeamActive = await prismock.workflowReminder.findMany({ + where: { + booking: { + userId: organizer.id, + }, + }, + }); + + expect(workflowRemindersWithNoTeamActive.length).toBe(0); + }); +}); + +describe("scheduleBookingReminders", () => { + test("schedules workflow notifications with before event trigger and email to host action", async ({}) => { + // organizer is part of org and two teams + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + defaultScheduleId: null, + schedules: [TestData.schedules.IstMorningShift], + }); + + await createBookingScenario( + getScenarioData({ + workflows: [ + { + name: "Workflow", + userId: 101, + trigger: "BEFORE_EVENT", + action: "EMAIL_HOST", + template: "REMINDER", + activeOn: [], + time: 1, + timeUnit: TimeUnit.HOUR, + }, + ], + eventTypes: mockEventTypes, + bookings: mockBookings, + organizer, + }) + ); + + const workflow = await prismock.workflow.findFirst({ + select: workflowSelect, + }); + + const bookings = await prismock.booking.findMany({ + where: { + userId: organizer.id, + }, + select: bookingSelect, + }); + + expect(workflow).not.toBeNull(); + + if (!workflow) return; + + await scheduleBookingReminders( + bookings, + workflow.steps, + workflow.time, + workflow.timeUnit, + workflow.trigger, + organizer.id, + null //teamId + ); + + const scheduledWorkflowReminders = await prismock.workflowReminder.findMany({ + where: { + workflowStep: { + workflowId: workflow.id, + }, + }, + }); + scheduledWorkflowReminders.sort((a, b) => + dayjs(a.scheduledDate).isBefore(dayjs(b.scheduledDate)) ? -1 : 1 + ); + + const expectedScheduledDates = [ + new Date("2024-05-22T03:00:00.000"), + new Date("2024-05-23T03:00:00.000Z"), + new Date("2024-06-01T03:30:00.000Z"), + new Date("2024-06-02T03:30:00.000Z"), + ]; + + scheduledWorkflowReminders.forEach((reminder, index) => { + expect(expectedScheduledDates[index]).toStrictEqual(reminder.scheduledDate); + expect(reminder.method).toBe(WorkflowMethods.EMAIL); + if (index < 2) { + expect(reminder.scheduled).toBe(true); + } else { + expect(reminder.scheduled).toBe(false); + } + }); + }); + + test("schedules workflow notifications with after event trigger and email to host action", async ({}) => { + // organizer is part of org and two teams + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + defaultScheduleId: null, + schedules: [TestData.schedules.IstMorningShift], + }); + + await createBookingScenario( + getScenarioData({ + workflows: [ + { + name: "Workflow", + userId: 101, + trigger: "AFTER_EVENT", + action: "EMAIL_HOST", + template: "REMINDER", + activeOn: [], + time: 1, + timeUnit: TimeUnit.HOUR, + }, + ], + eventTypes: mockEventTypes, + bookings: mockBookings, + organizer, + }) + ); + + const workflow = await prismock.workflow.findFirst({ + select: workflowSelect, + }); + + const bookings = await prismock.booking.findMany({ + where: { + userId: organizer.id, + }, + select: bookingSelect, + }); + + expect(workflow).not.toBeNull(); + + if (!workflow) return; + + await scheduleBookingReminders( + bookings, + workflow.steps, + workflow.time, + workflow.timeUnit, + workflow.trigger, + organizer.id, + null //teamId + ); + + const scheduledWorkflowReminders = await prismock.workflowReminder.findMany({ + where: { + workflowStep: { + workflowId: workflow.id, + }, + }, + }); + scheduledWorkflowReminders.sort((a, b) => + dayjs(a.scheduledDate).isBefore(dayjs(b.scheduledDate)) ? -1 : 1 + ); + + const expectedScheduledDates = [ + new Date("2024-05-22T05:30:00.000"), + new Date("2024-05-23T05:30:00.000Z"), + new Date("2024-06-01T06:00:00.000Z"), + new Date("2024-06-02T06:00:00.000Z"), + ]; + + scheduledWorkflowReminders.forEach((reminder, index) => { + expect(expectedScheduledDates[index]).toStrictEqual(reminder.scheduledDate); + expect(reminder.method).toBe(WorkflowMethods.EMAIL); + if (index < 2) { + expect(reminder.scheduled).toBe(true); + } else { + expect(reminder.scheduled).toBe(false); + } + }); + }); + + test("send sms to specific number for bookings", async ({ sms }) => { + // organizer is part of org and two teams + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + defaultScheduleId: null, + schedules: [TestData.schedules.IstMorningShift], + }); + + await createBookingScenario( + getScenarioData({ + workflows: [ + { + name: "Workflow", + userId: 101, + trigger: "BEFORE_EVENT", + action: "SMS_NUMBER", + template: "REMINDER", + activeOn: [], + time: 3, + timeUnit: TimeUnit.HOUR, + sendTo: "000", + }, + ], + eventTypes: mockEventTypes, + bookings: mockBookings, + organizer, + }) + ); + + const workflow = await prismock.workflow.findFirst({ + select: workflowSelect, + }); + + const bookings = await prismock.booking.findMany({ + where: { + userId: organizer.id, + }, + select: bookingSelect, + }); + + expect(workflow).not.toBeNull(); + + if (!workflow) return; + + await scheduleBookingReminders( + bookings, + workflow.steps, + workflow.time, + workflow.timeUnit, + workflow.trigger, + organizer.id, + null //teamId + ); + + // number is not verified, so sms should not send + expectSMSWorkflowToBeNotTriggered({ + sms, + toNumber: "000", + }); + + await prismock.verifiedNumber.create({ + data: { + userId: organizer.id, + phoneNumber: "000", + }, + }); + + const allVerified = await prismock.verifiedNumber.findMany(); + await scheduleBookingReminders( + bookings, + workflow.steps, + workflow.time, + workflow.timeUnit, + workflow.trigger, + organizer.id, + null //teamId + ); + + // two sms schould be scheduled + expectSMSWorkflowToBeTriggered({ + sms, + toNumber: "000", + includedString: "2024 May 22 at 9:30am Asia/Kolkata", + }); + + expectSMSWorkflowToBeTriggered({ + sms, + toNumber: "000", + includedString: "2024 May 23 at 9:30am Asia/Kolkata", + }); + + // sms are too far in future + expectSMSWorkflowToBeNotTriggered({ + sms, + toNumber: "000", + includedString: "2024 June 1 at 10:00am Asia/Kolkata", + }); + + expectSMSWorkflowToBeNotTriggered({ + sms, + toNumber: "000", + includedString: "2024 June 2 at 10:00am Asia/Kolkata", + }); + + const scheduledWorkflowReminders = await prismock.workflowReminder.findMany({ + where: { + workflowStep: { + workflowId: workflow.id, + }, + }, + }); + scheduledWorkflowReminders.sort((a, b) => + dayjs(a.scheduledDate).isBefore(dayjs(b.scheduledDate)) ? -1 : 1 + ); + + const expectedScheduledDates = [ + new Date("2024-05-22T01:00:00.000"), + new Date("2024-05-23T01:00:00.000Z"), + new Date("2024-06-01T01:30:00.000Z"), + new Date("2024-06-02T01:30:00.000Z"), + ]; + + scheduledWorkflowReminders.forEach((reminder, index) => { + expect(expectedScheduledDates[index]).toStrictEqual(reminder.scheduledDate); + expect(reminder.method).toBe(WorkflowMethods.SMS); + if (index < 2) { + expect(reminder.scheduled).toBe(true); + } else { + expect(reminder.scheduled).toBe(false); + } + }); + }); +}); + +describe("deleteWorkfowRemindersOfRemovedMember", () => { + test("deletes all workflow reminders when member is removed from org", async ({}) => { + const org = await createOrganization({ + name: "Test Org", + slug: "testorg", + withTeam: true, + }); + + // organizer is part of org and two teams + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + defaultScheduleId: null, + organizationId: org.id, + teams: [ + { + membership: { + accepted: true, + }, + team: { + id: 3, + name: "Team 1", + slug: "team-1", + parentId: org.id, + }, + }, + { + membership: { + accepted: true, + }, + team: { + id: 4, + name: "Team 2", + slug: "team-2", + parentId: org.id, + }, + }, + ], + schedules: [TestData.schedules.IstMorningShift], + }); + + await createBookingScenario( + getScenarioData({ + workflows: [ + { + name: "Org Workflow", + teamId: 1, + trigger: "BEFORE_EVENT", + action: "EMAIL_HOST", + template: "REMINDER", + activeOnTeams: [2, 3, 4], + }, + ], + eventTypes: mockEventTypes, + bookings: mockBookings, + organizer, + }) + ); + + await createWorkflowRemindersForWorkflow("Org Workflow"); + + await deleteWorkfowRemindersOfRemovedMember(org, 101, true); + + const workflowReminders = await prismock.workflowReminder.findMany(); + expect(workflowReminders.length).toBe(0); + }); + + test("deletes reminders if member is removed from an org team ", async ({}) => { + const org = await createOrganization({ + name: "Test Org", + slug: "testorg", + withTeam: true, + }); + + // organizer is part of org and two teams + const organizer = getOrganizer({ + name: "Organizer", + email: "organizer@example.com", + id: 101, + defaultScheduleId: null, + organizationId: org.id, + teams: [ + { + membership: { + accepted: true, + }, + team: { + id: 2, + name: "Team 1", + slug: "team-1", + parentId: org.id, + }, + }, + { + membership: { + accepted: true, + }, + team: { + id: 3, + name: "Team 2", + slug: "team-2", + parentId: org.id, + }, + }, + { + membership: { + accepted: true, + }, + team: { + id: 4, + name: "Team 3", + slug: "team-3", + parentId: org.id, + }, + }, + ], + schedules: [TestData.schedules.IstMorningShift], + }); + + await createBookingScenario( + getScenarioData({ + workflows: [ + { + name: "Org Workflow 1", + teamId: 1, + trigger: "BEFORE_EVENT", + action: "EMAIL_HOST", + template: "REMINDER", + activeOnTeams: [2, 3, 4], + }, + { + name: "Org Workflow 2", + teamId: 1, + trigger: "BEFORE_EVENT", + action: "EMAIL_HOST", + template: "REMINDER", + activeOnTeams: [2], + }, + ], + eventTypes: mockEventTypes, + bookings: mockBookings, + organizer, + }) + ); + + await createWorkflowRemindersForWorkflow("Org Workflow 1"); + await createWorkflowRemindersForWorkflow("Org Workflow 2"); + + const tes = await prismock.membership.findMany(); + + await prismock.membership.delete({ + where: { + userId: 101, + teamId: 2, + }, + }); + + await deleteWorkfowRemindersOfRemovedMember({ id: 2, parentId: org.id }, 101, false); + + const workflowReminders = await prismock.workflowReminder.findMany({ + select: { + workflowStep: { + select: { + workflow: { + select: { + name: true, + }, + }, + }, + }, + }, + }); + + const workflow1Reminders = workflowReminders.filter( + (reminder) => reminder.workflowStep?.workflow.name === "Org Workflow 1" + ); + const workflow2Reminders = workflowReminders.filter( + (reminder) => reminder.workflowStep?.workflow.name === "Org Workflow 2" + ); + + expect(workflow1Reminders.length).toBe(4); + expect(workflow2Reminders.length).toBe(0); + }); +}); diff --git a/packages/features/ee/workflows/lib/types.ts b/packages/features/ee/workflows/lib/types.ts new file mode 100644 index 00000000000000..f363e16c903c29 --- /dev/null +++ b/packages/features/ee/workflows/lib/types.ts @@ -0,0 +1,30 @@ +import type { + TimeUnit, + WorkflowActions, + WorkflowTemplates, + WorkflowTriggerEvents, +} from "@calcom/prisma/enums"; + +export type Workflow = { + id: number; + name: string; + trigger: WorkflowTriggerEvents; + time: number | null; + timeUnit: TimeUnit | null; + userId: number | null; + teamId: number | null; + steps: WorkflowStep[]; +}; + +export type WorkflowStep = { + action: WorkflowActions; + sendTo: string | null; + template: WorkflowTemplates; + reminderBody: string | null; + emailSubject: string | null; + id: number; + sender: string | null; + includeCalendarEvent: boolean; + numberVerificationPending: boolean; + numberRequired: boolean | null; +}; diff --git a/packages/features/ee/workflows/pages/index.tsx b/packages/features/ee/workflows/pages/index.tsx index f666161c8cf88f..541ce2d52c13f1 100644 --- a/packages/features/ee/workflows/pages/index.tsx +++ b/packages/features/ee/workflows/pages/index.tsx @@ -5,7 +5,7 @@ import { useRouter } from "next/navigation"; import type { Dispatch, SetStateAction } from "react"; import { useState } from "react"; -import Shell from "@calcom/features/shell/Shell"; +import Shell, { ShellMain } from "@calcom/features/shell/Shell"; import { classNames } from "@calcom/lib"; import { WEBAPP_URL } from "@calcom/lib/constants"; import { useLocale } from "@calcom/lib/hooks/useLocale"; @@ -51,50 +51,53 @@ function WorkflowsPage() { }); return ( - { - createMutation.mutate({ teamId }); - }} - isPending={createMutation.isPending} - disableMobileButton={true} - onlyShowWithNoTeams={true} - /> - ) : null - }> + - <> - {queryRes.data?.totalCount ? ( -
    - -
    - createMutation.mutate({ teamId })} - isPending={createMutation.isPending} - disableMobileButton={true} - onlyShowWithTeams={true} - /> + { + createMutation.mutate({ teamId }); + }} + isPending={createMutation.isPending} + disableMobileButton={true} + onlyShowWithNoTeams={true} + includeOrg={true} + /> + ) : null + }> + <> + {queryRes.data?.totalCount ? ( +
    + +
    + createMutation.mutate({ teamId })} + isPending={createMutation.isPending} + disableMobileButton={true} + onlyShowWithTeams={true} + includeOrg={true} + /> +
    -
    - ) : null} - } - noResultsScreen={} - SkeletonLoader={SkeletonLoader}> - - - + ) : null} + } + noResultsScreen={} + SkeletonLoader={SkeletonLoader}> + + + + ); diff --git a/packages/features/ee/workflows/pages/workflow.tsx b/packages/features/ee/workflows/pages/workflow.tsx index dfe4ebaf370082..91d081a20e96b4 100644 --- a/packages/features/ee/workflows/pages/workflow.tsx +++ b/packages/features/ee/workflows/pages/workflow.tsx @@ -2,12 +2,11 @@ import { zodResolver } from "@hookform/resolvers/zod"; import type { WorkflowStep } from "@prisma/client"; import { isValidPhoneNumber } from "libphonenumber-js"; import { useSession } from "next-auth/react"; -import { useRouter } from "next/navigation"; -import { useEffect, useState } from "react"; +import { useEffect, useState, useMemo } from "react"; import { useForm } from "react-hook-form"; import { z } from "zod"; -import Shell from "@calcom/features/shell/Shell"; +import Shell, { ShellMain } from "@calcom/features/shell/Shell"; import { classNames } from "@calcom/lib"; import { SENDER_ID } from "@calcom/lib/constants"; import { useLocale } from "@calcom/lib/hooks/useLocale"; @@ -21,6 +20,7 @@ import { WorkflowTriggerEvents, } from "@calcom/prisma/enums"; import { stringOrNumber } from "@calcom/prisma/zod-utils"; +import type { RouterOutputs } from "@calcom/trpc/react"; import { trpc } from "@calcom/trpc/react"; import useMeQuery from "@calcom/trpc/react/hooks/useMeQuery"; import type { MultiSelectCheckboxesOptionType as Option } from "@calcom/ui"; @@ -39,6 +39,7 @@ export type FormValues = { trigger: WorkflowTriggerEvents; time?: number; timeUnit?: TimeUnit; + selectAll: boolean; }; export function onlyLettersNumbersSpaces(str: string) { @@ -78,6 +79,7 @@ const formSchema = z.object({ senderName: z.string().optional().nullable(), }) .array(), + selectAll: z.boolean(), }); const querySchema = z.object({ @@ -87,10 +89,9 @@ const querySchema = z.object({ function WorkflowPage() { const { t, i18n } = useLocale(); const session = useSession(); - const router = useRouter(); const params = useParamsWithFallback(); - const [selectedEventTypes, setSelectedEventTypes] = useState([]); + const [selectedOptions, setSelectedOptions] = useState([]); const [isAllDataLoaded, setIsAllDataLoaded] = useState(false); const [isMixedEventType, setIsMixedEventType] = useState(false); //for old event types before team workflows existed @@ -109,7 +110,7 @@ function WorkflowPage() { data: workflow, isError, error, - isPending, + isPending: isPendingWorkflow, } = trpc.viewer.workflows.get.useQuery( { id: +workflowId }, { @@ -124,33 +125,130 @@ function WorkflowPage() { } ); + const { data: verifiedEmails } = trpc.viewer.workflows.getVerifiedEmails.useQuery({ + teamId: workflow?.team?.id, + }); + + const { data: eventTypeGroups, isPending: isPendingEventTypes } = + trpc.viewer.eventTypes.getByViewer.useQuery(); + + const { data: otherTeams, isPending: isPendingTeams } = trpc.viewer.organizations.listOtherTeams.useQuery(); + const isOrg = workflow?.team?.isOrganization ?? false; + + const teamId = workflow?.teamId ?? undefined; + + const profileTeamsOptions = + isOrg && eventTypeGroups + ? eventTypeGroups?.profiles + .filter((profile) => !!profile.teamId) + .map((profile) => { + return { + value: String(profile.teamId) || "", + label: profile.name || profile.slug || "", + }; + }) + : []; + + const otherTeamsOptions = otherTeams + ? otherTeams.map((team) => { + return { + value: String(team.id) || "", + label: team.name || team.slug || "", + }; + }) + : []; + + const teamOptions = profileTeamsOptions.concat(otherTeamsOptions); + + const eventTypeOptions = useMemo( + () => + eventTypeGroups?.eventTypeGroups.reduce((options, group) => { + /** don't show team event types for user workflow */ + if (!teamId && group.teamId) return options; + /** only show correct team event types for team workflows */ + if (teamId && teamId !== group.teamId) return options; + return [ + ...options, + ...group.eventTypes + .filter( + (evType) => + !evType.metadata?.managedEventConfig || + !!evType.metadata?.managedEventConfig.unlockedFields?.workflows || + !!teamId + ) + .map((eventType) => ({ + value: String(eventType.id), + label: `${eventType.title} ${ + eventType.children && eventType.children.length ? `(+${eventType.children.length})` : `` + }`, + })), + ]; + }, [] as Option[]) || [], + [eventTypeGroups] + ); + + let allEventTypeOptions = eventTypeOptions; + const distinctEventTypes = new Set(); + + if (!teamId && isMixedEventType) { + allEventTypeOptions = [...eventTypeOptions, ...selectedOptions]; + allEventTypeOptions = allEventTypeOptions.filter((option) => { + const duplicate = distinctEventTypes.has(option.value); + distinctEventTypes.add(option.value); + return !duplicate; + }); + } + const readOnly = workflow?.team?.members?.find((member) => member.userId === session.data?.user.id)?.role === MembershipRole.MEMBER; + const isPending = isPendingWorkflow || isPendingEventTypes || isPendingTeams; + useEffect(() => { - if (workflow && !isPending) { - if (workflow.userId && workflow.activeOn.find((active) => !!active.eventType.teamId)) { + if (!isPending) { + setFormData(workflow); + } + }, [isPending]); + + function setFormData(workflowData: RouterOutputs["viewer"]["workflows"]["get"] | undefined) { + if (workflowData) { + if (workflowData.userId && workflowData.activeOn.find((active) => !!active.eventType.teamId)) { setIsMixedEventType(true); } - setSelectedEventTypes( - workflow.activeOn.flatMap((active) => { - if (workflow.teamId && active.eventType.parentId) return []; - return { - value: String(active.eventType.id), - label: active.eventType.title, - }; - }) || [] - ); - const activeOn = workflow.activeOn - ? workflow.activeOn.map((active) => ({ - value: active.eventType.id.toString(), - label: active.eventType.slug, - })) - : undefined; + let activeOn; + if (workflowData.isActiveOnAll) { + activeOn = isOrg ? teamOptions : allEventTypeOptions; + } else { + if (isOrg) { + activeOn = workflowData.activeOnTeams.flatMap((active) => { + return { + value: String(active.team.id) || "", + label: active.team.slug || "", + }; + }); + setSelectedOptions(activeOn || []); + } else { + setSelectedOptions( + workflowData.activeOn.flatMap((active) => { + if (workflowData.teamId && active.eventType.parentId) return []; + return { + value: String(active.eventType.id), + label: active.eventType.title, + }; + }) || [] + ); + activeOn = workflowData.activeOn + ? workflowData.activeOn.map((active) => ({ + value: active.eventType.id.toString(), + label: active.eventType.slug, + })) + : undefined; + } + } //translate dynamic variables into local language - const steps = workflow.steps.map((step) => { + const steps = workflowData.steps.map((step) => { const updatedStep = { ...step, senderName: step.sender, @@ -171,21 +269,22 @@ function WorkflowPage() { return updatedStep; }); - form.setValue("name", workflow.name); + form.setValue("name", workflowData.name); form.setValue("steps", steps); - form.setValue("trigger", workflow.trigger); - form.setValue("time", workflow.time || undefined); - form.setValue("timeUnit", workflow.timeUnit || undefined); + form.setValue("trigger", workflowData.trigger); + form.setValue("time", workflowData.time || undefined); + form.setValue("timeUnit", workflowData.timeUnit || undefined); form.setValue("activeOn", activeOn || []); + form.setValue("selectAll", workflowData.isActiveOnAll ?? false); setIsAllDataLoaded(true); } - }, [isPending]); + } const updateMutation = trpc.viewer.workflows.update.useMutation({ onSuccess: async ({ workflow }) => { if (workflow) { utils.viewer.workflows.get.setData({ id: +workflow.id }, workflow); - + setFormData(workflow); showToast( t("workflow_updated_successfully", { workflowName: workflow.name, @@ -193,7 +292,6 @@ function WorkflowPage() { "success" ); } - router.push("/workflows"); }, onError: (err) => { if (err instanceof HttpError) { @@ -204,124 +302,148 @@ function WorkflowPage() { }); return session.data ? ( - { - let activeOnEventTypeIds: number[] = []; - let isEmpty = false; - let isVerified = true; - - values.steps.forEach((step) => { - const strippedHtml = step.reminderBody?.replace(/<[^>]+>/g, "") || ""; - - const isBodyEmpty = !isSMSOrWhatsappAction(step.action) && strippedHtml.length <= 1; - - if (isBodyEmpty) { - form.setError(`steps.${step.stepNumber - 1}.reminderBody`, { - type: "custom", - message: t("fill_this_field"), - }); - } - - if (step.reminderBody) { - step.reminderBody = translateVariablesToEnglish(step.reminderBody, { locale: i18n.language, t }); - } - if (step.emailSubject) { - step.emailSubject = translateVariablesToEnglish(step.emailSubject, { locale: i18n.language, t }); - } - isEmpty = !isEmpty ? isBodyEmpty : isEmpty; - - //check if phone number is verified - if ( - (step.action === WorkflowActions.SMS_NUMBER || step.action === WorkflowActions.WHATSAPP_NUMBER) && - !verifiedNumbers?.find((verifiedNumber) => verifiedNumber.phoneNumber === step.sendTo) - ) { - isVerified = false; - - form.setError(`steps.${step.stepNumber - 1}.sendTo`, { - type: "custom", - message: t("not_verified"), - }); - } - }); + + + { + let activeOnIds: number[] = []; + let isEmpty = false; + let isVerified = true; + + values.steps.forEach((step) => { + const strippedHtml = step.reminderBody?.replace(/<[^>]+>/g, "") || ""; + + const isBodyEmpty = !isSMSOrWhatsappAction(step.action) && strippedHtml.length <= 1; - if (!isEmpty && isVerified) { - if (values.activeOn) { - activeOnEventTypeIds = values.activeOn.map((option) => { - return parseInt(option.value, 10); + if (isBodyEmpty) { + form.setError(`steps.${step.stepNumber - 1}.reminderBody`, { + type: "custom", + message: t("fill_this_field"), + }); + } + + if (step.reminderBody) { + step.reminderBody = translateVariablesToEnglish(step.reminderBody, { + locale: i18n.language, + t, + }); + } + if (step.emailSubject) { + step.emailSubject = translateVariablesToEnglish(step.emailSubject, { + locale: i18n.language, + t, + }); + } + isEmpty = !isEmpty ? isBodyEmpty : isEmpty; + + //check if phone number is verified + if ( + (step.action === WorkflowActions.SMS_NUMBER || + step.action === WorkflowActions.WHATSAPP_NUMBER) && + !verifiedNumbers?.find((verifiedNumber) => verifiedNumber.phoneNumber === step.sendTo) + ) { + isVerified = false; + + form.setError(`steps.${step.stepNumber - 1}.sendTo`, { + type: "custom", + message: t("not_verified"), + }); + } + + if ( + step.action === WorkflowActions.EMAIL_ADDRESS && + !verifiedEmails?.find((verifiedEmail) => verifiedEmail.email === step.sendTo) + ) { + isVerified = false; + + form.setError(`steps.${step.stepNumber - 1}.sendTo`, { + type: "custom", + message: t("not_verified"), + }); + } }); - } - updateMutation.mutate({ - id: workflowId, - name: values.name, - activeOn: activeOnEventTypeIds, - steps: values.steps, - trigger: values.trigger, - time: values.time || null, - timeUnit: values.timeUnit || null, - }); - utils.viewer.workflows.getVerifiedNumbers.invalidate(); - } - }}> - - -
    - ) - } - hideHeadingOnMobile - heading={ - session.data?.hasValidLicense && - isAllDataLoaded && ( -
    -
    - {workflow && workflow.name ? workflow.name : "untitled"} -
    - {workflow && workflow.team && ( - - {workflow.team.name} - - )} - {readOnly && ( - - {t("readonly")} - - )} -
    - ) - }> - - {!isError ? ( - <> - {isAllDataLoaded && user ? ( - <> - - - ) : ( - - )} - - ) : ( - - )} - -
    - + + if (!isEmpty && isVerified) { + if (values.activeOn) { + activeOnIds = values.activeOn + .filter((option) => option.value !== "all") + .map((option) => { + return parseInt(option.value, 10); + }); + } + updateMutation.mutate({ + id: workflowId, + name: values.name, + activeOn: activeOnIds, + steps: values.steps, + trigger: values.trigger, + time: values.time || null, + timeUnit: values.timeUnit || null, + isActiveOnAll: values.selectAll || false, + }); + utils.viewer.workflows.getVerifiedNumbers.invalidate(); + } + }}> + + +
    + ) + } + hideHeadingOnMobile + heading={ + isAllDataLoaded && ( +
    +
    + {workflow && workflow.name ? workflow.name : "untitled"} +
    + {workflow && workflow.team && ( + + {workflow.team.name} + + )} + {readOnly && ( + + {t("readonly")} + + )} +
    + ) + }> + {!isError ? ( + <> + {isAllDataLoaded && user ? ( + <> + + + ) : ( + + )} + + ) : ( + + )} + + + + ) : ( <> ); diff --git a/packages/features/embed/Embed.tsx b/packages/features/embed/Embed.tsx index 8134f4e1adcda0..b64c17f657d015 100644 --- a/packages/features/embed/Embed.tsx +++ b/packages/features/embed/Embed.tsx @@ -418,7 +418,13 @@ const EmailEmbedPreview = ({ {selectedDateAndTime[key]?.length > 0 && selectedDateAndTime[key].map((time) => { - const bookingURL = `${WEBSITE_URL}/${username}/${eventType.slug}?duration=${eventType.length}&date=${key}&month=${month}&slot=${time}`; + // If teamId is present on eventType and is not null, it means it is a team event. + // So we add 'team/' to the url. + const bookingURL = `${WEBSITE_URL}/${ + eventType.teamId !== null ? "team/" : "" + }${username}/${eventType.slug}?duration=${ + eventType.length + }&date=${key}&month=${month}&slot=${time}`; return ( tab.name === "Preview"); return (
    -
    +
    )}
    -
    +
    tab.name === "Preview") : parsedTabs} + tabs={ + embedType === "email" + ? parsedTabs.filter((tab) => tab.name === "Preview") + : parsedTabs.filter((tab) => tab.name !== "Preview") + } linkShallow /> - {tabs.map((tab) => { - if (embedType !== "email") { - return ( -
    -
    - {tab.type === "code" ? ( - +
    + {tabs.map((tab) => { + if (embedType !== "email") { + if (tab.name === "Preview") return null; + return ( +
    + {tab.type === "code" && ( + + )} +
    - ) : ( - + ); + } + + if (embedType === "email" && (tab.name !== "Preview" || !eventTypeData?.eventType)) return; + + return ( +
    +
    + - )} +
    +
    -
    - - - {tab.type === "code" ? ( - - ) : null} - -
    - ); - } - - if (embedType === "email" && (tab.name !== "Preview" || !eventTypeData?.eventType)) return; + ); + })} - return ( -
    -
    - +
    -
    - - - - -
    - ); - })} + )} +
    + + + + +
    diff --git a/packages/features/embed/lib/EmbedCodes.tsx b/packages/features/embed/lib/EmbedCodes.tsx index 7ef08f026aa0f3..07d6f753200326 100644 --- a/packages/features/embed/lib/EmbedCodes.tsx +++ b/packages/features/embed/lib/EmbedCodes.tsx @@ -2,7 +2,7 @@ import { WEBSITE_URL, IS_SELF_HOSTED, WEBAPP_URL } from "@calcom/lib/constants"; import type { PreviewState } from "../types"; import { embedLibUrl } from "./constants"; -import { getApiName } from "./getApiName"; +import { getApiNameForReactSnippet, getApiNameForVanillaJsSnippet } from "./getApiName"; import { getDimension } from "./getDimension"; export const doWeNeedCalOriginProp = (embedCalOrigin: string) => { @@ -67,7 +67,7 @@ export const Codes = { useEffect(()=>{ (async function () { const cal = await getCalApi(${argumentForGetCalApi ? JSON.stringify(argumentForGetCalApi) : ""}); - ${getApiName({ namespace, mainApiName: "cal" })}("floatingButton", ${floatingButtonArg}); + ${getApiNameForReactSnippet({ mainApiName: "cal" })}("floatingButton", ${floatingButtonArg}); ${uiInstructionCode} })(); }, []) @@ -119,7 +119,7 @@ export const Codes = { previewState: PreviewState; namespace: string; }) => { - return code`${getApiName({ namespace })}("inline", { + return code`${getApiNameForVanillaJsSnippet({ namespace, mainApiName: "Cal" })}("inline", { elementOrSelector:"#my-cal-inline", calLink: "${calLink}", layout: "${previewState.layout}" @@ -137,7 +137,10 @@ export const Codes = { uiInstructionCode: string; namespace: string; }) => { - return code`${getApiName({ namespace, mainApiName: "Cal" })}("floatingButton", ${floatingButtonArg}); + return code`${getApiNameForVanillaJsSnippet({ + namespace, + mainApiName: "Cal", + })}("floatingButton", ${floatingButtonArg}); ${uiInstructionCode}`; }, "element-click": ({ diff --git a/packages/features/embed/lib/EmbedTabs.tsx b/packages/features/embed/lib/EmbedTabs.tsx index 4c2dacc0138a5c..1f131ba363c5cb 100644 --- a/packages/features/embed/lib/EmbedTabs.tsx +++ b/packages/features/embed/lib/EmbedTabs.tsx @@ -10,7 +10,7 @@ import { TextArea } from "@calcom/ui"; import type { EmbedFramework, EmbedType, PreviewState } from "../types"; import { Codes, doWeNeedCalOriginProp } from "./EmbedCodes"; import { embedLibUrl, EMBED_PREVIEW_HTML_URL } from "./constants"; -import { getApiName } from "./getApiName"; +import { getApiNameForReactSnippet, getApiNameForVanillaJsSnippet } from "./getApiName"; import { getDimension } from "./getDimension"; import { useEmbedCalOrigin } from "./hooks"; @@ -36,7 +36,7 @@ export const tabs = [ return ( <>
    - + {t("place_where_cal_widget_appear", { appName: APP_NAME })}
    @@ -44,7 +44,7 @@ export const tabs = [ data-testid="embed-code" ref={ref as typeof ref & MutableRefObject} name="embed-code" - className="text-default bg-default selection:bg-subtle h-[calc(100%-50px)] font-mono" + className="text-default bg-default h-[calc(100%-50px)] font-mono" style={{ resize: "none", overflow: "auto" }} readOnly value={`\n${ @@ -91,19 +91,19 @@ export const tabs = [ } return ( <> - {t("create_update_react_component")} + {t("create_update_react_component")}