Skip to content

Conversation

@ymc9
Copy link
Member

@ymc9 ymc9 commented Dec 7, 2024

Summary by CodeRabbit

  • New Features
    • Introduced a comprehensive guide on building multi-tenant applications using StackAuth and Next.js.
    • Detailed instructions on tenant management, user roles, and permissions.
    • Included code snippets for UI components relevant to multi-tenancy.
  • Documentation
    • Added setup instructions for integrating StackAuth with Next.js and configuring the database.

@vercel
Copy link

vercel bot commented Dec 7, 2024

The latest updates on your projects. Learn more about Vercel for Git ↗︎

Name Status Preview Comments Updated (UTC)
zenstack-new-site ✅ Ready (Inspect) Visit Preview 💬 Add feedback Dec 7, 2024 7:50am

@ymc9 ymc9 merged commit 9a8c4b5 into main Dec 7, 2024
2 checks passed
@ymc9 ymc9 deleted the blog/stack-auth branch December 7, 2024 07:51
@coderabbitai
Copy link
Contributor

coderabbitai bot commented Dec 7, 2024

Walkthrough

The changes introduce a new file, index.mdx, which serves as a comprehensive guide for building multi-tenant applications utilizing StackAuth's "Teams" feature alongside Next.js. The document covers essential components such as tenant management, user roles, permissions, and data segregation. It includes setup instructions, architecture details for a Todo List application, and code snippets for UI components, emphasizing the importance of authentication and authorization in multi-tenant environments.

Changes

File Path Change Summary
blog/stackauth-multitenancy/index.mdx New file added, providing a guide on building multi-tenant applications with StackAuth and Next.js. It includes architecture, setup instructions, and code snippets.

Possibly related PRs

  • blog: clerk organization #394: The changes in this PR also focus on building multi-tenant applications using Next.js and ZenStack, similar to the main PR, and cover tenant management, roles, and permissions, indicating a strong thematic connection.

Thank you for using CodeRabbit. We offer it for free to the OSS community and would appreciate your support in helping us grow. If you find it useful, would you consider giving us a shout-out on your favorite social media?

❤️ Share
🪧 Tips

Chat

There are 3 ways to chat with CodeRabbit:

‼️ IMPORTANT
Auto-reply has been disabled for this repository in the CodeRabbit settings. The CodeRabbit bot will not respond to your replies unless it is explicitly tagged.

  • Files and specific lines of code (under the "Files changed" tab): Tag @coderabbitai in a new review comment at the desired location with your query. Examples:
    • @coderabbitai generate unit testing code for this file.
    • @coderabbitai modularize this function.
  • PR comments: Tag @coderabbitai in a new PR comment to ask questions about the PR branch. For the best results, please provide a very specific query, as very limited context is provided in this mode. Examples:
    • @coderabbitai gather interesting stats about this repository and render them as a table. Additionally, render a pie chart showing the language distribution in the codebase.
    • @coderabbitai read src/utils.ts and generate unit testing code.
    • @coderabbitai read the files in the src/scheduler package and generate a class diagram using mermaid and a README in the markdown format.
    • @coderabbitai help me debug CodeRabbit configuration file.

Note: Be mindful of the bot's finite context window. It's strongly recommended to break down tasks such as reading entire modules into smaller chunks. For a focused discussion, use review comments to chat about specific files and their changes, instead of using the PR comments.

CodeRabbit Commands (Invoked using PR comments)

  • @coderabbitai pause to pause the reviews on a PR.
  • @coderabbitai resume to resume the paused reviews.
  • @coderabbitai review to trigger an incremental review. This is useful when automatic reviews are disabled for the repository.
  • @coderabbitai full review to do a full review from scratch and review all the files again.
  • @coderabbitai summary to regenerate the summary of the PR.
  • @coderabbitai resolve resolve all the CodeRabbit review comments.
  • @coderabbitai configuration to show the current CodeRabbit configuration for the repository.
  • @coderabbitai help to get help.

