summaryrefslogtreecommitdiffstats
path: root/web/react/utils/utils.jsx
blob: 72ed48faf517b4e14d50ce31e6d095ae10a937a2 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
// Copyright (c) 2015 Spinpunch, Inc. All Rights Reserved.
// See License.txt for license information.

var AppDispatcher = require('../dispatcher/app_dispatcher.jsx');
var UserStore = require('../stores/user_store.jsx');
var Constants = require('../utils/constants.jsx');
var ActionTypes = Constants.ActionTypes;
var AsyncClient = require('./async_client.jsx');
var client = require('./client.jsx');
var LinkifyIt = require('linkify-it');

module.exports.isEmail = function(email) {
  var regex = /^([a-zA-Z0-9_.+-])+\@(([a-zA-Z0-9-])+\.)+([a-zA-Z0-9]{2,4})+$/;
  return regex.test(email);
};

module.exports.cleanUpUrlable = function(input) {
	var cleaned = input.trim().replace(/-/g, ' ').replace(/[^\w\s]/gi, '').toLowerCase().replace(/\s/g, '-');
	cleaned = cleaned.replace(/^\-+/, '');
	cleaned = cleaned.replace(/\-+$/, '');
	return cleaned;
};



module.exports.isTestDomain = function() {

    if ((/^localhost/).test(window.location.hostname))
        return true;

    if ((/^test/).test(window.location.hostname))
        return true;

    if ((/^127.0./).test(window.location.hostname))
        return true;

    if ((/^192.168./).test(window.location.hostname))
        return true;

    if ((/^10./).test(window.location.hostname))
        return true;

    if ((/^176./).test(window.location.hostname))
        return true;

    return false;
};

var getSubDomain = function() {

  if (module.exports.isTestDomain())
    return "";

  if ((/^www/).test(window.location.hostname))
    return "";

  if ((/^beta/).test(window.location.hostname))
    return "";

  if ((/^ci/).test(window.location.hostname))
    return "";

  var parts = window.location.hostname.split(".");

  if (parts.length != 3)
    return "";

  return parts[0];
}

global.window.getSubDomain = getSubDomain;
module.exports.getSubDomain = getSubDomain;

module.exports.getDomainWithOutSub = function() {

  var parts = window.location.host.split(".");

  if (parts.length == 1)
    return "localhost:8065";

  return parts[1] + "." +  parts[2];
}

module.exports.getCookie = function(name) {
  var value = "; " + document.cookie;
  var parts = value.split("; " + name + "=");
  if (parts.length == 2) return parts.pop().split(";").shift();
}

module.exports.notifyMe = function(title, body, channel) {
  if ("Notification" in window && Notification.permission !== 'denied') {
    Notification.requestPermission(function (permission) {
      if (Notification.permission !== permission) {
          Notification.permission = permission;
      }

      if (permission === "granted") {
        var notification = new Notification(title,
            { body: body, tag: body, icon: '/static/images/icon50x50.gif' }
        );
        notification.onclick = function() {
          window.focus();
          if (channel) {
              module.exports.switchChannel(channel);
          } else {
              window.location.href = "/channels/town-square";
          }
        };
        setTimeout(function(){
          notification.close();
        }, 5000);
      }
    });
  }
}

module.exports.ding = function() {
  var audio = new Audio('/static/images/ding.mp3');
  audio.play();
}

module.exports.getUrlParameter = function(sParam) {
    var sPageURL = window.location.search.substring(1);
    var sURLVariables = sPageURL.split('&');
    for (var i = 0; i < sURLVariables.length; i++)
    {
        var sParameterName = sURLVariables[i].split('=');
        if (sParameterName[0] == sParam)
        {
            return sParameterName[1];
        }
    }
    return null;
}

module.exports.getDateForUnixTicks = function(ticks) {
  return new Date(ticks)
}

