wekanCreator.js 31 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974
  1. const DateString = Match.Where(function(dateAsString) {
  2. check(dateAsString, String);
  3. return moment(dateAsString, moment.ISO_8601).isValid();
  4. });
  5. export class WekanCreator {
  6. constructor(data) {
  7. // we log current date, to use the same timestamp for all our actions.
  8. // this helps to retrieve all elements performed by the same import.
  9. this._nowDate = new Date();
  10. // The object creation dates, indexed by Wekan id
  11. // (so we only parse actions once!)
  12. this.createdAt = {
  13. board: null,
  14. cards: {},
  15. lists: {},
  16. swimlanes: {},
  17. customFields: {},
  18. };
  19. // The object creator Wekan Id, indexed by the object Wekan id
  20. // (so we only parse actions once!)
  21. this.createdBy = {
  22. cards: {}, // only cards have a field for that
  23. };
  24. // Map of labels Wekan ID => Wekan ID
  25. this.labels = {};
  26. // Map of swimlanes Wekan ID => Wekan ID
  27. this.swimlanes = {};
  28. // Map of lists Wekan ID => Wekan ID
  29. this.lists = {};
  30. // Map of cards Wekan ID => Wekan ID
  31. this.cards = {};
  32. // Map of custom fields Wekan ID => Wekan ID
  33. this.customFields = {};
  34. // Map of comments Wekan ID => Wekan ID
  35. this.commentIds = {};
  36. // Map of attachments Wekan ID => Wekan ID
  37. this.attachmentIds = {};
  38. // Map of checklists Wekan ID => Wekan ID
  39. this.checklists = {};
  40. // Map of checklistItems Wekan ID => Wekan ID
  41. this.checklistItems = {};
  42. // The comments, indexed by Wekan card id (to map when importing cards)
  43. this.comments = {};
  44. // Map of rules Wekan ID => Wekan ID
  45. this.rules = {};
  46. // the members, indexed by Wekan member id => Wekan user ID
  47. this.members = data.membersMapping ? data.membersMapping : {};
  48. // Map of triggers Wekan ID => Wekan ID
  49. this.triggers = {};
  50. // Map of actions Wekan ID => Wekan ID
  51. this.actions = {};
  52. // maps a wekanCardId to an array of wekanAttachments
  53. this.attachments = {};
  54. }
  55. /**
  56. * If dateString is provided,
  57. * return the Date it represents.
  58. * If not, will return the date when it was first called.
  59. * This is useful for us, as we want all import operations to
  60. * have the exact same date for easier later retrieval.
  61. *
  62. * @param {String} dateString a properly formatted Date
  63. */
  64. _now(dateString) {
  65. if (dateString) {
  66. return new Date(dateString);
  67. }
  68. if (!this._nowDate) {
  69. this._nowDate = new Date();
  70. }
  71. return this._nowDate;
  72. }
  73. /**
  74. * if wekanUserId is provided and we have a mapping,
  75. * return it.
  76. * Otherwise return current logged user.
  77. * @param wekanUserId
  78. * @private
  79. */
  80. _user(wekanUserId) {
  81. if (wekanUserId && this.members[wekanUserId]) {
  82. return this.members[wekanUserId];
  83. }
  84. return Meteor.userId();
  85. }
  86. checkActivities(wekanActivities) {
  87. check(wekanActivities, [
  88. Match.ObjectIncluding({
  89. activityType: String,
  90. createdAt: DateString,
  91. }),
  92. ]);
  93. // XXX we could perform more thorough checks based on action type
  94. }
  95. checkBoard(wekanBoard) {
  96. check(
  97. wekanBoard,
  98. Match.ObjectIncluding({
  99. archived: Boolean,
  100. title: String,
  101. // XXX refine control by validating 'color' against a list of
  102. // allowed values (is it worth the maintenance?)
  103. color: String,
  104. permission: Match.Where(value => {
  105. return ['private', 'public'].indexOf(value) >= 0;
  106. }),
  107. }),
  108. );
  109. }
  110. checkCards(wekanCards) {
  111. check(wekanCards, [
  112. Match.ObjectIncluding({
  113. archived: Boolean,
  114. dateLastActivity: DateString,
  115. labelIds: [String],
  116. title: String,
  117. sort: Number,
  118. }),
  119. ]);
  120. }
  121. checkLabels(wekanLabels) {
  122. check(wekanLabels, [
  123. Match.ObjectIncluding({
  124. // XXX refine control by validating 'color' against a list of allowed
  125. // values (is it worth the maintenance?)
  126. color: String,
  127. }),
  128. ]);
  129. }
  130. checkLists(wekanLists) {
  131. check(wekanLists, [
  132. Match.ObjectIncluding({
  133. archived: Boolean,
  134. title: String,
  135. }),
  136. ]);
  137. }
  138. checkSwimlanes(wekanSwimlanes) {
  139. check(wekanSwimlanes, [
  140. Match.ObjectIncluding({
  141. archived: Boolean,
  142. title: String,
  143. }),
  144. ]);
  145. }
  146. checkChecklists(wekanChecklists) {
  147. check(wekanChecklists, [
  148. Match.ObjectIncluding({
  149. cardId: String,
  150. title: String,
  151. }),
  152. ]);
  153. }
  154. checkChecklistItems(wekanChecklistItems) {
  155. check(wekanChecklistItems, [
  156. Match.ObjectIncluding({
  157. cardId: String,
  158. title: String,
  159. }),
  160. ]);
  161. }
  162. checkRules(wekanRules) {
  163. check(wekanRules, [
  164. Match.ObjectIncluding({
  165. triggerId: String,
  166. actionId: String,
  167. title: String,
  168. }),
  169. ]);
  170. }
  171. checkTriggers(wekanTriggers) {
  172. // XXX More check based on trigger type
  173. check(wekanTriggers, [
  174. Match.ObjectIncluding({
  175. activityType: String,
  176. desc: String,
  177. }),
  178. ]);
  179. }
  180. getMembersToMap(data) {
  181. // we will work on the list itself (an ordered array of objects) when a
  182. // mapping is done, we add a 'wekan' field to the object representing the
  183. // imported member
  184. const membersToMap = data.members;
  185. const users = data.users;
  186. // auto-map based on username
  187. membersToMap.forEach(importedMember => {
  188. importedMember.id = importedMember.userId;
  189. delete importedMember.userId;
  190. const user = users.filter(user => {
  191. return user._id === importedMember.id;
  192. })[0];
  193. if (user.profile && user.profile.fullname) {
  194. importedMember.fullName = user.profile.fullname;
  195. }
  196. importedMember.username = user.username;
  197. const wekanUser = Users.findOne({ username: importedMember.username });
  198. if (wekanUser) {
  199. importedMember.wekanId = wekanUser._id;
  200. }
  201. });
  202. return membersToMap;
  203. }
  204. checkActions(wekanActions) {
  205. // XXX More check based on action type
  206. check(wekanActions, [
  207. Match.ObjectIncluding({
  208. actionType: String,
  209. desc: String,
  210. }),
  211. ]);
  212. }
  213. // You must call parseActions before calling this one.
  214. createBoardAndLabels(boardToImport) {
  215. const boardToCreate = {
  216. archived: boardToImport.archived,
  217. color: boardToImport.color,
  218. // very old boards won't have a creation activity so no creation date
  219. createdAt: this._now(boardToImport.createdAt),
  220. labels: [],
  221. members: [
  222. {
  223. userId: Meteor.userId(),
  224. wekanId: Meteor.userId(),
  225. isActive: true,
  226. isAdmin: true,
  227. isNoComments: false,
  228. isCommentOnly: false,
  229. swimlaneId: false,
  230. },
  231. ],
  232. presentParentTask: boardToImport.presentParentTask,
  233. // Standalone Export has modifiedAt missing, adding modifiedAt to fix it
  234. modifiedAt: this._now(boardToImport.modifiedAt),
  235. permission: boardToImport.permission,
  236. slug: getSlug(boardToImport.title) || 'board',
  237. stars: 0,
  238. title: Boards.uniqueTitle(boardToImport.title),
  239. };
  240. // now add other members
  241. if (boardToImport.members) {
  242. boardToImport.members.forEach(wekanMember => {
  243. // is it defined and do we already have it in our list?
  244. if (
  245. wekanMember.wekanId &&
  246. !boardToCreate.members.some(
  247. member => member.wekanId === wekanMember.wekanId,
  248. )
  249. )
  250. boardToCreate.members.push({
  251. ...wekanMember,
  252. userId: wekanMember.wekanId,
  253. });
  254. });
  255. }
  256. if (boardToImport.labels) {
  257. boardToImport.labels.forEach(label => {
  258. const labelToCreate = {
  259. _id: Random.id(6),
  260. color: label.color,
  261. name: label.name,
  262. };
  263. // We need to remember them by Wekan ID, as this is the only ref we have
  264. // when importing cards.
  265. this.labels[label._id] = labelToCreate._id;
  266. boardToCreate.labels.push(labelToCreate);
  267. });
  268. }
  269. const boardId = Boards.direct.insert(boardToCreate);
  270. Boards.direct.update(boardId, {
  271. $set: {
  272. modifiedAt: this._now(),
  273. },
  274. });
  275. // log activity
  276. Activities.direct.insert({
  277. activityType: 'importBoard',
  278. boardId,
  279. createdAt: this._now(),
  280. source: {
  281. id: boardToImport.id,
  282. system: 'Wekan',
  283. },
  284. // We attribute the import to current user,
  285. // not the author from the original object.
  286. userId: this._user(),
  287. });
  288. return boardId;
  289. }
  290. /**
  291. * Create the Wekan cards corresponding to the supplied Wekan cards,
  292. * as well as all linked data: activities, comments, and attachments
  293. * @param wekanCards
  294. * @param boardId
  295. * @returns {Array}
  296. */
  297. createCards(wekanCards, boardId) {
  298. const result = [];
  299. wekanCards.forEach(card => {
  300. const cardToCreate = {
  301. archived: card.archived,
  302. boardId,
  303. // very old boards won't have a creation activity so no creation date
  304. createdAt: this._now(this.createdAt.cards[card._id]),
  305. dateLastActivity: this._now(),
  306. description: card.description,
  307. listId: this.lists[card.listId],
  308. swimlaneId: this.swimlanes[card.swimlaneId],
  309. sort: card.sort,
  310. title: card.title,
  311. // we attribute the card to its creator if available
  312. userId: this._user(this.createdBy.cards[card._id]),
  313. isOvertime: card.isOvertime || false,
  314. startAt: card.startAt ? this._now(card.startAt) : null,
  315. dueAt: card.dueAt ? this._now(card.dueAt) : null,
  316. spentTime: card.spentTime || null,
  317. };
  318. // add labels
  319. if (card.labelIds) {
  320. cardToCreate.labelIds = card.labelIds.map(wekanId => {
  321. return this.labels[wekanId];
  322. });
  323. }
  324. // add members {
  325. if (card.members) {
  326. const wekanMembers = [];
  327. // we can't just map, as some members may not have been mapped
  328. card.members.forEach(sourceMemberId => {
  329. if (this.members[sourceMemberId]) {
  330. const wekanId = this.members[sourceMemberId];
  331. // we may map multiple Wekan members to the same wekan user
  332. // in which case we risk adding the same user multiple times
  333. if (!wekanMembers.find(wId => wId === wekanId)) {
  334. wekanMembers.push(wekanId);
  335. }
  336. }
  337. return true;
  338. });
  339. if (wekanMembers.length > 0) {
  340. cardToCreate.members = wekanMembers;
  341. }
  342. }
  343. // add assignees
  344. if (card.assignees) {
  345. const wekanAssignees = [];
  346. // we can't just map, as some members may not have been mapped
  347. card.assignees.forEach(sourceMemberId => {
  348. if (this.members[sourceMemberId]) {
  349. const wekanId = this.members[sourceMemberId];
  350. // we may map multiple Wekan members to the same wekan user
  351. // in which case we risk adding the same user multiple times
  352. if (!wekanAssignees.find(wId => wId === wekanId)) {
  353. wekanAssignees.push(wekanId);
  354. }
  355. }
  356. return true;
  357. });
  358. if (wekanAssignees.length > 0) {
  359. cardToCreate.assignees = wekanAssignees;
  360. }
  361. }
  362. // set color
  363. if (card.color) {
  364. cardToCreate.color = card.color;
  365. }
  366. // add custom fields
  367. if (card.customFields) {
  368. cardToCreate.customFields = card.customFields.map(field => {
  369. return {
  370. _id: this.customFields[field._id],
  371. value: field.value,
  372. };
  373. });
  374. }
  375. // insert card
  376. const cardId = Cards.direct.insert(cardToCreate);
  377. // keep track of Wekan id => Wekan id
  378. this.cards[card._id] = cardId;
  379. // // log activity
  380. // Activities.direct.insert({
  381. // activityType: 'importCard',
  382. // boardId,
  383. // cardId,
  384. // createdAt: this._now(),
  385. // listId: cardToCreate.listId,
  386. // source: {
  387. // id: card._id,
  388. // system: 'Wekan',
  389. // },
  390. // // we attribute the import to current user,
  391. // // not the author of the original card
  392. // userId: this._user(),
  393. // });
  394. // add comments
  395. const comments = this.comments[card._id];
  396. if (comments) {
  397. comments.forEach(comment => {
  398. const commentToCreate = {
  399. boardId,
  400. cardId,
  401. createdAt: this._now(comment.createdAt),
  402. text: comment.text,
  403. // we attribute the comment to the original author, default to current user
  404. userId: this._user(comment.userId),
  405. };
  406. // dateLastActivity will be set from activity insert, no need to
  407. // update it ourselves
  408. const commentId = CardComments.direct.insert(commentToCreate);
  409. this.commentIds[comment._id] = commentId;
  410. // Activities.direct.insert({
  411. // activityType: 'addComment',
  412. // boardId: commentToCreate.boardId,
  413. // cardId: commentToCreate.cardId,
  414. // commentId,
  415. // createdAt: this._now(commentToCreate.createdAt),
  416. // // we attribute the addComment (not the import)
  417. // // to the original author - it is needed by some UI elements.
  418. // userId: commentToCreate.userId,
  419. // });
  420. });
  421. }
  422. const attachments = this.attachments[card._id];
  423. const wekanCoverId = card.coverId;
  424. if (attachments) {
  425. attachments.forEach(att => {
  426. const file = new FS.File();
  427. // Simulating file.attachData on the client generates multiple errors
  428. // - HEAD returns null, which causes exception down the line
  429. // - the template then tries to display the url to the attachment which causes other errors
  430. // so we make it server only, and let UI catch up once it is done, forget about latency comp.
  431. const self = this;
  432. if (Meteor.isServer) {
  433. if (att.url) {
  434. file.attachData(att.url, function(error) {
  435. file.boardId = boardId;
  436. file.cardId = cardId;
  437. file.userId = self._user(att.userId);
  438. // The field source will only be used to prevent adding
  439. // attachments' related activities automatically
  440. file.source = 'import';
  441. if (error) {
  442. throw error;
  443. } else {
  444. const wekanAtt = Attachments.insert(file, () => {
  445. // we do nothing
  446. });
  447. self.attachmentIds[att._id] = wekanAtt._id;
  448. //
  449. if (wekanCoverId === att._id) {
  450. Cards.direct.update(cardId, {
  451. $set: {
  452. coverId: wekanAtt._id,
  453. },
  454. });
  455. }
  456. }
  457. });
  458. } else if (att.file) {
  459. //If attribute type is null or empty string is set, assume binary stream
  460. att.type =
  461. !att.type || att.type.trim().length === 0
  462. ? 'application/octet-stream'
  463. : att.type;
  464. file.attachData(
  465. Buffer.from(att.file, 'base64'),
  466. {
  467. type: att.type,
  468. },
  469. error => {
  470. file.name(att.name);
  471. file.boardId = boardId;
  472. file.cardId = cardId;
  473. file.userId = self._user(att.userId);
  474. // The field source will only be used to prevent adding
  475. // attachments' related activities automatically
  476. file.source = 'import';
  477. if (error) {
  478. throw error;
  479. } else {
  480. const wekanAtt = Attachments.insert(file, () => {
  481. // we do nothing
  482. });
  483. this.attachmentIds[att._id] = wekanAtt._id;
  484. //
  485. if (wekanCoverId === att._id) {
  486. Cards.direct.update(cardId, {
  487. $set: {
  488. coverId: wekanAtt._id,
  489. },
  490. });
  491. }
  492. }
  493. },
  494. );
  495. }
  496. }
  497. // todo XXX set cover - if need be
  498. });
  499. }
  500. result.push(cardId);
  501. });
  502. return result;
  503. }
  504. /**
  505. * Create the Wekan custom fields corresponding to the supplied Wekan
  506. * custom fields.
  507. * @param wekanCustomFields
  508. * @param boardId
  509. */
  510. createCustomFields(wekanCustomFields, boardId) {
  511. wekanCustomFields.forEach((field, fieldIndex) => {
  512. const fieldToCreate = {
  513. boardIds: [boardId],
  514. name: field.name,
  515. type: field.type,
  516. settings: field.settings,
  517. showOnCard: field.showOnCard,
  518. showLabelOnMiniCard: field.showLabelOnMiniCard,
  519. automaticallyOnCard: field.automaticallyOnCard,
  520. alwaysOnCard: field.alwaysOnCard,
  521. //use date "now" if now created at date is provided (e.g. for very old boards)
  522. createdAt: this._now(this.createdAt.customFields[field._id]),
  523. modifiedAt: field.modifiedAt,
  524. };
  525. //insert copy of custom field
  526. const fieldId = CustomFields.direct.insert(fieldToCreate);
  527. //set modified date to now
  528. CustomFields.direct.update(fieldId, {
  529. $set: {
  530. modifiedAt: this._now(),
  531. },
  532. });
  533. //store mapping of old id to new id
  534. this.customFields[field._id] = fieldId;
  535. });
  536. }
  537. // Create labels if they do not exist and load this.labels.
  538. createLabels(wekanLabels, board) {
  539. wekanLabels.forEach(label => {
  540. const color = label.color;
  541. const name = label.name;
  542. const existingLabel = board.getLabel(name, color);
  543. if (existingLabel) {
  544. this.labels[label.id] = existingLabel._id;
  545. } else {
  546. const idLabelCreated = board.pushLabel(name, color);
  547. this.labels[label.id] = idLabelCreated;
  548. }
  549. });
  550. }
  551. createLists(wekanLists, boardId) {
  552. wekanLists.forEach((list, listIndex) => {
  553. const listToCreate = {
  554. archived: list.archived,
  555. boardId,
  556. // We are being defensing here by providing a default date (now) if the
  557. // creation date wasn't found on the action log. This happen on old
  558. // Wekan boards (eg from 2013) that didn't log the 'createList' action
  559. // we require.
  560. createdAt: this._now(this.createdAt.lists[list.id]),
  561. title: list.title,
  562. sort: list.sort ? list.sort : listIndex,
  563. };
  564. const listId = Lists.direct.insert(listToCreate);
  565. Lists.direct.update(listId, {
  566. $set: {
  567. updatedAt: this._now(),
  568. },
  569. });
  570. this.lists[list._id] = listId;
  571. // // log activity
  572. // Activities.direct.insert({
  573. // activityType: 'importList',
  574. // boardId,
  575. // createdAt: this._now(),
  576. // listId,
  577. // source: {
  578. // id: list._id,
  579. // system: 'Wekan',
  580. // },
  581. // // We attribute the import to current user,
  582. // // not the creator of the original object
  583. // userId: this._user(),
  584. // });
  585. });
  586. }
  587. createSwimlanes(wekanSwimlanes, boardId) {
  588. wekanSwimlanes.forEach((swimlane, swimlaneIndex) => {
  589. const swimlaneToCreate = {
  590. archived: swimlane.archived,
  591. boardId,
  592. // We are being defensing here by providing a default date (now) if the
  593. // creation date wasn't found on the action log. This happen on old
  594. // Wekan boards (eg from 2013) that didn't log the 'createList' action
  595. // we require.
  596. createdAt: this._now(this.createdAt.swimlanes[swimlane._id]),
  597. title: swimlane.title,
  598. sort: swimlane.sort ? swimlane.sort : swimlaneIndex,
  599. };
  600. // set color
  601. if (swimlane.color) {
  602. swimlaneToCreate.color = swimlane.color;
  603. }
  604. const swimlaneId = Swimlanes.direct.insert(swimlaneToCreate);
  605. Swimlanes.direct.update(swimlaneId, {
  606. $set: {
  607. updatedAt: this._now(),
  608. },
  609. });
  610. this.swimlanes[swimlane._id] = swimlaneId;
  611. });
  612. }
  613. createSubtasks(wekanCards) {
  614. wekanCards.forEach(card => {
  615. // get new id of card (in created / new board)
  616. const cardIdInNewBoard = this.cards[card._id];
  617. //If there is a mapped parent card, use the mapped card
  618. // this means, the card and parent were in the same source board
  619. //If there is no mapped parent card, use the original parent id,
  620. // this should handle cases where source and parent are in different boards
  621. // Note: This can only handle board cloning (within the same wekan instance).
  622. // When importing boards between instances the IDs are definitely
  623. // lost if source and parent are two different boards
  624. // This is not the place to fix it, the entire subtask system needs to be rethought there.
  625. const parentIdInNewBoard = this.cards[card.parentId]
  626. ? this.cards[card.parentId]
  627. : card.parentId;
  628. //if the parent card exists, proceed
  629. if (Cards.findOne(parentIdInNewBoard)) {
  630. //set parent id of the card in the new board to the new id of the parent
  631. Cards.direct.update(cardIdInNewBoard, {
  632. $set: {
  633. parentId: parentIdInNewBoard,
  634. },
  635. });
  636. }
  637. });
  638. }
  639. createChecklists(wekanChecklists) {
  640. const result = [];
  641. wekanChecklists.forEach((checklist, checklistIndex) => {
  642. // Create the checklist
  643. const checklistToCreate = {
  644. cardId: this.cards[checklist.cardId],
  645. title: checklist.title,
  646. createdAt: checklist.createdAt,
  647. sort: checklist.sort ? checklist.sort : checklistIndex,
  648. };
  649. const checklistId = Checklists.direct.insert(checklistToCreate);
  650. this.checklists[checklist._id] = checklistId;
  651. result.push(checklistId);
  652. });
  653. return result;
  654. }
  655. createTriggers(wekanTriggers, boardId) {
  656. wekanTriggers.forEach(trigger => {
  657. if (trigger.hasOwnProperty('labelId')) {
  658. trigger.labelId = this.labels[trigger.labelId];
  659. }
  660. if (trigger.hasOwnProperty('memberId')) {
  661. trigger.memberId = this.members[trigger.memberId];
  662. }
  663. trigger.boardId = boardId;
  664. const oldId = trigger._id;
  665. delete trigger._id;
  666. this.triggers[oldId] = Triggers.direct.insert(trigger);
  667. });
  668. }
  669. createActions(wekanActions, boardId) {
  670. wekanActions.forEach(action => {
  671. if (action.hasOwnProperty('labelId')) {
  672. action.labelId = this.labels[action.labelId];
  673. }
  674. if (action.hasOwnProperty('memberId')) {
  675. action.memberId = this.members[action.memberId];
  676. }
  677. action.boardId = boardId;
  678. const oldId = action._id;
  679. delete action._id;
  680. this.actions[oldId] = Actions.direct.insert(action);
  681. });
  682. }
  683. createRules(wekanRules, boardId) {
  684. wekanRules.forEach(rule => {
  685. // Create the rule
  686. rule.boardId = boardId;
  687. rule.triggerId = this.triggers[rule.triggerId];
  688. rule.actionId = this.actions[rule.actionId];
  689. delete rule._id;
  690. Rules.direct.insert(rule);
  691. });
  692. }
  693. createChecklistItems(wekanChecklistItems) {
  694. wekanChecklistItems.forEach((checklistitem, checklistitemIndex) => {
  695. //Check if the checklist for this item (still) exists
  696. //If a checklist was deleted, but items remain, the import would error out here
  697. //Leading to no further checklist items being imported
  698. if (this.checklists[checklistitem.checklistId]) {
  699. // Create the checklistItem
  700. const checklistItemTocreate = {
  701. title: checklistitem.title,
  702. checklistId: this.checklists[checklistitem.checklistId],
  703. cardId: this.cards[checklistitem.cardId],
  704. sort: checklistitem.sort ? checklistitem.sort : checklistitemIndex,
  705. isFinished: checklistitem.isFinished,
  706. };
  707. const checklistItemId = ChecklistItems.direct.insert(
  708. checklistItemTocreate,
  709. );
  710. this.checklistItems[checklistitem._id] = checklistItemId;
  711. }
  712. });
  713. }
  714. parseActivities(wekanBoard) {
  715. wekanBoard.activities.forEach(activity => {
  716. switch (activity.activityType) {
  717. case 'addAttachment': {
  718. // We have to be cautious, because the attachment could have been removed later.
  719. // In that case Wekan still reports its addition, but removes its 'url' field.
  720. // So we test for that
  721. const wekanAttachment = wekanBoard.attachments.filter(attachment => {
  722. return attachment._id === activity.attachmentId;
  723. })[0];
  724. if (typeof wekanAttachment !== 'undefined' && wekanAttachment) {
  725. if (wekanAttachment.url || wekanAttachment.file) {
  726. // we cannot actually create the Wekan attachment, because we don't yet
  727. // have the cards to attach it to, so we store it in the instance variable.
  728. const wekanCardId = activity.cardId;
  729. if (!this.attachments[wekanCardId]) {
  730. this.attachments[wekanCardId] = [];
  731. }
  732. this.attachments[wekanCardId].push(wekanAttachment);
  733. }
  734. }
  735. break;
  736. }
  737. case 'addComment': {
  738. const wekanComment = wekanBoard.comments.filter(comment => {
  739. return comment._id === activity.commentId;
  740. })[0];
  741. const id = activity.cardId;
  742. if (!this.comments[id]) {
  743. this.comments[id] = [];
  744. }
  745. this.comments[id].push(wekanComment);
  746. break;
  747. }
  748. case 'createBoard': {
  749. this.createdAt.board = activity.createdAt;
  750. break;
  751. }
  752. case 'createCard': {
  753. const cardId = activity.cardId;
  754. this.createdAt.cards[cardId] = activity.createdAt;
  755. this.createdBy.cards[cardId] = activity.userId;
  756. break;
  757. }
  758. case 'createList': {
  759. const listId = activity.listId;
  760. this.createdAt.lists[listId] = activity.createdAt;
  761. break;
  762. }
  763. case 'createSwimlane': {
  764. const swimlaneId = activity.swimlaneId;
  765. this.createdAt.swimlanes[swimlaneId] = activity.createdAt;
  766. break;
  767. }
  768. case 'createCustomField': {
  769. const customFieldId = activity.customFieldId;
  770. this.createdAt.customFields[customFieldId] = activity.createdAt;
  771. break;
  772. }
  773. }
  774. });
  775. }
  776. importActivities(activities, boardId) {
  777. activities.forEach(activity => {
  778. switch (activity.activityType) {
  779. // Board related activities
  780. // TODO: addBoardMember, removeBoardMember
  781. case 'createBoard': {
  782. Activities.direct.insert({
  783. userId: this._user(activity.userId),
  784. type: 'board',
  785. activityTypeId: boardId,
  786. activityType: activity.activityType,
  787. boardId,
  788. createdAt: this._now(activity.createdAt),
  789. });
  790. break;
  791. }
  792. // List related activities
  793. // TODO: removeList, archivedList
  794. case 'createList': {
  795. Activities.direct.insert({
  796. userId: this._user(activity.userId),
  797. type: 'list',
  798. activityType: activity.activityType,
  799. listId: this.lists[activity.listId],
  800. boardId,
  801. createdAt: this._now(activity.createdAt),
  802. });
  803. break;
  804. }
  805. // Card related activities
  806. // TODO: archivedCard, restoredCard, joinMember, unjoinMember
  807. case 'createCard': {
  808. Activities.direct.insert({
  809. userId: this._user(activity.userId),
  810. activityType: activity.activityType,
  811. listId: this.lists[activity.listId],
  812. cardId: this.cards[activity.cardId],
  813. boardId,
  814. createdAt: this._now(activity.createdAt),
  815. });
  816. break;
  817. }
  818. case 'moveCard': {
  819. Activities.direct.insert({
  820. userId: this._user(activity.userId),
  821. oldListId: this.lists[activity.oldListId],
  822. activityType: activity.activityType,
  823. listId: this.lists[activity.listId],
  824. cardId: this.cards[activity.cardId],
  825. boardId,
  826. createdAt: this._now(activity.createdAt),
  827. });
  828. break;
  829. }
  830. // Comment related activities
  831. case 'addComment': {
  832. Activities.direct.insert({
  833. userId: this._user(activity.userId),
  834. activityType: activity.activityType,
  835. cardId: this.cards[activity.cardId],
  836. commentId: this.commentIds[activity.commentId],
  837. boardId,
  838. createdAt: this._now(activity.createdAt),
  839. });
  840. break;
  841. }
  842. // Attachment related activities
  843. case 'addAttachment': {
  844. Activities.direct.insert({
  845. userId: this._user(activity.userId),
  846. type: 'card',
  847. activityType: activity.activityType,
  848. attachmentId: this.attachmentIds[activity.attachmentId],
  849. cardId: this.cards[activity.cardId],
  850. boardId,
  851. createdAt: this._now(activity.createdAt),
  852. });
  853. break;
  854. }
  855. // Checklist related activities
  856. case 'addChecklist': {
  857. Activities.direct.insert({
  858. userId: this._user(activity.userId),
  859. activityType: activity.activityType,
  860. cardId: this.cards[activity.cardId],
  861. checklistId: this.checklists[activity.checklistId],
  862. boardId,
  863. createdAt: this._now(activity.createdAt),
  864. });
  865. break;
  866. }
  867. case 'addChecklistItem': {
  868. Activities.direct.insert({
  869. userId: this._user(activity.userId),
  870. activityType: activity.activityType,
  871. cardId: this.cards[activity.cardId],
  872. checklistId: this.checklists[activity.checklistId],
  873. checklistItemId: activity.checklistItemId.replace(
  874. activity.checklistId,
  875. this.checklists[activity.checklistId],
  876. ),
  877. boardId,
  878. createdAt: this._now(activity.createdAt),
  879. });
  880. break;
  881. }
  882. }
  883. });
  884. }
  885. //check(board) {
  886. check() {
  887. //try {
  888. // check(data, {
  889. // membersMapping: Match.Optional(Object),
  890. // });
  891. // this.checkActivities(board.activities);
  892. // this.checkBoard(board);
  893. // this.checkLabels(board.labels);
  894. // this.checkLists(board.lists);
  895. // this.checkSwimlanes(board.swimlanes);
  896. // this.checkCards(board.cards);
  897. //this.checkChecklists(board.checklists);
  898. // this.checkRules(board.rules);
  899. // this.checkActions(board.actions);
  900. //this.checkTriggers(board.triggers);
  901. //this.checkChecklistItems(board.checklistItems);
  902. //} catch (e) {
  903. // throw new Meteor.Error('error-json-schema');
  904. // }
  905. }
  906. create(board, currentBoardId) {
  907. // TODO : Make isSandstorm variable global
  908. const isSandstorm =
  909. Meteor.settings &&
  910. Meteor.settings.public &&
  911. Meteor.settings.public.sandstorm;
  912. if (isSandstorm && currentBoardId) {
  913. const currentBoard = Boards.findOne(currentBoardId);
  914. currentBoard.archive();
  915. }
  916. this.parseActivities(board);
  917. const boardId = this.createBoardAndLabels(board);
  918. this.createLists(board.lists, boardId);
  919. this.createSwimlanes(board.swimlanes, boardId);
  920. this.createCustomFields(board.customFields, boardId);
  921. this.createCards(board.cards, boardId);
  922. this.createSubtasks(board.cards);
  923. this.createChecklists(board.checklists);
  924. this.createChecklistItems(board.checklistItems);
  925. this.importActivities(board.activities, boardId);
  926. this.createTriggers(board.triggers, boardId);
  927. this.createActions(board.actions, boardId);
  928. this.createRules(board.rules, boardId);
  929. // XXX add members
  930. return boardId;
  931. }
  932. }