1 <?php namespace BookStack\Repos;
6 use BookStack\Exceptions\NotFoundException;
7 use BookStack\Exceptions\NotifyException;
9 use BookStack\PageRevision;
10 use BookStack\Services\AttachmentService;
11 use BookStack\Services\PermissionService;
12 use BookStack\Services\SearchService;
13 use BookStack\Services\ViewService;
17 use Illuminate\Support\Collection;
40 protected $pageRevision;
43 * Base entity instances keyed by type
49 * @var PermissionService
51 protected $permissionService;
56 protected $viewService;
66 protected $searchService;
69 * EntityRepo constructor.
71 * @param Chapter $chapter
73 * @param PageRevision $pageRevision
74 * @param ViewService $viewService
75 * @param PermissionService $permissionService
76 * @param TagRepo $tagRepo
77 * @param SearchService $searchService
79 public function __construct(
80 Book $book, Chapter $chapter, Page $page, PageRevision $pageRevision,
81 ViewService $viewService, PermissionService $permissionService,
82 TagRepo $tagRepo, SearchService $searchService
86 $this->chapter = $chapter;
88 $this->pageRevision = $pageRevision;
90 'page' => $this->page,
91 'chapter' => $this->chapter,
94 $this->viewService = $viewService;
95 $this->permissionService = $permissionService;
96 $this->tagRepo = $tagRepo;
97 $this->searchService = $searchService;
101 * Get an entity instance via type.
105 protected function getEntity($type)
107 return $this->entities[strtolower($type)];
111 * Base query for searching entities via permission system
112 * @param string $type
113 * @param bool $allowDrafts
114 * @return \Illuminate\Database\Query\Builder
116 protected function entityQuery($type, $allowDrafts = false)
118 $q = $this->permissionService->enforceEntityRestrictions($type, $this->getEntity($type), 'view');
119 if (strtolower($type) === 'page' && !$allowDrafts) {
120 $q = $q->where('draft', '=', false);
126 * Check if an entity with the given id exists.
131 public function exists($type, $id)
133 return $this->entityQuery($type)->where('id', '=', $id)->exists();
137 * Get an entity by ID
138 * @param string $type
140 * @param bool $allowDrafts
141 * @param bool $ignorePermissions
144 public function getById($type, $id, $allowDrafts = false, $ignorePermissions = false)
146 if ($ignorePermissions) {
147 $entity = $this->getEntity($type);
148 return $entity->newQuery()->find($id);
150 return $this->entityQuery($type, $allowDrafts)->find($id);
154 * Get an entity by its url slug.
155 * @param string $type
156 * @param string $slug
157 * @param string|bool $bookSlug
159 * @throws NotFoundException
161 public function getBySlug($type, $slug, $bookSlug = false)
163 $q = $this->entityQuery($type)->where('slug', '=', $slug);
165 if (strtolower($type) === 'chapter' || strtolower($type) === 'page') {
166 $q = $q->where('book_id', '=', function($query) use ($bookSlug) {
168 ->from($this->book->getTable())
169 ->where('slug', '=', $bookSlug)->limit(1);
172 $entity = $q->first();
173 if ($entity === null) throw new NotFoundException(trans('errors.' . strtolower($type) . '_not_found'));
179 * Search through page revisions and retrieve the last page in the
180 * current book that has a slug equal to the one given.
181 * @param string $pageSlug
182 * @param string $bookSlug
185 public function getPageByOldSlug($pageSlug, $bookSlug)
187 $revision = $this->pageRevision->where('slug', '=', $pageSlug)
188 ->whereHas('page', function ($query) {
189 $this->permissionService->enforceEntityRestrictions('page', $query);
191 ->where('type', '=', 'version')
192 ->where('book_slug', '=', $bookSlug)
193 ->orderBy('created_at', 'desc')
194 ->with('page')->first();
195 return $revision !== null ? $revision->page : null;
199 * Get all entities of a type limited by count unless count if false.
200 * @param string $type
201 * @param integer|bool $count
204 public function getAll($type, $count = 20)
206 $q = $this->entityQuery($type)->orderBy('name', 'asc');
207 if ($count !== false) $q = $q->take($count);
212 * Get all entities in a paginated format
215 * @return \Illuminate\Contracts\Pagination\LengthAwarePaginator
217 public function getAllPaginated($type, $count = 10)
219 return $this->entityQuery($type)->orderBy('name', 'asc')->paginate($count);
223 * Get the most recently created entities of the given type.
224 * @param string $type
227 * @param bool|callable $additionalQuery
230 public function getRecentlyCreated($type, $count = 20, $page = 0, $additionalQuery = false)
232 $query = $this->permissionService->enforceEntityRestrictions($type, $this->getEntity($type))
233 ->orderBy('created_at', 'desc');
234 if (strtolower($type) === 'page') $query = $query->where('draft', '=', false);
235 if ($additionalQuery !== false && is_callable($additionalQuery)) {
236 $additionalQuery($query);
238 return $query->skip($page * $count)->take($count)->get();
242 * Get the most recently updated entities of the given type.
243 * @param string $type
246 * @param bool|callable $additionalQuery
249 public function getRecentlyUpdated($type, $count = 20, $page = 0, $additionalQuery = false)
251 $query = $this->permissionService->enforceEntityRestrictions($type, $this->getEntity($type))
252 ->orderBy('updated_at', 'desc');
253 if (strtolower($type) === 'page') $query = $query->where('draft', '=', false);
254 if ($additionalQuery !== false && is_callable($additionalQuery)) {
255 $additionalQuery($query);
257 return $query->skip($page * $count)->take($count)->get();
261 * Get the most recently viewed entities.
262 * @param string|bool $type
267 public function getRecentlyViewed($type, $count = 10, $page = 0)
269 $filter = is_bool($type) ? false : $this->getEntity($type);
270 return $this->viewService->getUserRecentlyViewed($count, $page, $filter);
274 * Get the latest pages added to the system with pagination.
275 * @param string $type
279 public function getRecentlyCreatedPaginated($type, $count = 20)
281 return $this->entityQuery($type)->orderBy('created_at', 'desc')->paginate($count);
285 * Get the latest pages added to the system with pagination.
286 * @param string $type
290 public function getRecentlyUpdatedPaginated($type, $count = 20)
292 return $this->entityQuery($type)->orderBy('updated_at', 'desc')->paginate($count);
296 * Get the most popular entities base on all views.
297 * @param string|bool $type
302 public function getPopular($type, $count = 10, $page = 0)
304 $filter = is_bool($type) ? false : $this->getEntity($type);
305 return $this->viewService->getPopular($count, $page, $filter);
309 * Get draft pages owned by the current user.
313 public function getUserDraftPages($count = 20, $page = 0)
315 return $this->page->where('draft', '=', true)
316 ->where('created_by', '=', user()->id)
317 ->orderBy('updated_at', 'desc')
318 ->skip($count * $page)->take($count)->get();
322 * Get all child objects of a book.
323 * Returns a sorted collection of Pages and Chapters.
324 * Loads the book slug onto child elements to prevent access database access for getting the slug.
326 * @param bool $filterDrafts
327 * @param bool $renderPages
330 public function getBookChildren(Book $book, $filterDrafts = false, $renderPages = false)
332 $q = $this->permissionService->bookChildrenQuery($book->id, $filterDrafts, $renderPages)->get();
337 foreach ($q as $index => $rawEntity) {
338 if ($rawEntity->entity_type === 'BookStack\\Page') {
339 $entities[$index] = $this->page->newFromBuilder($rawEntity);
341 $entities[$index]->html = $rawEntity->html;
342 $entities[$index]->html = $this->renderPage($entities[$index]);
344 } else if ($rawEntity->entity_type === 'BookStack\\Chapter') {
345 $entities[$index] = $this->chapter->newFromBuilder($rawEntity);
346 $key = $entities[$index]->entity_type . ':' . $entities[$index]->id;
347 $parents[$key] = $entities[$index];
348 $parents[$key]->setAttribute('pages', collect());
350 if ($entities[$index]->chapter_id === 0 || $entities[$index]->chapter_id === '0') $tree[] = $entities[$index];
351 $entities[$index]->book = $book;
354 foreach ($entities as $entity) {
355 if ($entity->chapter_id === 0 || $entity->chapter_id === '0') continue;
356 $parentKey = 'BookStack\\Chapter:' . $entity->chapter_id;
357 if (!isset($parents[$parentKey])) {
361 $chapter = $parents[$parentKey];
362 $chapter->pages->push($entity);
365 return collect($tree);
369 * Get the child items for a chapter sorted by priority but
370 * with draft items floated to the top.
371 * @param Chapter $chapter
372 * @return \Illuminate\Database\Eloquent\Collection|static[]
374 public function getChapterChildren(Chapter $chapter)
376 return $this->permissionService->enforceEntityRestrictions('page', $chapter->pages())
377 ->orderBy('draft', 'DESC')->orderBy('priority', 'ASC')->get();
382 * Get the next sequential priority for a new child element in the given book.
386 public function getNewBookPriority(Book $book)
388 $lastElem = $this->getBookChildren($book)->pop();
389 return $lastElem ? $lastElem->priority + 1 : 0;
393 * Get a new priority for a new page to be added to the given chapter.
394 * @param Chapter $chapter
397 public function getNewChapterPriority(Chapter $chapter)
399 $lastPage = $chapter->pages('DESC')->first();
400 return $lastPage !== null ? $lastPage->priority + 1 : 0;
404 * Find a suitable slug for an entity.
405 * @param string $type
406 * @param string $name
407 * @param bool|integer $currentId
408 * @param bool|integer $bookId Only pass if type is not a book
411 public function findSuitableSlug($type, $name, $currentId = false, $bookId = false)
413 $slug = $this->nameToSlug($name);
414 while ($this->slugExists($type, $slug, $currentId, $bookId)) {
415 $slug .= '-' . substr(md5(rand(1, 500)), 0, 3);
421 * Check if a slug already exists in the database.
422 * @param string $type
423 * @param string $slug
424 * @param bool|integer $currentId
425 * @param bool|integer $bookId
428 protected function slugExists($type, $slug, $currentId = false, $bookId = false)
430 $query = $this->getEntity($type)->where('slug', '=', $slug);
431 if (strtolower($type) === 'page' || strtolower($type) === 'chapter') {
432 $query = $query->where('book_id', '=', $bookId);
434 if ($currentId) $query = $query->where('id', '!=', $currentId);
435 return $query->count() > 0;
439 * Updates entity restrictions from a request
441 * @param Entity $entity
443 public function updateEntityPermissionsFromRequest($request, Entity $entity)
445 $entity->restricted = $request->get('restricted', '') === 'true';
446 $entity->permissions()->delete();
448 if ($request->filled('restrictions')) {
449 foreach ($request->get('restrictions') as $roleId => $restrictions) {
450 foreach ($restrictions as $action => $value) {
451 $entity->permissions()->create([
452 'role_id' => $roleId,
453 'action' => strtolower($action)
460 $this->permissionService->buildJointPermissionsForEntity($entity);
466 * Create a new entity from request input.
467 * Used for books and chapters.
468 * @param string $type
469 * @param array $input
470 * @param bool|Book $book
473 public function createFromInput($type, $input = [], $book = false)
475 $isChapter = strtolower($type) === 'chapter';
476 $entity = $this->getEntity($type)->newInstance($input);
477 $entity->slug = $this->findSuitableSlug($type, $entity->name, false, $isChapter ? $book->id : false);
478 $entity->created_by = user()->id;
479 $entity->updated_by = user()->id;
480 $isChapter ? $book->chapters()->save($entity) : $entity->save();
481 $this->permissionService->buildJointPermissionsForEntity($entity);
482 $this->searchService->indexEntity($entity);
487 * Update entity details from request input.
488 * Used for books and chapters
489 * @param string $type
490 * @param Entity $entityModel
491 * @param array $input
494 public function updateFromInput($type, Entity $entityModel, $input = [])
496 if ($entityModel->name !== $input['name']) {
497 $entityModel->slug = $this->findSuitableSlug($type, $input['name'], $entityModel->id);
499 $entityModel->fill($input);
500 $entityModel->updated_by = user()->id;
501 $entityModel->save();
502 $this->permissionService->buildJointPermissionsForEntity($entityModel);
503 $this->searchService->indexEntity($entityModel);
508 * Change the book that an entity belongs to.
509 * @param string $type
510 * @param integer $newBookId
511 * @param Entity $entity
512 * @param bool $rebuildPermissions
515 public function changeBook($type, $newBookId, Entity $entity, $rebuildPermissions = false)
517 $entity->book_id = $newBookId;
518 // Update related activity
519 foreach ($entity->activity as $activity) {
520 $activity->book_id = $newBookId;
523 $entity->slug = $this->findSuitableSlug($type, $entity->name, $entity->id, $newBookId);
526 // Update all child pages if a chapter
527 if (strtolower($type) === 'chapter') {
528 foreach ($entity->pages as $page) {
529 $this->changeBook('page', $newBookId, $page, false);
533 // Update permissions if applicable
534 if ($rebuildPermissions) {
535 $entity->load('book');
536 $this->permissionService->buildJointPermissionsForEntity($entity->book);
543 * Alias method to update the book jointPermissions in the PermissionService.
546 public function buildJointPermissionsForBook(Book $book)
548 $this->permissionService->buildJointPermissionsForEntity($book);
552 * Format a name as a url slug.
556 protected function nameToSlug($name)
558 $slug = preg_replace('/[\+\/\\\?\@\}\{\.\,\=\[\]\#\&\!\*\'\;\:\$\%]/', '', mb_strtolower($name));
559 $slug = preg_replace('/\s{2,}/', ' ', $slug);
560 $slug = str_replace(' ', '-', $slug);
561 if ($slug === "") $slug = substr(md5(rand(1, 500)), 0, 5);
566 * Publish a draft page to make it a normal page.
567 * Sets the slug and updates the content.
568 * @param Page $draftPage
569 * @param array $input
572 public function publishPageDraft(Page $draftPage, array $input)
574 $draftPage->fill($input);
576 // Save page tags if present
577 if (isset($input['tags'])) {
578 $this->tagRepo->saveTagsToEntity($draftPage, $input['tags']);
581 $draftPage->slug = $this->findSuitableSlug('page', $draftPage->name, false, $draftPage->book->id);
582 $draftPage->html = $this->formatHtml($input['html']);
583 $draftPage->text = $this->pageToPlainText($draftPage);
584 $draftPage->draft = false;
585 $draftPage->revision_count = 1;
588 $this->savePageRevision($draftPage, trans('entities.pages_initial_revision'));
589 $this->searchService->indexEntity($draftPage);
594 * Saves a page revision into the system.
596 * @param null|string $summary
597 * @return PageRevision
599 public function savePageRevision(Page $page, $summary = null)
601 $revision = $this->pageRevision->newInstance($page->toArray());
602 if (setting('app-editor') !== 'markdown') $revision->markdown = '';
603 $revision->page_id = $page->id;
604 $revision->slug = $page->slug;
605 $revision->book_slug = $page->book->slug;
606 $revision->created_by = user()->id;
607 $revision->created_at = $page->updated_at;
608 $revision->type = 'version';
609 $revision->summary = $summary;
610 $revision->revision_number = $page->revision_count;
613 // Clear old revisions
614 if ($this->pageRevision->where('page_id', '=', $page->id)->count() > 50) {
615 $this->pageRevision->where('page_id', '=', $page->id)
616 ->orderBy('created_at', 'desc')->skip(50)->take(5)->delete();
623 * Formats a page's html to be tagged correctly
625 * @param string $htmlText
628 protected function formatHtml($htmlText)
630 if ($htmlText == '') return $htmlText;
631 libxml_use_internal_errors(true);
632 $doc = new DOMDocument();
633 $doc->loadHTML(mb_convert_encoding($htmlText, 'HTML-ENTITIES', 'UTF-8'));
635 $container = $doc->documentElement;
636 $body = $container->childNodes->item(0);
637 $childNodes = $body->childNodes;
639 // Ensure no duplicate ids are used
642 foreach ($childNodes as $index => $childNode) {
643 /** @var \DOMElement $childNode */
644 if (get_class($childNode) !== 'DOMElement') continue;
646 // Overwrite id if not a BookStack custom id
647 if ($childNode->hasAttribute('id')) {
648 $id = $childNode->getAttribute('id');
649 if (strpos($id, 'bkmrk') === 0 && array_search($id, $idArray) === false) {
655 // Create an unique id for the element
656 // Uses the content as a basis to ensure output is the same every time
657 // the same content is passed through.
658 $contentId = 'bkmrk-' . substr(strtolower(preg_replace('/\s+/', '-', trim($childNode->nodeValue))), 0, 20);
659 $newId = urlencode($contentId);
661 while (in_array($newId, $idArray)) {
662 $newId = urlencode($contentId . '-' . $loopIndex);
666 $childNode->setAttribute('id', $newId);
670 // Generate inner html as a string
672 foreach ($childNodes as $childNode) {
673 $html .= $doc->saveHTML($childNode);
681 * Render the page for viewing, Parsing and performing features such as page transclusion.
683 * @param bool $ignorePermissions
684 * @return mixed|string
686 public function renderPage(Page $page, $ignorePermissions = false)
688 $content = $page->html;
690 preg_match_all("/{{@\s?([0-9].*?)}}/", $content, $matches);
691 if (count($matches[0]) === 0) return $content;
693 $topLevelTags = ['table', 'ul', 'ol'];
694 foreach ($matches[1] as $index => $includeId) {
695 $splitInclude = explode('#', $includeId, 2);
696 $pageId = intval($splitInclude[0]);
697 if (is_nan($pageId)) continue;
699 $matchedPage = $this->getById('page', $pageId, false, $ignorePermissions);
700 if ($matchedPage === null) {
701 $content = str_replace($matches[0][$index], '', $content);
705 if (count($splitInclude) === 1) {
706 $content = str_replace($matches[0][$index], $matchedPage->html, $content);
710 $doc = new DOMDocument();
711 $doc->loadHTML(mb_convert_encoding('<body>'.$matchedPage->html.'</body>', 'HTML-ENTITIES', 'UTF-8'));
712 $matchingElem = $doc->getElementById($splitInclude[1]);
713 if ($matchingElem === null) {
714 $content = str_replace($matches[0][$index], '', $content);
718 $isTopLevel = in_array(strtolower($matchingElem->nodeName), $topLevelTags);
720 $innerContent .= $doc->saveHTML($matchingElem);
722 foreach ($matchingElem->childNodes as $childNode) {
723 $innerContent .= $doc->saveHTML($childNode);
726 $content = str_replace($matches[0][$index], trim($innerContent), $content);
733 * Get the plain text version of a page's content.
737 public function pageToPlainText(Page $page)
739 $html = $this->renderPage($page);
740 return strip_tags($html);
744 * Get a new draft page instance.
746 * @param Chapter|bool $chapter
749 public function getDraftPage(Book $book, $chapter = false)
751 $page = $this->page->newInstance();
752 $page->name = trans('entities.pages_initial_name');
753 $page->created_by = user()->id;
754 $page->updated_by = user()->id;
757 if ($chapter) $page->chapter_id = $chapter->id;
759 $book->pages()->save($page);
760 $page = $this->page->find($page->id);
761 $this->permissionService->buildJointPermissionsForEntity($page);
766 * Search for image usage within page content.
767 * @param $imageString
770 public function searchForImage($imageString)
772 $pages = $this->entityQuery('page')->where('html', 'like', '%' . $imageString . '%')->get();
773 foreach ($pages as $page) {
774 $page->url = $page->getUrl();
778 return count($pages) > 0 ? $pages : false;
782 * Parse the headers on the page to get a navigation menu
783 * @param String $pageContent
786 public function getPageNav($pageContent)
788 if ($pageContent == '') return [];
789 libxml_use_internal_errors(true);
790 $doc = new DOMDocument();
791 $doc->loadHTML(mb_convert_encoding($pageContent, 'HTML-ENTITIES', 'UTF-8'));
792 $xPath = new DOMXPath($doc);
793 $headers = $xPath->query("//h1|//h2|//h3|//h4|//h5|//h6");
795 if (is_null($headers)) return [];
798 foreach ($headers as $header) {
799 $text = $header->nodeValue;
801 'nodeName' => strtolower($header->nodeName),
802 'level' => intval(str_replace('h', '', $header->nodeName)),
803 'link' => '#' . $header->getAttribute('id'),
804 'text' => strlen($text) > 30 ? substr($text, 0, 27) . '...' : $text
808 // Normalise headers if only smaller headers have been used
809 if (count($tree) > 0) {
810 $minLevel = $tree->pluck('level')->min();
811 $tree = $tree->map(function($header) use ($minLevel) {
812 $header['level'] -= ($minLevel - 2);
816 return $tree->toArray();
820 * Updates a page with any fillable data and saves it into the database.
822 * @param int $book_id
823 * @param array $input
826 public function updatePage(Page $page, $book_id, $input)
828 // Hold the old details to compare later
829 $oldHtml = $page->html;
830 $oldName = $page->name;
832 // Prevent slug being updated if no name change
833 if ($page->name !== $input['name']) {
834 $page->slug = $this->findSuitableSlug('page', $input['name'], $page->id, $book_id);
837 // Save page tags if present
838 if (isset($input['tags'])) {
839 $this->tagRepo->saveTagsToEntity($page, $input['tags']);
842 // Update with new details
843 $userId = user()->id;
845 $page->html = $this->formatHtml($input['html']);
846 $page->text = $this->pageToPlainText($page);
847 if (setting('app-editor') !== 'markdown') $page->markdown = '';
848 $page->updated_by = $userId;
849 $page->revision_count++;
852 // Remove all update drafts for this user & page.
853 $this->userUpdatePageDraftsQuery($page, $userId)->delete();
855 // Save a revision after updating
856 if ($oldHtml !== $input['html'] || $oldName !== $input['name'] || $input['summary'] !== null) {
857 $this->savePageRevision($page, $input['summary']);
860 $this->searchService->indexEntity($page);
866 * The base query for getting user update drafts.
871 protected function userUpdatePageDraftsQuery(Page $page, $userId)
873 return $this->pageRevision->where('created_by', '=', $userId)
874 ->where('type', 'update_draft')
875 ->where('page_id', '=', $page->id)
876 ->orderBy('created_at', 'desc');
880 * Checks whether a user has a draft version of a particular page or not.
885 public function hasUserGotPageDraft(Page $page, $userId)
887 return $this->userUpdatePageDraftsQuery($page, $userId)->count() > 0;
891 * Get the latest updated draft revision for a particular page and user.
896 public function getUserPageDraft(Page $page, $userId)
898 return $this->userUpdatePageDraftsQuery($page, $userId)->first();
902 * Get the notification message that informs the user that they are editing a draft page.
903 * @param PageRevision $draft
906 public function getUserPageDraftMessage(PageRevision $draft)
908 $message = trans('entities.pages_editing_draft_notification', ['timeDiff' => $draft->updated_at->diffForHumans()]);
909 if ($draft->page->updated_at->timestamp <= $draft->updated_at->timestamp) return $message;
910 return $message . "\n" . trans('entities.pages_draft_edited_notification');
914 * Check if a page is being actively editing.
915 * Checks for edits since last page updated.
916 * Passing in a minuted range will check for edits
917 * within the last x minutes.
919 * @param null $minRange
922 public function isPageEditingActive(Page $page, $minRange = null)
924 $draftSearch = $this->activePageEditingQuery($page, $minRange);
925 return $draftSearch->count() > 0;
929 * A query to check for active update drafts on a particular page.
931 * @param null $minRange
934 protected function activePageEditingQuery(Page $page, $minRange = null)
936 $query = $this->pageRevision->where('type', '=', 'update_draft')
937 ->where('page_id', '=', $page->id)
938 ->where('updated_at', '>', $page->updated_at)
939 ->where('created_by', '!=', user()->id)
942 if ($minRange !== null) {
943 $query = $query->where('updated_at', '>=', Carbon::now()->subMinutes($minRange));
950 * Restores a revision's content back into a page.
953 * @param int $revisionId
956 public function restorePageRevision(Page $page, Book $book, $revisionId)
958 $page->revision_count++;
959 $this->savePageRevision($page);
960 $revision = $page->revisions()->where('id', '=', $revisionId)->first();
961 $page->fill($revision->toArray());
962 $page->slug = $this->findSuitableSlug('page', $page->name, $page->id, $book->id);
963 $page->text = $this->pageToPlainText($page);
964 $page->updated_by = user()->id;
966 $this->searchService->indexEntity($page);
972 * Save a page update draft.
975 * @return PageRevision|Page
977 public function updatePageDraft(Page $page, $data = [])
979 // If the page itself is a draft simply update that
982 if (isset($data['html'])) {
983 $page->text = $this->pageToPlainText($page);
989 // Otherwise save the data to a revision
990 $userId = user()->id;
991 $drafts = $this->userUpdatePageDraftsQuery($page, $userId)->get();
993 if ($drafts->count() > 0) {
994 $draft = $drafts->first();
996 $draft = $this->pageRevision->newInstance();
997 $draft->page_id = $page->id;
998 $draft->slug = $page->slug;
999 $draft->book_slug = $page->book->slug;
1000 $draft->created_by = $userId;
1001 $draft->type = 'update_draft';
1004 $draft->fill($data);
1005 if (setting('app-editor') !== 'markdown') $draft->markdown = '';
1012 * Get a notification message concerning the editing activity on a particular page.
1014 * @param null $minRange
1017 public function getPageEditingActiveMessage(Page $page, $minRange = null)
1019 $pageDraftEdits = $this->activePageEditingQuery($page, $minRange)->get();
1021 $userMessage = $pageDraftEdits->count() > 1 ? trans('entities.pages_draft_edit_active.start_a', ['count' => $pageDraftEdits->count()]): trans('entities.pages_draft_edit_active.start_b', ['userName' => $pageDraftEdits->first()->createdBy->name]);
1022 $timeMessage = $minRange === null ? trans('entities.pages_draft_edit_active.time_a') : trans('entities.pages_draft_edit_active.time_b', ['minCount'=>$minRange]);
1023 return trans('entities.pages_draft_edit_active.message', ['start' => $userMessage, 'time' => $timeMessage]);
1027 * Change the page's parent to the given entity.
1029 * @param Entity $parent
1031 public function changePageParent(Page $page, Entity $parent)
1033 $book = $parent->isA('book') ? $parent : $parent->book;
1034 $page->chapter_id = $parent->isA('chapter') ? $parent->id : 0;
1036 if ($page->book->id !== $book->id) {
1037 $page = $this->changeBook('page', $book->id, $page);
1039 $page->load('book');
1040 $this->permissionService->buildJointPermissionsForEntity($book);
1044 * Destroy the provided book and all its child entities.
1047 public function destroyBook(Book $book)
1049 foreach ($book->pages as $page) {
1050 $this->destroyPage($page);
1052 foreach ($book->chapters as $chapter) {
1053 $this->destroyChapter($chapter);
1055 \Activity::removeEntity($book);
1056 $book->views()->delete();
1057 $book->permissions()->delete();
1058 $this->permissionService->deleteJointPermissionsForEntity($book);
1059 $this->searchService->deleteEntityTerms($book);
1064 * Destroy a chapter and its relations.
1065 * @param Chapter $chapter
1067 public function destroyChapter(Chapter $chapter)
1069 if (count($chapter->pages) > 0) {
1070 foreach ($chapter->pages as $page) {
1071 $page->chapter_id = 0;
1075 \Activity::removeEntity($chapter);
1076 $chapter->views()->delete();
1077 $chapter->permissions()->delete();
1078 $this->permissionService->deleteJointPermissionsForEntity($chapter);
1079 $this->searchService->deleteEntityTerms($chapter);
1084 * Destroy a given page along with its dependencies.
1086 * @throws NotifyException
1088 public function destroyPage(Page $page)
1090 \Activity::removeEntity($page);
1091 $page->views()->delete();
1092 $page->tags()->delete();
1093 $page->revisions()->delete();
1094 $page->permissions()->delete();
1095 $this->permissionService->deleteJointPermissionsForEntity($page);
1096 $this->searchService->deleteEntityTerms($page);
1098 // Check if set as custom homepage
1099 $customHome = setting('app-homepage', '0:');
1100 if (intval($page->id) === intval(explode(':', $customHome)[0])) {
1101 throw new NotifyException(trans('errors.page_custom_home_deletion'), $page->getUrl());
1104 // Delete Attached Files
1105 $attachmentService = app(AttachmentService::class);
1106 foreach ($page->attachments as $attachment) {
1107 $attachmentService->deleteFile($attachment);