Skip to content

Commit 7d3ab14

Browse files
authored
Add some helper functions to the Notion SDK (makenotion#320)
1 parent 97681b8 commit 7d3ab14

14 files changed

+223
-47
lines changed

ava.config.js

-9
This file was deleted.

jest.config.js

+5
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,5 @@
1+
/** @type {import('ts-jest/dist/types').InitialOptionsTsJest} */
2+
module.exports = {
3+
preset: "ts-jest",
4+
testEnvironment: "node",
5+
}

package.json

+4-3
Original file line numberDiff line numberDiff line change
@@ -27,7 +27,7 @@
2727
"build": "tsc",
2828
"prettier": "prettier --write .",
2929
"lint": "prettier --check . && eslint . --ext .ts && cspell '**/*' ",
30-
"test": "ava",
30+
"test": "jest ./test",
3131
"check-links": "git ls-files | grep md$ | xargs -n 1 markdown-link-check",
3232
"prebuild": "npm run clean",
3333
"clean": "rm -rf ./build",
@@ -44,14 +44,15 @@
4444
"node-fetch": "^2.6.1"
4545
},
4646
"devDependencies": {
47-
"@ava/typescript": "^2.0.0",
47+
"@types/jest": "^28.1.4",
4848
"@typescript-eslint/eslint-plugin": "^4.22.0",
4949
"@typescript-eslint/parser": "^4.22.0",
50-
"ava": "^3.15.0",
5150
"cspell": "^5.4.1",
5251
"eslint": "^7.24.0",
52+
"jest": "^28.1.2",
5353
"markdown-link-check": "^3.8.7",
5454
"prettier": "^2.3.0",
55+
"ts-jest": "^28.0.5",
5556
"typescript": "^4.2.4"
5657
}
5758
}