Other keywords and placeholders

  • Add @coderabbitai ignore anywhere in the PR description to prevent this PR from being reviewed.
  • Add @coderabbitai summary to generate the high-level summary at a specific location in the PR description.
  • Add @coderabbitai anywhere in the PR title to generate the title automatically.

CodeRabbit Configuration File (.coderabbit.yaml)

  • You can programmatically configure CodeRabbit by adding a .coderabbit.yaml file to the root of your repository.
  • Please see the configuration documentation for more information.
  • If your editor has YAML language server enabled, you can add the path at the top of this file to enable auto-completion and validation: # yaml-language-server: $schema=https://coderabbit.ai/integrations/schema.v2.json

Documentation and Community

  • Visit our Documentation for detailed information on how to use CodeRabbit.
  • Join our Discord Community to get help, request features, and share feedback.
  • Follow us on X/Twitter for updates and announcements.

Copy link
Contributor

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 3

🧹 Outside diff range and nitpick comments (4)
blog/stackauth-multitenancy/index.mdx (4)

37-37: Fix grammar: Use "a team" instead of "an team"

The article "an" should be used before words that start with a vowel sound. Since "team" starts with a consonant sound, use "a team" instead.

-Users can choose an team to be the current context.
+Users can choose a team to be the current context.
🧰 Tools
🪛 LanguageTool

[misspelling] ~37-~37: Use “a” instead of ‘an’ if the following word doesn’t start with a vowel sound, e.g. ‘a sentence’, ‘a university’.
Context: ...Current context** Users can choose an team to be the current context. - **Da...

(EN_A_VS_AN)


116-124: Consider adding indexes for better query performance

The List model would benefit from indexes on frequently queried fields:

  • orgId for tenant filtering
  • ownerId for user filtering
  • Compound index on (orgId, createdAt) for sorted queries within a tenant
model List {
  id        String        @id @default(cuid())
  createdAt DateTime      @default(now())
  title     String
  private   Boolean       @default(false)
  orgId     String?
  ownerId   String
  todos     Todo[]
+
+  @@index([orgId])
+  @@index([ownerId])
+  @@index([orgId, createdAt])
}

127-134: Add audit fields to Todo model

For better auditability, consider adding createdAt and updatedAt timestamps to the Todo model.

model Todo {
  id          String    @id @default(cuid())
+ createdAt   DateTime  @default(now())
+ updatedAt   DateTime  @updatedAt
  title       String
  completedAt DateTime?
  list        List      @relation(fields: [listId], references: [id], onDelete: Cascade)
  listId      String
}

29-29: Consider standardizing "Todo" vs "To-do" usage

While "To-do" is grammatically correct, "Todo" is a commonly accepted spelling in programming contexts. For consistency, consider choosing one style and using it throughout the document. If choosing "To-do", update all occurrences.

Also applies to: 46-47, 94-94, 229-229, 302-302

🧰 Tools
🪛 LanguageTool

[grammar] ~29-~29: It appears that a hyphen is missing in the noun “To-do” (= task) or did you mean the verb “to do”?
Context: ...The target application we'll build is a Todo List. Its core functionalities are simp...

(TO_DO_HYPHEN)


[grammar] ~29-~29: It appears that a hyphen is missing in the plural noun “to-dos”?
Context: ...are simple: creating lists and managing todos within them. However, the focus will be...

(TO_DO_HYPHEN)

📜 Review details

Configuration used: CodeRabbit UI
Review profile: CHILL

📥 Commits

Reviewing files that changed from the base of the PR and between dbb58f1 and 3fe7c65.

⛔ Files ignored due to path filters (4)
  • blog/stackauth-multitenancy/cover.png is excluded by !**/*.png, !**/*.png
  • blog/stackauth-multitenancy/list-ui.gif is excluded by !**/*.gif, !**/*.gif
  • blog/stackauth-multitenancy/team-management.png is excluded by !**/*.png, !**/*.png
  • blog/stackauth-multitenancy/team-settings.png is excluded by !**/*.png, !**/*.png
