undeexcepturi
Version:
TypeScript ORM for Node.js based on Data Mapper, Unit of Work and Identity Map patterns. Supports MongoDB, MySQL, PostgreSQL and SQLite databases as well as usage with vanilla JavaScript.
113 lines (82 loc) • 2.21 kB
text/typescript
import { Collection, Entity, ManyToOne, OneToMany, PrimaryKey, SimpleLogger, Type } from '@mikro-orm/core';
import { MikroORM } from '@mikro-orm/sqlite';
import { mockLogger } from '../helpers';
class Id {
readonly value: number;
constructor(value: number) {
this.value = value;
}
}
export class IdType extends Type<Id, string> {
override convertToDatabaseValue(value: any) {
if (value instanceof Id) {
return value.value;
}
return value;
}
override convertToJSValue(value: any) {
if (typeof value === 'string') {
const id = Object.create(Id.prototype);
return Object.assign(id, {
value,
});
}
return value;
}
override compareAsType() {
return 'number';
}
override getColumnType() {
return 'integer';
}
}
()
class ParentEntity {
({ type: IdType, autoincrement: false })
id!: Id;
({ type: IdType, autoincrement: false })
id2!: Id;
({
entity: () => ChildEntity,
mappedBy: 'parent',
})
children = new Collection<ChildEntity>(this);
}
()
class ChildEntity {
({ type: IdType, autoincrement: false })
id!: Id;
(() => ParentEntity)
parent!: ParentEntity;
}
let orm: MikroORM;
beforeAll(async () => {
orm = await MikroORM.init({
entities: [ParentEntity, ChildEntity],
dbName: ':memory:',
loggerFactory: options => new SimpleLogger(options),
});
await orm.schema.createSchema();
});
afterAll(async () => {
await orm.close();
});
it('should create and persist entity along with child entity', async () => {
// Create parent
const parent = new ParentEntity();
parent.id = new Id(1);
parent.id2 = new Id(2);
// Create child
const child = new ChildEntity();
child.id = new Id(1);
// Add child to parent
parent.children.add(child);
const mock = mockLogger(orm);
await orm.em.persistAndFlush(parent);
expect(mock.mock.calls).toEqual([
['[query] begin'],
['[query] insert into `parent_entity` (`id`, `id2`) values (1, 2)'],
['[query] insert into `child_entity` (`id`, `parent_id`, `parent_id2`) values (1, 1, 2)'],
['[query] commit'],
]);
});