@sanity-typed/client v5.0.2
@sanity-typed/client
@sanity/client with typed GROQ Results
Page Contents
- Install
- Usage
- Usage with groqd(actuallygroq-builder)
- Typing an untyped client (and vice versa)
- Considerations
- Breaking Changes
- Alternatives
Install
npm install sanity @sanity-typed/clientUsage
Use createClient exactly as you would from @sanity/client.
product.ts:
// import { defineArrayMember, defineField, defineType } from "sanity";
import {
  defineArrayMember,
  defineField,
  defineType,
} from "@sanity-typed/types";
/** No changes using defineType, defineField, and defineArrayMember */
export const product = defineType({
  name: "product",
  type: "document",
  title: "Product",
  fields: [
    defineField({
      name: "productName",
      type: "string",
      title: "Product name",
      validation: (Rule) => Rule.required(),
    }),
    defineField({
      name: "tags",
      type: "array",
      title: "Tags for item",
      of: [
        defineArrayMember({
          type: "object",
          name: "tag",
          fields: [
            defineField({ type: "string", name: "label" }),
            defineField({ type: "string", name: "value" }),
          ],
        }),
      ],
    }),
  ],
});sanity.config.ts:
import { structureTool } from "sanity/structure";
// import { defineConfig } from "sanity";
import { defineConfig } from "@sanity-typed/types";
import type { InferSchemaValues } from "@sanity-typed/types";
import { post } from "./schemas/post";
import { product } from "./schemas/product";
/** No changes using defineConfig */
const config = defineConfig({
  projectId: "59t1ed5o",
  dataset: "production",
  plugins: [structureTool()],
  schema: {
    types: [
      product,
      // ...
      post,
    ],
  },
});
export default config;
/** Typescript type of all types! */
export type SanityValues = InferSchemaValues<typeof config>;
/**
 *  SanityValues === {
 *    product: {
 *      _createdAt: string;
 *      _id: string;
 *      _rev: string;
 *      _type: "product";
 *      _updatedAt: string;
 *      productName: string;
 *      tags?: {
 *        _key: string;
 *        _type: "tag";
 *        label?: string;
 *        value?: string;
 *      }[];
 *    };
 *    // ... all your types!
 *  }
 */client.ts:
import type { SanityValues } from "sanity.config";
// import { createClient } from "@sanity/client";
import { createClient } from "@sanity-typed/client";
// export const client = createClient({
export const client = createClient<SanityValues>({
  projectId: "59t1ed5o",
  dataset: "production",
  useCdn: true,
  apiVersion: "2023-05-23",
});
export const makeTypedQuery = async () =>
  client.fetch('*[_type=="product"]{_id,productName,tags}');
/**
 *  typeof makeTypedQuery === () => Promise<{
 *    _id: string;
 *    productName: string;
 *    tags: {
 *      _key: string;
 *      _type: "tag";
 *      label?: string;
 *      value?: string;
 *    }[] | null;
 *  }[]>
 */Usage with groqd (actually groq-builder)
@scottrippey is working on an amazing typed groqd called groq-builder, a schema-aware, strongly-typed GROQ query builder with auto-completion and type-checking for your GROQ queries. When given a function, fetch will provide a GROQ builder for your use:
npm install groq-builderclient-with-groq-builder.ts:
import type { SanityValues } from "sanity.config";
import { createClient } from "@sanity-typed/client";
export const client = createClient<SanityValues>({
  projectId: "59t1ed5o",
  dataset: "production",
  useCdn: true,
  apiVersion: "2023-05-23",
});
export const makeTypedQuery = async () =>
  /** No need for createGroqBuilder, `q` is already typed! */
  client.fetch((q) =>
    q.star
      .filterByType("product")
      .project({ _id: true, productName: true, tags: true })
  );
