]> Untitled Git - lemmy-ui.git/blob - src/shared/utils.ts
Merge pull request #258 from LemmyNet/change_password
[lemmy-ui.git] / src / shared / utils.ts
1 import "moment/locale/es";
2 import "moment/locale/el";
3 import "moment/locale/eu";
4 import "moment/locale/eo";
5 import "moment/locale/de";
6 import "moment/locale/zh-cn";
7 import "moment/locale/fr";
8 import "moment/locale/sv";
9 import "moment/locale/ru";
10 import "moment/locale/nl";
11 import "moment/locale/it";
12 import "moment/locale/fi";
13 import "moment/locale/ca";
14 import "moment/locale/fa";
15 import "moment/locale/pl";
16 import "moment/locale/pt-br";
17 import "moment/locale/ja";
18 import "moment/locale/ka";
19 import "moment/locale/hi";
20 import "moment/locale/gl";
21 import "moment/locale/tr";
22 import "moment/locale/hu";
23 import "moment/locale/uk";
24 import "moment/locale/sq";
25 import "moment/locale/km";
26 import "moment/locale/ga";
27 import "moment/locale/sr";
28 import "moment/locale/ko";
29 import "moment/locale/da";
30 import "moment/locale/hr";
31 import "moment/locale/bg";
32
33 import {
34   UserOperation,
35   CommentView,
36   LocalUserSettingsView,
37   SortType,
38   ListingType,
39   SearchType,
40   WebSocketResponse,
41   WebSocketJsonResponse,
42   Search,
43   SearchResponse,
44   PostView,
45   PrivateMessageView,
46   LemmyWebsocket,
47   PersonViewSafe,
48   CommunityView,
49 } from "lemmy-js-client";
50
51 import {
52   CommentSortType,
53   DataType,
54   IsoData,
55   CommentNode as CommentNodeI,
56 } from "./interfaces";
57 import { UserService, WebSocketService } from "./services";
58 var Tribute: any;
59 if (isBrowser()) {
60   Tribute = require("tributejs");
61 }
62 import markdown_it from "markdown-it";
63 import markdown_it_sub from "markdown-it-sub";
64 import markdown_it_sup from "markdown-it-sup";
65 import markdown_it_container from "markdown-it-container";
66 import emojiShortName from "emoji-short-name";
67 import Toastify from "toastify-js";
68 import tippy from "tippy.js";
69 import moment from "moment";
70 import { Subscription } from "rxjs";
71 import { retryWhen, delay, take } from "rxjs/operators";
72 import { i18n } from "./i18next";
73
74 export const wsClient = new LemmyWebsocket();
75
76 export const favIconUrl = "/static/assets/icons/favicon.svg";
77 export const favIconPngUrl = "/static/assets/icons/apple-touch-icon.png";
78 // TODO
79 // export const defaultFavIcon = `${window.location.protocol}//${window.location.host}${favIconPngUrl}`;
80 export const repoUrl = "https://github.com/LemmyNet";
81 export const joinLemmyUrl = "https://join.lemmy.ml";
82 export const supportLemmyUrl = "https://join.lemmy.ml/support";
83 export const docsUrl = "https://join.lemmy.ml/docs/en/index.html";
84 export const helpGuideUrl = "https://join.lemmy.ml/docs/en/about/guide.html"; // TODO find a way to redirect to the non-en folder
85 export const markdownHelpUrl = `${helpGuideUrl}#markdown-guide`;
86 export const sortingHelpUrl = `${helpGuideUrl}#sorting`;
87 export const archiveUrl = "https://archive.is";
88 export const elementUrl = "https://element.io/";
89
90 export const postRefetchSeconds: number = 60 * 1000;
91 export const fetchLimit = 20;
92 export const mentionDropdownFetchLimit = 10;
93
94 export const languages = [
95   { code: "ca" },
96   { code: "en" },
97   { code: "el" },
98   { code: "eu" },
99   { code: "eo" },
100   { code: "es" },
101   { code: "da" },
102   { code: "de" },
103   { code: "ga" },
104   { code: "gl" },
105   { code: "hr" },
106   { code: "hu" },
107   { code: "ka" },
108   { code: "ko" },
109   { code: "km" },
110   { code: "hi" },
111   { code: "fa" },
112   { code: "ja" },
113   { code: "oc" },
114   { code: "pl" },
115   { code: "pt_BR" },
116   { code: "zh" },
117   { code: "fi" },
118   { code: "fr" },
119   { code: "sv" },
120   { code: "sq" },
121   { code: "sr_Latn" },
122   { code: "th" },
123   { code: "tr" },
124   { code: "uk" },
125   { code: "ru" },
126   { code: "nl" },
127   { code: "it" },
128   { code: "bg" },
129 ];
130
131 export const themes = [
132   "litera",
133   "materia",
134   "minty",
135   "solar",
136   "united",
137   "cyborg",
138   "darkly",
139   "journal",
140   "sketchy",
141   "vaporwave",
142   "vaporwave-dark",
143   "i386",
144   "litely",
145 ];
146
147 const DEFAULT_ALPHABET =
148   "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789";
149
150 function getRandomCharFromAlphabet(alphabet: string): string {
151   return alphabet.charAt(Math.floor(Math.random() * alphabet.length));
152 }
153
154 export function randomStr(
155   idDesiredLength = 20,
156   alphabet = DEFAULT_ALPHABET
157 ): string {
158   /**
159    * Create n-long array and map it to random chars from given alphabet.
160    * Then join individual chars as string
161    */
162   return Array.from({ length: idDesiredLength })
163     .map(() => {
164       return getRandomCharFromAlphabet(alphabet);
165     })
166     .join("");
167 }
168
169 export function wsJsonToRes<ResponseType>(
170   msg: WebSocketJsonResponse<ResponseType>
171 ): WebSocketResponse<ResponseType> {
172   return {
173     op: wsUserOp(msg),
174     data: msg.data,
175   };
176 }
177
178 export function wsUserOp(msg: any): UserOperation {
179   let opStr: string = msg.op;
180   return UserOperation[opStr];
181 }
182
183 export const md = new markdown_it({
184   html: false,
185   linkify: true,
186   typographer: true,
187 })
188   .use(markdown_it_sub)
189   .use(markdown_it_sup)
190   .use(markdown_it_container, "spoiler", {
191     validate: function (params: any) {
192       return params.trim().match(/^spoiler\s+(.*)$/);
193     },
194
195     render: function (tokens: any, idx: any) {
196       var m = tokens[idx].info.trim().match(/^spoiler\s+(.*)$/);
197
198       if (tokens[idx].nesting === 1) {
199         // opening tag
200         return `<details><summary> ${md.utils.escapeHtml(m[1])} </summary>\n`;
201       } else {
202         // closing tag
203         return "</details>\n";
204       }
205     },
206   });
207
208 export function hotRankComment(comment_view: CommentView): number {
209   return hotRank(comment_view.counts.score, comment_view.comment.published);
210 }
211
212 export function hotRankActivePost(post_view: PostView): number {
213   return hotRank(post_view.counts.score, post_view.counts.newest_comment_time);
214 }
215
216 export function hotRankPost(post_view: PostView): number {
217   return hotRank(post_view.counts.score, post_view.post.published);
218 }
219
220 export function hotRank(score: number, timeStr: string): number {
221   // Rank = ScaleFactor * sign(Score) * log(1 + abs(Score)) / (Time + 2)^Gravity
222   let date: Date = new Date(timeStr + "Z"); // Add Z to convert from UTC date
223   let now: Date = new Date();
224   let hoursElapsed: number = (now.getTime() - date.getTime()) / 36e5;
225
226   let rank =
227     (10000 * Math.log10(Math.max(1, 3 + score))) /
228     Math.pow(hoursElapsed + 2, 1.8);
229
230   // console.log(`Comment: ${comment.content}\nRank: ${rank}\nScore: ${comment.score}\nHours: ${hoursElapsed}`);
231
232   return rank;
233 }
234
235 export function mdToHtml(text: string) {
236   return { __html: md.render(text) };
237 }
238
239 export function getUnixTime(text: string): number {
240   return text ? new Date(text).getTime() / 1000 : undefined;
241 }
242
243 export function canMod(
244   localUserView: LocalUserSettingsView,
245   modIds: number[],
246   creator_id: number,
247   onSelf = false
248 ): boolean {
249   // You can do moderator actions only on the mods added after you.
250   if (localUserView) {
251     let yourIndex = modIds.findIndex(id => id == localUserView.person.id);
252     if (yourIndex == -1) {
253       return false;
254     } else {
255       // onSelf +1 on mod actions not for yourself, IE ban, remove, etc
256       modIds = modIds.slice(0, yourIndex + (onSelf ? 0 : 1));
257       return !modIds.includes(creator_id);
258     }
259   } else {
260     return false;
261   }
262 }
263
264 export function isMod(modIds: number[], creator_id: number): boolean {
265   return modIds.includes(creator_id);
266 }
267
268 const imageRegex = new RegExp(
269   /(http)?s?:?(\/\/[^"']*\.(?:jpg|jpeg|gif|png|svg|webp))/
270 );
271 const videoRegex = new RegExp(`(http)?s?:?(\/\/[^"']*\.(?:mp4))`);
272
273 export function isImage(url: string) {
274   return imageRegex.test(url);
275 }
276
277 export function isVideo(url: string) {
278   return videoRegex.test(url);
279 }
280
281 export function validURL(str: string) {
282   return !!new URL(str);
283 }
284
285 export function communityRSSUrl(actorId: string, sort: string): string {
286   let url = new URL(actorId);
287   return `${url.origin}/feeds${url.pathname}.xml?sort=${sort}`;
288 }
289
290 export function validEmail(email: string) {
291   let re = /^(([^\s"(),.:;<>@[\\\]]+(\.[^\s"(),.:;<>@[\\\]]+)*)|(".+"))@((\[(?:\d{1,3}\.){3}\d{1,3}])|(([\dA-Za-z\-]+\.)+[A-Za-z]{2,}))$/;
292   return re.test(String(email).toLowerCase());
293 }
294
295 export function capitalizeFirstLetter(str: string): string {
296   return str.charAt(0).toUpperCase() + str.slice(1);
297 }
298
299 export function routeSortTypeToEnum(sort: string): SortType {
300   return SortType[sort];
301 }
302
303 export function listingTypeFromNum(type_: number): ListingType {
304   return Object.values(ListingType)[type_];
305 }
306
307 export function sortTypeFromNum(type_: number): SortType {
308   return Object.values(SortType)[type_];
309 }
310
311 export function routeListingTypeToEnum(type: string): ListingType {
312   return ListingType[type];
313 }
314
315 export function routeDataTypeToEnum(type: string): DataType {
316   return DataType[capitalizeFirstLetter(type)];
317 }
318
319 export function routeSearchTypeToEnum(type: string): SearchType {
320   return SearchType[type];
321 }
322
323 export async function getPageTitle(url: string) {
324   let res = await fetch(`/iframely/oembed?url=${url}`).then(res => res.json());
325   let title = await res.title;
326   return title;
327 }
328
329 export function debounce(func: any, wait = 1000, immediate = false) {
330   // 'private' variable for instance
331   // The returned function will be able to reference this due to closure.
332   // Each call to the returned function will share this common timer.
333   let timeout: any;
334
335   // Calling debounce returns a new anonymous function
336   return function () {
337     // reference the context and args for the setTimeout function
338     var args = arguments;
339
340     // Should the function be called now? If immediate is true
341     //   and not already in a timeout then the answer is: Yes
342     var callNow = immediate && !timeout;
343
344     // This is the basic debounce behaviour where you can call this
345     //   function several times, but it will only execute once
346     //   [before or after imposing a delay].
347     //   Each time the returned function is called, the timer starts over.
348     clearTimeout(timeout);
349
350     // Set the new timeout
351     timeout = setTimeout(function () {
352       // Inside the timeout function, clear the timeout variable
353       // which will let the next execution run when in 'immediate' mode
354       timeout = null;
355
356       // Check if the function already ran with the immediate flag
357       if (!immediate) {
358         // Call the original function with apply
359         // apply lets you define the 'this' object as well as the arguments
360         //    (both captured before setTimeout)
361         func.apply(this, args);
362       }
363     }, wait);
364
365     // Immediate mode and no wait timer? Execute the function..
366     if (callNow) func.apply(this, args);
367   };
368 }
369
370 // TODO
371 export function getLanguage(override?: string): string {
372   let localUserView = UserService.Instance.localUserView;
373   let lang =
374     override ||
375     (localUserView?.local_user.lang
376       ? localUserView.local_user.lang
377       : "browser");
378
379   if (lang == "browser" && isBrowser()) {
380     return getBrowserLanguage();
381   } else {
382     return lang;
383   }
384 }
385
386 export function getBrowserLanguage(): string {
387   return navigator.language;
388 }
389
390 export function getMomentLanguage(): string {
391   let lang = getLanguage();
392   if (lang.startsWith("zh")) {
393     lang = "zh-cn";
394   } else if (lang.startsWith("sv")) {
395     lang = "sv";
396   } else if (lang.startsWith("fr")) {
397     lang = "fr";
398   } else if (lang.startsWith("de")) {
399     lang = "de";
400   } else if (lang.startsWith("ru")) {
401     lang = "ru";
402   } else if (lang.startsWith("es")) {
403     lang = "es";
404   } else if (lang.startsWith("eo")) {
405     lang = "eo";
406   } else if (lang.startsWith("nl")) {
407     lang = "nl";
408   } else if (lang.startsWith("it")) {
409     lang = "it";
410   } else if (lang.startsWith("fi")) {
411     lang = "fi";
412   } else if (lang.startsWith("ca")) {
413     lang = "ca";
414   } else if (lang.startsWith("fa")) {
415     lang = "fa";
416   } else if (lang.startsWith("pl")) {
417     lang = "pl";
418   } else if (lang.startsWith("pt")) {
419     lang = "pt-br";
420   } else if (lang.startsWith("ja")) {
421     lang = "ja";
422   } else if (lang.startsWith("ka")) {
423     lang = "ka";
424   } else if (lang.startsWith("hi")) {
425     lang = "hi";
426   } else if (lang.startsWith("el")) {
427     lang = "el";
428   } else if (lang.startsWith("eu")) {
429     lang = "eu";
430   } else if (lang.startsWith("gl")) {
431     lang = "gl";
432   } else if (lang.startsWith("tr")) {
433     lang = "tr";
434   } else if (lang.startsWith("hu")) {
435     lang = "hu";
436   } else if (lang.startsWith("uk")) {
437     lang = "uk";
438   } else if (lang.startsWith("sq")) {
439     lang = "sq";
440   } else if (lang.startsWith("km")) {
441     lang = "km";
442   } else if (lang.startsWith("ga")) {
443     lang = "ga";
444   } else if (lang.startsWith("sr")) {
445     lang = "sr";
446   } else if (lang.startsWith("ko")) {
447     lang = "ko";
448   } else if (lang.startsWith("da")) {
449     lang = "da";
450   } else if (lang.startsWith("oc")) {
451     lang = "oc";
452   } else if (lang.startsWith("hr")) {
453     lang = "hr";
454   } else if (lang.startsWith("th")) {
455     lang = "th";
456   } else if (lang.startsWith("bg")) {
457     lang = "bg";
458   } else {
459     lang = "en";
460   }
461   return lang;
462 }
463
464 export function setTheme(theme: string, forceReload = false) {
465   if (!isBrowser()) {
466     return;
467   }
468   if (theme === "browser" && !forceReload) {
469     return;
470   }
471   // This is only run on a force reload
472   if (theme == "browser") {
473     theme = "darkly";
474   }
475
476   // Unload all the other themes
477   for (var i = 0; i < themes.length; i++) {
478     let styleSheet = document.getElementById(themes[i]);
479     if (styleSheet) {
480       styleSheet.setAttribute("disabled", "disabled");
481     }
482   }
483
484   document
485     .getElementById("default-light")
486     ?.setAttribute("disabled", "disabled");
487   document.getElementById("default-dark")?.setAttribute("disabled", "disabled");
488
489   // Load the theme dynamically
490   let cssLoc = `/static/assets/css/themes/${theme}.min.css`;
491   loadCss(theme, cssLoc);
492   document.getElementById(theme).removeAttribute("disabled");
493 }
494
495 export function loadCss(id: string, loc: string) {
496   if (!document.getElementById(id)) {
497     var head = document.getElementsByTagName("head")[0];
498     var link = document.createElement("link");
499     link.id = id;
500     link.rel = "stylesheet";
501     link.type = "text/css";
502     link.href = loc;
503     link.media = "all";
504     head.appendChild(link);
505   }
506 }
507
508 export function objectFlip(obj: any) {
509   const ret = {};
510   Object.keys(obj).forEach(key => {
511     ret[obj[key]] = key;
512   });
513   return ret;
514 }
515
516 export function showAvatars(): boolean {
517   return (
518     UserService.Instance.localUserView?.local_user.show_avatars ||
519     !UserService.Instance.localUserView
520   );
521 }
522
523 export function isCakeDay(published: string): boolean {
524   // moment(undefined) or moment.utc(undefined) returns the current date/time
525   // moment(null) or moment.utc(null) returns null
526   const createDate = moment.utc(published || null).local();
527   const currentDate = moment(new Date());
528
529   return (
530     createDate.date() === currentDate.date() &&
531     createDate.month() === currentDate.month() &&
532     createDate.year() !== currentDate.year()
533   );
534 }
535
536 export function toast(text: string, background = "success") {
537   if (isBrowser()) {
538     let backgroundColor = `var(--${background})`;
539     Toastify({
540       text: text,
541       backgroundColor: backgroundColor,
542       gravity: "bottom",
543       position: "left",
544     }).showToast();
545   }
546 }
547
548 export function pictrsDeleteToast(
549   clickToDeleteText: string,
550   deletePictureText: string,
551   deleteUrl: string
552 ) {
553   if (isBrowser()) {
554     let backgroundColor = `var(--light)`;
555     let toast = Toastify({
556       text: clickToDeleteText,
557       backgroundColor: backgroundColor,
558       gravity: "top",
559       position: "right",
560       duration: 10000,
561       onClick: () => {
562         if (toast) {
563           window.location.replace(deleteUrl);
564           alert(deletePictureText);
565           toast.hideToast();
566         }
567       },
568       close: true,
569     }).showToast();
570   }
571 }
572
573 interface NotifyInfo {
574   name: string;
575   icon?: string;
576   link: string;
577   body: string;
578 }
579
580 export function messageToastify(info: NotifyInfo, router: any) {
581   if (isBrowser()) {
582     let htmlBody = info.body ? md.render(info.body) : "";
583     let backgroundColor = `var(--light)`;
584
585     let toast = Toastify({
586       text: `${htmlBody}<br />${info.name}`,
587       avatar: info.icon ? info.icon : null,
588       backgroundColor: backgroundColor,
589       className: "text-dark",
590       close: true,
591       gravity: "top",
592       position: "right",
593       duration: 5000,
594       escapeMarkup: false,
595       onClick: () => {
596         if (toast) {
597           toast.hideToast();
598           router.history.push(info.link);
599         }
600       },
601     }).showToast();
602   }
603 }
604
605 export function notifyPost(post_view: PostView, router: any) {
606   let info: NotifyInfo = {
607     name: post_view.community.name,
608     icon: post_view.community.icon,
609     link: `/post/${post_view.post.id}`,
610     body: post_view.post.name,
611   };
612   notify(info, router);
613 }
614
615 export function notifyComment(comment_view: CommentView, router: any) {
616   let info: NotifyInfo = {
617     name: comment_view.creator.name,
618     icon: comment_view.creator.avatar,
619     link: `/post/${comment_view.post.id}/comment/${comment_view.comment.id}`,
620     body: comment_view.comment.content,
621   };
622   notify(info, router);
623 }
624
625 export function notifyPrivateMessage(pmv: PrivateMessageView, router: any) {
626   let info: NotifyInfo = {
627     name: pmv.creator.name,
628     icon: pmv.creator.avatar,
629     link: `/inbox`,
630     body: pmv.private_message.content,
631   };
632   notify(info, router);
633 }
634
635 function notify(info: NotifyInfo, router: any) {
636   messageToastify(info, router);
637
638   if (Notification.permission !== "granted") Notification.requestPermission();
639   else {
640     var notification = new Notification(info.name, {
641       icon: info.icon,
642       body: info.body,
643     });
644
645     notification.onclick = (ev: Event): any => {
646       ev.preventDefault();
647       router.history.push(info.link);
648     };
649   }
650 }
651
652 export function setupTribute() {
653   return new Tribute({
654     noMatchTemplate: function () {
655       return "";
656     },
657     collection: [
658       // Emojis
659       {
660         trigger: ":",
661         menuItemTemplate: (item: any) => {
662           let shortName = `:${item.original.key}:`;
663           return `${item.original.val} ${shortName}`;
664         },
665         selectTemplate: (item: any) => {
666           return `${item.original.val}`;
667         },
668         values: Object.entries(emojiShortName).map(e => {
669           return { key: e[1], val: e[0] };
670         }),
671         allowSpaces: false,
672         autocompleteMode: true,
673         // TODO
674         // menuItemLimit: mentionDropdownFetchLimit,
675         menuShowMinLength: 2,
676       },
677       // Persons
678       {
679         trigger: "@",
680         selectTemplate: (item: any) => {
681           let it: PersonTribute = item.original;
682           return `[${it.key}](${it.view.person.actor_id})`;
683         },
684         values: (text: string, cb: (persons: PersonTribute[]) => any) => {
685           personSearch(text, (persons: PersonTribute[]) => cb(persons));
686         },
687         allowSpaces: false,
688         autocompleteMode: true,
689         // TODO
690         // menuItemLimit: mentionDropdownFetchLimit,
691         menuShowMinLength: 2,
692       },
693
694       // Communities
695       {
696         trigger: "!",
697         selectTemplate: (item: any) => {
698           let it: CommunityTribute = item.original;
699           return `[${it.key}](${it.view.community.actor_id})`;
700         },
701         values: (text: string, cb: any) => {
702           communitySearch(text, (communities: CommunityTribute[]) =>
703             cb(communities)
704           );
705         },
706         allowSpaces: false,
707         autocompleteMode: true,
708         // TODO
709         // menuItemLimit: mentionDropdownFetchLimit,
710         menuShowMinLength: 2,
711       },
712     ],
713   });
714 }
715
716 var tippyInstance: any;
717 if (isBrowser()) {
718   tippyInstance = tippy("[data-tippy-content]");
719 }
720
721 export function setupTippy() {
722   if (isBrowser()) {
723     tippyInstance.forEach((e: any) => e.destroy());
724     tippyInstance = tippy("[data-tippy-content]", {
725       delay: [500, 0],
726       // Display on "long press"
727       touch: ["hold", 500],
728     });
729   }
730 }
731
732 interface PersonTribute {
733   key: string;
734   view: PersonViewSafe;
735 }
736
737 function personSearch(text: string, cb: (persons: PersonTribute[]) => any) {
738   if (text) {
739     let form: Search = {
740       q: text,
741       type_: SearchType.Users,
742       sort: SortType.TopAll,
743       page: 1,
744       limit: mentionDropdownFetchLimit,
745       auth: authField(false),
746     };
747
748     WebSocketService.Instance.send(wsClient.search(form));
749
750     let personSub = WebSocketService.Instance.subject.subscribe(
751       msg => {
752         let res = wsJsonToRes(msg);
753         if (res.op == UserOperation.Search) {
754           let data = res.data as SearchResponse;
755           let persons: PersonTribute[] = data.users.map(pv => {
756             let tribute: PersonTribute = {
757               key: `@${pv.person.name}@${hostname(pv.person.actor_id)}`,
758               view: pv,
759             };
760             return tribute;
761           });
762           cb(persons);
763           personSub.unsubscribe();
764         }
765       },
766       err => console.error(err),
767       () => console.log("complete")
768     );
769   } else {
770     cb([]);
771   }
772 }
773
774 interface CommunityTribute {
775   key: string;
776   view: CommunityView;
777 }
778
779 function communitySearch(
780   text: string,
781   cb: (communities: CommunityTribute[]) => any
782 ) {
783   if (text) {
784     let form: Search = {
785       q: text,
786       type_: SearchType.Communities,
787       sort: SortType.TopAll,
788       page: 1,
789       limit: mentionDropdownFetchLimit,
790       auth: authField(false),
791     };
792
793     WebSocketService.Instance.send(wsClient.search(form));
794
795     let communitySub = WebSocketService.Instance.subject.subscribe(
796       msg => {
797         let res = wsJsonToRes(msg);
798         if (res.op == UserOperation.Search) {
799           let data = res.data as SearchResponse;
800           let communities: CommunityTribute[] = data.communities.map(cv => {
801             let tribute: CommunityTribute = {
802               key: `!${cv.community.name}@${hostname(cv.community.actor_id)}`,
803               view: cv,
804             };
805             return tribute;
806           });
807           cb(communities);
808           communitySub.unsubscribe();
809         }
810       },
811       err => console.error(err),
812       () => console.log("complete")
813     );
814   } else {
815     cb([]);
816   }
817 }
818
819 export function getListingTypeFromProps(props: any): ListingType {
820   return props.match.params.listing_type
821     ? routeListingTypeToEnum(props.match.params.listing_type)
822     : UserService.Instance.localUserView
823     ? Object.values(ListingType)[
824         UserService.Instance.localUserView.local_user.default_listing_type
825       ]
826     : ListingType.Local;
827 }
828
829 // TODO might need to add a user setting for this too
830 export function getDataTypeFromProps(props: any): DataType {
831   return props.match.params.data_type
832     ? routeDataTypeToEnum(props.match.params.data_type)
833     : DataType.Post;
834 }
835
836 export function getSortTypeFromProps(props: any): SortType {
837   return props.match.params.sort
838     ? routeSortTypeToEnum(props.match.params.sort)
839     : UserService.Instance.localUserView
840     ? Object.values(SortType)[
841         UserService.Instance.localUserView.local_user.default_sort_type
842       ]
843     : SortType.Active;
844 }
845
846 export function getPageFromProps(props: any): number {
847   return props.match.params.page ? Number(props.match.params.page) : 1;
848 }
849
850 export function getRecipientIdFromProps(props: any): number {
851   return props.match.params.recipient_id
852     ? Number(props.match.params.recipient_id)
853     : 1;
854 }
855
856 export function getIdFromProps(props: any): number {
857   return Number(props.match.params.id);
858 }
859
860 export function getCommentIdFromProps(props: any): number {
861   return Number(props.match.params.comment_id);
862 }
863
864 export function getUsernameFromProps(props: any): string {
865   return props.match.params.username;
866 }
867
868 export function editCommentRes(data: CommentView, comments: CommentView[]) {
869   let found = comments.find(c => c.comment.id == data.comment.id);
870   if (found) {
871     found.comment.content = data.comment.content;
872     found.comment.updated = data.comment.updated;
873     found.comment.removed = data.comment.removed;
874     found.comment.deleted = data.comment.deleted;
875     found.counts.upvotes = data.counts.upvotes;
876     found.counts.downvotes = data.counts.downvotes;
877     found.counts.score = data.counts.score;
878   }
879 }
880
881 export function saveCommentRes(data: CommentView, comments: CommentView[]) {
882   let found = comments.find(c => c.comment.id == data.comment.id);
883   if (found) {
884     found.saved = data.saved;
885   }
886 }
887
888 export function createCommentLikeRes(
889   data: CommentView,
890   comments: CommentView[]
891 ) {
892   let found = comments.find(c => c.comment.id === data.comment.id);
893   if (found) {
894     found.counts.score = data.counts.score;
895     found.counts.upvotes = data.counts.upvotes;
896     found.counts.downvotes = data.counts.downvotes;
897     if (data.my_vote !== null) {
898       found.my_vote = data.my_vote;
899     }
900   }
901 }
902
903 export function createPostLikeFindRes(data: PostView, posts: PostView[]) {
904   let found = posts.find(p => p.post.id == data.post.id);
905   if (found) {
906     createPostLikeRes(data, found);
907   }
908 }
909
910 export function createPostLikeRes(data: PostView, post_view: PostView) {
911   if (post_view) {
912     post_view.counts.score = data.counts.score;
913     post_view.counts.upvotes = data.counts.upvotes;
914     post_view.counts.downvotes = data.counts.downvotes;
915     if (data.my_vote !== null) {
916       post_view.my_vote = data.my_vote;
917     }
918   }
919 }
920
921 export function editPostFindRes(data: PostView, posts: PostView[]) {
922   let found = posts.find(p => p.post.id == data.post.id);
923   if (found) {
924     editPostRes(data, found);
925   }
926 }
927
928 export function editPostRes(data: PostView, post: PostView) {
929   if (post) {
930     post.post.url = data.post.url;
931     post.post.name = data.post.name;
932     post.post.nsfw = data.post.nsfw;
933     post.post.deleted = data.post.deleted;
934     post.post.removed = data.post.removed;
935     post.post.stickied = data.post.stickied;
936     post.post.body = data.post.body;
937     post.post.locked = data.post.locked;
938     post.saved = data.saved;
939   }
940 }
941
942 export function commentsToFlatNodes(comments: CommentView[]): CommentNodeI[] {
943   let nodes: CommentNodeI[] = [];
944   for (let comment of comments) {
945     nodes.push({ comment_view: comment });
946   }
947   return nodes;
948 }
949
950 function commentSort(tree: CommentNodeI[], sort: CommentSortType) {
951   // First, put removed and deleted comments at the bottom, then do your other sorts
952   if (sort == CommentSortType.Top) {
953     tree.sort(
954       (a, b) =>
955         +a.comment_view.comment.removed - +b.comment_view.comment.removed ||
956         +a.comment_view.comment.deleted - +b.comment_view.comment.deleted ||
957         b.comment_view.counts.score - a.comment_view.counts.score
958     );
959   } else if (sort == CommentSortType.New) {
960     tree.sort(
961       (a, b) =>
962         +a.comment_view.comment.removed - +b.comment_view.comment.removed ||
963         +a.comment_view.comment.deleted - +b.comment_view.comment.deleted ||
964         b.comment_view.comment.published.localeCompare(
965           a.comment_view.comment.published
966         )
967     );
968   } else if (sort == CommentSortType.Old) {
969     tree.sort(
970       (a, b) =>
971         +a.comment_view.comment.removed - +b.comment_view.comment.removed ||
972         +a.comment_view.comment.deleted - +b.comment_view.comment.deleted ||
973         a.comment_view.comment.published.localeCompare(
974           b.comment_view.comment.published
975         )
976     );
977   } else if (sort == CommentSortType.Hot) {
978     tree.sort(
979       (a, b) =>
980         +a.comment_view.comment.removed - +b.comment_view.comment.removed ||
981         +a.comment_view.comment.deleted - +b.comment_view.comment.deleted ||
982         hotRankComment(b.comment_view) - hotRankComment(a.comment_view)
983     );
984   }
985
986   // Go through the children recursively
987   for (let node of tree) {
988     if (node.children) {
989       commentSort(node.children, sort);
990     }
991   }
992 }
993
994 export function commentSortSortType(tree: CommentNodeI[], sort: SortType) {
995   commentSort(tree, convertCommentSortType(sort));
996 }
997
998 function convertCommentSortType(sort: SortType): CommentSortType {
999   if (
1000     sort == SortType.TopAll ||
1001     sort == SortType.TopDay ||
1002     sort == SortType.TopWeek ||
1003     sort == SortType.TopMonth ||
1004     sort == SortType.TopYear
1005   ) {
1006     return CommentSortType.Top;
1007   } else if (sort == SortType.New) {
1008     return CommentSortType.New;
1009   } else if (sort == SortType.Hot || sort == SortType.Active) {
1010     return CommentSortType.Hot;
1011   } else {
1012     return CommentSortType.Hot;
1013   }
1014 }
1015
1016 export function buildCommentsTree(
1017   comments: CommentView[],
1018   commentSortType: CommentSortType
1019 ): CommentNodeI[] {
1020   let map = new Map<number, CommentNodeI>();
1021   for (let comment_view of comments) {
1022     let node: CommentNodeI = {
1023       comment_view: comment_view,
1024       children: [],
1025     };
1026     map.set(comment_view.comment.id, { ...node });
1027   }
1028   let tree: CommentNodeI[] = [];
1029   for (let comment_view of comments) {
1030     let child = map.get(comment_view.comment.id);
1031     if (comment_view.comment.parent_id) {
1032       let parent_ = map.get(comment_view.comment.parent_id);
1033       parent_.children.push(child);
1034     } else {
1035       tree.push(child);
1036     }
1037
1038     setDepth(child);
1039   }
1040
1041   commentSort(tree, commentSortType);
1042
1043   return tree;
1044 }
1045
1046 function setDepth(node: CommentNodeI, i = 0) {
1047   for (let child of node.children) {
1048     child.depth = i;
1049     setDepth(child, i + 1);
1050   }
1051 }
1052
1053 export function insertCommentIntoTree(tree: CommentNodeI[], cv: CommentView) {
1054   // Building a fake node to be used for later
1055   let node: CommentNodeI = {
1056     comment_view: cv,
1057     children: [],
1058     depth: 0,
1059   };
1060
1061   if (cv.comment.parent_id) {
1062     let parentComment = searchCommentTree(tree, cv.comment.parent_id);
1063     if (parentComment) {
1064       node.depth = parentComment.depth + 1;
1065       parentComment.children.unshift(node);
1066     }
1067   } else {
1068     tree.unshift(node);
1069   }
1070 }
1071
1072 export function searchCommentTree(
1073   tree: CommentNodeI[],
1074   id: number
1075 ): CommentNodeI {
1076   for (let node of tree) {
1077     if (node.comment_view.comment.id === id) {
1078       return node;
1079     }
1080
1081     for (const child of node.children) {
1082       const res = searchCommentTree([child], id);
1083
1084       if (res) {
1085         return res;
1086       }
1087     }
1088   }
1089   return null;
1090 }
1091
1092 export const colorList: string[] = [
1093   hsl(0),
1094   hsl(100),
1095   hsl(150),
1096   hsl(200),
1097   hsl(250),
1098   hsl(300),
1099 ];
1100
1101 function hsl(num: number) {
1102   return `hsla(${num}, 35%, 50%, 1)`;
1103 }
1104
1105 export function previewLines(
1106   text: string,
1107   maxChars = 300,
1108   maxLines = 1
1109 ): string {
1110   return (
1111     text
1112       .slice(0, maxChars)
1113       .split("\n")
1114       // Use lines * 2 because markdown requires 2 lines
1115       .slice(0, maxLines * 2)
1116       .join("\n") + "..."
1117   );
1118 }
1119
1120 export function hostname(url: string): string {
1121   let cUrl = new URL(url);
1122   return cUrl.port ? `${cUrl.hostname}:${cUrl.port}` : `${cUrl.hostname}`;
1123 }
1124
1125 export function validTitle(title?: string): boolean {
1126   // Initial title is null, minimum length is taken care of by textarea's minLength={3}
1127   if (title === null || title.length < 3) return true;
1128
1129   const regex = new RegExp(/.*\S.*/, "g");
1130
1131   return regex.test(title);
1132 }
1133
1134 export function siteBannerCss(banner: string): string {
1135   return ` \
1136     background-image: linear-gradient( rgba(0, 0, 0, 0.8), rgba(0, 0, 0, 0.8) ) ,url("${banner}"); \
1137     background-attachment: fixed; \
1138     background-position: top; \
1139     background-repeat: no-repeat; \
1140     background-size: 100% cover; \
1141
1142     width: 100%; \
1143     max-height: 100vh; \
1144     `;
1145 }
1146
1147 export function isBrowser() {
1148   return typeof window !== "undefined";
1149 }
1150
1151 export function setIsoData(context: any): IsoData {
1152   let isoData: IsoData = isBrowser()
1153     ? window.isoData
1154     : context.router.staticContext;
1155   return isoData;
1156 }
1157
1158 export function wsSubscribe(parseMessage: any): Subscription {
1159   if (isBrowser()) {
1160     return WebSocketService.Instance.subject
1161       .pipe(retryWhen(errors => errors.pipe(delay(3000), take(10))))
1162       .subscribe(
1163         msg => parseMessage(msg),
1164         err => console.error(err),
1165         () => console.log("complete")
1166       );
1167   } else {
1168     return null;
1169   }
1170 }
1171
1172 export function setOptionalAuth(obj: any, auth = UserService.Instance.auth) {
1173   if (auth) {
1174     obj.auth = auth;
1175   }
1176 }
1177
1178 export function authField(
1179   throwErr = true,
1180   auth = UserService.Instance.auth
1181 ): string {
1182   if (auth == null && throwErr) {
1183     toast(i18n.t("not_logged_in"), "danger");
1184     throw "Not logged in";
1185   } else {
1186     return auth;
1187   }
1188 }
1189
1190 moment.updateLocale("en", {
1191   relativeTime: {
1192     future: "in %s",
1193     past: "%s ago",
1194     s: "<1m",
1195     ss: "%ds",
1196     m: "1m",
1197     mm: "%dm",
1198     h: "1h",
1199     hh: "%dh",
1200     d: "1d",
1201     dd: "%dd",
1202     w: "1w",
1203     ww: "%dw",
1204     M: "1M",
1205     MM: "%dM",
1206     y: "1Y",
1207     yy: "%dY",
1208   },
1209 });
1210
1211 export function saveScrollPosition(context: any) {
1212   let path: string = context.router.route.location.pathname;
1213   let y = window.scrollY;
1214   sessionStorage.setItem(`scrollPosition_${path}`, y.toString());
1215 }
1216
1217 export function restoreScrollPosition(context: any) {
1218   let path: string = context.router.route.location.pathname;
1219   let y = Number(sessionStorage.getItem(`scrollPosition_${path}`));
1220   window.scrollTo(0, y);
1221 }