Skip to content

Commit 1acd1cf

Browse files
authoredJul 15, 2024··
Merge pull request #239 from dennisofficial/main
Generic Types for stricter type safety, and search
2 parents 0c38871 + 94f6b8f commit 1acd1cf

16 files changed

+471
-397
lines changed
 

‎lib/client/client.ts

+2-2
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
import { createClient, createCluster, RediSearchSchema, SearchOptions } from 'redis'
22

33
import { Repository } from '../repository'
4-
import { Schema } from '../schema'
4+
import {InferSchema, Schema} from '../schema'
55
import { RedisOmError } from '../error'
66

77
/** A conventional Redis connection. */
@@ -116,7 +116,7 @@ export class Client {
116116
* @param schema The schema.
117117
* @returns A repository for the provided schema.
118118
*/
119-
fetchRepository(schema: Schema): Repository {
119+
fetchRepository<T extends Schema<any>>(schema: T): Repository<InferSchema<T>> {
120120
this.#validateRedisOpen()
121121
return new Repository(schema, this)
122122
}

‎lib/entity/entity.ts

+6-4
Original file line numberDiff line numberDiff line change
@@ -4,23 +4,25 @@ export const EntityId = Symbol('entityId')
44
/** The Symbol used to access the keyname of an {@link Entity}. */
55
export const EntityKeyName = Symbol('entityKeyName')
66

7-
/** Defines the objects returned from calls to {@link Repository | repositories }. */
8-
export type Entity = EntityData & {
9-
7+
export type EntityInternal = {
108
/** The unique ID of the {@link Entity}. Access using the {@link EntityId} Symbol. */
119
[EntityId]?: string
1210

1311
/** The key the {@link Entity} is stored under inside of Redis. Access using the {@link EntityKeyName} Symbol. */
1412
[EntityKeyName]?: string
1513
}
1614

15+
/** Defines the objects returned from calls to {@link Repository | repositories }. */
16+
export type Entity = EntityData & EntityInternal
17+
export type EntityKeys<T extends Entity> = Exclude<keyof T, keyof EntityInternal>;
18+
1719
/** The free-form data associated with an {@link Entity}. */
1820
export type EntityData = {
1921
[key: string]: EntityDataValue | EntityData | Array<EntityDataValue | EntityData>
2022
}
2123

2224
/** Valid types for values in an {@link Entity}. */
23-
export type EntityDataValue = string | number | boolean | Date | Point | null | undefined | Array<EntityDataValue | EntityData>
25+
export type EntityDataValue = string | number | boolean | Date | Point | null | undefined | Array<EntityDataValue | EntityData>
2426

2527
/** Defines a point on the globe using longitude and latitude. */
2628
export type Point = {

‎lib/repository/repository.ts

+33-35
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,9 @@
1-
import { Client, CreateOptions, RedisConnection, RedisHashData, RedisJsonData } from '../client'
2-
import { Entity, EntityId, EntityKeyName } from '../entity'
3-
import { buildRediSearchSchema } from '../indexer'
4-
import { Schema } from '../schema'
5-
import { Search, RawSearch } from '../search'
6-
import { fromRedisHash, fromRedisJson, toRedisHash, toRedisJson } from '../transformer'
1+
import {Client, CreateOptions, RedisConnection, RedisHashData, RedisJsonData} from '../client'
2+
import {Entity, EntityId, EntityKeyName} from '../entity'
3+
import {buildRediSearchSchema} from '../indexer'
4+
import {Schema} from '../schema'
5+
import {RawSearch, Search} from '../search'
6+
import {fromRedisHash, fromRedisJson, toRedisHash, toRedisJson} from '../transformer'
77

88
/**
99
* A repository is the main interaction point for reading, writing, and
@@ -41,19 +41,19 @@ import { fromRedisHash, fromRedisJson, toRedisHash, toRedisJson } from '../trans
4141
* .and('aBoolean').is.false().returnAll()
4242
* ```
4343
*/
44-
export class Repository {
44+
export class Repository<T extends Entity = Record<string, any>> {
4545

4646
// NOTE: Not using "#" private as the spec needs to check calls on this class. Will be resolved when Client class is removed.
47-
private client: Client
48-
#schema: Schema
47+
private readonly client: Client
48+
readonly #schema: Schema<T>
4949

5050
/**
5151
* Creates a new {@link Repository}.
5252
*
5353
* @param schema The schema defining that data in the repository.
54-
* @param client A client to talk to Redis.
54+
* @param clientOrConnection A client to talk to Redis.
5555
*/
56-
constructor(schema: Schema, clientOrConnection: Client | RedisConnection) {
56+
constructor(schema: Schema<T>, clientOrConnection: Client | RedisConnection) {
5757
this.#schema = schema
5858
if (clientOrConnection instanceof Client) {
5959
this.client = clientOrConnection
@@ -131,7 +131,7 @@ export class Repository {
131131
* @param entity The Entity to save.
132132
* @returns A copy of the provided Entity with EntityId and EntityKeyName properties added.
133133
*/
134-
async save(entity: Entity): Promise<Entity>
134+
async save(entity: T): Promise<T>
135135

136136
/**
137137
* Insert or update the {@link Entity} to Redis using the provided entityId.
@@ -140,10 +140,10 @@ export class Repository {
140140
* @param entity The Entity to save.
141141
* @returns A copy of the provided Entity with EntityId and EntityKeyName properties added.
142142
*/
143-
async save(id: string, entity: Entity): Promise<Entity>
143+
async save(id: string, entity: T): Promise<T>
144144

145-
async save(entityOrId: Entity | string, maybeEntity?: Entity): Promise<Entity> {
146-
let entity: Entity | undefined
145+
async save(entityOrId: T | string, maybeEntity?: T): Promise<T> {
146+
let entity: T | undefined
147147
let entityId: string | undefined
148148

149149
if (typeof entityOrId !== 'string') {
@@ -155,7 +155,7 @@ export class Repository {
155155
}
156156

157157
const keyName = `${this.#schema.schemaName}:${entityId}`
158-
const clonedEntity = { ...entity, [EntityId]: entityId, [EntityKeyName]: keyName }
158+
const clonedEntity = { ...entity, [EntityId]: entityId, [EntityKeyName]: keyName } as T
159159
await this.writeEntity(clonedEntity)
160160

161161
return clonedEntity
@@ -168,7 +168,7 @@ export class Repository {
168168
* @param id The ID of the {@link Entity} you seek.
169169
* @returns The matching Entity.
170170
*/
171-
async fetch(id: string): Promise<Entity>
171+
async fetch(id: string): Promise<T>
172172

173173
/**
174174
* Read and return the {@link Entity | Entities} from Redis with the given IDs. If
@@ -177,7 +177,7 @@ export class Repository {
177177
* @param ids The IDs of the {@link Entity | Entities} you seek.
178178
* @returns The matching Entities.
179179
*/
180-
async fetch(...ids: string[]): Promise<Entity[]>
180+
async fetch(...ids: string[]): Promise<T[]>
181181

182182
/**
183183
* Read and return the {@link Entity | Entities} from Redis with the given IDs. If
@@ -186,9 +186,9 @@ export class Repository {
186186
* @param ids The IDs of the {@link Entity | Entities} you seek.
187187
* @returns The matching Entities.
188188
*/
189-
async fetch(ids: string[]): Promise<Entity[]>
189+
async fetch(ids: string[]): Promise<T[]>
190190

191-
async fetch(ids: string | string[]): Promise<Entity | Entity[]> {
191+
async fetch(ids: string | string[]): Promise<T | T[]> {
192192
if (arguments.length > 1) return this.readEntities([...arguments])
193193
if (Array.isArray(ids)) return this.readEntities(ids)
194194

@@ -246,6 +246,7 @@ export class Repository {
246246
* ids. If a particular {@link Entity} is not found, does nothing.
247247
*
248248
* @param ids The IDs of the {@link Entity | Entities} you wish to delete.
249+
* @param ttlInSeconds The time to live in seconds.
249250
*/
250251
async expire(ids: string[], ttlInSeconds: number): Promise<void>
251252

@@ -298,7 +299,7 @@ export class Repository {
298299
*
299300
* @returns A {@link Search} object.
300301
*/
301-
search(): Search {
302+
search(): Search<T> {
302303
return new Search(this.#schema, this.client)
303304
}
304305

@@ -313,20 +314,19 @@ export class Repository {
313314
* @query The raw RediSearch query you want to rune.
314315
* @returns A {@link RawSearch} object.
315316
*/
316-
searchRaw(query: string): RawSearch {
317+
searchRaw(query: string): RawSearch<T> {
317318
return new RawSearch(this.#schema, this.client, query)
318319
}
319320

320-
private async writeEntity(entity: Entity): Promise<void> {
321-
return this.#schema.dataStructure === 'HASH' ? this.writeEntityToHash(entity) : this.writeEntityToJson(entity)
321+
private async writeEntity(entity: T): Promise<void> {
322+
return this.#schema.dataStructure === 'HASH' ? this.#writeEntityToHash(entity) : this.writeEntityToJson(entity)
322323
}
323324

324-
private async readEntities(ids: string[]): Promise<Entity[]> {
325+
private async readEntities(ids: string[]): Promise<T[]> {
325326
return this.#schema.dataStructure === 'HASH' ? this.readEntitiesFromHash(ids) : this.readEntitiesFromJson(ids)
326327
}
327328

328-
// TODO: make this actually private... like with #
329-
private async writeEntityToHash(entity: Entity): Promise<void> {
329+
async #writeEntityToHash(entity: Entity): Promise<void> {
330330
const keyName = entity[EntityKeyName]!
331331
const hashData: RedisHashData = toRedisHash(this.#schema, entity)
332332
if (Object.keys(hashData).length === 0) {
@@ -336,14 +336,13 @@ export class Repository {
336336
}
337337
}
338338

339-
private async readEntitiesFromHash(ids: string[]): Promise<Entity[]> {
339+
private async readEntitiesFromHash(ids: string[]): Promise<T[]> {
340340
return Promise.all(
341-
ids.map(async (entityId) => {
341+
ids.map(async (entityId): Promise<T> => {
342342
const keyName = this.makeKey(entityId)
343343
const hashData = await this.client.hgetall(keyName)
344344
const entityData = fromRedisHash(this.#schema, hashData)
345-
const entity = { ...entityData, [EntityId]: entityId, [EntityKeyName]: keyName }
346-
return entity
345+
return {...entityData, [EntityId]: entityId, [EntityKeyName]: keyName} as T
347346
}))
348347
}
349348

@@ -353,14 +352,13 @@ export class Repository {
353352
await this.client.jsonset(keyName, jsonData)
354353
}
355354

356-
private async readEntitiesFromJson(ids: string[]): Promise<Entity[]> {
355+
private async readEntitiesFromJson(ids: string[]): Promise<T[]> {
357356
return Promise.all(
358-
ids.map(async (entityId) => {
357+
ids.map(async (entityId): Promise<T> => {
359358
const keyName = this.makeKey(entityId)
360359
const jsonData = await this.client.jsonget(keyName) ?? {}
361360
const entityData = fromRedisJson(this.#schema, jsonData)
362-
const entity = {...entityData, [EntityId]: entityId, [EntityKeyName]: keyName }
363-
return entity
361+
return {...entityData, [EntityId]: entityId, [EntityKeyName]: keyName} as T
364362
}))
365363
}
366364

‎lib/schema/definitions.ts

+3-1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,5 @@
1+
import {Entity, EntityKeys} from "$lib/entity";
2+
13
/** Valid field types for a {@link FieldDefinition}. */
24
export type FieldType = 'boolean' | 'date' | 'number' | 'number[]' | 'point' | 'string' | 'string[]' | 'text'
35

@@ -120,4 +122,4 @@ export type FieldDefinition =
120122
TextFieldDefinition
121123

122124
/** Group of {@link FieldDefinition}s that define the schema for an {@link Entity}. */
123-
export type SchemaDefinition = Record<string, FieldDefinition>
125+
export type SchemaDefinition<T extends Entity = Record<string, any>> = Record<EntityKeys<T>, FieldDefinition>

‎lib/schema/field.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,7 @@ import { AllFieldDefinition, FieldDefinition, FieldType } from './definitions'
55
*/
66
export class Field {
77

8-
#name: string
8+
readonly #name: string
99
#definition: AllFieldDefinition
1010

1111
/**

‎lib/schema/schema.ts

+30-17
Original file line numberDiff line numberDiff line change
@@ -1,13 +1,13 @@
1-
import { createHash } from 'crypto'
2-
import { ulid } from 'ulid'
1+
import {createHash} from 'crypto'
2+
import {ulid} from 'ulid'
33

4-
import { Entity } from "../entity"
4+
import {Entity, EntityKeys} from "../entity"
55

6-
import { IdStrategy, DataStructure, StopWordOptions, SchemaOptions } from './options'
6+
import {DataStructure, IdStrategy, SchemaOptions, StopWordOptions} from './options'
77

8-
import { SchemaDefinition } from './definitions'
9-
import { Field } from './field'
10-
import { InvalidSchema } from '../error'
8+
import {FieldDefinition, SchemaDefinition} from './definitions'
9+
import {Field} from './field'
10+
import {InvalidSchema} from '../error'
1111

1212

1313
/**
@@ -16,7 +16,17 @@ import { InvalidSchema } from '../error'
1616
* a {@link SchemaDefinition}, and optionally {@link SchemaOptions}:
1717
*
1818
* ```typescript
19-
* const schema = new Schema('foo', {
19+
* interface Foo extends Entity {
20+
* aString: string,
21+
* aNumber: number,
22+
* aBoolean: boolean,
23+
* someText: string,
24+
* aPoint: Point,
25+
* aDate: Date,
26+
* someStrings: string[],
27+
* }
28+
*
29+
* const schema = new Schema<Foo>('foo', {
2030
* aString: { type: 'string' },
2131
* aNumber: { type: 'number' },
2232
* aBoolean: { type: 'boolean' },
@@ -32,11 +42,11 @@ import { InvalidSchema } from '../error'
3242
* A Schema is primarily used by a {@link Repository} which requires a Schema in
3343
* its constructor.
3444
*/
35-
export class Schema {
45+
export class Schema<T extends Entity = Record<string, any>> {
3646

37-
#schemaName: string
38-
#fieldsByName: Record<string, Field> = {}
39-
#definition: SchemaDefinition
47+
readonly #schemaName: string
48+
#fieldsByName = {} as Record<EntityKeys<T>, Field>;
49+
readonly #definition: SchemaDefinition<T>
4050
#options?: SchemaOptions
4151

4252
/**
@@ -46,7 +56,7 @@ export class Schema {
4656
* @param schemaDef Defines all of the fields for the Schema and how they are mapped to Redis.
4757
* @param options Additional options for this Schema.
4858
*/
49-
constructor(schemaName: string, schemaDef: SchemaDefinition, options?: SchemaOptions) {
59+
constructor(schemaName: string, schemaDef: SchemaDefinition<T>, options?: SchemaOptions) {
5060
this.#schemaName = schemaName
5161
this.#definition = schemaDef
5262
this.#options = options
@@ -75,7 +85,7 @@ export class Schema {
7585
* @param name The name of the {@link Field} in this Schema.
7686
* @returns The {@link Field}, or null of not found.
7787
*/
78-
fieldByName(name: string): Field | null {
88+
fieldByName(name: EntityKeys<T>): Field | null {
7989
return this.#fieldsByName[name] ?? null
8090
}
8191

@@ -110,7 +120,7 @@ export class Schema {
110120
*/
111121
async generateId(): Promise<string> {
112122
const ulidStrategy = () => ulid()
113-
return await (this.#options?.idStrategy ?? ulidStrategy)()
123+
return await (this.#options?.idStrategy ?? ulidStrategy)();
114124
}
115125

116126
/**
@@ -133,8 +143,9 @@ export class Schema {
133143
}
134144

135145
#createFields() {
136-
return Object.entries(this.#definition).forEach(([fieldName, fieldDef]) => {
137-
const field = new Field(fieldName, fieldDef)
146+
const entries = Object.entries(this.#definition) as [EntityKeys<T>, FieldDefinition][];
147+
return entries.forEach(([fieldName, fieldDef]) => {
148+
const field = new Field(String(fieldName), fieldDef)
138149
this.#validateField(field)
139150
this.#fieldsByName[fieldName] = field
140151
})
@@ -166,3 +177,5 @@ export class Schema {
166177
throw new InvalidSchema(`The field '${field.name}' is configured with a type of '${field.type}'. This type is only valid with a data structure of 'JSON'.`)
167178
}
168179
}
180+
181+
export type InferSchema<T> = T extends Schema<infer R> ? R : never;

0 commit comments

Comments
 (0)
Please sign in to comment.