This repo is archived, it does not work on modern versions of realm, and is no longer maintained
This is a utility library for ❗ ONLY ❗ react-native
applications. If you use classes to define your models and/or use TypeScript as well, this library includes 2 main utilities:
- Better type support for model classes
- Decorators for models and properties
This library also works with with plain JavaScript, providing similar typing benefits, along with the decorators
The Realm JavaScript docs suggest defining classes this way:
class Person {
get fullName(): string {
return this.firstName + ' ' + this.lastName;
}
}
Person.schema = {
name: 'Person',
properties: {
firstName: 'string',
lastName: 'string'
}
};
However, there are several things wrong with this for TypeScript and class usage in general:
- The class needs to extend
Realm.Object
- Functions like
addListener
orisValid
on models fromrealm.objectForPrimaryKey
will NOT be present (See realm-js #2430 for more info)
- Functions like
- The class can't extend
Realm.Object
because of bad typing... - The
firstName
andlastName
properties are not defined in the class, so they cannot be accessed likeperson.firstName
.
To work around all these issues and make defining the schema easier, the same "Person"
class can be defined as:
import { RealmModel, model, property } from 'realm-ts-class-decorators';
@model("Person")
class Person extends RealmModel {
@property("string") firstName!: string;
@property("string") lastName!: string;
get fullName(): string {
return this.firstName + ' ' + this.lastName;
}
}
The important parts of the code above are that:
- The class has the
@model()
decorator before it- The class itself
extends RealmModel
- Every property stored in Realm has the
@property()
decorator before them
To add this model to Realm, nothing has changed! Simply include the class like Realm suggests:
Realm.open({ schema: [Person] })
.then( /* ... */ );
For more advanced usage, checkout the example Star Wars App!
Since this library is written in TypeScript, all editors with some form of intellisense should also be able to provide strongly types suggestions for the decorators as well!