src/Client.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -11,7 +11,7 @@ import {
1111
isNotionClientError,
1212
RequestTimeoutError,
1313
} from "./errors"
14-
import { pick } from "./helpers"
14+
import { pick } from "./utils"
1515
import {
1616
GetBlockParameters,
1717
GetBlockResponse,

src/errors.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
import { SupportedResponse } from "./fetch-types"
2-
import { isObject } from "./helpers"
2+
import { isObject } from "./utils"
33
import { Assert } from "./type-utils"
44

55
/**

src/fetch-types.ts

+2-2
Original file line numberDiff line numberDiff line change
@@ -1,12 +1,12 @@
11
/// <reference lib="dom" />
2-
import type { Assert, Await } from "./type-utils"
2+
import type { Assert } from "./type-utils"
33
import type {
44
RequestInit as NodeRequestInit,
55
Response as NodeResponse,
66
} from "node-fetch"
77

88
type FetchFn = typeof fetch
9-
type FetchResponse = Await<ReturnType<FetchFn>>
9+
type FetchResponse = Awaited<ReturnType<FetchFn>>
1010
type RequestInfo = Parameters<FetchFn>[0]
1111
type RequestInit = NonNullable<Parameters<FetchFn>[1]>
1212

src/helpers.ts

+110-14
Original file line numberDiff line numberDiff line change
@@ -1,24 +1,120 @@
1+
import {
2+
BlockObjectResponse,
3+
DatabaseObjectResponse,
4+
PageObjectResponse,
5+
PartialBlockObjectResponse,
6+
PartialDatabaseObjectResponse,
7+
PartialPageObjectResponse,
8+
PartialUserObjectResponse,
9+
UserObjectResponse,
10+
} from "./api-endpoints"
11+
12+
interface PaginatedArgs {
13+
start_cursor?: string
14+
}
15+
16+
interface PaginatedList<T> {
17+
object: "list"
18+
results: T[]
19+
next_cursor: string | null
20+
has_more: boolean
21+
}
22+
23+
/**
24+
* Returns an async iterator over the results of any paginated Notion API.
25+
*
26+
* Example (given a notion Client called `notion`):
27+
*
28+
* ```
29+
* for await (const block of iteratePaginatedAPI(notion.blocks.children.list, {
30+
* block_id: parentBlockId,
31+
* })) {
32+
* // Do something with block.
33+
* }
34+
* ```
35+
*
36+
* @param listFn A bound function on the Notion client that represents a conforming paginated
37+
* API. Example: `notion.blocks.children.list`.
38+
* @param firstPageArgs Arguments that should be passed to the API on the first and subsequent
39+
* calls to the API. Any necessary `next_cursor` will be automatically populated by
40+
* this function. Example: `{ block_id: "<my block id>" }`
41+
*/
42+
export async function* iteratePaginatedAPI<Args extends PaginatedArgs, Item>(
43+
listFn: (args: Args) => Promise<PaginatedList<Item>>,
44+
firstPageArgs: Args
45+
): AsyncIterableIterator<Item> {
46+
let nextCursor: string | null | undefined = firstPageArgs.start_cursor
47+
do {
48+
const response: PaginatedList<Item> = await listFn({
49+
...firstPageArgs,
50+
start_cursor: nextCursor,
51+
})
52+
yield* response.results
53+
nextCursor = response.next_cursor
54+
} while (nextCursor)
55+
}
56+
157
/**
2-
* Utility for enforcing exhaustiveness checks in the type system.
58+
* Collect all of the results of paginating an API into an in-memory array.
359
*
4-
* @see https://basarat.gitbook.io/typescript/type-system/discriminated-unions#throw-in-exhaustive-checks
60+
* Example (given a notion Client called `notion`):
561
*
6-
* @param value The variable with no remaining values
62+
* ```
63+
* const blocks = collectPaginatedAPI(notion.blocks.children.list, {
64+
* block_id: parentBlockId,
65+
* })
66+
* // Do something with blocks.
67+
* ```
68+
*
69+
* @param listFn A bound function on the Notion client that represents a conforming paginated
70+
* API. Example: `notion.blocks.children.list`.
71+
* @param firstPageArgs Arguments that should be passed to the API on the first and subsequent
72+
* calls to the API. Any necessary `next_cursor` will be automatically populated by
73+
* this function. Example: `{ block_id: "<my block id>" }`
74+
*/
75+
export async function collectPaginatedAPI<Args extends PaginatedArgs, Item>(
76+
listFn: (args: Args) => Promise<PaginatedList<Item>>,
77+
firstPageArgs: Args
78+
): Promise<Item[]> {
79+
const results: Item[] = []
80+
for await (const item of iteratePaginatedAPI(listFn, firstPageArgs)) {
81+
results.push(item)
82+
}
83+
return results
84+
}
85+
86+
/**
87+
* @returns `true` if `response` is a full `BlockObjectResponse`.
788
*/
8-
export function assertNever(value: never): never {
9-
throw new Error(`Unexpected value should never occur: ${value}`)
89+
export function isFullBlock(
90+
response: BlockObjectResponse | PartialBlockObjectResponse
91+
): response is BlockObjectResponse {
92+
return "type" in response
1093
}
1194

12-
type AllKeys<T> = T extends unknown ? keyof T : never
95+
/**
96+
* @returns `true` if `response` is a full `PageObjectResponse`.
97+
*/
98+
export function isFullPage(
99+
response: PageObjectResponse | PartialPageObjectResponse
100+
): response is PageObjectResponse {
101+
return "url" in response
102+
}
13103

14-
export function pick<O extends unknown, K extends AllKeys<O>>(
15-
base: O,
16-
keys: readonly K[]
17-
): Pick<O, K> {
18-
const entries = keys.map(key => [key, base?.[key]])
19-
return Object.fromEntries(entries)
104+
/**
105+
* @returns `true` if `response` is a full `DatabaseObjectResponse`.
106+
*/
107+
export function isFullDatabase(
108+
response: DatabaseObjectResponse | PartialDatabaseObjectResponse
109+
): response is DatabaseObjectResponse {
110+
return "title" in response
20111
}
21112

22-
export function isObject(o: unknown): o is Record<PropertyKey, unknown> {
23-
return typeof o === "object" && o !== null
113+
/**
114+
* @returns `true` if `response` is a full `UserObjectResponse`.
115+
*/
116+
export function isFullUser(
117+
response: UserObjectResponse | PartialUserObjectResponse
118+
): response is UserObjectResponse {
119+
return "type" in response
24120
}

src/index.ts

+8
Original file line numberDiff line numberDiff line change
@@ -13,3 +13,11 @@ export {
1313
// Error helpers
1414
isNotionClientError,
1515
} from "./errors"
16+
export {
17+
collectPaginatedAPI,
18+
iteratePaginatedAPI,
19+
isFullBlock,
20+
isFullDatabase,
21+
isFullPage,
22+
isFullUser,
23+
} from "./helpers"

src/logging.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
import { assertNever } from "./helpers"
1+
import { assertNever } from "./utils"
22

33
export enum LogLevel {
44
DEBUG = "debug",

src/type-utils.ts

-9
Original file line numberDiff line numberDiff line change
@@ -2,15 +2,6 @@
22
* Utilities for working with typescript types
33
*/
44

5-
/**
6-
* Unwrap the type of a promise
7-
*/
8-
export type Await<T> = T extends {
9-
then(onfulfilled?: (value: infer U) => unknown): unknown
10-
}
11-
? U
12-
: T
13-
145
/**
156
* Assert U is assignable to T.
167
*/

src/utils.ts

+24
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,24 @@
1+
/**
2+
* Utility for enforcing exhaustiveness checks in the type system.
3+
*
4+
* @see https://basarat.gitbook.io/typescript/type-system/discriminated-unions#throw-in-exhaustive-checks
5+
*
6+
* @param value The variable with no remaining values
7+
*/
8+
export function assertNever(value: never): never {
9+
throw new Error(`Unexpected value should never occur: ${value}`)
10+
}
11+
12+
type AllKeys<T> = T extends unknown ? keyof T : never
13+
14+
export function pick<O extends unknown, K extends AllKeys<O>>(
15+
base: O,
16+
keys: readonly K[]
17+
): Pick<O, K> {
18+
const entries = keys.map(key => [key, base?.[key]])
19+
return Object.fromEntries(entries)
20+
}
21+
22+
export function isObject(o: unknown): o is Record<PropertyKey, unknown> {
23+
return typeof o === "object" && o !== null
24+
}

test/Client.test.ts

+7
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
import { Client } from "../src"
2+
3+
describe("Notion SDK Client", () => {
4+
it("Constructs without throwing", () => {
5+
new Client({ auth: "foo" })
6+
})
7+
})

test/client-basics.ts

-7
This file was deleted.

test/helpers.test.ts

+60
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,60 @@
1+
import { iteratePaginatedAPI } from "../src/helpers"
2+
3+
describe("Notion API helpers", () => {
4+
describe(iteratePaginatedAPI, () => {
5+
const mockPaginatedEndpoint = jest.fn<
6+
Promise<{
7+
object: "list"
8+
results: number[]
9+
next_cursor: string | null
10+
has_more: boolean
11+
}>,
12+
[{ start_cursor?: string }]
13+
>()
14+
15+
beforeEach(() => {
16+
mockPaginatedEndpoint.mockClear()
17+
})
18+
19+
it("Paginates over two pages", async () => {
20+
mockPaginatedEndpoint.mockImplementationOnce(async () => ({
21+
object: "list",
22+
results: [1, 2],
23+
has_more: true,
24+
next_cursor: "abc",
25+
}))
26+
mockPaginatedEndpoint.mockImplementationOnce(async () => ({
27+
object: "list",
28+
results: [3, 4],
29+
has_more: false,
30+
next_cursor: null,
31+
}))
32+
const results: number[] = []
33+
for await (const item of iteratePaginatedAPI(mockPaginatedEndpoint, {})) {
34+
results.push(item)
35+
}
36+
expect(results).toEqual([1, 2, 3, 4])
37+
expect(mockPaginatedEndpoint).toHaveBeenCalledTimes(2)
38+
expect(mockPaginatedEndpoint.mock.calls[0]?.[0].start_cursor).toBeFalsy()
39+
expect(mockPaginatedEndpoint.mock.calls[1]?.[0].start_cursor).toEqual(
40+
"abc"
41+
)
42+
})
43+
44+
it("Works when there's only one page", async () => {
45+
mockPaginatedEndpoint.mockImplementationOnce(async () => ({
46+
object: "list",
47+
results: [1, 2],
48+
has_more: false,
49+
next_cursor: null,
50+
}))
51+
const results: number[] = []
52+
for await (const item of iteratePaginatedAPI(mockPaginatedEndpoint, {})) {
53+
results.push(item)
54+
}
55+
expect(results).toEqual([1, 2])
56+
expect(mockPaginatedEndpoint).toHaveBeenCalledTimes(1)
57+
expect(mockPaginatedEndpoint.mock.calls[0]?.[0].start_cursor).toBeFalsy()
58+
})
59+
})
60+
})

0 commit comments

Comments
 (0)