📒 Files selected for processing (1)
  • blog/stackauth-multitenancy/index.mdx (1 hunks)
🧰 Additional context used
🪛 LanguageTool
blog/stackauth-multitenancy/index.mdx

[grammar] ~29-~29: It appears that a hyphen is missing in the noun “To-do” (= task) or did you mean the verb “to do”?
Context: ...The target application we'll build is a Todo List. Its core functionalities are simp...

(TO_DO_HYPHEN)


[grammar] ~29-~29: It appears that a hyphen is missing in the plural noun “to-dos”?
Context: ...are simple: creating lists and managing todos within them. However, the focus will be...

(TO_DO_HYPHEN)


[misspelling] ~37-~37: Use “a” instead of ‘an’ if the following word doesn’t start with a vowel sound, e.g. ‘a sentence’, ‘a university’.
Context: ...Current context** Users can choose an team to be the current context. - **Da...

(EN_A_VS_AN)


[grammar] ~46-~46: It appears that a hyphen is missing in the noun “to-do” (= task) or did you mean the verb “to do”?
Context: ...Regular members have full access to the todo lists they own. - Regular members can...

(TO_DO_HYPHEN)


[grammar] ~47-~47: It appears that a hyphen is missing in the noun “to-do” (= task) or did you mean the verb “to do”?
Context: ...lar members can view the other members' todo lists and manage their content, as long...

(TO_DO_HYPHEN)


[grammar] ~94-~94: It appears that a hyphen is missing in the noun “to-do” (= task) or did you mean the verb “to do”?
Context: ... StackAuth's side. We need to store the todo lists and items in our own database. In...

(TO_DO_HYPHEN)


[uncategorized] ~196-~196: If “ where” starts an indirect question, you do not need to put a comma before it.
Context: ...zzle is, as you may already be wondering, where the value of auth() comes from? At ru...

(NO_COMMA_BEFORE_INDIRECT_QUESTION)


[grammar] ~229-~229: It appears that a hyphen is missing in the noun “to-do” (= task) or did you mean the verb “to do”?
Context: ...ement. Here's the RSC that renders the todo lists for the current user (with stylin...

(TO_DO_HYPHEN)


[grammar] ~302-~302: It appears that a hyphen is missing in the noun “To-do” (= task) or did you mean the verb “to do”?
Context: ..." /> The components that manage Todo items are not shown for brevity, but th...

(TO_DO_HYPHEN)


[style] ~306-~306: ‘end result’ might be wordy. Consider a shorter alternative.
Context: ...tack's access control capabilities. The end result is a secure application with great flex...

(EN_WORDINESS_PREMIUM_END_RESULT)

