index.js 6.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220
  1. (async() => {
  2. const Sequelize = require("sequelize");
  3. const Op = Sequelize.Op
  4. const sequelize = new Sequelize("test", "","",{
  5. host: 'localhost',
  6. dialect: 'mysql',
  7. pool: {
  8. max: 5,
  9. min: 0,
  10. idle: 10000
  11. },
  12. //logging: false
  13. });
  14. const Slice = sequelize.define("slice",{
  15. permission: Sequelize.STRING, //create, update, delete, read, etc
  16. model: Sequelize.STRING,
  17. modelId: Sequelize.INTEGER,
  18. //plain list of: "tags" like: admin, manager, user, anon, User can be tagged by this word in string list variable
  19. //OR: just userId.
  20. //OR, if negative number (or hash #100500) - other slice id (use abs to get proper table id)
  21. //this way optimizing
  22. slice: {type: Sequelize.TEXT, //PROBABLY STRING
  23. get(){
  24. return this.getDataValue("slice").split(",")
  25. },
  26. set(newValue){ //TODO: update users before with groups
  27. newValue = "length" in newValue ? newValue.join(",") : newValue
  28. return this.setDataValue("slice", newValue)
  29. }
  30. }
  31. },{
  32. getterMethods: {
  33. async all(){
  34. if (this._all) return this._all
  35. this._subSlicesList = this.slice.filter(id => id[0] == "#" || id[0] == "-") //detect - or #
  36. .map( id => +id.substr(1)) //cut first char + toInt
  37. this._roles = this.slice.filter(id => id[0] >= 'a' && id[0] <= 'z' )
  38. this._userIds = this.slice.filter(id => id[0] >= '0' && id[0] <= '9' )
  39. if (this._subSlicesList.length) {
  40. let subSlices = await Slice.findAll({where: {id: {[Op.in]: this._subSlicesList}}})
  41. if (subSlices) for (let subSlice of subSlices){
  42. this._subSlicesList = this._subSlicesList.filter(id => subSlice.id !== id)
  43. let subSliceAll = await subSlice.all
  44. this._subSlicesList = [...this._subSlicesList,... subSliceAll.slices]
  45. this._roles = [...this._roles, ...subSliceAll.roles]
  46. this._userIds = [...this._userIds, ...subSliceAll.userIds]
  47. }
  48. }
  49. this._all = {slices: this._subSlicesList, roles: this._roles, userIds: this._userIds}
  50. return this._all
  51. },
  52. async allRoles(){
  53. return (await this.all).roles
  54. },
  55. async allSlices(){
  56. return (await this.all).slices
  57. },
  58. async allUserIds(){
  59. return (await this.all).userIds
  60. },
  61. roles(){
  62. return this.slice.filter(id => id[0] >= 'a' && id[0] <= 'z' )
  63. },
  64. groups(){
  65. return this.slice.filter(id => id[0] == "#" || id[0] == "-") //detect - or #
  66. .map( id => +id.substr(1)) //cut first char + toInt
  67. }
  68. },
  69. indexes: [
  70. {
  71. fields: ["modelId", "model", "permission"]
  72. },
  73. ]
  74. })
  75. const User = sequelize.define("user", {
  76. login: Sequelize.STRING,
  77. password: Sequelize.STRING,
  78. })
  79. const Content = sequelize.define("content", {
  80. title: Sequelize.STRING,
  81. data: Sequelize.TEXT
  82. })
  83. async function filldb(){
  84. await sequelize.sync()
  85. console.log('synced')
  86. let [vasya, petya, kolya] = await Promise.all([
  87. User.create({login: "Vasya", password: "qwe"}),
  88. User.create({login: "Petya", password: "qwe"}),
  89. User.create({login: "Kolya", password: "qwe"}),
  90. ])
  91. let groupSlice = await Slice.create({
  92. permission: 'group',
  93. model: 'group',
  94. slice: [`${vasya.id}`, `${petya.id}`]
  95. })
  96. let [vasyaSlice, petyaSlice, kolyaSlice] = await Promise.all([
  97. Slice.create({model: 'user', permission: 'user', modelId: vasya.id, slice: ["user", `#${groupSlice.id}`]}),
  98. Slice.create({model: 'user', permission: 'user', modelId: petya.id, slice: ["user", `#${groupSlice.id}`]}),
  99. Slice.create({model: 'user', permission: 'user', modelId: kolya.id, slice: ["user" ]})
  100. ])
  101. let [hiddenContent, roleContent, groupContent] = await Promise.all([
  102. Content.create({title: 'Hidden', data: 'HIDDEN'}),
  103. Content.create({title: 'Role', data: 'ROLE'}),
  104. Content.create({title: 'Group', data: 'GROUP'}),
  105. ])
  106. let [hiddenSlice, roleSlice, groupContentSlice] = await Promise.all([
  107. Slice.create({model: 'content', permission: 'read', modelId: hiddenContent.id, slice: []}),
  108. Slice.create({model: 'content', permission: 'read', modelId: roleContent.id, slice: ["user"]}),
  109. Slice.create({model: 'content', permission: 'read', modelId: groupContent.id, slice: [`#${groupSlice.id}`]}),
  110. ])
  111. }
  112. //filldb()
  113. function sliced(model){
  114. return async userId => {
  115. let user = await User.findByPk(userId)
  116. if (!user) throw new ReferenceError(`user with userId ${userId} doesn't exists`)
  117. let userSlice = await Slice.findOne({where: {
  118. model: 'user', //TODO configure this
  119. modelId: userId,
  120. permission: 'user'
  121. }})
  122. let [userRoles, userGroups] = [userSlice.roles, userSlice.groups]
  123. //console.log(userRoles, userGroups)
  124. let mapMethodToPermission = {
  125. read: ["count", "findAll", "findAndCountAll", "findByPk", "findOne", "max", "min", "sum"],
  126. write: ["create", "destroy","findCreateFind","findOrCreate","update","upsert" ]
  127. }
  128. //sequelize.addHook('beforeCreate', (...params) => console.log(params))
  129. let modelProxy = new Proxy(model, {
  130. get(model, method){
  131. let found = false
  132. for (var permission in mapMethodToPermission) {
  133. if (mapMethodToPermission[permission].includes(method)){
  134. found = true
  135. break;
  136. }
  137. }
  138. if (!found){
  139. console.log(`not found ${method}`)
  140. return model[method]
  141. }
  142. let checker = async slice => {
  143. let intersect = (await slice.allRoles).filter(role => userRoles.includes(role))
  144. return (intersect.length || (await slice.allUserIds).includes(userId + ''))
  145. }
  146. let wrappers = {
  147. async read(...params){
  148. console.log('read wrapper')
  149. let result = await model[method](...params)
  150. if (result instanceof Array){
  151. let ids = result.map(instance => instance.id)
  152. let slices = await Slice.findAll({where: {
  153. model: model.getTableName(),
  154. modelId: {[Op.in]: ids},
  155. permission,
  156. }})
  157. let filteredResult = []
  158. for (let slice of slices){
  159. let instance = result.filter(instance => instance.id === slice.modelId)[0]
  160. //role check
  161. if (await checker(slice)) {
  162. filteredResult.push(instance)
  163. continue;
  164. }
  165. }
  166. return filteredResult
  167. }
  168. if ('id' in result){ //one record
  169. let slice = await Slice.findOne({where: {
  170. model: model.getTableName(),
  171. modelId: result.id,
  172. permission,
  173. }})
  174. return (await checker(slice)) ? result : null;
  175. }
  176. }
  177. }
  178. return wrappers[permission]
  179. },
  180. })
  181. return modelProxy
  182. }
  183. }
  184. let SlicedContent = await sliced(Content)(3)
  185. let allContent = await SlicedContent.findByPk(3)
  186. console.log(allContent)
  187. let delay = ms => new Promise(r => setTimeout(r, ms))
  188. })()