module.exports.displayDate = function(ticks) {
  var d = new Date(ticks);
  var m_names = new Array("January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December");

  return m_names[d.getMonth()] + " " + d.getDate() + ", " + d.getFullYear();
}

module.exports.displayTime = function(ticks) {
  var d = new Date(ticks);
  var hours = d.getHours();
  var minutes = d.getMinutes();
  var ampm = hours >= 12 ? "PM" : "AM";
  hours = hours % 12;
  hours = hours ? hours : "12"
  minutes = minutes > 9 ? minutes : '0'+minutes
  return hours + ":" + minutes + " " + ampm
}

module.exports.displayDateTime = function(ticks) {
  var seconds = Math.floor((Date.now() - ticks) / 1000)

  interval = Math.floor(seconds / 3600);

  if (interval > 24) {
      return this.displayTime(ticks)
  }

  if (interval > 1) {
      return interval + " hours ago";
  }

  if (interval == 1) {
      return interval + " hour ago";
  }

  interval = Math.floor(seconds / 60);
  if (interval > 1) {
      return interval + " minutes ago";
  }

  return "1 minute ago";

}

// returns Unix timestamp in milliseconds
module.exports.getTimestamp = function() {
    return Date.now();
}

module.exports.extractLinks = function(text) {
    var repRegex = new RegExp("<br>", "g");
    var linkMatcher = new LinkifyIt();
    var matches = linkMatcher.match(text.replace(repRegex, "\n"));

    if (!matches) return { "links": null, "text": text };

    var links = []
    for (var i = 0; i < matches.length; i++) {
        links.push(matches[i].url)
    }

    return { "links": links, "text": text };
} 

module.exports.escapeRegExp = function(string) {
    return string.replace(/([.*+?^=!:${}()|\[\]\/\\])/g, "\\$1");
}