Comment on lines +269 to +283
export default function CreateList() {
function onCreate() {
const title = prompt("Enter a title for your list");
if (title) {
createList(title);
}
}

return (
<button onClick={onCreate}>
Create a list
</button>
);
}
```
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🛠️ Refactor suggestion

Replace prompt() with a proper modal dialog

Using the browser's prompt() provides a poor user experience. Consider using a proper modal dialog component instead.

Example implementation:

"use client";

import { useState } from 'react';
import { createList } from "~/app/actions";

export default function CreateList() {
  const [isOpen, setIsOpen] = useState(false);
  const [title, setTitle] = useState('');

  async function handleSubmit(e: React.FormEvent) {
    e.preventDefault();
    try {
      await createList(title);
      setIsOpen(false);
      setTitle('');
    } catch (error) {
      console.error(error);
      // Show error message to user
    }
  }

  return (
    <>
      <button onClick={() => setIsOpen(true)}>
        Create a list
      </button>
      
      {isOpen && (
        <dialog open>
          <form onSubmit={handleSubmit}>
            <h2>Create New List</h2>
            <input
              type="text"
              value={title}
              onChange={(e) => setTitle(e.target.value)}
              placeholder="Enter list title"
              required
            />
            <div>
              <button type="button" onClick={() => setIsOpen(false)}>
                Cancel
              </button>
              <button type="submit">
                Create
              </button>
            </div>
          </form>
        </dialog>
      )}
    </>
  );
}

Comment on lines +179 to +193
// deny anonymous access
@@deny('all', auth() == null)

// tenant segregation: deny access if the user's current org doesn't match
@@deny('all', auth().currentOrgId != orgId)

// owner/admin has full access
@@allow('all', auth().userId == ownerId || auth().currentOrgRole == 'org:admin')

// can be read by org members if not private
@@allow('read', !private)

// when create, owner must be set to current user
@@allow('create', ownerId == auth().userId)
}
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

⚠️ Potential issue

Add validation for orgId during list creation

The current rules don't ensure that orgId matches the user's current team during creation. This could lead to data being created in the wrong tenant.

model List {
  ...

  // deny anonymous access
  @@deny('all', auth() == null)

  // tenant segregation: deny access if the user's current org doesn't match
  @@deny('all', auth().currentOrgId != orgId)

  // owner/admin has full access
  @@allow('all', auth().userId == ownerId || auth().currentOrgRole == 'org:admin')

  // can be read by org members if not private
  @@allow('read', !private)

  // when create, owner must be set to current user
- @@allow('create', ownerId == auth().userId)
+ @@allow('create', ownerId == auth().userId && orgId == auth().currentOrgId)
}
📝 Committable suggestion

‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.

Suggested change
// deny anonymous access
@@deny('all', auth() == null)
// tenant segregation: deny access if the user's current org doesn't match
@@deny('all', auth().currentOrgId != orgId)
// owner/admin has full access
@@allow('all', auth().userId == ownerId || auth().currentOrgRole == 'org:admin')
// can be read by org members if not private
@@allow('read', !private)
// when create, owner must be set to current user
@@allow('create', ownerId == auth().userId)
}
// deny anonymous access
@@deny('all', auth() == null)
// tenant segregation: deny access if the user's current org doesn't match
@@deny('all', auth().currentOrgId != orgId)
// owner/admin has full access
@@allow('all', auth().userId == ownerId || auth().currentOrgRole == 'org:admin')
// can be read by org members if not private
@@allow('read', !private)
// when create, owner must be set to current user
@@allow('create', ownerId == auth().userId && orgId == auth().currentOrgId)
}

Comment on lines +291 to +296
export async function createList(title: string) {
const db = await getUserDb();
await db.list.create({ data: { title } });
revalidatePath("/");
}
```
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🛠️ Refactor suggestion

Add error handling to createList action

The server action should handle potential errors and validate input.

export async function createList(title: string) {
+ if (!title?.trim()) {
+   throw new Error('Title is required');
+ }
  const db = await getUserDb();
+ try {
    await db.list.create({ data: { title } });
    revalidatePath("/");
+ } catch (error) {
+   console.error('Failed to create list:', error);
+   throw new Error('Failed to create list');
+ }
}
📝 Committable suggestion

‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.

Suggested change
export async function createList(title: string) {
const db = await getUserDb();
await db.list.create({ data: { title } });
revalidatePath("/");
}
```
export async function createList(title: string) {
if (!title?.trim()) {
throw new Error('Title is required');
}
const db = await getUserDb();
try {
await db.list.create({ data: { title } });
revalidatePath("/");
} catch (error) {
console.error('Failed to create list:', error);
throw new Error('Failed to create list');
}
}

@coderabbitai coderabbitai bot mentioned this pull request Nov 20, 2025
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Labels

None yet

Projects

None yet

Development

Successfully merging this pull request may close these issues.

2 participants