noob saibot
noob saibot
CCConvex Community
Created by noob saibot on 3/24/2025 in #support-community
offset-based pagination with filtering
How can I implement an offset-based pagination with filter? User would like to fetch paginated data but have a away to limit the data by status. Here is what I've implemented so far. First the 2 tables and the aggregation:
// tables
campaigns: {
id,
name,
}
campaign_members: {
id,
user_id,
campaign_id,
status: active, paused, completed, exited...etc
}
// aggregate
export const campaign_members_aggregate = new TableAggregate<{
Key: number;
Namespace: Id<"campaigns"> | undefined;
DataModel: DataModel;
TableName: "campaign_members";
}>(components.campaign_members_agg, {
namespace: doc => doc.campaign_id,
sortKey: doc => doc._creationTime,
});
// tables
campaigns: {
id,
name,
}
campaign_members: {
id,
user_id,
campaign_id,
status: active, paused, completed, exited...etc
}
// aggregate
export const campaign_members_aggregate = new TableAggregate<{
Key: number;
Namespace: Id<"campaigns"> | undefined;
DataModel: DataModel;
TableName: "campaign_members";
}>(components.campaign_members_agg, {
namespace: doc => doc.campaign_id,
sortKey: doc => doc._creationTime,
});
Then the paginated query which is passed the offset and an optional status argument:
export const members_of_campaign = query({
args: {
campaign_id: v.id("campaigns"),
offset: v.number(),
status: // optional status passed from client UI
},
handler: async (ctx, { campaign_id, offset, status }) => {
// what's the approach to further filter by status
const {} = await aggregate.at(ctx, offset, { namespace: campaign_id } )
}
})
export const members_of_campaign = query({
args: {
campaign_id: v.id("campaigns"),
offset: v.number(),
status: // optional status passed from client UI
},
handler: async (ctx, { campaign_id, offset, status }) => {
// what's the approach to further filter by status
const {} = await aggregate.at(ctx, offset, { namespace: campaign_id } )
}
})
4 replies
CCConvex Community
Created by noob saibot on 3/14/2025 in #support-community
I'm not sure how to integrate AI with my convex app
This is more of a need for advice or guidance I've built my application (react-native and next) with a convex backend. Now I would like to offer my stakeholders an AI chat interface where they can query the application data with natural language. For example a query could: "Give me the average amount spent by users in the last 4 months". I'm not sure how I can go about and "integrate" AI with my convex application. This is obviously perhaps a very broad question. I'm looking for top level suggestions on where to start to look for. I've read some articles from here https://www.convex.dev/can-do/rag, not sure if this is where I should start. My main difficulty is perhaps: how to go about and "expose" my database so that "ai entities" can access and query them at runtime (be it LLMs or AI Agents...etc) I saw the new "Convex MCP Server" announcement and I've been ready about MCP in general. From what I understand, it seems like mcp servers are meant to be used with "development" tools such as "cursor". Can they also be used at runtime and "connect" with LLMs or AI Agents? I'm learning to navigate into the new AI landscape and things may still be a little confusing especially with the onslaught of innovations. Any help, advice, guidance will be greatly appreciated.
3 replies
CCConvex Community
Created by noob saibot on 2/5/2025 in #support-community
Is the bound key required when reading an aggregate count with namespace?
First, I have defined an aggregation like so:
app.use(aggregate, { name: "partners_payments" });
app.use(aggregate, { name: "partners_payments" });
Second, in the code, this is how I connect it with the table payments
export const partnerPaymentsAggregate = new TableAggregate<{
Key: number;
Namespace: Id<"partners"> | undefined;
DataModel: DataModel;
TableName: "payments";
}>(components.partners_payments, {
namespace: doc => doc.partner_id,
sortKey: doc => doc._creationTime,
});
export const partnerPaymentsAggregate = new TableAggregate<{
Key: number;
Namespace: Id<"partners"> | undefined;
DataModel: DataModel;
TableName: "payments";
}>(components.partners_payments, {
namespace: doc => doc.partner_id,
sortKey: doc => doc._creationTime,
});
And finally, jere I'm attempting to read the count from it:
const count = await partnerPaymentsAggregate.count(ctx, {
namespace: partner_id,
});
const count = await partnerPaymentsAggregate.count(ctx, {
namespace: partner_id,
});
But typescript screams:
Property 'bounds' is missing in type '{ namespace: Id<"partners">; }' but required in type '{ bounds: Bounds<number, Id<"payments">>; }'.
Property 'bounds' is missing in type '{ namespace: Id<"partners">; }' but required in type '{ bounds: Bounds<number, Id<"payments">>; }'.
Is the bound property mandatory here? In my particular scenarion, I would like to get the total count of records and not just a part
8 replies
CCConvex Community
Created by noob saibot on 1/30/2025 in #support-community
Can I setup an index with array list field
In my users table, I'm adding a new key roles which is an array. Is it possible to declare an index based on that field? If yes, how could I run a query using the .withIndex api where the values of the field are in a list? If this is not possible, is there a pattern or workaround I could choose to "limit" queries upon the (very large) users table, based on roles?
4 replies
CCConvex Community
Created by noob saibot on 12/13/2024 in #support-community
Help me better understand paginated queries
I'm having trouble running a paginated query in server using the filter from the convex-helpers library when, in client, I give a small value to initialNumItems. I have 2 tables: table campaigns
_id,
campaign_name
_id,
campaign_name
table members
_id,
campaign_id,
user_id
_id,
campaign_id,
user_id
Now I want to find all the campaigns where "user_id" is part of, using a paginated query. So I write this function:
args: {
user_id: v.id("members),
paginationOpts: paginationOptsValidator,
},
handler: async (ctx, { user_id, paginationOpts }) => {
// first I find all records from table "members" for user "user_id"
const members = await ctx.db.query("members").withIndex("by_user_id", ...);

// then paginated query of campaigns using the 'filter' method from `convex-helpers`
const result = await filter(ctx.db.query("campaigns"), (cp) => members.some((mem) => mem.campaign_id === cp._id)).paginate(paginationOpts)
...
}
args: {
user_id: v.id("members),
paginationOpts: paginationOptsValidator,
},
handler: async (ctx, { user_id, paginationOpts }) => {
// first I find all records from table "members" for user "user_id"
const members = await ctx.db.query("members").withIndex("by_user_id", ...);

// then paginated query of campaigns using the 'filter' method from `convex-helpers`
const result = await filter(ctx.db.query("campaigns"), (cp) => members.some((mem) => mem.campaign_id === cp._id)).paginate(paginationOpts)
...
}
The last query will return data only if I give a bigger value to initialNumItems: with value 3 it returns 2 records, but with 10 then it find the 3 records I'm expecting. It seems to me that the filtering I'm applying is messing up the cursor and perhaps the first record found by the pagination is beyond the initial cursor?
8 replies
CCConvex Community
Created by noob saibot on 12/6/2024 in #support-community
Help needed: Integrate Launchdarkly with Convex Dev
I am following the tutorial here https://www.convex.dev/components/launchdarkly to setup Launchdarkly with Convex Dev. I am at the step of setting up integration on LaunchDarkly Dashboard. I have filled the fields "name, environment, webhook url, component API token". Then I save the configuration. When I click the configuration form again to validate the configuration, I am presented with an empty form. So I decide to fill it again. When I attempt to generate a new token (I closed the terminal and lost the previous one), I'm getting the error message "A token already exists. Delete the existing token from the tokens table to generate a new one"
16 replies
CCConvex Community
Created by noob saibot on 11/30/2024 in #support-community
using push notifications component in monorepo with react native expo
No description
7 replies
CCConvex Community
Created by noob saibot on 11/26/2024 in #support-community
How to implement pagination with join and filtering
Given that I have these 2 tables that describes a 1-to-many relationship: "a user can be member of 1 or many groups"
defineSchema({
groups: defineTable({
group_name: v.string(),
}),
members: defineTable({
group_id: v.id("groups),
user_id: v.id("users")
})
})
defineSchema({
groups: defineTable({
group_name: v.string(),
}),
members: defineTable({
group_id: v.id("groups),
user_id: v.id("users")
})
})
What would be the convex way to implement the following paginated query: get groups of user A (each page has 10 items). This is (a naive) equivalent SQL query:
SELECT G.* FROM groups G
JOIN members M ON G._id = M.group_id
WHERE M.user_id = 'A'
LIMIT 10 OFFSET __page_offset__
SELECT G.* FROM groups G
JOIN members M ON G._id = M.group_id
WHERE M.user_id = 'A'
LIMIT 10 OFFSET __page_offset__
4 replies
CCConvex Community
Created by noob saibot on 11/14/2024 in #support-community
getUserIdentity returns null in Expo Clerk (Android)
I have a react native expo application and I use convex with clerk for authentication. The getUserIdentity is returning null when called in a server function. This behaviour occurs only when the client is android. This behaviour does not occur with an IOS device (iphone). This is how I make the call in a server function:
export default mutation({
handler: async (ctx) => {
const identity = await ctx.auth.getUserIdentity();
...
}
})
export default mutation({
handler: async (ctx) => {
const identity = await ctx.auth.getUserIdentity();
...
}
})
It is worth noting that this error started occuring when I upgraded Expo to the latest SDK 52 version. Before that, everything was working fine.
4 replies
CCConvex Community
Created by noob saibot on 10/13/2024 in #support-community
convex auth.getUserIdentity() is inconsistent
In my nextjs app, I have upgraded convex-dev/auth to the latest version 0.0.71. I went through the documentation and correctly setup authentication including properly setting up the middleware. (also I use email provider with resend). Now in my app, after login, I navigate to route /partners. This route accesses the session user (in the backend) by calling contex.auth.getUserIdentity(). This first call works fine as it returns the logged in user object. But when I navigate to the subroute /partners/[id] and makes the same call, this time it returns an empty. If I go back to the previous screen and refresh the page, I'm able to get the user object just fine. Any idea what this behaviour?...
3 replies
CCConvex Community
Created by noob saibot on 10/6/2024 in #support-community
Convex Auth: react-native expo OTP throws Uncaught Error: Could not verify code
I'm using the new convex auth in my react-native expo. I'm trying to implement authentication with OTP. After having followed the documentation here https://labs.convex.dev/auth/config/otps, I, then, follow the demo project here https://github.com/get-convex/convex-auth-example/blob/main/src/auth/SignInFormPhoneCode.tsx Now, because in my use case I'm not using twilio to send OTP sms, I have to implement my custom solution, following above example. First here, I have implemented my custom sms OTP provider:
export const SmsOTP = Phone({
id: "sms-otp",
maxAge: 1000 * 60 * 5, // 5 minutes
async generateVerificationToken() {
return generateRandomString(6, alphabet("0-9"));
},
async sendVerificationRequest({ identifier: phone, token }, ctx) {
if (phone === undefined) {
throw new ConvexError("Invalid phone number");
}
// send sms otp with a third-party service
},
});
export const SmsOTP = Phone({
id: "sms-otp",
maxAge: 1000 * 60 * 5, // 5 minutes
async generateVerificationToken() {
return generateRandomString(6, alphabet("0-9"));
},
async sendVerificationRequest({ identifier: phone, token }, ctx) {
if (phone === undefined) {
throw new ConvexError("Invalid phone number");
}
// send sms otp with a third-party service
},
});
This provider works fine. It correctly sends the sms otp. Second, here I implement my custom "verify" function:
export function SmsOTPVerify() {
return ConvexCredentials<DataModel>({
id: "sms-otp",
authorize: async (params) => {
const _params = params as unknown as { code: string; phone: string };
if (_params.phone === undefined) {
throw new Error("`phone` param is missing");
}
...
const user = "fetch user based on phone"
return { userId: user._id };
},
});
}
export function SmsOTPVerify() {
return ConvexCredentials<DataModel>({
id: "sms-otp",
authorize: async (params) => {
const _params = params as unknown as { code: string; phone: string };
if (_params.phone === undefined) {
throw new Error("`phone` param is missing");
}
...
const user = "fetch user based on phone"
return { userId: user._id };
},
});
}
3 replies
CCConvex Community
Created by noob saibot on 9/8/2024 in #support-community
Convex Auth getUserIdentity() returns object without email
I have 2 applications: a nextjs and a react native expo app. The nextjs app uses the new convex auth lib for authentication while the expo app uses clerk. I am observing that when auth.getUserIndentity() is called from expo (in other word called within a function called from expo), it returns a user object with all keys: user name, phoneNmber, emailVerified...etc But when I call it from nextjs, it returns an object missing all above keys. Here is the returned object:
{
tokenIdentifier: 'https://xxx.convex.site|j97f82wcsk9m3zp81s5taen2jn6znhtp|n5753jkhrdgymmy0e3rsp6891x70a96b',
issuer: 'https://xxx.convex.site',
subject: 'j97f82wcsk9m3zp81s5taen2jn6znhtp|n5753jkhrdgymmy0e3rsp6891x70a96b'
}
{
tokenIdentifier: 'https://xxx.convex.site|j97f82wcsk9m3zp81s5taen2jn6znhtp|n5753jkhrdgymmy0e3rsp6891x70a96b',
issuer: 'https://xxx.convex.site',
subject: 'j97f82wcsk9m3zp81s5taen2jn6znhtp|n5753jkhrdgymmy0e3rsp6891x70a96b'
}
How can I use above object to identifier the user?
1 replies
CCConvex Community
Created by noob saibot on 8/10/2024 in #support-community
How to explicitly set the current page in a nextjs paginated query?
In my nextjs application, I have a use case where user can "jump" to a specific page and not only progress sequentially. For that user can indicate this url parameter ?page=n. How can I apply this parameter in my paginated query? In other words, I have created my paginated query function:
export default query({
args: {
paginatedOpts: paginationOptsValidator,
},
handler: async (ctx) => {
...
}
});
export default query({
args: {
paginatedOpts: paginationOptsValidator,
},
handler: async (ctx) => {
...
}
});
The paginationOptsValidator object defines a cursor property. Is this the property I should use? If yes, how should I proceed? Thanks
2 replies
CCConvex Community
Created by noob saibot on 8/7/2024 in #support-community
Convex auth: auth.getSessionId returns null
I have implemented the new convex auth lib in my nextjs app. Now I'm attempting to retrieve the session id or the logged in user in my server function (query). Following the tutorial here https://labs.convex.dev/auth/authz#use-authentication-state-in-backend-functions, calling auth.getSessionId(ctx) or auth.getUserId(ctx) returns null. The auth object has been properly setup
import Resend from "@auth/core/providers/resend";
import { convexAuth } from "@convex-dev/auth/server";

export const { auth, signIn, signOut, store } = convexAuth({
providers: [
Resend({
apiKey: process.env.RESEND_API_KEY,
from: "noreply@myapp.com",
}),
],
});

"convex": "^1.13.2",
import Resend from "@auth/core/providers/resend";
import { convexAuth } from "@convex-dev/auth/server";

export const { auth, signIn, signOut, store } = convexAuth({
providers: [
Resend({
apiKey: process.env.RESEND_API_KEY,
from: "noreply@myapp.com",
}),
],
});

"convex": "^1.13.2",
39 replies
CCConvex Community
Created by noob saibot on 8/5/2024 in #support-community
Unable to push deployment config to convex cloud
I am suddenly unable to automatically push my changes to convex cloud. Every time convex attempts to push changes, it throws below error ✖ Error: Unable to push deployment config to https://joyous-xxxxxxxxxx.convex.cloud Error fetching POST https://joyous-xxxxxxxxxx.convex.cloud/api/push_config 500 Internal Server Error: InternalServerError: Your request couldn't be completed. Try again later. Failed due to network error, retrying in 18.88s... Does this error indicate that there is an error in the code I'm trying to push or there is perhaps something else going on remote? Everything was working fine 5 minutes ago.
5 replies
CCConvex Community
Created by noob saibot on 8/4/2024 in #support-community
Error: Unexpected type of undefined
No description
5 replies
CCConvex Community
Created by noob saibot on 7/27/2024 in #support-community
Convex + Clerk crashing in react-native after using the new Convex Auth
Hi Convex team, I have 2 applications: 1 react-native-expo app using convex.dev (+ clerk for authentication). This app has been happily working fine for the past 4 months. 1 nextjs app (app router). For the nextjs app, I have decided to use the new Convex Auth library. So I followed the official documentation here https://labs.convex.dev/auth. I have successfully setup the new convex auth in dev and in production. And everything works fine in the web. Here is now my auth config with the 2 entries: the first entry is used with clerk (this is how I started my application). The second entry is the new convex auth:
export default {
providers: [
{
domain: process.env.CONVEX_AUTH_PROVIDER_DOMAIN,// <-- for clerk
applicationID: "convex",
},
{
domain: process.env.CONVEX_SITE_URL, // <-- for convex auth
applicationID: "convex",
},
],
};
export default {
providers: [
{
domain: process.env.CONVEX_AUTH_PROVIDER_DOMAIN,// <-- for clerk
applicationID: "convex",
},
{
domain: process.env.CONVEX_SITE_URL, // <-- for convex auth
applicationID: "convex",
},
],
};
This morning, I decided to spin up my react native expo (using same convex backend). I'm observing that clerk is crashing at start. I'm not saying whether the crash is caused by this new setup (I have already filed an issue in the clerk forum). But I'm just investigating whether the crash could be related to the my new setup. Also I am hesitating to rollback my changes given that new tables related to authentication have already been created (in dev and in prod). Can I safely rollback my changes (and see if it fixed my issues?) Thank you for your support.
7 replies
CCConvex Community
Created by noob saibot on 7/24/2024 in #support-community
Convex Auth Magic Link with Resend: Uncaught Error: Uncaught Error: Index users.email not found.
I'm trying to setup the new Convex Auth in with Magic Link my Nextjs app. I'm following the official tutorial and the demo app. When I call signIn("resend", formData), I'm getting the error:
error Error: [CONVEX A(auth:signIn)] [Request ID: 09412de9cb7c47e3] Server Error
Uncaught Error: Uncaught Error: Index users.email not found.
at uniqueUserWithVerifiedEmail (../../../../node_modules/@convex-dev/auth/dist/server/implementation.js:881:43)
error Error: [CONVEX A(auth:signIn)] [Request ID: 09412de9cb7c47e3] Server Error
Uncaught Error: Uncaught Error: Index users.email not found.
at uniqueUserWithVerifiedEmail (../../../../node_modules/@convex-dev/auth/dist/server/implementation.js:881:43)
I must have done some error somewhere but since this is very new, I can't figure out where to look at. I'm running this on localhost. Here is my auth.config setup:
export default {
providers: [
{
// old setup used before advent of "convex auth"
domain: process.env.CONVEX_AUTH_PROVIDER_DOMAIN,
applicationID: "convex",
},
{
// new setup from auth tutorial
domain: process.env.CONVEX_SITE_URL, // <-- new config
applicationID: "convex",
},
],
};
export default {
providers: [
{
// old setup used before advent of "convex auth"
domain: process.env.CONVEX_AUTH_PROVIDER_DOMAIN,
applicationID: "convex",
},
{
// new setup from auth tutorial
domain: process.env.CONVEX_SITE_URL, // <-- new config
applicationID: "convex",
},
],
};
6 replies
CCConvex Community
Created by noob saibot on 6/28/2024 in #support-community
Deploy Convex with Github Actions: Error: Please set CONVEX_DEPLOY_KEY to a new key
I would like to deploy convex to production via a Github Action. Here is a snippet of the action:
jobs:
convex_deploy:
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v4

- name: Setup
uses: ./tooling/github/setup

- name: Convex Deploy
working-directory: apps/api
run: pnpm run build
env:
CONVEX_DEPLOY_KEY: ${{ secrets.CONVEX_DEPLOY_KEY }}
CONVEX_URL: ${{ secrets.CONVEX_URL }}
jobs:
convex_deploy:
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v4

- name: Setup
uses: ./tooling/github/setup

- name: Convex Deploy
working-directory: apps/api
run: pnpm run build
env:
CONVEX_DEPLOY_KEY: ${{ secrets.CONVEX_DEPLOY_KEY }}
CONVEX_URL: ${{ secrets.CONVEX_URL }}
I have defined the variables CONVEX_DEPLOY_KEY and CONVEX_URL in Github secrets for the production environment. But when I run the action, it constantly fails with error: Please set CONVEX_DEPLOY_KEY to a new key which you can find on your Convex dashboard. But I have successfully generated a deployment key in my project dashboard. Not sure how I can fix this error
6 replies
CCConvex Community
Created by noob saibot on 4/20/2024 in #support-community
Uncaught Error: `new Date()` with non-number arguments is not supported
I'm saving date as iso string (with timezone info) in my table. Then in a function, I would like to use this date in my business logic code. When I try to create a new date from the saved value with new Date(table.some_date), I'm getting above error. Does that mean that in convex, dates should alway be saved in db as number? This is not what I seemed to understand from the docs
3 replies