/**
 *  typeof makeTypedQuery === () => Promise<{
 *    _id: string;
 *    productName: string;
 *    tags: {
 *      _key: string;
 *      _type: "tag";
 *      label?: string;
 *      value?: string;
 *    }[] | null;
 *  }[]>
 */It will use the returned query and parse directly so you get typed results and runtime validation.
Deciding between using groq-builder or directly typed queries is your decision! There are pros or cons to consider:
- Typescript isn't optimized for parsing strings the way @sanity-typed/groqdoes, which can run into strange errors. Meanwhile, a builder is typescript-first, allowing for complex structures without any issues.
- Runtime validation is amazing! It was something I considered and abandoned so it's great to have a solution.
- The way @sanity-typed/groqhad to be written, it can't do any auto-completion in IDEs likegroq-buildercan. There was no way around this. Typed objects and methods are going to be superior to parsing a string. Again, typescript wasn't made for it.
- There is something to be said for writing queries in their native syntax with less layers between. Writing GROQ queries directly lets you concern yourself only with their documentation, especially when issues arise.
- I'm not 100% certain that groq-builderhandles all GROQ operations.
- groq-builderis currently in beta. You'll need to reference- groqd's documentation and sometimes they don't match 1-to-1.
Typing an untyped client (and vice versa)
Sometimes, you'll have a preconfigured client from a separate library that you will still want typed results from. A castToTyped function is provided to do just that.
import { createClient } from "some-other-create-client";
import { castToTyped } from "@sanity-typed/client";
import type { SanityValues } from "./sanity.config";
const client = createClient({
  // ...
});
const typedClient = castToTyped<SanityValues>()(client);
// Also, if you need the config in the client (eg. for queries using $param),
// you can provide the same config again to include it in the types.
// const typedClient = castToTyped<SanityValues>()(client, {
//   ...same contents from createClient
// });
const data = await typedClient.fetch("*");
/**
 *  typeof data === {
 *    _createdAt: string;
 *    _id: string;
 *    _rev: string;
 *    _type: "product";
 *    _updatedAt: string;
 *    productName?: string;
 *    tags?: {
 *      _key: string;
 *      label?: string;
 *      value?: string;
 *    }[];
 *  }[]
 */This function (nor the createClient function) have any runtime implications; it passes through the initial client unaltered.
