]> Untitled Git - lemmy-ui.git/blob - src/shared/components/home/home.tsx
Merge branch 'main' into main
[lemmy-ui.git] / src / shared / components / home / home.tsx
1 import { getQueryParams, getQueryString } from "@utils/helpers";
2 import { canCreateCommunity } from "@utils/roles";
3 import type { QueryParams } from "@utils/types";
4 import { NoOptionI18nKeys } from "i18next";
5 import { Component, MouseEventHandler, linkEvent } from "inferno";
6 import { T } from "inferno-i18next-dess";
7 import { Link } from "inferno-router";
8 import {
9   AddAdmin,
10   AddModToCommunity,
11   BanFromCommunity,
12   BanFromCommunityResponse,
13   BanPerson,
14   BanPersonResponse,
15   BlockPerson,
16   CommentId,
17   CommentReplyResponse,
18   CommentResponse,
19   CreateComment,
20   CreateCommentLike,
21   CreateCommentReport,
22   CreatePostLike,
23   CreatePostReport,
24   DeleteComment,
25   DeletePost,
26   DistinguishComment,
27   EditComment,
28   EditPost,
29   FeaturePost,
30   GetComments,
31   GetCommentsResponse,
32   GetPosts,
33   GetPostsResponse,
34   GetSiteResponse,
35   ListCommunities,
36   ListCommunitiesResponse,
37   ListingType,
38   LockPost,
39   MarkCommentReplyAsRead,
40   MarkPersonMentionAsRead,
41   PostResponse,
42   PurgeComment,
43   PurgeItemResponse,
44   PurgePerson,
45   PurgePost,
46   RemoveComment,
47   RemovePost,
48   SaveComment,
49   SavePost,
50   SortType,
51   TransferCommunity,
52 } from "lemmy-js-client";
53 import { i18n } from "../../i18next";
54 import {
55   CommentViewType,
56   DataType,
57   InitialFetchRequest,
58 } from "../../interfaces";
59 import { UserService } from "../../services";
60 import { FirstLoadService } from "../../services/FirstLoadService";
61 import { HttpService, RequestState } from "../../services/HttpService";
62 import {
63   RouteDataResponse,
64   commentsToFlatNodes,
65   editComment,
66   editPost,
67   editWith,
68   enableDownvotes,
69   enableNsfw,
70   fetchLimit,
71   getCommentParentId,
72   getDataTypeString,
73   getPageFromString,
74   getRandomFromList,
75   mdToHtml,
76   myAuth,
77   postToCommentSortType,
78   relTags,
79   restoreScrollPosition,
80   saveScrollPosition,
81   setIsoData,
82   setupTippy,
83   showLocal,
84   toast,
85   trendingFetchLimit,
86   updatePersonBlock,
87 } from "../../utils";
88 import { CommentNodes } from "../comment/comment-nodes";
89 import { DataTypeSelect } from "../common/data-type-select";
90 import { HtmlTags } from "../common/html-tags";
91 import { Icon, Spinner } from "../common/icon";
92 import { ListingTypeSelect } from "../common/listing-type-select";
93 import { Paginator } from "../common/paginator";
94 import { SortSelect } from "../common/sort-select";
95 import { CommunityLink } from "../community/community-link";
96 import { PostListings } from "../post/post-listings";
97 import { SiteSidebar } from "./site-sidebar";
98
99 interface HomeState {
100   postsRes: RequestState<GetPostsResponse>;
101   commentsRes: RequestState<GetCommentsResponse>;
102   trendingCommunitiesRes: RequestState<ListCommunitiesResponse>;
103   showSubscribedMobile: boolean;
104   showTrendingMobile: boolean;
105   showSidebarMobile: boolean;
106   subscribedCollapsed: boolean;
107   tagline?: string;
108   siteRes: GetSiteResponse;
109   finished: Map<CommentId, boolean | undefined>;
110   isIsomorphic: boolean;
111 }
112
113 interface HomeProps {
114   listingType: ListingType;
115   dataType: DataType;
116   sort: SortType;
117   page: number;
118 }
119
120 type HomeData = RouteDataResponse<{
121   postsRes: GetPostsResponse;
122   commentsRes: GetCommentsResponse;
123   trendingCommunitiesRes: ListCommunitiesResponse;
124 }>;
125
126 function getRss(listingType: ListingType) {
127   const { sort } = getHomeQueryParams();
128   const auth = myAuth();
129
130   let rss: string | undefined = undefined;
131
132   switch (listingType) {
133     case "All": {
134       rss = `/feeds/all.xml?sort=${sort}`;
135       break;
136     }
137     case "Local": {
138       rss = `/feeds/local.xml?sort=${sort}`;
139       break;
140     }
141     case "Subscribed": {
142       rss = auth ? `/feeds/front/${auth}.xml?sort=${sort}` : undefined;
143       break;
144     }
145   }
146
147   return (
148     rss && (
149       <>
150         <a href={rss} rel={relTags} title="RSS">
151           <Icon icon="rss" classes="text-muted small" />
152         </a>
153         <link rel="alternate" type="application/atom+xml" href={rss} />
154       </>
155     )
156   );
157 }
158
159 function getDataTypeFromQuery(type?: string): DataType {
160   return type ? DataType[type] : DataType.Post;
161 }
162
163 function getListingTypeFromQuery(type?: string): ListingType {
164   const myListingType =
165     UserService.Instance.myUserInfo?.local_user_view?.local_user
166       ?.default_listing_type;
167
168   return (type ? (type as ListingType) : myListingType) ?? "Local";
169 }
170
171 function getSortTypeFromQuery(type?: string): SortType {
172   const mySortType =
173     UserService.Instance.myUserInfo?.local_user_view?.local_user
174       ?.default_sort_type;
175
176   return (type ? (type as SortType) : mySortType) ?? "Active";
177 }
178
179 const getHomeQueryParams = () =>
180   getQueryParams<HomeProps>({
181     sort: getSortTypeFromQuery,
182     listingType: getListingTypeFromQuery,
183     page: getPageFromString,
184     dataType: getDataTypeFromQuery,
185   });
186
187 const MobileButton = ({
188   textKey,
189   show,
190   onClick,
191 }: {
192   textKey: NoOptionI18nKeys;
193   show: boolean;
194   onClick: MouseEventHandler<HTMLButtonElement>;
195 }) => (
196   <button
197     className="btn btn-secondary d-inline-block mb-2 me-3"
198     onClick={onClick}
199   >
200     {i18n.t(textKey)}{" "}
201     <Icon icon={show ? `minus-square` : `plus-square`} classes="icon-inline" />
202   </button>
203 );
204
205 const LinkButton = ({
206   path,
207   translationKey,
208 }: {
209   path: string;
210   translationKey: NoOptionI18nKeys;
211 }) => (
212   <Link className="btn btn-secondary d-block" to={path}>
213     {i18n.t(translationKey)}
214   </Link>
215 );
216
217 export class Home extends Component<any, HomeState> {
218   private isoData = setIsoData<HomeData>(this.context);
219   state: HomeState = {
220     postsRes: { state: "empty" },
221     commentsRes: { state: "empty" },
222     trendingCommunitiesRes: { state: "empty" },
223     siteRes: this.isoData.site_res,
224     showSubscribedMobile: false,
225     showTrendingMobile: false,
226     showSidebarMobile: false,
227     subscribedCollapsed: false,
228     finished: new Map(),
229     isIsomorphic: false,
230   };
231
232   constructor(props: any, context: any) {
233     super(props, context);
234
235     this.handleSortChange = this.handleSortChange.bind(this);
236     this.handleListingTypeChange = this.handleListingTypeChange.bind(this);
237     this.handleDataTypeChange = this.handleDataTypeChange.bind(this);
238     this.handlePageChange = this.handlePageChange.bind(this);
239
240     this.handleCreateComment = this.handleCreateComment.bind(this);
241     this.handleEditComment = this.handleEditComment.bind(this);
242     this.handleSaveComment = this.handleSaveComment.bind(this);
243     this.handleBlockPerson = this.handleBlockPerson.bind(this);
244     this.handleDeleteComment = this.handleDeleteComment.bind(this);
245     this.handleRemoveComment = this.handleRemoveComment.bind(this);
246     this.handleCommentVote = this.handleCommentVote.bind(this);
247     this.handleAddModToCommunity = this.handleAddModToCommunity.bind(this);
248     this.handleAddAdmin = this.handleAddAdmin.bind(this);
249     this.handlePurgePerson = this.handlePurgePerson.bind(this);
250     this.handlePurgeComment = this.handlePurgeComment.bind(this);
251     this.handleCommentReport = this.handleCommentReport.bind(this);
252     this.handleDistinguishComment = this.handleDistinguishComment.bind(this);
253     this.handleTransferCommunity = this.handleTransferCommunity.bind(this);
254     this.handleCommentReplyRead = this.handleCommentReplyRead.bind(this);
255     this.handlePersonMentionRead = this.handlePersonMentionRead.bind(this);
256     this.handleBanFromCommunity = this.handleBanFromCommunity.bind(this);
257     this.handleBanPerson = this.handleBanPerson.bind(this);
258     this.handlePostEdit = this.handlePostEdit.bind(this);
259     this.handlePostVote = this.handlePostVote.bind(this);
260     this.handlePostReport = this.handlePostReport.bind(this);
261     this.handleLockPost = this.handleLockPost.bind(this);
262     this.handleDeletePost = this.handleDeletePost.bind(this);
263     this.handleRemovePost = this.handleRemovePost.bind(this);
264     this.handleSavePost = this.handleSavePost.bind(this);
265     this.handlePurgePost = this.handlePurgePost.bind(this);
266     this.handleFeaturePost = this.handleFeaturePost.bind(this);
267
268     // Only fetch the data if coming from another route
269     if (FirstLoadService.isFirstLoad) {
270       const { trendingCommunitiesRes, commentsRes, postsRes } =
271         this.isoData.routeData;
272
273       this.state = {
274         ...this.state,
275         trendingCommunitiesRes,
276         commentsRes,
277         postsRes,
278         tagline: getRandomFromList(this.state?.siteRes?.taglines ?? [])
279           ?.content,
280         isIsomorphic: true,
281       };
282     }
283   }
284
285   async componentDidMount() {
286     if (
287       !this.state.isIsomorphic ||
288       !Object.values(this.isoData.routeData).some(
289         res => res.state === "success" || res.state === "failed"
290       )
291     ) {
292       await Promise.all([this.fetchTrendingCommunities(), this.fetchData()]);
293     }
294
295     setupTippy();
296   }
297
298   componentWillUnmount() {
299     saveScrollPosition(this.context);
300   }
301
302   static async fetchInitialData({
303     client,
304     auth,
305     query: { dataType: urlDataType, listingType, page: urlPage, sort: urlSort },
306   }: InitialFetchRequest<QueryParams<HomeProps>>): Promise<HomeData> {
307     const dataType = getDataTypeFromQuery(urlDataType);
308
309     // TODO figure out auth default_listingType, default_sort_type
310     const type_ = getListingTypeFromQuery(listingType);
311     const sort = getSortTypeFromQuery(urlSort);
312
313     const page = urlPage ? Number(urlPage) : 1;
314
315     let postsRes: RequestState<GetPostsResponse> = { state: "empty" };
316     let commentsRes: RequestState<GetCommentsResponse> = {
317       state: "empty",
318     };
319
320     if (dataType === DataType.Post) {
321       const getPostsForm: GetPosts = {
322         type_,
323         page,
324         limit: fetchLimit,
325         sort,
326         saved_only: false,
327         auth,
328       };
329
330       postsRes = await client.getPosts(getPostsForm);
331     } else {
332       const getCommentsForm: GetComments = {
333         page,
334         limit: fetchLimit,
335         sort: postToCommentSortType(sort),
336         type_,
337         saved_only: false,
338         auth,
339       };
340
341       commentsRes = await client.getComments(getCommentsForm);
342     }
343
344     const trendingCommunitiesForm: ListCommunities = {
345       type_: "Local",
346       sort: "Hot",
347       limit: trendingFetchLimit,
348       auth,
349     };
350
351     return {
352       trendingCommunitiesRes: await client.listCommunities(
353         trendingCommunitiesForm
354       ),
355       commentsRes,
356       postsRes,
357     };
358   }
359
360   get documentTitle(): string {
361     const { name, description } = this.state.siteRes.site_view.site;
362
363     return description ? `${name} - ${description}` : name;
364   }
365
366   render() {
367     const {
368       tagline,
369       siteRes: {
370         site_view: {
371           local_site: { site_setup },
372         },
373       },
374     } = this.state;
375
376     return (
377       <div className="home container-lg">
378         <HtmlTags
379           title={this.documentTitle}
380           path={this.context.router.route.match.url}
381         />
382         {site_setup && (
383           <div className="row">
384             <main role="main" className="col-12 col-md-8">
385               {tagline && (
386                 <div
387                   id="tagline"
388                   dangerouslySetInnerHTML={mdToHtml(tagline)}
389                 ></div>
390               )}
391               <div className="d-block d-md-none">{this.mobileView}</div>
392               {this.posts}
393             </main>
394             <aside className="d-none d-md-block col-md-4">
395               {this.mySidebar}
396             </aside>
397           </div>
398         )}
399       </div>
400     );
401   }
402
403   get hasFollows(): boolean {
404     const mui = UserService.Instance.myUserInfo;
405     return !!mui && mui.follows.length > 0;
406   }
407
408   get mobileView() {
409     const {
410       siteRes: {
411         site_view: { counts, site },
412         admins,
413       },
414       showSubscribedMobile,
415       showTrendingMobile,
416       showSidebarMobile,
417     } = this.state;
418
419     return (
420       <div className="row">
421         <div className="col-12">
422           {this.hasFollows && (
423             <MobileButton
424               textKey="subscribed"
425               show={showSubscribedMobile}
426               onClick={linkEvent(this, this.handleShowSubscribedMobile)}
427             />
428           )}
429           <MobileButton
430             textKey="trending"
431             show={showTrendingMobile}
432             onClick={linkEvent(this, this.handleShowTrendingMobile)}
433           />
434           <MobileButton
435             textKey="sidebar"
436             show={showSidebarMobile}
437             onClick={linkEvent(this, this.handleShowSidebarMobile)}
438           />
439           {showSidebarMobile && (
440             <SiteSidebar
441               site={site}
442               admins={admins}
443               counts={counts}
444               showLocal={showLocal(this.isoData)}
445               isMobile={true}
446             />
447           )}
448           {showTrendingMobile && (
449             <div className="card border-secondary mb-3">
450               {this.trendingCommunities()}
451             </div>
452           )}
453           {showSubscribedMobile && (
454             <div className="card border-secondary mb-3">
455               {this.subscribedCommunities(true)}
456             </div>
457           )}
458         </div>
459       </div>
460     );
461   }
462
463   get mySidebar() {
464     const {
465       siteRes: {
466         site_view: { counts, site },
467         admins,
468       },
469     } = this.state;
470
471     return (
472       <div id="sidebarContainer">
473         <section id="sidebarMain" className="card border-secondary mb-3">
474           {this.trendingCommunities()}
475         </section>
476         <SiteSidebar
477           site={site}
478           admins={admins}
479           counts={counts}
480           showLocal={showLocal(this.isoData)}
481         />
482         {this.hasFollows && (
483           <div className="accordion">
484             <section
485               id="sidebarSubscribed"
486               className="card border-secondary mb-3"
487             >
488               {this.subscribedCommunities(false)}
489             </section>
490           </div>
491         )}
492       </div>
493     );
494   }
495
496   trendingCommunities() {
497     switch (this.state.trendingCommunitiesRes?.state) {
498       case "loading":
499         return (
500           <h5>
501             <Spinner large />
502           </h5>
503         );
504       case "success": {
505         const trending = this.state.trendingCommunitiesRes.data.communities;
506         return (
507           <>
508             <header className="card-header d-flex align-items-center">
509               <h5 className="mb-0">
510                 <T i18nKey="trending_communities">
511                   #
512                   <Link className="text-body" to="/communities">
513                     #
514                   </Link>
515                 </T>
516               </h5>
517             </header>
518             <div className="card-body">
519               {trending.length > 0 && (
520                 <ul className="list-inline">
521                   {trending.map(cv => (
522                     <li key={cv.community.id} className="list-inline-item">
523                       <CommunityLink community={cv.community} />
524                     </li>
525                   ))}
526                 </ul>
527               )}
528               {canCreateCommunity(this.state.siteRes) && (
529                 <LinkButton
530                   path="/create_community"
531                   translationKey="create_a_community"
532                 />
533               )}
534               <LinkButton
535                 path="/communities"
536                 translationKey="explore_communities"
537               />
538             </div>
539           </>
540         );
541       }
542     }
543   }
544
545   subscribedCommunities(isMobile = false) {
546     const { subscribedCollapsed } = this.state;
547
548     return (
549       <>
550         <header
551           className="card-header d-flex align-items-center"
552           id="sidebarSubscribedHeader"
553         >
554           <h5 className="mb-0 d-inline">
555             <T class="d-inline" i18nKey="subscribed_to_communities">
556               #
557               <Link className="text-body" to="/communities">
558                 #
559               </Link>
560             </T>
561           </h5>
562           {!isMobile && (
563             <button
564               type="button"
565               className="btn btn-sm text-muted"
566               onClick={linkEvent(this, this.handleCollapseSubscribe)}
567               aria-label={
568                 subscribedCollapsed ? i18n.t("expand") : i18n.t("collapse")
569               }
570               data-tippy-content={
571                 subscribedCollapsed ? i18n.t("expand") : i18n.t("collapse")
572               }
573               data-bs-toggle="collapse"
574               data-bs-target="#sidebarSubscribedBody"
575               aria-expanded="true"
576               aria-controls="sidebarSubscribedBody"
577             >
578               <Icon
579                 icon={`${subscribedCollapsed ? "plus" : "minus"}-square`}
580                 classes="icon-inline"
581               />
582             </button>
583           )}
584         </header>
585         <div
586           id="sidebarSubscribedBody"
587           className="collapse show"
588           aria-labelledby="sidebarSubscribedHeader"
589         >
590           <div className="card-body">
591             <ul className="list-inline mb-0">
592               {UserService.Instance.myUserInfo?.follows.map(cfv => (
593                 <li
594                   key={cfv.community.id}
595                   className="list-inline-item d-inline-block"
596                 >
597                   <CommunityLink community={cfv.community} />
598                 </li>
599               ))}
600             </ul>
601           </div>
602         </div>
603       </>
604     );
605   }
606
607   async updateUrl({ dataType, listingType, page, sort }: Partial<HomeProps>) {
608     const {
609       dataType: urlDataType,
610       listingType: urlListingType,
611       page: urlPage,
612       sort: urlSort,
613     } = getHomeQueryParams();
614
615     const queryParams: QueryParams<HomeProps> = {
616       dataType: getDataTypeString(dataType ?? urlDataType),
617       listingType: listingType ?? urlListingType,
618       page: (page ?? urlPage).toString(),
619       sort: sort ?? urlSort,
620     };
621
622     this.props.history.push({
623       pathname: "/",
624       search: getQueryString(queryParams),
625     });
626
627     await this.fetchData();
628   }
629
630   get posts() {
631     const { page } = getHomeQueryParams();
632
633     return (
634       <div className="main-content-wrapper">
635         <div>
636           {this.selects}
637           {this.listings}
638           <Paginator page={page} onChange={this.handlePageChange} />
639         </div>
640       </div>
641     );
642   }
643
644   get listings() {
645     const { dataType } = getHomeQueryParams();
646     const siteRes = this.state.siteRes;
647
648     if (dataType === DataType.Post) {
649       switch (this.state.postsRes.state) {
650         case "loading":
651           return (
652             <h5>
653               <Spinner large />
654             </h5>
655           );
656         case "success": {
657           const posts = this.state.postsRes.data.posts;
658           return (
659             <PostListings
660               posts={posts}
661               showCommunity
662               removeDuplicates
663               enableDownvotes={enableDownvotes(siteRes)}
664               enableNsfw={enableNsfw(siteRes)}
665               allLanguages={siteRes.all_languages}
666               siteLanguages={siteRes.discussion_languages}
667               onBlockPerson={this.handleBlockPerson}
668               onPostEdit={this.handlePostEdit}
669               onPostVote={this.handlePostVote}
670               onPostReport={this.handlePostReport}
671               onLockPost={this.handleLockPost}
672               onDeletePost={this.handleDeletePost}
673               onRemovePost={this.handleRemovePost}
674               onSavePost={this.handleSavePost}
675               onPurgePerson={this.handlePurgePerson}
676               onPurgePost={this.handlePurgePost}
677               onBanPerson={this.handleBanPerson}
678               onBanPersonFromCommunity={this.handleBanFromCommunity}
679               onAddModToCommunity={this.handleAddModToCommunity}
680               onAddAdmin={this.handleAddAdmin}
681               onTransferCommunity={this.handleTransferCommunity}
682               onFeaturePost={this.handleFeaturePost}
683             />
684           );
685         }
686       }
687     } else {
688       switch (this.state.commentsRes.state) {
689         case "loading":
690           return (
691             <h5>
692               <Spinner large />
693             </h5>
694           );
695         case "success": {
696           const comments = this.state.commentsRes.data.comments;
697           return (
698             <CommentNodes
699               nodes={commentsToFlatNodes(comments)}
700               viewType={CommentViewType.Flat}
701               finished={this.state.finished}
702               noIndent
703               showCommunity
704               showContext
705               enableDownvotes={enableDownvotes(siteRes)}
706               allLanguages={siteRes.all_languages}
707               siteLanguages={siteRes.discussion_languages}
708               onSaveComment={this.handleSaveComment}
709               onBlockPerson={this.handleBlockPerson}
710               onDeleteComment={this.handleDeleteComment}
711               onRemoveComment={this.handleRemoveComment}
712               onCommentVote={this.handleCommentVote}
713               onCommentReport={this.handleCommentReport}
714               onDistinguishComment={this.handleDistinguishComment}
715               onAddModToCommunity={this.handleAddModToCommunity}
716               onAddAdmin={this.handleAddAdmin}
717               onTransferCommunity={this.handleTransferCommunity}
718               onPurgeComment={this.handlePurgeComment}
719               onPurgePerson={this.handlePurgePerson}
720               onCommentReplyRead={this.handleCommentReplyRead}
721               onPersonMentionRead={this.handlePersonMentionRead}
722               onBanPersonFromCommunity={this.handleBanFromCommunity}
723               onBanPerson={this.handleBanPerson}
724               onCreateComment={this.handleCreateComment}
725               onEditComment={this.handleEditComment}
726             />
727           );
728         }
729       }
730     }
731   }
732
733   get selects() {
734     const { listingType, dataType, sort } = getHomeQueryParams();
735
736     return (
737       <div className="row align-items-center mb-3 g-3">
738         <div className="col-auto">
739           <DataTypeSelect
740             type_={dataType}
741             onChange={this.handleDataTypeChange}
742           />
743         </div>
744         <div className="col-auto">
745           <ListingTypeSelect
746             type_={listingType}
747             showLocal={showLocal(this.isoData)}
748             showSubscribed
749             onChange={this.handleListingTypeChange}
750           />
751         </div>
752         <div className="col-auto">
753           <SortSelect sort={sort} onChange={this.handleSortChange} />
754         </div>
755         <div className="col-auto ps-0">{getRss(listingType)}</div>
756       </div>
757     );
758   }
759
760   async fetchTrendingCommunities() {
761     this.setState({ trendingCommunitiesRes: { state: "loading" } });
762     this.setState({
763       trendingCommunitiesRes: await HttpService.client.listCommunities({
764         type_: "Local",
765         sort: "Hot",
766         limit: trendingFetchLimit,
767         auth: myAuth(),
768       }),
769     });
770   }
771
772   async fetchData() {
773     const auth = myAuth();
774     const { dataType, page, listingType, sort } = getHomeQueryParams();
775
776     if (dataType === DataType.Post) {
777       this.setState({ postsRes: { state: "loading" } });
778       this.setState({
779         postsRes: await HttpService.client.getPosts({
780           page,
781           limit: fetchLimit,
782           sort,
783           saved_only: false,
784           type_: listingType,
785           auth,
786         }),
787       });
788     } else {
789       this.setState({ commentsRes: { state: "loading" } });
790       this.setState({
791         commentsRes: await HttpService.client.getComments({
792           page,
793           limit: fetchLimit,
794           sort: postToCommentSortType(sort),
795           saved_only: false,
796           type_: listingType,
797           auth,
798         }),
799       });
800     }
801
802     restoreScrollPosition(this.context);
803     setupTippy();
804   }
805
806   handleShowSubscribedMobile(i: Home) {
807     i.setState({ showSubscribedMobile: !i.state.showSubscribedMobile });
808   }
809
810   handleShowTrendingMobile(i: Home) {
811     i.setState({ showTrendingMobile: !i.state.showTrendingMobile });
812   }
813
814   handleShowSidebarMobile(i: Home) {
815     i.setState({ showSidebarMobile: !i.state.showSidebarMobile });
816   }
817
818   handleCollapseSubscribe(i: Home) {
819     i.setState({ subscribedCollapsed: !i.state.subscribedCollapsed });
820   }
821
822   handlePageChange(page: number) {
823     this.updateUrl({ page });
824     window.scrollTo(0, 0);
825   }
826
827   handleSortChange(val: SortType) {
828     this.updateUrl({ sort: val, page: 1 });
829     window.scrollTo(0, 0);
830   }
831
832   handleListingTypeChange(val: ListingType) {
833     this.updateUrl({ listingType: val, page: 1 });
834     window.scrollTo(0, 0);
835   }
836
837   handleDataTypeChange(val: DataType) {
838     this.updateUrl({ dataType: val, page: 1 });
839     window.scrollTo(0, 0);
840   }
841
842   async handleAddModToCommunity(form: AddModToCommunity) {
843     // TODO not sure what to do here
844     await HttpService.client.addModToCommunity(form);
845   }
846
847   async handlePurgePerson(form: PurgePerson) {
848     const purgePersonRes = await HttpService.client.purgePerson(form);
849     this.purgeItem(purgePersonRes);
850   }
851
852   async handlePurgeComment(form: PurgeComment) {
853     const purgeCommentRes = await HttpService.client.purgeComment(form);
854     this.purgeItem(purgeCommentRes);
855   }
856
857   async handlePurgePost(form: PurgePost) {
858     const purgeRes = await HttpService.client.purgePost(form);
859     this.purgeItem(purgeRes);
860   }
861
862   async handleBlockPerson(form: BlockPerson) {
863     const blockPersonRes = await HttpService.client.blockPerson(form);
864     if (blockPersonRes.state == "success") {
865       updatePersonBlock(blockPersonRes.data);
866     }
867   }
868
869   async handleCreateComment(form: CreateComment) {
870     const createCommentRes = await HttpService.client.createComment(form);
871     this.createAndUpdateComments(createCommentRes);
872
873     return createCommentRes;
874   }
875
876   async handleEditComment(form: EditComment) {
877     const editCommentRes = await HttpService.client.editComment(form);
878     this.findAndUpdateComment(editCommentRes);
879
880     return editCommentRes;
881   }
882
883   async handleDeleteComment(form: DeleteComment) {
884     const deleteCommentRes = await HttpService.client.deleteComment(form);
885     this.findAndUpdateComment(deleteCommentRes);
886   }
887
888   async handleDeletePost(form: DeletePost) {
889     const deleteRes = await HttpService.client.deletePost(form);
890     this.findAndUpdatePost(deleteRes);
891   }
892
893   async handleRemovePost(form: RemovePost) {
894     const removeRes = await HttpService.client.removePost(form);
895     this.findAndUpdatePost(removeRes);
896   }
897
898   async handleRemoveComment(form: RemoveComment) {
899     const removeCommentRes = await HttpService.client.removeComment(form);
900     this.findAndUpdateComment(removeCommentRes);
901   }
902
903   async handleSaveComment(form: SaveComment) {
904     const saveCommentRes = await HttpService.client.saveComment(form);
905     this.findAndUpdateComment(saveCommentRes);
906   }
907
908   async handleSavePost(form: SavePost) {
909     const saveRes = await HttpService.client.savePost(form);
910     this.findAndUpdatePost(saveRes);
911   }
912
913   async handleFeaturePost(form: FeaturePost) {
914     const featureRes = await HttpService.client.featurePost(form);
915     this.findAndUpdatePost(featureRes);
916   }
917
918   async handleCommentVote(form: CreateCommentLike) {
919     const voteRes = await HttpService.client.likeComment(form);
920     this.findAndUpdateComment(voteRes);
921   }
922
923   async handlePostEdit(form: EditPost) {
924     const res = await HttpService.client.editPost(form);
925     this.findAndUpdatePost(res);
926   }
927
928   async handlePostVote(form: CreatePostLike) {
929     const voteRes = await HttpService.client.likePost(form);
930     this.findAndUpdatePost(voteRes);
931   }
932
933   async handleCommentReport(form: CreateCommentReport) {
934     const reportRes = await HttpService.client.createCommentReport(form);
935     if (reportRes.state == "success") {
936       toast(i18n.t("report_created"));
937     }
938   }
939
940   async handlePostReport(form: CreatePostReport) {
941     const reportRes = await HttpService.client.createPostReport(form);
942     if (reportRes.state == "success") {
943       toast(i18n.t("report_created"));
944     }
945   }
946
947   async handleLockPost(form: LockPost) {
948     const lockRes = await HttpService.client.lockPost(form);
949     this.findAndUpdatePost(lockRes);
950   }
951
952   async handleDistinguishComment(form: DistinguishComment) {
953     const distinguishRes = await HttpService.client.distinguishComment(form);
954     this.findAndUpdateComment(distinguishRes);
955   }
956
957   async handleAddAdmin(form: AddAdmin) {
958     const addAdminRes = await HttpService.client.addAdmin(form);
959
960     if (addAdminRes.state == "success") {
961       this.setState(s => ((s.siteRes.admins = addAdminRes.data.admins), s));
962     }
963   }
964
965   async handleTransferCommunity(form: TransferCommunity) {
966     await HttpService.client.transferCommunity(form);
967     toast(i18n.t("transfer_community"));
968   }
969
970   async handleCommentReplyRead(form: MarkCommentReplyAsRead) {
971     const readRes = await HttpService.client.markCommentReplyAsRead(form);
972     this.findAndUpdateCommentReply(readRes);
973   }
974
975   async handlePersonMentionRead(form: MarkPersonMentionAsRead) {
976     // TODO not sure what to do here. Maybe it is actually optional, because post doesn't need it.
977     await HttpService.client.markPersonMentionAsRead(form);
978   }
979
980   async handleBanFromCommunity(form: BanFromCommunity) {
981     const banRes = await HttpService.client.banFromCommunity(form);
982     this.updateBanFromCommunity(banRes);
983   }
984
985   async handleBanPerson(form: BanPerson) {
986     const banRes = await HttpService.client.banPerson(form);
987     this.updateBan(banRes);
988   }
989
990   updateBanFromCommunity(banRes: RequestState<BanFromCommunityResponse>) {
991     // Maybe not necessary
992     if (banRes.state == "success") {
993       this.setState(s => {
994         if (s.postsRes.state == "success") {
995           s.postsRes.data.posts
996             .filter(c => c.creator.id == banRes.data.person_view.person.id)
997             .forEach(
998               c => (c.creator_banned_from_community = banRes.data.banned)
999             );
1000         }
1001         if (s.commentsRes.state == "success") {
1002           s.commentsRes.data.comments
1003             .filter(c => c.creator.id == banRes.data.person_view.person.id)
1004             .forEach(
1005               c => (c.creator_banned_from_community = banRes.data.banned)
1006             );
1007         }
1008         return s;
1009       });
1010     }
1011   }
1012
1013   updateBan(banRes: RequestState<BanPersonResponse>) {
1014     // Maybe not necessary
1015     if (banRes.state == "success") {
1016       this.setState(s => {
1017         if (s.postsRes.state == "success") {
1018           s.postsRes.data.posts
1019             .filter(c => c.creator.id == banRes.data.person_view.person.id)
1020             .forEach(c => (c.creator.banned = banRes.data.banned));
1021         }
1022         if (s.commentsRes.state == "success") {
1023           s.commentsRes.data.comments
1024             .filter(c => c.creator.id == banRes.data.person_view.person.id)
1025             .forEach(c => (c.creator.banned = banRes.data.banned));
1026         }
1027         return s;
1028       });
1029     }
1030   }
1031
1032   purgeItem(purgeRes: RequestState<PurgeItemResponse>) {
1033     if (purgeRes.state == "success") {
1034       toast(i18n.t("purge_success"));
1035       this.context.router.history.push(`/`);
1036     }
1037   }
1038
1039   findAndUpdateComment(res: RequestState<CommentResponse>) {
1040     this.setState(s => {
1041       if (s.commentsRes.state == "success" && res.state == "success") {
1042         s.commentsRes.data.comments = editComment(
1043           res.data.comment_view,
1044           s.commentsRes.data.comments
1045         );
1046         s.finished.set(res.data.comment_view.comment.id, true);
1047       }
1048       return s;
1049     });
1050   }
1051
1052   createAndUpdateComments(res: RequestState<CommentResponse>) {
1053     this.setState(s => {
1054       if (s.commentsRes.state == "success" && res.state == "success") {
1055         s.commentsRes.data.comments.unshift(res.data.comment_view);
1056
1057         // Set finished for the parent
1058         s.finished.set(
1059           getCommentParentId(res.data.comment_view.comment) ?? 0,
1060           true
1061         );
1062       }
1063       return s;
1064     });
1065   }
1066
1067   findAndUpdateCommentReply(res: RequestState<CommentReplyResponse>) {
1068     this.setState(s => {
1069       if (s.commentsRes.state == "success" && res.state == "success") {
1070         s.commentsRes.data.comments = editWith(
1071           res.data.comment_reply_view,
1072           s.commentsRes.data.comments
1073         );
1074       }
1075       return s;
1076     });
1077   }
1078
1079   findAndUpdatePost(res: RequestState<PostResponse>) {
1080     this.setState(s => {
1081       if (s.postsRes.state == "success" && res.state == "success") {
1082         s.postsRes.data.posts = editPost(
1083           res.data.post_view,
1084           s.postsRes.data.posts
1085         );
1086       }
1087       return s;
1088     });
1089   }
1090 }