]> Untitled Git - lemmy-ui.git/blob - src/shared/utils.ts
Adding bulgarian language.
[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       onClick: () => {
595         if (toast) {
596           toast.hideToast();
597           router.history.push(info.link);
598         }
599       },
600     }).showToast();
601   }
602 }
603
604 export function notifyPost(post_view: PostView, router: any) {
605   let info: NotifyInfo = {
606     name: post_view.community.name,
607     icon: post_view.community.icon,
608     link: `/post/${post_view.post.id}`,
609     body: post_view.post.name,
610   };
611   notify(info, router);
612 }
613
614 export function notifyComment(comment_view: CommentView, router: any) {
615   let info: NotifyInfo = {
616     name: comment_view.creator.name,
617     icon: comment_view.creator.avatar,
618     link: `/post/${comment_view.post.id}/comment/${comment_view.comment.id}`,
619     body: comment_view.comment.content,
620   };
621   notify(info, router);
622 }
623
624 export function notifyPrivateMessage(pmv: PrivateMessageView, router: any) {
625   let info: NotifyInfo = {
626     name: pmv.creator.name,
627     icon: pmv.creator.avatar,
628     link: `/inbox`,
629     body: pmv.private_message.content,
630   };
631   notify(info, router);
632 }
633
634 function notify(info: NotifyInfo, router: any) {
635   messageToastify(info, router);
636
637   if (Notification.permission !== "granted") Notification.requestPermission();
638   else {
639     var notification = new Notification(info.name, {
640       icon: info.icon,
641       body: info.body,
642     });
643
644     notification.onclick = (ev: Event): any => {
645       ev.preventDefault();
646       router.history.push(info.link);
647     };
648   }
649 }
650
651 export function setupTribute() {
652   return new Tribute({
653     noMatchTemplate: function () {
654       return "";
655     },
656     collection: [
657       // Emojis
658       {
659         trigger: ":",
660         menuItemTemplate: (item: any) => {
661           let shortName = `:${item.original.key}:`;
662           return `${item.original.val} ${shortName}`;
663         },
664         selectTemplate: (item: any) => {
665           return `${item.original.val}`;
666         },
667         values: Object.entries(emojiShortName).map(e => {
668           return { key: e[1], val: e[0] };
669         }),
670         allowSpaces: false,
671         autocompleteMode: true,
672         // TODO
673         // menuItemLimit: mentionDropdownFetchLimit,
674         menuShowMinLength: 2,
675       },
676       // Persons
677       {
678         trigger: "@",
679         selectTemplate: (item: any) => {
680           let it: PersonTribute = item.original;
681           return `[${it.key}](${it.view.person.actor_id})`;
682         },
683         values: (text: string, cb: (persons: PersonTribute[]) => any) => {
684           personSearch(text, (persons: PersonTribute[]) => cb(persons));
685         },
686         allowSpaces: false,
687         autocompleteMode: true,
688         // TODO
689         // menuItemLimit: mentionDropdownFetchLimit,
690         menuShowMinLength: 2,
691       },
692
693       // Communities
694       {
695         trigger: "!",
696         selectTemplate: (item: any) => {
697           let it: CommunityTribute = item.original;
698           return `[${it.key}](${it.view.community.actor_id})`;
699         },
700         values: (text: string, cb: any) => {
701           communitySearch(text, (communities: CommunityTribute[]) =>
702             cb(communities)
703           );
704         },
705         allowSpaces: false,
706         autocompleteMode: true,
707         // TODO
708         // menuItemLimit: mentionDropdownFetchLimit,
709         menuShowMinLength: 2,
710       },
711     ],
712   });
713 }
714
715 var tippyInstance: any;
716 if (isBrowser()) {
717   tippyInstance = tippy("[data-tippy-content]");
718 }
719
720 export function setupTippy() {
721   if (isBrowser()) {
722     tippyInstance.forEach((e: any) => e.destroy());
723     tippyInstance = tippy("[data-tippy-content]", {
724       delay: [500, 0],
725       // Display on "long press"
726       touch: ["hold", 500],
727     });
728   }
729 }
730
731 interface PersonTribute {
732   key: string;
733   view: PersonViewSafe;
734 }
735
736 function personSearch(text: string, cb: (persons: PersonTribute[]) => any) {
737   if (text) {
738     let form: Search = {
739       q: text,
740       type_: SearchType.Users,
741       sort: SortType.TopAll,
742       page: 1,
743       limit: mentionDropdownFetchLimit,
744       auth: authField(false),
745     };
746
747     WebSocketService.Instance.send(wsClient.search(form));
748
749     let personSub = WebSocketService.Instance.subject.subscribe(
750       msg => {
751         let res = wsJsonToRes(msg);
752         if (res.op == UserOperation.Search) {
753           let data = res.data as SearchResponse;
754           let persons: PersonTribute[] = data.users.map(pv => {
755             let tribute: PersonTribute = {
756               key: `@${pv.person.name}@${hostname(pv.person.actor_id)}`,
757               view: pv,
758             };
759             return tribute;
760           });
761           cb(persons);
762           personSub.unsubscribe();
763         }
764       },
765       err => console.error(err),
766       () => console.log("complete")
767     );
768   } else {
769     cb([]);
770   }
771 }
772
773 interface CommunityTribute {
774   key: string;
775   view: CommunityView;
776 }
777
778 function communitySearch(
779   text: string,
780   cb: (communities: CommunityTribute[]) => any
781 ) {
782   if (text) {
783     let form: Search = {
784       q: text,
785       type_: SearchType.Communities,
786       sort: SortType.TopAll,
787       page: 1,
788       limit: mentionDropdownFetchLimit,
789       auth: authField(false),
790     };
791
792     WebSocketService.Instance.send(wsClient.search(form));
793
794     let communitySub = WebSocketService.Instance.subject.subscribe(
795       msg => {
796         let res = wsJsonToRes(msg);
797         if (res.op == UserOperation.Search) {
798           let data = res.data as SearchResponse;
799           let communities: CommunityTribute[] = data.communities.map(cv => {
800             let tribute: CommunityTribute = {
801               key: `!${cv.community.name}@${hostname(cv.community.actor_id)}`,
802               view: cv,
803             };
804             return tribute;
805           });
806           cb(communities);
807           communitySub.unsubscribe();
808         }
809       },
810       err => console.error(err),
811       () => console.log("complete")
812     );
813   } else {
814     cb([]);
815   }
816 }
817
818 export function getListingTypeFromProps(props: any): ListingType {
819   return props.match.params.listing_type
820     ? routeListingTypeToEnum(props.match.params.listing_type)
821     : UserService.Instance.localUserView
822     ? Object.values(ListingType)[
823         UserService.Instance.localUserView.local_user.default_listing_type
824       ]
825     : ListingType.Local;
826 }
827
828 // TODO might need to add a user setting for this too
829 export function getDataTypeFromProps(props: any): DataType {
830   return props.match.params.data_type
831     ? routeDataTypeToEnum(props.match.params.data_type)
832     : DataType.Post;
833 }
834
835 export function getSortTypeFromProps(props: any): SortType {
836   return props.match.params.sort
837     ? routeSortTypeToEnum(props.match.params.sort)
838     : UserService.Instance.localUserView
839     ? Object.values(SortType)[
840         UserService.Instance.localUserView.local_user.default_sort_type
841       ]
842     : SortType.Active;
843 }
844
845 export function getPageFromProps(props: any): number {
846   return props.match.params.page ? Number(props.match.params.page) : 1;
847 }
848
849 export function getRecipientIdFromProps(props: any): number {
850   return props.match.params.recipient_id
851     ? Number(props.match.params.recipient_id)
852     : 1;
853 }
854
855 export function getIdFromProps(props: any): number {
856   return Number(props.match.params.id);
857 }
858
859 export function getCommentIdFromProps(props: any): number {
860   return Number(props.match.params.comment_id);
861 }
862
863 export function getUsernameFromProps(props: any): string {
864   return props.match.params.username;
865 }
866
867 export function editCommentRes(data: CommentView, comments: CommentView[]) {
868   let found = comments.find(c => c.comment.id == data.comment.id);
869   if (found) {
870     found.comment.content = data.comment.content;
871     found.comment.updated = data.comment.updated;
872     found.comment.removed = data.comment.removed;
873     found.comment.deleted = data.comment.deleted;
874     found.counts.upvotes = data.counts.upvotes;
875     found.counts.downvotes = data.counts.downvotes;
876     found.counts.score = data.counts.score;
877   }
878 }
879
880 export function saveCommentRes(data: CommentView, comments: CommentView[]) {
881   let found = comments.find(c => c.comment.id == data.comment.id);
882   if (found) {
883     found.saved = data.saved;
884   }
885 }
886
887 export function createCommentLikeRes(
888   data: CommentView,
889   comments: CommentView[]
890 ) {
891   let found = comments.find(c => c.comment.id === data.comment.id);
892   if (found) {
893     found.counts.score = data.counts.score;
894     found.counts.upvotes = data.counts.upvotes;
895     found.counts.downvotes = data.counts.downvotes;
896     if (data.my_vote !== null) {
897       found.my_vote = data.my_vote;
898     }
899   }
900 }
901
902 export function createPostLikeFindRes(data: PostView, posts: PostView[]) {
903   let found = posts.find(p => p.post.id == data.post.id);
904   if (found) {
905     createPostLikeRes(data, found);
906   }
907 }
908
909 export function createPostLikeRes(data: PostView, post_view: PostView) {
910   if (post_view) {
911     post_view.counts.score = data.counts.score;
912     post_view.counts.upvotes = data.counts.upvotes;
913     post_view.counts.downvotes = data.counts.downvotes;
914     if (data.my_vote !== null) {
915       post_view.my_vote = data.my_vote;
916     }
917   }
918 }
919
920 export function editPostFindRes(data: PostView, posts: PostView[]) {
921   let found = posts.find(p => p.post.id == data.post.id);
922   if (found) {
923     editPostRes(data, found);
924   }
925 }
926
927 export function editPostRes(data: PostView, post: PostView) {
928   if (post) {
929     post.post.url = data.post.url;
930     post.post.name = data.post.name;
931     post.post.nsfw = data.post.nsfw;
932     post.post.deleted = data.post.deleted;
933     post.post.removed = data.post.removed;
934     post.post.stickied = data.post.stickied;
935     post.post.body = data.post.body;
936     post.post.locked = data.post.locked;
937     post.saved = data.saved;
938   }
939 }
940
941 export function commentsToFlatNodes(comments: CommentView[]): CommentNodeI[] {
942   let nodes: CommentNodeI[] = [];
943   for (let comment of comments) {
944     nodes.push({ comment_view: comment });
945   }
946   return nodes;
947 }
948
949 function commentSort(tree: CommentNodeI[], sort: CommentSortType) {
950   // First, put removed and deleted comments at the bottom, then do your other sorts
951   if (sort == CommentSortType.Top) {
952     tree.sort(
953       (a, b) =>
954         +a.comment_view.comment.removed - +b.comment_view.comment.removed ||
955         +a.comment_view.comment.deleted - +b.comment_view.comment.deleted ||
956         b.comment_view.counts.score - a.comment_view.counts.score
957     );
958   } else if (sort == CommentSortType.New) {
959     tree.sort(
960       (a, b) =>
961         +a.comment_view.comment.removed - +b.comment_view.comment.removed ||
962         +a.comment_view.comment.deleted - +b.comment_view.comment.deleted ||
963         b.comment_view.comment.published.localeCompare(
964           a.comment_view.comment.published
965         )
966     );
967   } else if (sort == CommentSortType.Old) {
968     tree.sort(
969       (a, b) =>
970         +a.comment_view.comment.removed - +b.comment_view.comment.removed ||
971         +a.comment_view.comment.deleted - +b.comment_view.comment.deleted ||
972         a.comment_view.comment.published.localeCompare(
973           b.comment_view.comment.published
974         )
975     );
976   } else if (sort == CommentSortType.Hot) {
977     tree.sort(
978       (a, b) =>
979         +a.comment_view.comment.removed - +b.comment_view.comment.removed ||
980         +a.comment_view.comment.deleted - +b.comment_view.comment.deleted ||
981         hotRankComment(b.comment_view) - hotRankComment(a.comment_view)
982     );
983   }
984
985   // Go through the children recursively
986   for (let node of tree) {
987     if (node.children) {
988       commentSort(node.children, sort);
989     }
990   }
991 }
992
993 export function commentSortSortType(tree: CommentNodeI[], sort: SortType) {
994   commentSort(tree, convertCommentSortType(sort));
995 }
996
997 function convertCommentSortType(sort: SortType): CommentSortType {
998   if (
999     sort == SortType.TopAll ||
1000     sort == SortType.TopDay ||
1001     sort == SortType.TopWeek ||
1002     sort == SortType.TopMonth ||
1003     sort == SortType.TopYear
1004   ) {
1005     return CommentSortType.Top;
1006   } else if (sort == SortType.New) {
1007     return CommentSortType.New;
1008   } else if (sort == SortType.Hot || sort == SortType.Active) {
1009     return CommentSortType.Hot;
1010   } else {
1011     return CommentSortType.Hot;
1012   }
1013 }
1014
1015 export function buildCommentsTree(
1016   comments: CommentView[],
1017   commentSortType: CommentSortType
1018 ): CommentNodeI[] {
1019   let map = new Map<number, CommentNodeI>();
1020   for (let comment_view of comments) {
1021     let node: CommentNodeI = {
1022       comment_view: comment_view,
1023       children: [],
1024     };
1025     map.set(comment_view.comment.id, { ...node });
1026   }
1027   let tree: CommentNodeI[] = [];
1028   for (let comment_view of comments) {
1029     let child = map.get(comment_view.comment.id);
1030     if (comment_view.comment.parent_id) {
1031       let parent_ = map.get(comment_view.comment.parent_id);
1032       parent_.children.push(child);
1033     } else {
1034       tree.push(child);
1035     }
1036
1037     setDepth(child);
1038   }
1039
1040   commentSort(tree, commentSortType);
1041
1042   return tree;
1043 }
1044
1045 function setDepth(node: CommentNodeI, i = 0) {
1046   for (let child of node.children) {
1047     child.depth = i;
1048     setDepth(child, i + 1);
1049   }
1050 }
1051
1052 export function insertCommentIntoTree(tree: CommentNodeI[], cv: CommentView) {
1053   // Building a fake node to be used for later
1054   let node: CommentNodeI = {
1055     comment_view: cv,
1056     children: [],
1057     depth: 0,
1058   };
1059
1060   if (cv.comment.parent_id) {
1061     let parentComment = searchCommentTree(tree, cv.comment.parent_id);
1062     if (parentComment) {
1063       node.depth = parentComment.depth + 1;
1064       parentComment.children.unshift(node);
1065     }
1066   } else {
1067     tree.unshift(node);
1068   }
1069 }
1070
1071 export function searchCommentTree(
1072   tree: CommentNodeI[],
1073   id: number
1074 ): CommentNodeI {
1075   for (let node of tree) {
1076     if (node.comment_view.comment.id === id) {
1077       return node;
1078     }
1079
1080     for (const child of node.children) {
1081       const res = searchCommentTree([child], id);
1082
1083       if (res) {
1084         return res;
1085       }
1086     }
1087   }
1088   return null;
1089 }
1090
1091 export const colorList: string[] = [
1092   hsl(0),
1093   hsl(100),
1094   hsl(150),
1095   hsl(200),
1096   hsl(250),
1097   hsl(300),
1098 ];
1099
1100 function hsl(num: number) {
1101   return `hsla(${num}, 35%, 50%, 1)`;
1102 }
1103
1104 export function previewLines(
1105   text: string,
1106   maxChars = 300,
1107   maxLines = 1
1108 ): string {
1109   return (
1110     text
1111       .slice(0, maxChars)
1112       .split("\n")
1113       // Use lines * 2 because markdown requires 2 lines
1114       .slice(0, maxLines * 2)
1115       .join("\n") + "..."
1116   );
1117 }
1118
1119 export function hostname(url: string): string {
1120   let cUrl = new URL(url);
1121   return cUrl.port ? `${cUrl.hostname}:${cUrl.port}` : `${cUrl.hostname}`;
1122 }
1123
1124 export function validTitle(title?: string): boolean {
1125   // Initial title is null, minimum length is taken care of by textarea's minLength={3}
1126   if (title === null || title.length < 3) return true;
1127
1128   const regex = new RegExp(/.*\S.*/, "g");
1129
1130   return regex.test(title);
1131 }
1132
1133 export function siteBannerCss(banner: string): string {
1134   return ` \
1135     background-image: linear-gradient( rgba(0, 0, 0, 0.8), rgba(0, 0, 0, 0.8) ) ,url("${banner}"); \
1136     background-attachment: fixed; \
1137     background-position: top; \
1138     background-repeat: no-repeat; \
1139     background-size: 100% cover; \
1140
1141     width: 100%; \
1142     max-height: 100vh; \
1143     `;
1144 }
1145
1146 export function isBrowser() {
1147   return typeof window !== "undefined";
1148 }
1149
1150 export function setIsoData(context: any): IsoData {
1151   let isoData: IsoData = isBrowser()
1152     ? window.isoData
1153     : context.router.staticContext;
1154   return isoData;
1155 }
1156
1157 export function wsSubscribe(parseMessage: any): Subscription {
1158   if (isBrowser()) {
1159     return WebSocketService.Instance.subject
1160       .pipe(retryWhen(errors => errors.pipe(delay(3000), take(10))))
1161       .subscribe(
1162         msg => parseMessage(msg),
1163         err => console.error(err),
1164         () => console.log("complete")
1165       );
1166   } else {
1167     return null;
1168   }
1169 }
1170
1171 export function setOptionalAuth(obj: any, auth = UserService.Instance.auth) {
1172   if (auth) {
1173     obj.auth = auth;
1174   }
1175 }
1176
1177 export function authField(
1178   throwErr = true,
1179   auth = UserService.Instance.auth
1180 ): string {
1181   if (auth == null && throwErr) {
1182     toast(i18n.t("not_logged_in"), "danger");
1183     throw "Not logged in";
1184   } else {
1185     return auth;
1186   }
1187 }
1188
1189 moment.updateLocale("en", {
1190   relativeTime: {
1191     future: "in %s",
1192     past: "%s ago",
1193     s: "<1m",
1194     ss: "%ds",
1195     m: "1m",
1196     mm: "%dm",
1197     h: "1h",
1198     hh: "%dh",
1199     d: "1d",
1200     dd: "%dd",
1201     w: "1w",
1202     ww: "%dw",
1203     M: "1M",
1204     MM: "%dM",
1205     y: "1Y",
1206     yy: "%dY",
1207   },
1208 });
1209
1210 export function saveScrollPosition(context: any) {
1211   let path: string = context.router.route.location.pathname;
1212   let y = window.scrollY;
1213   sessionStorage.setItem(`scrollPosition_${path}`, y.toString());
1214 }
1215
1216 export function restoreScrollPosition(context: any) {
1217   let path: string = context.router.route.location.pathname;
1218   let y = Number(sessionStorage.getItem(`scrollPosition_${path}`));
1219   window.scrollTo(0, y);
1220 }