Similarly, if you have a typed client that you want to untype (presumably to export from a library for general consumption), you can always cast it:
import type { SanityClient as SanityClientNative } from "@sanity/client";
import { createClient } from "@sanity-typed/client";
import type { SanityValues } from "./sanity.config";
const client = createClient<SanityValues>({
  // ...
});
export const typedClient = client;
export const untypedClient = client as SanityClientNative;
export default untypedClient;Considerations
Types match config but not actual documents
As your sanity driven application grows over time, your config is likely to change. Keep in mind that you can only derive types of your current config, while documents in your Sanity Content Lake will have shapes from older configs. This can be a problem when adding new fields or changing the type of old fields, as the types won't can clash with the old documents.
Ultimately, there's nothing that can automatically solve this; we can't derive types from a no longer existing config. This is a consideration with or without types: your application needs to handle all existing documents. Be sure to make changes in a backwards compatible manner (ie, make new fields optional, don't change the type of old fields, etc).
Another solution would be to keep old configs around, just to derive their types:
const config = defineConfig({
  schema: {
    types: [foo],
  },
  plugins: [myPlugin()],
});
const oldConfig = defineConfig({
  schema: {
    types: [oldFoo],
  },
  plugins: [myPlugin()],
});
type SanityValues =
  | InferSchemaValues<typeof config>
  | InferSchemaValues<typeof oldConfig>;This can get unwieldy although, if you're diligent about data migrations of your old documents to your new types, you may be able to deprecate old configs and remove them from your codebase.
GROQ Query results changes in seemingly breaking ways
Similar to parsing, evaluating groq queries will attempt to match how sanity actually evaluates queries. Again, any fixes to match that or changes to groq evaluation will likely not be considered a major change but, rather, a bug fix.
Typescript Errors in IDEs
Often you'll run into an issue where you get typescript errors in your IDE but, when building workspace (either you studio or app using types), there are no errors. This only occurs because your IDE is using a different version of typescript than the one in your workspace. A few debugging steps:
VSCode
- The JavaScript and TypeScript Nightlyextension (identifierms-vscode.vscode-typescript-next) creates issues here by design. It will always attempt to use the newest version of typescript instead of your workspace's version. I ended up uninstalling it.
- Check that VSCode is actually using your workspace's version even if you've defined the workspace version in .vscode/settings.json. UseTypeScript: Select TypeScript Versionto explictly pick the workspace version.
- Open any typescript file and you can see which version is being used in the status bar. Please check this (and provide a screenshot confirming this) before creating an issue. Spending hours debugging your issue ony to find that you're not using your workspace's version is very frustrating.
Type instantiation is excessively deep and possibly infinite
🚨 CHECK Typescript Errors in IDEs FIRST!!! ISSUES WILL GET CLOSED IMMEDIATELY!!! 🚨
You might run into the dreaded Type instantiation is excessively deep and possibly infinite error when writing GROQ queries. This isn't too uncommon with more complex GROQ queries. Unfortunately, this isn't a completely avoidable problem, as typescript has limits on complexity and parsing types from a string is an inherently complex problem. A set of steps for a workaround:
- While not ideal, use @ts-expect-errorto disable the error. You could use@ts-ignoreinstead, but ideally you'd like to remove the comment if a fix is released.
- You still likely want manual types. Intersect the returned type with whatever is missing as a patch.
- Create a PR in groq/src/specific-issues.test.tswith your issue. #642 is a great example for this. Try to reduce your query and config as much as possible. The goal is a minimal reproduction.
- If a PR isn't possible, make an issue with the same content. ie, the query and config you're using. Again, reduce them as much as possible. And then, now that you've done all the work, move it into a PR instead!
- I'm one person and some of these issues are quite complex. Take a stab at fixing the bug! There's a ridiculous amount of tests so it's relatively safe to try things out.
People will sometimes create a repo with their issue. Please open a PR with a minimal test instead. Without a PR there will be no tests reflecting your issue and it may appear again in a regression. Forking a github repo to make a PR is a more welcome way to contribute to an open source library.
Breaking Changes
4 to 5
Typescript version from 5.7.2 <= x <= 5.7.3
The supported Typescript version is now 5.7.2 <= x <= 5.7.3. Older versions are no longer supported and newer versions will be added as we validate them.
3 to 4
Typescript version from 5.4.2 <= x <= 5.6.3
The supported Typescript version is now 5.4.2 <= x <= 5.6.3. Older versions are no longer supported and newer versions will be added as we validate them.
2 to 3
No more createClient<SanityValues>()(config)
Removing the double function signature from createClient:
- const client = createClient<SanityValues>()({
+ const client = createClient<SanityValues>({
  // ...
});We no longer derive types from your config values. Most of the types weren't significant, but the main loss will be _originalId when the perspective was "previewDrafts".
1 to 2
Removal of castFromTyped
Casting from typed to untyped is now just a simple cast:
+ import type { SanityClient as SanityClientNative } from "@sanity/client";
- import { castFromTyped, createClient } from "@sanity-typed/client";
+ import { createClient } from "@sanity-typed/client";
import type { SanityValues } from "./sanity.config";
const client = createClient<SanityValues>()({
  // ...
});
export const typedClient = client;
- export const untypedClient = castFromTyped(client);
+ export const untypedClient = client as SanityClientNative;
export default untypedClient;castToTyped still exists.
Alternatives
10 months ago
10 months ago
8 months ago
10 months ago
12 months ago
10 months ago
11 months ago
5 months ago
5 months ago
8 months ago
12 months ago
12 months ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago