entityManager.ts 14 KB

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