page.js 29 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014
  1. module.exports = function(crowi) {
  2. var debug = require('debug')('crowi:models:page')
  3. , mongoose = require('mongoose')
  4. , ObjectId = mongoose.Schema.Types.ObjectId
  5. , GRANT_PUBLIC = 1
  6. , GRANT_RESTRICTED = 2
  7. , GRANT_SPECIFIED = 3
  8. , GRANT_OWNER = 4
  9. , PAGE_GRANT_ERROR = 1
  10. , STATUS_WIP = 'wip'
  11. , STATUS_PUBLISHED = 'published'
  12. , STATUS_DELETED = 'deleted'
  13. , STATUS_DEPRECATED = 'deprecated'
  14. , pageEvent = crowi.event('page')
  15. , pageSchema;
  16. function isPortalPath(path) {
  17. if (path.match(/.*\/$/)) {
  18. return true;
  19. }
  20. return false;
  21. }
  22. pageSchema = new mongoose.Schema({
  23. path: { type: String, required: true, index: true, unique: true },
  24. revision: { type: ObjectId, ref: 'Revision' },
  25. redirectTo: { type: String, index: true },
  26. status: { type: String, default: STATUS_PUBLISHED, index: true },
  27. grant: { type: Number, default: GRANT_PUBLIC, index: true },
  28. grantedUsers: [{ type: ObjectId, ref: 'User' }],
  29. creator: { type: ObjectId, ref: 'User', index: true },
  30. // lastUpdateUser: this schema is from 1.5.x (by deletion feature), and null is default.
  31. // the last update user on the screen is by revesion.author for B.C.
  32. lastUpdateUser: { type: ObjectId, ref: 'User', index: true },
  33. liker: [{ type: ObjectId, ref: 'User', index: true }],
  34. seenUsers: [{ type: ObjectId, ref: 'User', index: true }],
  35. commentCount: { type: Number, default: 0 },
  36. extended: {
  37. type: String,
  38. default: '{}',
  39. get: function(data) {
  40. try {
  41. return JSON.parse(data);
  42. } catch(e) {
  43. return data;
  44. }
  45. },
  46. set: function(data) {
  47. return JSON.stringify(data);
  48. }
  49. },
  50. createdAt: { type: Date, default: Date.now },
  51. updatedAt: Date
  52. }, {
  53. toJSON: {getters: true},
  54. toObject: {getters: true}
  55. });
  56. pageEvent.on('create', pageEvent.onCreate);
  57. pageEvent.on('update', pageEvent.onUpdate);
  58. pageSchema.methods.isWIP = function() {
  59. return this.status === STATUS_WIP;
  60. };
  61. pageSchema.methods.isPublished = function() {
  62. // null: this is for B.C.
  63. return this.status === null || this.status === STATUS_PUBLISHED;
  64. };
  65. pageSchema.methods.isDeleted = function() {
  66. return this.status === STATUS_DELETED;
  67. };
  68. pageSchema.methods.isDeprecated = function() {
  69. return this.status === STATUS_DEPRECATED;
  70. };
  71. pageSchema.methods.isPublic = function() {
  72. if (!this.grant || this.grant == GRANT_PUBLIC) {
  73. return true;
  74. }
  75. return false;
  76. };
  77. pageSchema.methods.isPortal = function() {
  78. return isPortalPath(this.path);
  79. };
  80. pageSchema.methods.isCreator = function(userData) {
  81. if (this.populated('creator') && this.creator._id.toString() === userData._id.toString()) {
  82. return true;
  83. } else if (this.creator.toString() === userData._id.toString()) {
  84. return true
  85. }
  86. return false;
  87. };
  88. pageSchema.methods.isGrantedFor = function(userData) {
  89. if (this.isPublic() || this.isCreator(userData)) {
  90. return true;
  91. }
  92. if (this.grantedUsers.indexOf(userData._id) >= 0) {
  93. return true;
  94. }
  95. return false;
  96. };
  97. pageSchema.methods.isLatestRevision = function() {
  98. // populate されていなくて判断できない
  99. if (!this.latestRevision || !this.revision) {
  100. return true;
  101. }
  102. return (this.latestRevision == this.revision._id.toString());
  103. };
  104. pageSchema.methods.isUpdatable = function(previousRevision) {
  105. var revision = this.latestRevision || this.revision;
  106. if (revision != previousRevision) {
  107. return false;
  108. }
  109. return true;
  110. };
  111. pageSchema.methods.isLiked = function(userData) {
  112. return this.liker.some(function(likedUser) {
  113. return likedUser == userData._id.toString();
  114. });
  115. };
  116. pageSchema.methods.like = function(userData) {
  117. var self = this,
  118. Page = self;
  119. return new Promise(function(resolve, reject) {
  120. var added = self.liker.addToSet(userData._id);
  121. if (added.length > 0) {
  122. self.save(function(err, data) {
  123. if (err) {
  124. return reject(err);
  125. }
  126. debug('liker updated!', added);
  127. return resolve(data);
  128. });
  129. } else {
  130. debug('liker not updated');
  131. return reject(self);
  132. }
  133. });
  134. };
  135. pageSchema.methods.unlike = function(userData, callback) {
  136. var self = this,
  137. Page = self;
  138. return new Promise(function(resolve, reject) {
  139. var beforeCount = self.liker.length;
  140. self.liker.pull(userData._id);
  141. if (self.liker.length != beforeCount) {
  142. self.save(function(err, data) {
  143. if (err) {
  144. return reject(err);
  145. }
  146. return resolve(data);
  147. });
  148. } else {
  149. debug('liker not updated');
  150. return reject(self);
  151. }
  152. });
  153. };
  154. pageSchema.methods.isSeenUser = function(userData) {
  155. var self = this,
  156. Page = self;
  157. return this.seenUsers.some(function(seenUser) {
  158. return seenUser.equals(userData._id);
  159. });
  160. };
  161. pageSchema.methods.seen = function(userData) {
  162. var self = this,
  163. Page = self;
  164. if (this.isSeenUser(userData)) {
  165. debug('seenUsers not updated');
  166. return Promise.resolve(this);
  167. }
  168. return new Promise(function(resolve, reject) {
  169. if (!userData || !userData._id) {
  170. reject(new Error('User data is not valid'));
  171. }
  172. var added = self.seenUsers.addToSet(userData);
  173. self.save(function(err, data) {
  174. if (err) {
  175. return reject(err);
  176. }
  177. debug('seenUsers updated!', added);
  178. return resolve(self);
  179. });
  180. });
  181. };
  182. pageSchema.methods.getSlackChannel = function() {
  183. var extended = this.get('extended');
  184. if (!extended) {
  185. return '';
  186. }
  187. return extended.slack || '';
  188. };
  189. pageSchema.methods.updateSlackChannel = function(slackChannel) {
  190. var extended = this.extended;
  191. extended.slack = slackChannel;
  192. return this.updateExtended(extended);
  193. };
  194. pageSchema.methods.updateExtended = function(extended) {
  195. var page = this;
  196. page.extended = extended;
  197. return new Promise(function(resolve, reject) {
  198. return page.save(function(err, doc) {
  199. if (err) {
  200. return reject(err);
  201. }
  202. return resolve(doc);
  203. });
  204. });
  205. };
  206. pageSchema.statics.populatePageData = function(pageData, revisionId) {
  207. var Page = crowi.model('Page');
  208. var User = crowi.model('User');
  209. pageData.latestRevision = pageData.revision;
  210. if (revisionId) {
  211. pageData.revision = revisionId;
  212. }
  213. pageData.likerCount = pageData.liker.length || 0;
  214. pageData.seenUsersCount = pageData.seenUsers.length || 0;
  215. return new Promise(function(resolve, reject) {
  216. pageData.populate([
  217. {path: 'lastUpdateUser', model: 'User', select: User.USER_PUBLIC_FIELDS},
  218. {path: 'creator', model: 'User', select: User.USER_PUBLIC_FIELDS},
  219. {path: 'revision', model: 'Revision'},
  220. //{path: 'liker', options: { limit: 11 }},
  221. //{path: 'seenUsers', options: { limit: 11 }},
  222. ], function (err, pageData) {
  223. Page.populate(pageData, {path: 'revision.author', model: 'User', select: User.USER_PUBLIC_FIELDS}, function(err, data) {
  224. if (err) {
  225. return reject(err);
  226. }
  227. return resolve(data);
  228. });
  229. });
  230. });
  231. };
  232. pageSchema.statics.populatePageListToAnyObjects = function(pageIdObjectArray) {
  233. var Page = this;
  234. var pageIdMappings = {};
  235. var pageIds = pageIdObjectArray.map(function(page, idx) {
  236. if (!page._id) {
  237. throw new Error('Pass the arg of populatePageListToAnyObjects() must have _id on each element.');
  238. }
  239. pageIdMappings[String(page._id)] = idx;
  240. return page._id;
  241. });
  242. return new Promise(function(resolve, reject) {
  243. Page.findListByPageIds(pageIds, {limit: 100}) // limit => if the pagIds is greater than 100, ignore
  244. .then(function(pages) {
  245. pages.forEach(function(page) {
  246. Object.assign(pageIdObjectArray[pageIdMappings[String(page._id)]], page._doc);
  247. });
  248. resolve(pageIdObjectArray);
  249. });
  250. });
  251. };
  252. pageSchema.statics.updateCommentCount = function (page, num)
  253. {
  254. var self = this;
  255. return new Promise(function(resolve, reject) {
  256. self.update({_id: page}, {commentCount: num}, {}, function(err, data) {
  257. if (err) {
  258. debug('Update commentCount Error', err);
  259. return reject(err);
  260. }
  261. return resolve(data);
  262. });
  263. });
  264. };
  265. pageSchema.statics.hasPortalPage = function (path, user, revisionId) {
  266. var self = this;
  267. return new Promise(function(resolve, reject) {
  268. self.findPage(path, user, revisionId)
  269. .then(function(page) {
  270. resolve(page);
  271. }).catch(function(err) {
  272. resolve(null); // check only has portal page, through error
  273. });
  274. });
  275. };
  276. pageSchema.statics.getGrantLabels = function() {
  277. var grantLabels = {};
  278. grantLabels[GRANT_PUBLIC] = 'Public'; // 公開
  279. grantLabels[GRANT_RESTRICTED] = 'Anyone with the link'; // リンクを知っている人のみ
  280. //grantLabels[GRANT_SPECIFIED] = 'Specified users only'; // 特定ユーザーのみ
  281. grantLabels[GRANT_OWNER] = 'Just me'; // 自分のみ
  282. return grantLabels;
  283. };
  284. pageSchema.statics.normalizePath = function(path) {
  285. if (!path.match(/^\//)) {
  286. path = '/' + path;
  287. }
  288. return path;
  289. };
  290. pageSchema.statics.getUserPagePath = function(user) {
  291. return '/user/' + user.username;
  292. };
  293. pageSchema.statics.getDeletedPageName = function(path) {
  294. if (path.match('\/')) {
  295. path = path.substr(1);
  296. }
  297. return '/trash/' + path;
  298. };
  299. pageSchema.statics.getRevertDeletedPageName = function(path) {
  300. return path.replace('\/trash', '');
  301. };
  302. pageSchema.statics.isDeletableName = function(path) {
  303. var notDeletable = [
  304. /^\/user\/[^\/]+$/, // user page
  305. ];
  306. for (var i = 0; i < notDeletable.length; i++) {
  307. var pattern = notDeletable[i];
  308. if (path.match(pattern)) {
  309. return false;
  310. }
  311. }
  312. return true;
  313. };
  314. pageSchema.statics.isCreatableName = function(name) {
  315. var forbiddenPages = [
  316. /\^|\$|\*|\+|\#/,
  317. /^\/_.*/, // /_api/* and so on
  318. /^\/\-\/.*/,
  319. /^\/_r\/.*/,
  320. /^\/user\/[^\/]+\/(bookmarks|comments|activities|pages|recent-create|recent-edit)/, // reserved
  321. /^\/?https?:\/\/.+$/, // avoid miss in renaming
  322. /\/{2,}/, // avoid miss in renaming
  323. /.+\/edit$/,
  324. /.+\.md$/,
  325. /^\/(installer|register|login|logout|admin|me|files|trash|paste|comments)(\/.*|$)/,
  326. ];
  327. var isCreatable = true;
  328. forbiddenPages.forEach(function(page) {
  329. var pageNameReg = new RegExp(page);
  330. if (name.match(pageNameReg)) {
  331. isCreatable = false;
  332. return ;
  333. }
  334. });
  335. return isCreatable;
  336. };
  337. pageSchema.statics.fixToCreatableName = function(path) {
  338. return path
  339. .replace(/\/\//g, '/')
  340. ;
  341. };
  342. pageSchema.statics.updateRevision = function(pageId, revisionId, cb) {
  343. this.update({_id: pageId}, {revision: revisionId}, {}, function(err, data) {
  344. cb(err, data);
  345. });
  346. };
  347. pageSchema.statics.findUpdatedList = function(offset, limit, cb) {
  348. this
  349. .find({})
  350. .sort({updatedAt: -1})
  351. .skip(offset)
  352. .limit(limit)
  353. .exec(function(err, data) {
  354. cb(err, data);
  355. });
  356. };
  357. pageSchema.statics.findPageById = function(id) {
  358. var Page = this;
  359. return new Promise(function(resolve, reject) {
  360. Page.findOne({_id: id}, function(err, pageData) {
  361. if (err) {
  362. return reject(err);
  363. }
  364. if (pageData == null) {
  365. return reject(new Error('Page not found'));
  366. }
  367. return Page.populatePageData(pageData, null).then(resolve);
  368. });
  369. });
  370. };
  371. pageSchema.statics.findPageByIdAndGrantedUser = function(id, userData) {
  372. var Page = this;
  373. return new Promise(function(resolve, reject) {
  374. Page.findPageById(id)
  375. .then(function(pageData) {
  376. if (userData && !pageData.isGrantedFor(userData)) {
  377. return reject(new Error('Page is not granted for the user')); //PAGE_GRANT_ERROR, null);
  378. }
  379. return resolve(pageData);
  380. }).catch(function(err) {
  381. return reject(err);
  382. });
  383. });
  384. };
  385. // find page and check if granted user
  386. pageSchema.statics.findPage = function(path, userData, revisionId, ignoreNotFound) {
  387. var self = this;
  388. return new Promise(function(resolve, reject) {
  389. self.findOne({path: path}, function(err, pageData) {
  390. if (err) {
  391. return reject(err);
  392. }
  393. if (pageData === null) {
  394. if (ignoreNotFound) {
  395. return resolve(null);
  396. }
  397. var pageNotFoundError = new Error('Page Not Found')
  398. pageNotFoundError.name = 'Crowi:Page:NotFound';
  399. return reject(pageNotFoundError);
  400. }
  401. if (!pageData.isGrantedFor(userData)) {
  402. return reject(new Error('Page is not granted for the user')); //PAGE_GRANT_ERROR, null);
  403. }
  404. self.populatePageData(pageData, revisionId || null).then(resolve).catch(reject);
  405. });
  406. });
  407. };
  408. // find page by path
  409. pageSchema.statics.findPageByPath = function(path) {
  410. var Page = this;
  411. return new Promise(function(resolve, reject) {
  412. Page.findOne({path: path}, function(err, pageData) {
  413. if (err || pageData === null) {
  414. return reject(err);
  415. }
  416. return resolve(pageData);
  417. });
  418. });
  419. };
  420. pageSchema.statics.findListByPageIds = function(ids, options) {
  421. var Page = this;
  422. var User = crowi.model('User');
  423. var options = options || {}
  424. , limit = options.limit || 50
  425. , offset = options.skip || 0
  426. ;
  427. return new Promise(function(resolve, reject) {
  428. Page
  429. .find({ _id: { $in: ids }, grant: GRANT_PUBLIC })
  430. //.sort({createdAt: -1}) // TODO optionize
  431. .skip(offset)
  432. .limit(limit)
  433. .populate([
  434. {path: 'creator', model: 'User', select: User.USER_PUBLIC_FIELDS},
  435. {path: 'revision', model: 'Revision'},
  436. ])
  437. .exec(function(err, pages) {
  438. if (err) {
  439. return reject(err);
  440. }
  441. Page.populate(pages, {path: 'revision.author', model: 'User', select: User.USER_PUBLIC_FIELDS}, function(err, data) {
  442. if (err) {
  443. return reject(err);
  444. }
  445. return resolve(data);
  446. });
  447. });
  448. });
  449. };
  450. pageSchema.statics.findPageByRedirectTo = function(path) {
  451. var Page = this;
  452. return new Promise(function(resolve, reject) {
  453. Page.findOne({redirectTo: path}, function(err, pageData) {
  454. if (err || pageData === null) {
  455. return reject(err);
  456. }
  457. return resolve(pageData);
  458. });
  459. });
  460. };
  461. pageSchema.statics.findListByCreator = function(user, option, currentUser) {
  462. var Page = this;
  463. var User = crowi.model('User');
  464. var limit = option.limit || 50;
  465. var offset = option.offset || 0;
  466. var conditions = { creator: user._id, redirectTo: null };
  467. if (!user.equals(currentUser._id)) {
  468. conditions.grant = GRANT_PUBLIC;
  469. }
  470. return new Promise(function(resolve, reject) {
  471. Page
  472. .find(conditions)
  473. .sort({createdAt: -1})
  474. .skip(offset)
  475. .limit(limit)
  476. .populate('revision')
  477. .exec()
  478. .then(function(pages) {
  479. return Page.populate(pages, {path: 'revision.author', model: 'User', select: User.USER_PUBLIC_FIELDS}).then(resolve);
  480. });
  481. });
  482. };
  483. /**
  484. * Bulk get (for internal only)
  485. */
  486. pageSchema.statics.getStreamOfFindAll = function(options) {
  487. var Page = this
  488. , options = options || {}
  489. , publicOnly = options.publicOnly || true
  490. , criteria = {redirectTo: null,}
  491. ;
  492. if (publicOnly) {
  493. criteria.grant = GRANT_PUBLIC;
  494. }
  495. return this.find(criteria)
  496. .populate([
  497. {path: 'creator', model: 'User'},
  498. {path: 'revision', model: 'Revision'},
  499. ])
  500. .sort({updatedAt: -1})
  501. .cursor();
  502. };
  503. /**
  504. * findListByStartWith
  505. *
  506. * If `path` has `/` at the end, returns '{path}/*' and '{path}' self.
  507. * If `path` doesn't have `/` at the end, returns '{path}*'
  508. * e.g.
  509. */
  510. pageSchema.statics.findListByStartWith = function(path, userData, option) {
  511. var Page = this;
  512. var User = crowi.model('User');
  513. var pathCondition = [];
  514. var includeDeletedPage = option.includeDeletedPage || false
  515. if (!option) {
  516. option = {sort: 'updatedAt', desc: -1, offset: 0, limit: 50};
  517. }
  518. var opt = {
  519. sort: option.sort || 'updatedAt',
  520. desc: option.desc || -1,
  521. offset: option.offset || 0,
  522. limit: option.limit || 50
  523. };
  524. var sortOpt = {};
  525. sortOpt[opt.sort] = opt.desc;
  526. var queryReg = new RegExp('^' + path);
  527. var sliceOption = option.revisionSlice || {$slice: 1};
  528. pathCondition.push({path: queryReg});
  529. if (path.match(/\/$/)) {
  530. debug('Page list by ending with /, so find also upper level page');
  531. pathCondition.push({path: path.substr(0, path.length -1)});
  532. }
  533. return new Promise(function(resolve, reject) {
  534. // FIXME: might be heavy
  535. var q = Page.find({
  536. redirectTo: null,
  537. $or: [
  538. {grant: null},
  539. {grant: GRANT_PUBLIC},
  540. {grant: GRANT_RESTRICTED, grantedUsers: userData._id},
  541. {grant: GRANT_SPECIFIED, grantedUsers: userData._id},
  542. {grant: GRANT_OWNER, grantedUsers: userData._id},
  543. ],})
  544. .populate('revision')
  545. .and({
  546. $or: pathCondition
  547. })
  548. .sort(sortOpt)
  549. .skip(opt.offset)
  550. .limit(opt.limit);
  551. if (!includeDeletedPage) {
  552. q.and({
  553. $or: [
  554. {status: null},
  555. {status: STATUS_PUBLISHED},
  556. ],
  557. });
  558. }
  559. q.exec()
  560. .then(function(pages) {
  561. Page.populate(pages, {path: 'revision.author', model: 'User', select: User.USER_PUBLIC_FIELDS})
  562. .then(resolve)
  563. .catch(reject);
  564. })
  565. });
  566. };
  567. pageSchema.statics.updatePageProperty = function(page, updateData) {
  568. var Page = this;
  569. return new Promise(function(resolve, reject) {
  570. // TODO foreach して save
  571. Page.update({_id: page._id}, {$set: updateData}, function(err, data) {
  572. if (err) {
  573. return reject(err);
  574. }
  575. return resolve(data);
  576. });
  577. });
  578. };
  579. pageSchema.statics.updateGrant = function(page, grant, userData) {
  580. var Page = this;
  581. return new Promise(function(resolve, reject) {
  582. page.grant = grant;
  583. if (grant == GRANT_PUBLIC) {
  584. page.grantedUsers = [];
  585. } else {
  586. page.grantedUsers = [];
  587. page.grantedUsers.push(userData._id);
  588. }
  589. page.save(function(err, data) {
  590. debug('Page.updateGrant, saved grantedUsers.', err, data);
  591. if (err) {
  592. return reject(err);
  593. }
  594. return resolve(data);
  595. });
  596. });
  597. };
  598. // Instance method でいいのでは
  599. pageSchema.statics.pushToGrantedUsers = function(page, userData) {
  600. return new Promise(function(resolve, reject) {
  601. if (!page.grantedUsers || !Array.isArray(page.grantedUsers)) {
  602. page.grantedUsers = [];
  603. }
  604. page.grantedUsers.push(userData);
  605. page.save(function(err, data) {
  606. if (err) {
  607. return reject(err);
  608. }
  609. return resolve(data);
  610. });
  611. });
  612. };
  613. pageSchema.statics.pushRevision = function(pageData, newRevision, user) {
  614. var isCreate = false;
  615. if (pageData.revision === undefined) {
  616. debug('pushRevision on Create');
  617. isCreate = true;
  618. }
  619. return new Promise(function(resolve, reject) {
  620. newRevision.save(function(err, newRevision) {
  621. if (err) {
  622. debug('Error on saving revision', err);
  623. return reject(err);
  624. }
  625. debug('Successfully saved new revision', newRevision);
  626. pageData.revision = newRevision;
  627. pageData.lastUpdateUser = user;
  628. pageData.updatedAt = Date.now();
  629. pageData.save(function(err, data) {
  630. if (err) {
  631. // todo: remove new revision?
  632. debug('Error on save page data (after push revision)', err);
  633. return reject(err);
  634. }
  635. resolve(data);
  636. if (!isCreate) {
  637. debug('pushRevision on Update');
  638. }
  639. });
  640. });
  641. });
  642. };
  643. pageSchema.statics.create = function(path, body, user, options) {
  644. var Page = this
  645. , Revision = crowi.model('Revision')
  646. , format = options.format || 'markdown'
  647. , grant = options.grant || GRANT_PUBLIC
  648. , redirectTo = options.redirectTo || null;
  649. // force public
  650. if (isPortalPath(path)) {
  651. grant = GRANT_PUBLIC;
  652. }
  653. return new Promise(function(resolve, reject) {
  654. Page.findOne({path: path}, function(err, pageData) {
  655. if (pageData) {
  656. return reject(new Error('Cannot create new page to existed path'));
  657. }
  658. var newPage = new Page();
  659. newPage.path = path;
  660. newPage.creator = user;
  661. newPage.lastUpdateUser = user;
  662. newPage.createdAt = Date.now();
  663. newPage.updatedAt = Date.now();
  664. newPage.redirectTo = redirectTo;
  665. newPage.grant = grant;
  666. newPage.status = STATUS_PUBLISHED;
  667. newPage.grantedUsers = [];
  668. newPage.grantedUsers.push(user);
  669. newPage.save(function (err, newPage) {
  670. if (err) {
  671. return reject(err);
  672. }
  673. var newRevision = Revision.prepareRevision(newPage, body, user, {format: format});
  674. Page.pushRevision(newPage, newRevision, user).then(function(data) {
  675. resolve(data);
  676. pageEvent.emit('create', data, user);
  677. }).catch(function(err) {
  678. debug('Push Revision Error on create page', err);
  679. return reject(err);
  680. });
  681. });
  682. });
  683. });
  684. };
  685. pageSchema.statics.updatePage = function(pageData, body, user, options) {
  686. var Page = this
  687. , Revision = crowi.model('Revision')
  688. , grant = options.grant || null
  689. ;
  690. // update existing page
  691. var newRevision = Revision.prepareRevision(pageData, body, user);
  692. return new Promise(function(resolve, reject) {
  693. Page.pushRevision(pageData, newRevision, user)
  694. .then(function(revision) {
  695. if (grant != pageData.grant) {
  696. return Page.updateGrant(pageData, grant, user).then(function(data) {
  697. debug('Page grant update:', data);
  698. resolve(data);
  699. pageEvent.emit('update', data, user);
  700. });
  701. } else {
  702. resolve(pageData);
  703. pageEvent.emit('update', pageData, user);
  704. }
  705. }).catch(function(err) {
  706. debug('Error on update', err);
  707. debug('Error on update', err.stack);
  708. });
  709. });
  710. };
  711. pageSchema.statics.deletePage = function(pageData, user, options) {
  712. var Page = this
  713. , newPath = Page.getDeletedPageName(pageData.path)
  714. ;
  715. if (Page.isDeletableName(pageData.path)) {
  716. return new Promise(function(resolve, reject) {
  717. Page.updatePageProperty(pageData, {status: STATUS_DELETED, lastUpdateUser: user})
  718. .then(function(data) {
  719. pageData.status = STATUS_DELETED;
  720. // ページ名が /trash/ 以下に存在する場合、おかしなことになる
  721. // が、 /trash 以下にページが有るのは、個別に作っていたケースのみ。
  722. // 一応しばらく前から uncreatable pages になっているのでこれでいいことにする
  723. debug('Deleted the page, and rename it', pageData.path, newPath);
  724. return Page.rename(pageData, newPath, user, {createRedirectPage: true})
  725. }).then(function(pageData) {
  726. resolve(pageData);
  727. }).catch(reject);
  728. });
  729. } else {
  730. return Promise.reject('Page is not deletable.');
  731. }
  732. };
  733. pageSchema.statics.revertDeletedPage = function(pageData, user, options) {
  734. var Page = this
  735. , newPath = Page.getRevertDeletedPageName(pageData.path)
  736. ;
  737. // 削除時、元ページの path には必ず redirectTo 付きで、ページが作成される。
  738. // そのため、そいつは削除してOK
  739. // が、redirectTo ではないページが存在している場合それは何かがおかしい。(データ補正が必要)
  740. return new Promise(function(resolve, reject) {
  741. Page.findPageByPath(newPath)
  742. .then(function(originPageData) {
  743. if (originPageData.redirectTo !== pageData.path) {
  744. throw new Error('The new page of to revert is exists and the redirect path of the page is not the deleted page.');
  745. }
  746. return Page.completelyDeletePage(originPageData);
  747. }).then(function(done) {
  748. return Page.updatePageProperty(pageData, {status: STATUS_PUBLISHED, lastUpdateUser: user})
  749. }).then(function(done) {
  750. pageData.status = STATUS_PUBLISHED;
  751. debug('Revert deleted the page, and rename again it', pageData, newPath);
  752. return Page.rename(pageData, newPath, user, {})
  753. }).then(function(done) {
  754. pageData.path = newPath;
  755. resolve(pageData);
  756. }).catch(reject);
  757. });
  758. };
  759. /**
  760. * This is danger.
  761. */
  762. pageSchema.statics.completelyDeletePage = function(pageData, user, options) {
  763. // Delete Bookmarks, Attachments, Revisions, Pages and emit delete
  764. var Bookmark = crowi.model('Bookmark')
  765. , Attachment = crowi.model('Attachment')
  766. , Comment = crowi.model('Comment')
  767. , Revision = crowi.model('Revision')
  768. , Page = this
  769. , pageId = pageData._id
  770. ;
  771. debug('Completely delete', pageData.path);
  772. return new Promise(function(resolve, reject) {
  773. Bookmark.removeBookmarksByPageId(pageId)
  774. .then(function(done) {
  775. }).then(function(done) {
  776. return Attachment.removeAttachmentsByPageId(pageId);
  777. }).then(function(done) {
  778. return Comment.removeCommentsByPageId(pageId);
  779. }).then(function(done) {
  780. return Revision.removeRevisionsByPath(pageData.path);
  781. }).then(function(done) {
  782. return Page.removePageById(pageId);
  783. }).then(function(done) {
  784. return Page.removeRedirectOriginPageByPath(pageData.path);
  785. }).then(function(done) {
  786. pageEvent.emit('delete', pageData, user); // update as renamed page
  787. resolve(pageData);
  788. }).catch(reject);
  789. });
  790. };
  791. pageSchema.statics.removePageById = function(pageId) {
  792. var Page = this;
  793. return new Promise(function(resolve, reject) {
  794. Page.remove({_id: pageId}, function(err, done) {
  795. debug('Remove phisiaclly, the page', pageId, err, done);
  796. if (err) {
  797. return reject(err);
  798. }
  799. resolve(done);
  800. });
  801. });
  802. };
  803. pageSchema.statics.removePageByPath = function(pagePath) {
  804. var Page = this;
  805. return Page.findPageByPath(redirectPath)
  806. .then(function(pageData) {
  807. return Page.removePageById(pageData.id);
  808. });
  809. };
  810. /**
  811. * remove the page that is redirecting to specified `pagePath` recursively
  812. * ex: when
  813. * '/page1' redirects to '/page2' and
  814. * '/page2' redirects to '/page3'
  815. * and given '/page3',
  816. * '/page1' and '/page2' will be removed
  817. *
  818. * @param {string} pagePath
  819. */
  820. pageSchema.statics.removeRedirectOriginPageByPath = function(pagePath) {
  821. var Page = this;
  822. return Page.findPageByRedirectTo(pagePath)
  823. .then((redirectOriginPageData) => {
  824. // remove
  825. return Page.removePageById(redirectOriginPageData.id)
  826. // remove recursive
  827. .then(() => {
  828. return Page.removeRedirectOriginPageByPath(redirectOriginPageData.path)
  829. });
  830. })
  831. .catch((err) => {
  832. // do nothing if origin page doesn't exist
  833. return Promise.resolve();
  834. })
  835. };
  836. pageSchema.statics.rename = function(pageData, newPagePath, user, options) {
  837. var Page = this
  838. , Revision = crowi.model('Revision')
  839. , path = pageData.path
  840. , createRedirectPage = options.createRedirectPage || 0
  841. , moveUnderTrees = options.moveUnderTrees || 0;
  842. return new Promise(function(resolve, reject) {
  843. // pageData の path を変更
  844. Page.updatePageProperty(pageData, {updatedAt: Date.now(), path: newPagePath, lastUpdateUser: user})
  845. .then(function(data) {
  846. // reivisions の path を変更
  847. return Revision.updateRevisionListByPath(path, {path: newPagePath}, {})
  848. }).then(function(data) {
  849. pageData.path = newPagePath;
  850. if (createRedirectPage) {
  851. var body = 'redirect ' + newPagePath;
  852. Page.create(path, body, user, {redirectTo: newPagePath}).then(resolve).catch(reject);
  853. } else {
  854. resolve(data);
  855. }
  856. pageEvent.emit('update', pageData, user); // update as renamed page
  857. });
  858. });
  859. };
  860. pageSchema.statics.getHistories = function() {
  861. // TODO
  862. return;
  863. };
  864. pageSchema.statics.GRANT_PUBLIC = GRANT_PUBLIC;
  865. pageSchema.statics.GRANT_RESTRICTED = GRANT_RESTRICTED;
  866. pageSchema.statics.GRANT_SPECIFIED = GRANT_SPECIFIED;
  867. pageSchema.statics.GRANT_OWNER = GRANT_OWNER;
  868. pageSchema.statics.PAGE_GRANT_ERROR = PAGE_GRANT_ERROR;
  869. return mongoose.model('Page', pageSchema);
  870. };