entityManager.ts 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504
  1. import type { Query as PiniaOrmQuery, Repository, Collection as PiniaOrmCollection } from 'pinia-orm'
  2. import { v4 as uuid4 } from 'uuid'
  3. import * as _ from 'lodash-es'
  4. import { computed } from 'vue'
  5. import type ApiRequestService from './apiRequestService'
  6. import UrlUtils from '~/services/utils/urlUtils'
  7. import type ApiModel from '~/models/ApiModel'
  8. import type ApiResource from '~/models/ApiResource'
  9. import type { AnyJson, AssociativeArray, Collection } from '~/types/data.d'
  10. import modelsIndex from '~/models/models'
  11. import HydraNormalizer from '~/services/data/normalizer/hydraNormalizer'
  12. import ObjectUtils from '~/services/utils/objectUtils'
  13. import type Query from '~/services/data/Query'
  14. /**
  15. * Entity manager: make operations on the models defined with the Pinia-Orm library
  16. *
  17. * TODO: améliorer le typage des méthodes sur le modèle de find()
  18. * @see https://pinia-orm.codedredd.de/
  19. */
  20. class EntityManager {
  21. protected CLONE_PREFIX = '_clone_'
  22. /**
  23. * In instance of ApiRequestService
  24. * @protected
  25. */
  26. protected apiRequestService: ApiRequestService
  27. /**
  28. * A method to retrieve the repository of a given ApiResource
  29. * @protected
  30. */
  31. protected _getRepo: (model: typeof ApiResource) => Repository<ApiResource>
  32. protected _getProfileMask: () => object
  33. public constructor(
  34. apiRequestService: ApiRequestService,
  35. getRepo: (model: typeof ApiResource) => Repository<ApiResource>,
  36. getProfileMask: () => object,
  37. ) {
  38. this.apiRequestService = apiRequestService
  39. this._getRepo = getRepo
  40. this._getProfileMask = getProfileMask
  41. }
  42. /**
  43. * Return the repository for the model
  44. *
  45. * @param model
  46. */
  47. public getRepository(model: typeof ApiResource): Repository<ApiResource> {
  48. return this._getRepo(model)
  49. }
  50. /**
  51. * Return a pinia-orm query for the model
  52. *
  53. * @param model
  54. */
  55. public getQuery(model: typeof ApiResource): PiniaOrmQuery<ApiResource> {
  56. // TODO: quid des uuid?
  57. return this.getRepository(model).where((val) => Number.isInteger(val.id))
  58. }
  59. public getModel(instance: ApiResource): typeof ApiResource {
  60. return instance.constructor as typeof ApiModel
  61. }
  62. /**
  63. * Cast an object as an ApiResource
  64. * This in used internally to ensure the object is recognized as an ApiResource
  65. *
  66. * @param model
  67. * @param instance
  68. */
  69. // noinspection JSMethodCanBeStatic
  70. public cast(model: typeof ApiResource, instance: ApiResource): ApiResource {
  71. return new model(instance)
  72. }
  73. /**
  74. * Return the model class with the given entity name
  75. *
  76. * @param entityName
  77. */
  78. public async getModelFor(entityName: string): Promise<typeof ApiResource> {
  79. if (!Object.prototype.hasOwnProperty.call(modelsIndex, entityName)) {
  80. throw new Error("No model found for entity name '" + entityName + "'")
  81. }
  82. return await modelsIndex[entityName]()
  83. }
  84. /**
  85. * Return the model class from an Opentalent Api IRI
  86. *
  87. * @param iri An IRI of the form .../api/<entity>/...
  88. */
  89. public async getModelFromIri(iri: string): Promise<typeof ApiResource> {
  90. const matches = iri.match(/^\/api\/(\w+)\/.*/)
  91. if (!matches || !matches[1]) {
  92. throw new Error('cannot parse the IRI')
  93. }
  94. return await this.getModelFor(matches[1])
  95. }
  96. /**
  97. * Create a new instance of the given model
  98. *
  99. * @param model
  100. * @param properties
  101. */
  102. public newInstance(
  103. model: typeof ApiResource,
  104. properties: object = {},
  105. ): ApiResource {
  106. const repository = this.getRepository(model)
  107. const instance = repository.make(properties)
  108. if (
  109. !Object.prototype.hasOwnProperty.call(properties, 'id') ||
  110. // @ts-expect-error Si la première condition passe, on sait que id existe
  111. !properties.id
  112. ) {
  113. // Object has no id yet, we give him a temporary one
  114. instance.id = 'tmp' + uuid4()
  115. }
  116. return this.save(instance, true)
  117. }
  118. /**
  119. * Save the model instance into the store
  120. *
  121. * @param instance
  122. * @param permanent Is the change already persisted in the datasource? If this is the case, the initial state of this
  123. * record is also updated.
  124. */
  125. public save(instance: ApiResource, permanent: boolean = false): ApiResource {
  126. const model = this.getModel(instance)
  127. this.validateEntity(instance)
  128. if (permanent) {
  129. this.saveInitialState(model, instance)
  130. }
  131. return this.getRepository(model).save(instance)
  132. }
  133. /**
  134. * Find the model instance in the store
  135. * TODO: comment réagit la fonction si l'id n'existe pas dans le store?
  136. *
  137. * @param model
  138. * @param id
  139. */
  140. // @ts-expect-error TODO: corriger au moment de l'implémentation des types génériques
  141. public find<T extends ApiResource>(model: typeof T, id: number | string): T {
  142. const repository = this.getRepository(model)
  143. return repository.find(id) as T
  144. }
  145. /**
  146. * Fetch an ApiModel / ApiResource by its id, save it to the store and returns it
  147. *
  148. * @param model Model of the object to fetch
  149. * @param id Id of the object to fetch
  150. * @param forceRefresh Force a new get request to the api ;
  151. * current object in store will be overwritten if it exists
  152. */
  153. public async fetch(
  154. model: typeof ApiResource,
  155. id: number,
  156. forceRefresh: boolean = false,
  157. ): Promise<ApiResource> {
  158. // If the model instance is already in the store and forceRefresh is false, return the object in store
  159. if (!forceRefresh) {
  160. // TODO: est-ce qu'il y a vraiment des situations où on appellera cette méthode sans le forceRefresh?
  161. const item = this.find(model, id)
  162. if (item && typeof item !== 'undefined') {
  163. return item
  164. }
  165. }
  166. // Else, get the object from the API
  167. const url = UrlUtils.join('api', model.entity, String(id))
  168. const response = await this.apiRequestService.get(url)
  169. // deserialize the response
  170. const attributes = HydraNormalizer.denormalize(response, model)
  171. .data as object
  172. return this.newInstance(model, attributes)
  173. }
  174. /**
  175. * Fetch a collection of model instances
  176. *
  177. * @param model
  178. * @param parent
  179. * @param query
  180. */
  181. public async fetchCollection(
  182. model: typeof ApiResource,
  183. parent: ApiResource | null,
  184. query: Query | null = null,
  185. ): Promise<ComputedRef<Collection>> {
  186. let url
  187. if (parent !== null) {
  188. url = UrlUtils.join('api', parent.entity, '' + parent.id, model.entity)
  189. } else {
  190. url = UrlUtils.join('api', model.entity)
  191. }
  192. if (query) {
  193. url += '?' + query.getUrlQuery()
  194. }
  195. const response = await this.apiRequestService.get(url)
  196. // deserialize the response
  197. const apiCollection = HydraNormalizer.denormalize(response, model)
  198. apiCollection.data.map((attributes: object) => {
  199. return this.newInstance(model, attributes)
  200. })
  201. let piniaOrmQuery = this.getQuery(model)
  202. if (query) {
  203. piniaOrmQuery = query.applyToPiniaOrmQuery(piniaOrmQuery)
  204. }
  205. const res = computed(() => {
  206. const items: PiniaOrmCollection<ApiResource> = piniaOrmQuery.get()
  207. return {
  208. items,
  209. totalItems: apiCollection.metadata.totalItems,
  210. pagination: {
  211. first: apiCollection.metadata.firstPage || 1,
  212. last: apiCollection.metadata.lastPage || 1,
  213. next: apiCollection.metadata.nextPage || undefined,
  214. previous: apiCollection.metadata.previousPage || undefined,
  215. },
  216. }
  217. })
  218. // @ts-expect-error Needed to avoid 'Cannot stringify non POJO' occasional bugs
  219. res.toJSON = () => {
  220. return 'Computed result from fetchCollection at : ' + url
  221. }
  222. return res
  223. }
  224. /**
  225. * Persist the model instance as it is in the store into the data source via the API
  226. *
  227. * @param instance
  228. */
  229. public async persist(instance: ApiModel) {
  230. const model = this.getModel(instance)
  231. let url = UrlUtils.join('api', model.entity)
  232. let response
  233. this.validateEntity(instance)
  234. const data: AnyJson = HydraNormalizer.normalizeEntity(instance)
  235. const headers = { profileHash: await this.makeProfileHash() }
  236. if (!instance.isNew()) {
  237. url = UrlUtils.join(url, String(instance.id))
  238. response = await this.apiRequestService.patch(url, data, null, headers)
  239. } else {
  240. delete data.id
  241. response = await this.apiRequestService.post(url, data, null, headers)
  242. }
  243. const hydraResponse = HydraNormalizer.denormalize(response, model)
  244. const newInstance = this.newInstance(model, hydraResponse.data)
  245. // Si l'instance était nouvelle avant d'être persistée, elle vient désormais de recevoir un id définitif. On
  246. // peut donc supprimer l'instance temporaire.
  247. if (instance.isNew()) {
  248. this.removeTempAfterPersist(model, instance.id)
  249. }
  250. return newInstance
  251. }
  252. /**
  253. * Send an update request (PUT) to the API with the given data on an existing model instance
  254. *
  255. * @param model
  256. * @param id
  257. * @param data
  258. */
  259. public async patch(
  260. model: typeof ApiModel,
  261. id: number,
  262. data: AssociativeArray,
  263. ) {
  264. const url = UrlUtils.join('api', model.entity, '' + id)
  265. const body = JSON.stringify(data)
  266. const response = await this.apiRequestService.put(url, body)
  267. const hydraResponse = HydraNormalizer.denormalize(response, model)
  268. return this.newInstance(model, hydraResponse.data)
  269. }
  270. /**
  271. * Delete the model instance from the datasource via the API
  272. *
  273. * @param instance
  274. * @param instance
  275. */
  276. public async delete(instance: ApiModel) {
  277. const model = this.getModel(instance)
  278. instance = this.cast(model, instance)
  279. console.log('delete', instance)
  280. this.validateEntity(instance)
  281. const repository = this.getRepository(model)
  282. this.validateEntity(instance)
  283. // If object has been persisted to the datasource, send a delete request
  284. if (!instance.isNew()) {
  285. const url = UrlUtils.join('api', model.entity, String(instance.id))
  286. await this.apiRequestService.delete(url)
  287. }
  288. // reactiveUpdate the store
  289. repository.destroy(instance.id)
  290. }
  291. /**
  292. * Reset the model instance to its initial state (i.e. the state it had when it was fetched from the API)
  293. *
  294. * @param model
  295. * @param instance
  296. */
  297. public reset(instance: ApiResource) {
  298. const model = this.getModel(instance)
  299. const initialInstance = this.getInitialStateOf(model, instance.id)
  300. if (initialInstance === null) {
  301. throw new Error(
  302. 'no initial state recorded for this object - abort [' +
  303. model.entity +
  304. '/' +
  305. instance.id +
  306. ']',
  307. )
  308. }
  309. const repository = this.getRepository(model)
  310. repository.save(initialInstance)
  311. return initialInstance
  312. }
  313. /**
  314. * Delete all records in the repository of the model
  315. *
  316. * @param model
  317. */
  318. public flush(model: typeof ApiModel) {
  319. const repository = this.getRepository(model)
  320. repository.flush()
  321. }
  322. /**
  323. * Is the model instance a new one, or does it already exist in the data source (=API)
  324. *
  325. * This is a convenient way of testing a model instance you did not already fetch, else prefer the use of the
  326. * isNew() method of ApiResource
  327. *
  328. * @param model
  329. * @param id
  330. */
  331. public isNewInstance(model: typeof ApiModel, id: number | string): boolean {
  332. const repository = this.getRepository(model)
  333. const item = repository.find(id)
  334. if (!item || typeof item === 'undefined') {
  335. // TODO: est-ce qu'il ne faudrait pas lever une erreur ici plutôt?
  336. console.error(model.entity + '/' + id + ' does not exist!')
  337. return false
  338. }
  339. return item.isNew()
  340. }
  341. /**
  342. * Save the state of the model instance in the store, so this state could be restored later
  343. *
  344. * @param model
  345. * @param instance
  346. * @private
  347. */
  348. protected saveInitialState(model: typeof ApiResource, instance: ApiResource) {
  349. const repository = this.getRepository(model)
  350. // Clone and prefix id
  351. const clone = _.cloneDeep(instance)
  352. clone.id = this.CLONE_PREFIX + clone.id
  353. repository.save(clone)
  354. }
  355. /**
  356. * Return the saved state of the model instance from the store
  357. *
  358. * @param model
  359. * @param id
  360. * @private
  361. */
  362. protected getInitialStateOf(
  363. model: typeof ApiResource,
  364. id: string | number,
  365. ): ApiResource | null {
  366. const repository = this.getRepository(model)
  367. // Find the clone by id
  368. const instance = repository.find(this.CLONE_PREFIX + id)
  369. if (instance === null) {
  370. return null
  371. }
  372. // Restore the initial id
  373. instance.id = id
  374. return instance
  375. }
  376. /**
  377. * Delete the temporary model instance from the repo after it was persisted via the api, replaced by the instance
  378. * that has been returned by the api with is definitive id.
  379. *
  380. * @param model
  381. * @param tempInstanceId
  382. * @private
  383. */
  384. protected removeTempAfterPersist(
  385. model: typeof ApiResource,
  386. tempInstanceId: number | string,
  387. ) {
  388. const repository = this.getRepository(model)
  389. const instance = repository.find(tempInstanceId)
  390. if (!instance || typeof instance === 'undefined') {
  391. // TODO: il vaudrait peut-être mieux lever une erreur ici?
  392. console.error(model.entity + '/' + tempInstanceId + ' does not exist!')
  393. return
  394. }
  395. if (!instance.isNew()) {
  396. throw new Error('Error: Can not remove a non-temporary model instance')
  397. }
  398. repository.destroy(tempInstanceId)
  399. repository.destroy(this.CLONE_PREFIX + tempInstanceId)
  400. }
  401. protected async makeProfileHash(): Promise<string> {
  402. const mask = this._getProfileMask()
  403. return await ObjectUtils.hash(mask)
  404. }
  405. /**
  406. * Validate the entity, and throw an error if it's not correctly defined.
  407. * @param instance
  408. * @protected
  409. */
  410. protected validateEntity(instance: unknown): void {
  411. if (Object.prototype.hasOwnProperty.call(instance, 'id')) {
  412. // @ts-expect-error At this point, we're sure there is an id property
  413. const id = instance.id
  414. if (
  415. !(typeof id === 'number') &&
  416. !(typeof id === 'string' && id.startsWith('tmp'))
  417. ) {
  418. // The id is a pinia orm Uid, the entity has been created using the `new` keyword (not supported for now)
  419. throw new Error(
  420. 'Definition error for the entity, did you use the entityManager.newInstance(...) method?\n' +
  421. JSON.stringify(instance),
  422. )
  423. }
  424. }
  425. }
  426. }
  427. export default EntityManager