module.exports.getEmbed = function(link) {

    var ytRegex = /.*(?:youtu.be\/|v\/|u\/\w\/|embed\/|watch\?v=|watch\?(?:[a-zA-Z-_]+=[a-zA-Z0-9-_]+&)+v=)([^#\&\?]*).*/;

    var match = link.trim().match(ytRegex);
    if (match && match[1].length==11){
      return getYoutubeEmbed(link);
    }

    // Generl embed feature turned off for now
    return;

    var id = parseInt((Math.random() * 1000000) + 1);

    $.ajax({
        type: 'GET',
        url: "https://query.yahooapis.com/v1/public/yql",
        data: {
            q: "select * from html where url=\""+link+"\" and xpath='html/head'",
            format: "json"
        },
        async: true
    }).done(function(data) {
        if(!data.query.results) {
            return;
        }

        var headerData = data.query.results.head;

        var description = ""
        for(var i = 0; i < headerData.meta.length; i++) {
            if(headerData.meta[i].name && (headerData.meta[i].name === "description" || headerData.meta[i].name === "Description")){
                description = headerData.meta[i].content;
                break;
            }
        }

        $('.embed-title.'+id).html(headerData.title);
        $('.embed-description.'+id).html(description);
    })

    return (
        <div className="post-comment">
            <div className={"web-embed-data"}>
                <p className={"embed-title " + id} />
                <p className={"embed-description " + id} />
                <p className={"embed-link " + id}>{link}</p>
            </div>
        </div>
    );
}

var getYoutubeEmbed = function(link) {
    var regex = /.*(?:youtu.be\/|v\/|u\/\w\/|embed\/|watch\?v=|watch\?(?:[a-zA-Z-_]+=[a-zA-Z0-9-_]+&)+v=)([^#\&\?]*).*/;

    var youtubeId = link.trim().match(regex)[1];

    var onclick = function(e) {
        var div = $(e.target).closest('.video-thumbnail__container')[0];
        var iframe = document.createElement("iframe");
        iframe.setAttribute("src",
              "https://www.youtube.com/embed/" + div.id
            + "?autoplay=1&autohide=1&border=0&wmode=opaque&enablejsapi=1");
        iframe.setAttribute("width", "480px");
        iframe.setAttribute("height", "360px");
        iframe.setAttribute("type", "text/html");
        iframe.setAttribute("frameborder", "0");

        div.parentNode.replaceChild(iframe, div);
    };

    var success = function(data) {
        $('.video-uploader.'+youtubeId).html(data.data.uploader);
        $('.video-title.'+youtubeId).find('a').html(data.data.title);
        $(".post-list-holder-by-time").scrollTop($(".post-list-holder-by-time")[0].scrollHeight);
        $(".post-list-holder-by-time").perfectScrollbar('update');
    };

    $.ajax({
        async: true,
        url: 'https://gdata.youtube.com/feeds/api/videos/'+youtubeId+'?v=2&alt=jsonc',
        type: 'GET',
        success: success
    });

    return (
        <div className="post-comment">
            <h4 className="video-type">YouTube</h4>
            <h4 className={"video-uploader "+youtubeId}></h4>
            <h4 className={"video-title "+youtubeId}><a href={link}></a></h4>
            <div className="video-div embed-responsive-item" id={youtubeId} onClick={onclick}>
              <div className="embed-responsive embed-responsive-4by3 video-div__placeholder">
                <div id={youtubeId} className="video-thumbnail__container">
                  <img className="video-thumbnail" src={"https://i.ytimg.com/vi/" + youtubeId + "/hqdefault.jpg"}/>
                  <div className="block">
                      <span className="play-button"><span></span></span>
                  </div>
                </div>
              </div>
            </div>
        </div>
    );

}

module.exports.areStatesEqual = function(state1, state2) {
    return JSON.stringify(state1) === JSON.stringify(state2);
}

module.exports.replaceHtmlEntities = function(text) {
    var tagsToReplace = {
        '&amp;': '&',
        '&lt;': '<',
        '&gt;': '>'
    };
    for (var tag in tagsToReplace) {
        var regex = new RegExp(tag, "g");
        text = text.replace(regex, tagsToReplace[tag]);
    }
    return text;
}

module.exports.insertHtmlEntities = function(text) {
    var tagsToReplace = {
        '&': '&amp;',
        '<': '&lt;',
        '>': '&gt;'
    };
    for (var tag in tagsToReplace) {
        var regex = new RegExp(tag, "g");
        text = text.replace(regex, tagsToReplace[tag]);
    }
    return text;
}

module.exports.searchForTerm = function(term) {
    AppDispatcher.handleServerAction({
        type: ActionTypes.RECIEVED_SEARCH_TERM,
        term: term,
        do_search: true
    });
}

var oldExplicitMentionRegex = /(?:<mention>)([\s\S]*?)(?:<\/mention>)/g;
var puncStartRegex = /^((?![@#])\W)+/g;
var puncEndRegex = /(\W)+$/g;

module.exports.textToJsx = function(text, options) {

    if (options && options['singleline']) {
        var repRegex = new RegExp("\n", "g");
        text = text.replace(repRegex, " ");
    } else {
        var repRegex = new RegExp("\n", "g");
        text = text.replace(repRegex, "<br>");
    }

    var searchTerm = ""
    if (options && options['searchTerm']) {
        searchTerm = options['searchTerm'].toLowerCase()
    }

    var mentionClass = "mention-highlight";
    if (options && options['noMentionHighlight']) {
        mentionClass = "";
    }

    var inner = [];

    // Function specific regexes
    var hashRegex = /^href="#[^"]+"|(#[A-Za-z]+[A-Za-z0-9_]*[A-Za-z0-9])$/g;

    var implicitKeywords = {};
    var keywordArray = UserStore.getCurrentMentionKeys();
    for (var i = 0; i < keywordArray.length; i++) {
        implicitKeywords[keywordArray[i]] = true;
    }

    var lines = text.split("<br>");
    var urlMatcher = new LinkifyIt();
    for (var i = 0; i < lines.length; i++) {
        var line = lines[i];
        var words = line.split(" ");
        var highlightSearchClass = "";
        for (var z = 0; z < words.length; z++) {
            var word = words[z];
            var trimWord = word.replace(puncStartRegex, '').replace(puncEndRegex, '').trim();
            var mentionRegex = /^(?:@)([a-z0-9_]+)$/gi; // looks loop invariant but a weird JS bug needs it to be redefined here
            var explicitMention = mentionRegex.exec(trimWord);

            if ((trimWord.toLowerCase().indexOf(searchTerm) > -1 || word.toLowerCase().indexOf(searchTerm) > -1) && searchTerm != "") {

                highlightSearchClass = " search-highlight";
            }

            if (explicitMention && UserStore.getProfileByUsername(explicitMention[1])) {
                var name = explicitMention[1];
                // do both a non-case sensitive and case senstive check
                var mClass = (name.toLowerCase() in implicitKeywords || name in implicitKeywords) ? mentionClass : "";

                var suffix = word.match(puncEndRegex);
                var prefix = word.match(puncStartRegex);

                if (searchTerm === name) {
                    highlightSearchClass = " search-highlight";
                }

                inner.push(<span key={name+i+z+"_span"}>{prefix}<a className={mClass + highlightSearchClass + " mention-link"} key={name+i+z+"_link"} href="#" onClick={function() {module.exports.searchForTerm(name);}}>@{name}</a>{suffix} </span>);
            } else if (urlMatcher.test(word)) {
                var match = urlMatcher.match(word)[0];
                var link = match.url;

                var prefix = word.substring(0,word.indexOf(match.raw))
                var suffix = word.substring(word.indexOf(match.raw)+match.raw.length);

                inner.push(<span key={word+i+z+"_span"}>{prefix}<a key={word+i+z+"_link"} className={"theme" + highlightSearchClass} target="_blank" href={link}>{match.raw}</a>{suffix} </span>);

            } else if (trimWord.match(hashRegex)) {
                var suffix = word.match(puncEndRegex);
                var prefix = word.match(puncStartRegex);
                var mClass = trimWord in implicitKeywords ? mentionClass : "";

                if (searchTerm === trimWord.substring(1).toLowerCase() || searchTerm === trimWord.toLowerCase()) {
                    highlightSearchClass = " search-highlight";
                }

                inner.push(<span key={word+i+z+"_span"}>{prefix}<a key={word+i+z+"_hash"} className={"theme " + mClass + highlightSearchClass} href="#" onClick={function(value) { return function() { module.exports.searchForTerm(value); } }(trimWord)}>{trimWord}</a>{suffix} </span>);

            } else if (trimWord in implicitKeywords) {
                var suffix = word.match(puncEndRegex);
                var prefix = word.match(puncStartRegex);

                if (trimWord.charAt(0) === '@') {
                    if (searchTerm === trimWord.substring(1).toLowerCase()) {
                        highlightSearchClass = " search-highlight";
                    }
                    inner.push(<span key={word+i+z+"_span"} key={name+i+z+"_span"}>{prefix}<a className={mentionClass + highlightSearchClass} key={name+i+z+"_link"} href="#">{trimWord}</a>{suffix} </span>);
                } else {
                    inner.push(<span key={word+i+z+"_span"}>{prefix}<span className={mentionClass + highlightSearchClass}>{module.exports.replaceHtmlEntities(trimWord)}</span>{suffix} </span>);
                }

            } else if (word === "") {
                // if word is empty dont include a span
            } else {
                inner.push(<span key={word+i+z+"_span"}><span className={highlightSearchClass}>{module.exports.replaceHtmlEntities(word)}</span> </span>);
            }
            highlightSearchClass = "";
        }
        if (i != lines.length-1)
            inner.push(<br key={"br_"+i+z}/>);
    }

    return inner;
}

module.exports.getFileType = function(ext) {
    ext = ext.toLowerCase();
    if (Constants.IMAGE_TYPES.indexOf(ext) > -1) {
        return "image";
    }

    if (Constants.AUDIO_TYPES.indexOf(ext) > -1) {
        return "audio";
    }

    if (Constants.VIDEO_TYPES.indexOf(ext) > -1) {
        return "video";
    }

    if (Constants.SPREADSHEET_TYPES.indexOf(ext) > -1) {
        return "spreadsheet";
    }

    if (Constants.CODE_TYPES.indexOf(ext) > -1) {
        return "code";
    }

    if (Constants.WORD_TYPES.indexOf(ext) > -1) {
        return "word";
    }

    if (Constants.EXCEL_TYPES.indexOf(ext) > -1) {
        return "excel";
    }

    if (Constants.PDF_TYPES.indexOf(ext) > -1) {
        return "pdf";
    }

    if (Constants.PATCH_TYPES.indexOf(ext) > -1) {
        return "patch";
    }

    return "other";
};

module.exports.getIconClassName = function(fileType) {
    fileType = fileType.toLowerCase();

    if (fileType in Constants.ICON_FROM_TYPE)
        return Constants.ICON_FROM_TYPE[fileType];

    return "glyphicon-file";
}

module.exports.splitFileLocation = function(fileLocation) {
    var fileSplit = fileLocation.split('.');
    if (fileSplit.length < 2) return {};

    var ext = fileSplit[fileSplit.length-1];
    fileSplit.splice(fileSplit.length-1,1)
    var filePath = fileSplit.join('.');
    var filename = filePath.split('/')[filePath.split('/').length-1];

    return {'ext': ext, 'name': filename, 'path': filePath};
}

module.exports.toTitleCase = function(str) {
    return str.replace(/\w\S*/g, function(txt){return txt.charAt(0).toUpperCase() + txt.substr(1).toLowerCase();});
}

module.exports.changeCss = function(className, classValue) {
    // we need invisible container to store additional css definitions
    var cssMainContainer = $('#css-modifier-container');
    if (cssMainContainer.length == 0) {
        var cssMainContainer = $('<div id="css-modifier-container"></div>');
        cssMainContainer.hide();
        cssMainContainer.appendTo($('body'));
    }

    // and we need one div for each class
    classContainer = cssMainContainer.find('div[data-class="' + className + '"]');
    if (classContainer.length == 0) {
        classContainer = $('<div data-class="' + className + '"></div>');
        classContainer.appendTo(cssMainContainer);
    }

    // append additional style
    classContainer.html('<style>' + className + ' {' + classValue + '}</style>');
}

module.exports.rgb2hex = function(rgb) {
    if (/^#[0-9A-F]{6}$/i.test(rgb)) return rgb;

    rgb = rgb.match(/^rgb\((\d+),\s*(\d+),\s*(\d+)\)$/);
    function hex(x) {
        return ("0" + parseInt(x).toString(16)).slice(-2);
    }
    return "#" + hex(rgb[1]) + hex(rgb[2]) + hex(rgb[3]);
}

module.exports.placeCaretAtEnd = function(el) {
    el.focus();
    if (typeof window.getSelection != "undefined"
            && typeof document.createRange != "undefined") {
        var range = document.createRange();
        range.selectNodeContents(el);
        range.collapse(false);
        var sel = window.getSelection();
        sel.removeAllRanges();
        sel.addRange(range);
    } else if (typeof document.body.createTextRange != "undefined") {
        var textRange = document.body.createTextRange();
        textRange.moveToElementText(el);
        textRange.collapse(false);
        textRange.select();
    }
}

module.exports.getCaretPosition = function(el) {
    if (el.selectionStart) {
      return el.selectionStart;
    } else if (document.selection) {
      el.focus();

      var r = document.selection.createRange();
      if (r == null) {
        return 0;
      }

      var re = el.createTextRange(),
          rc = re.duplicate();
      re.moveToBookmark(r.getBookmark());
      rc.setEndPoint('EndToStart', re);

      return rc.text.length;
    }
    return 0;
}

module.exports.setSelectionRange = function(input, selectionStart, selectionEnd) {
  if (input.setSelectionRange) {
    input.focus();
    input.setSelectionRange(selectionStart, selectionEnd);
  }
  else if (input.createTextRange) {
    var range = input.createTextRange();
    range.collapse(true);
    range.moveEnd('character', selectionEnd);
    range.moveStart('character', selectionStart);
    range.select();
  }
}

module.exports.setCaretPosition = function (input, pos) {
  module.exports.setSelectionRange(input, pos, pos);
}

module.exports.getSelectedText = function(input) {
  var selectedText;
  if (document.selection != undefined) {
    input.focus();
    var sel = document.selection.createRange();
    selectedText = sel.text;
  } else if (input.selectionStart != undefined) {
    var startPos = input.selectionStart;
    var endPos = input.selectionEnd;
    selectedText = input.value.substring(startPos, endPos)
  }

  return selectedText;
}

module.exports.isValidUsername = function (name) {

    var error = ""
    if (!name) {
        error = "This field is required";
    }

    else if (name.length < 3 || name.length > 15)
    {
        error = "Must be between 3 and 15 characters";
    }

    else if (!/^[a-z0-9\.\-\_]+$/.test(name))
    {
        error = "Must contain only lowercase letters, numbers, and the symbols '.', '-', and '_'.";
    }

    else if (!/[a-z]/.test(name.charAt(0)))
    {
        error = "First character must be a letter.";
    }

    else 
    {
        var lowerName = name.toLowerCase().trim();

        for (var i = 0; i < Constants.RESERVED_USERNAMES.length; i++) 
        {
            if (lowerName === Constants.RESERVED_USERNAMES[i]) 
            {
                error = "Cannot use a reserved word as a username.";
                break;
            }
        }
    }

    return error;
}

module.exports.switchChannel = function(channel, teammate_name) {
    AppDispatcher.handleViewAction({
      type: ActionTypes.CLICK_CHANNEL,
      name: channel.name,
      id: channel.id
    });

    var domain = window.location.href.split('/channels')[0];
    history.replaceState('data', '', domain + '/channels/' + channel.name);

    if (channel.type === 'D' && teammate_name) {
        document.title = teammate_name + " " + document.title.substring(document.title.lastIndexOf("-"));
    } else {
        document.title = channel.display_name + " " + document.title.substring(document.title.lastIndexOf("-"));
    }

    AsyncClient.getChannels(true, true, true);
    AsyncClient.getChannelExtraInfo(true);
    AsyncClient.getPosts(true, channel.id);

    $('.inner__wrap').removeClass('move--right');
    $('.sidebar--left').removeClass('move--right');

    client.trackPage();

    return false;
}

module.exports.isMobile = function() {
  return screen.width <= 768;
}

module.exports.isComment = function(post) {
    if ('root_id' in post) {
        return post.root_id != "";
    }
    return false;
}

Image.prototype.load = function(url, progressCallback) {
    var thisImg = this;
    var xmlHTTP = new XMLHttpRequest();
    xmlHTTP.open('GET', url, true);
    xmlHTTP.responseType = 'arraybuffer';
    xmlHTTP.onload = function(e) {
        var h = xmlHTTP.getAllResponseHeaders(),
            m = h.match( /^Content-Type\:\s*(.*?)$/mi ),
            mimeType = m[ 1 ] || 'image/png';

        var blob = new Blob([this.response], { type: mimeType });
        thisImg.src = window.URL.createObjectURL(blob);
    };
    xmlHTTP.onprogress = function(e) {
        parseInt(thisImg.completedPercentage = (e.loaded / e.total) * 100);
        if (progressCallback) progressCallback();
    };
    xmlHTTP.onloadstart = function() {
        thisImg.completedPercentage = 0;
    };
    xmlHTTP.send();
};

Image.prototype.completedPercentage = 0;