0.2.18 - add webchat

This commit is contained in:
MayaWolf 2018-03-28 15:51:05 +02:00
parent 04ab2f96da
commit 4a7d97f17a
74 changed files with 1361 additions and 897 deletions

2
.gitignore vendored
View File

@ -2,4 +2,4 @@ node_modules/
/electron/app /electron/app
/electron/dist /electron/dist
/mobile/www /mobile/www
*.vue.ts /webchat/dist

View File

@ -76,17 +76,23 @@
private undoStack: string[] = []; private undoStack: string[] = [];
private undoIndex = 0; private undoIndex = 0;
private lastInput = 0; private lastInput = 0;
//tslint:disable:strict-boolean-expressions
private resizeListener!: () => void;
created(): void { created(): void {
this.parser = new CoreBBCodeParser(); this.parser = new CoreBBCodeParser();
this.resizeListener = () => {
const styles = getComputedStyle(this.element);
this.maxHeight = parseInt(styles.maxHeight!, 10) || 250;
this.minHeight = parseInt(styles.minHeight!, 10) || 60;
};
} }
mounted(): void { mounted(): void {
this.element = <HTMLTextAreaElement>this.$refs['input']; this.element = <HTMLTextAreaElement>this.$refs['input'];
const styles = getComputedStyle(this.element); const styles = getComputedStyle(this.element);
this.maxHeight = parseInt(styles.maxHeight! , 10); this.maxHeight = parseInt(styles.maxHeight!, 10) || 250;
//tslint:disable-next-line:strict-boolean-expressions this.minHeight = parseInt(styles.minHeight!, 10) || 60;
this.minHeight = parseInt(styles.minHeight!, 10) || 50;
setInterval(() => { setInterval(() => {
if(Date.now() - this.lastInput >= 500 && this.text !== this.undoStack[0] && this.undoIndex === 0) { if(Date.now() - this.lastInput >= 500 && this.text !== this.undoStack[0] && this.undoIndex === 0) {
if(this.undoStack.length >= 30) this.undoStack.pop(); if(this.undoStack.length >= 30) this.undoStack.pop();
@ -101,6 +107,12 @@
this.sizer.style.top = '0'; this.sizer.style.top = '0';
this.sizer.style.visibility = 'hidden'; this.sizer.style.visibility = 'hidden';
this.resize(); this.resize();
window.addEventListener('resize', this.resizeListener);
}
//tslint:enable
destroyed(): void {
window.removeEventListener('resize', this.resizeListener);
} }
get finalClasses(): string | undefined { get finalClasses(): string | undefined {
@ -227,8 +239,10 @@
resize(): void { resize(): void {
this.sizer.style.fontSize = this.element.style.fontSize; this.sizer.style.fontSize = this.element.style.fontSize;
this.sizer.style.lineHeight = this.element.style.lineHeight; this.sizer.style.lineHeight = this.element.style.lineHeight;
this.sizer.style.width = `${this.element.offsetWidth}px`;
this.sizer.textContent = this.element.value; this.sizer.textContent = this.element.value;
this.element.style.height = `${Math.max(Math.min(this.sizer.scrollHeight, this.maxHeight), this.minHeight)}px`; this.element.style.height = `${Math.max(Math.min(this.sizer.scrollHeight, this.maxHeight), this.minHeight)}px`;
this.sizer.style.width = '0';
} }
onPaste(e: ClipboardEvent): void { onPaste(e: ClipboardEvent): void {

View File

@ -1,4 +1,4 @@
import {BBCodeCustomTag, BBCodeParser, BBCodeSimpleTag} from './parser'; import {BBCodeCustomTag, BBCodeParser, BBCodeSimpleTag, BBCodeTextTag} from './parser';
const urlFormat = '((?:https?|ftps?|irc)://[^\\s/$.?#"\']+\\.[^\\s"]+)'; const urlFormat = '((?:https?|ftps?|irc)://[^\\s/$.?#"\']+\\.[^\\s"]+)';
export const findUrlRegex = new RegExp(`(\\[url[=\\]]\\s*)?${urlFormat}`, 'gi'); export const findUrlRegex = new RegExp(`(\\[url[=\\]]\\s*)?${urlFormat}`, 'gi');
@ -21,31 +21,27 @@ export class CoreBBCodeParser extends BBCodeParser {
/*tslint:disable-next-line:typedef*///https://github.com/palantir/tslint/issues/711 /*tslint:disable-next-line:typedef*///https://github.com/palantir/tslint/issues/711
constructor(public makeLinksClickable = true) { constructor(public makeLinksClickable = true) {
super(); super();
this.addTag('b', new BBCodeSimpleTag('b', 'strong')); this.addTag(new BBCodeSimpleTag('b', 'strong'));
this.addTag('i', new BBCodeSimpleTag('i', 'em')); this.addTag(new BBCodeSimpleTag('i', 'em'));
this.addTag('u', new BBCodeSimpleTag('u', 'u')); this.addTag(new BBCodeSimpleTag('u', 'u'));
this.addTag('s', new BBCodeSimpleTag('s', 'del')); this.addTag(new BBCodeSimpleTag('s', 'del'));
this.addTag('noparse', new BBCodeSimpleTag('noparse', 'span', [], [])); this.addTag(new BBCodeSimpleTag('noparse', 'span', [], []));
this.addTag('sub', new BBCodeSimpleTag('sub', 'sub', [], ['b', 'i', 'u', 's'])); this.addTag(new BBCodeSimpleTag('sub', 'sub', [], ['b', 'i', 'u', 's']));
this.addTag('sup', new BBCodeSimpleTag('sup', 'sup', [], ['b', 'i', 'u', 's'])); this.addTag(new BBCodeSimpleTag('sup', 'sup', [], ['b', 'i', 'u', 's']));
this.addTag('color', new BBCodeCustomTag('color', (parser, parent, param) => { this.addTag(new BBCodeCustomTag('color', (parser, parent, param) => {
const el = parser.createElement('span');
parent.appendChild(el);
const cregex = /^(red|blue|white|yellow|pink|gray|green|orange|purple|black|brown|cyan)$/; const cregex = /^(red|blue|white|yellow|pink|gray|green|orange|purple|black|brown|cyan)$/;
if(!cregex.test(param)) { if(!cregex.test(param)) {
parser.warning('Invalid color parameter provided.'); parser.warning('Invalid color parameter provided.');
return el; return undefined;
} }
el.className = `${param}Text`;
return el;
}));
this.addTag('url', new BBCodeCustomTag('url', (parser, parent, _) => {
const el = parser.createElement('span'); const el = parser.createElement('span');
el.className = `${param}Text`;
parent.appendChild(el); parent.appendChild(el);
return el; return el;
}, (parser, element, _, param) => { }));
const content = element.textContent!.trim(); this.addTag(new BBCodeTextTag('url', (parser, parent, param, content) => {
while(element.firstChild !== null) element.removeChild(element.firstChild); const element = parser.createElement('span');
parent.appendChild(element);
let url: string, display: string = content; let url: string, display: string = content;
if(param.length > 0) { if(param.length > 0) {
@ -80,7 +76,8 @@ export class CoreBBCodeParser extends BBCodeParser {
span.textContent = ` [${domain(url)}]`; span.textContent = ` [${domain(url)}]`;
(<HTMLElement & {bbcodeHide: true}>span).bbcodeHide = true; (<HTMLElement & {bbcodeHide: true}>span).bbcodeHide = true;
element.appendChild(span); element.appendChild(span);
}, [])); return element;
}));
} }
parseEverything(input: string): HTMLElement { parseEverything(input: string): HTMLElement {

View File

@ -1,4 +1,4 @@
export abstract class BBCodeTag { abstract class BBCodeTag {
noClosingTag = false; noClosingTag = false;
allowedTags: {[tag: string]: boolean | undefined} | undefined; allowedTags: {[tag: string]: boolean | undefined} | undefined;
@ -17,11 +17,7 @@ export abstract class BBCodeTag {
this.allowedTags[tag] = true; this.allowedTags[tag] = true;
} }
//tslint:disable-next-line:no-empty abstract createElement(parser: BBCodeParser, parent: HTMLElement, param: string, content: string): HTMLElement | undefined;
afterClose(_: BBCodeParser, __: HTMLElement, ___: HTMLElement | undefined, ____?: string): void {
}
abstract createElement(parser: BBCodeParser, parent: HTMLElement, param: string): HTMLElement | undefined;
} }
export class BBCodeSimpleTag extends BBCodeTag { export class BBCodeSimpleTag extends BBCodeTag {
@ -42,39 +38,25 @@ export class BBCodeSimpleTag extends BBCodeTag {
} }
} }
export type CustomElementCreator = (parser: BBCodeParser, parent: HTMLElement, param: string) => HTMLElement | undefined;
export type CustomCloser = (parser: BBCodeParser, current: HTMLElement, parent: HTMLElement, param: string) => void;
export class BBCodeCustomTag extends BBCodeTag { export class BBCodeCustomTag extends BBCodeTag {
constructor(tag: string, private customCreator: CustomElementCreator, private customCloser?: CustomCloser, tagList?: string[]) { constructor(tag: string, private customCreator: (parser: BBCodeParser, parent: HTMLElement, param: string) => HTMLElement | undefined,
tagList?: string[]) {
super(tag, tagList); super(tag, tagList);
} }
createElement(parser: BBCodeParser, parent: HTMLElement, param: string): HTMLElement | undefined { createElement(parser: BBCodeParser, parent: HTMLElement, param: string): HTMLElement | undefined {
return this.customCreator(parser, parent, param); return this.customCreator(parser, parent, param);
} }
afterClose(parser: BBCodeParser, current: HTMLElement, parent: HTMLElement, param: string): void {
if(this.customCloser !== undefined)
this.customCloser(parser, current, parent, param);
}
} }
enum BufferType { Raw, Tag } export class BBCodeTextTag extends BBCodeTag {
constructor(tag: string, private customCreator: (parser: BBCodeParser, parent: HTMLElement,
class ParserTag { param: string, content: string) => HTMLElement | undefined) {
constructor(public tag: string, public param: string, public element: HTMLElement, public parent: HTMLElement | undefined, super(tag, []);
public line: number, public column: number) {
} }
appendElement(child: HTMLElement): void { createElement(parser: BBCodeParser, parent: HTMLElement, param: string, content: string): HTMLElement | undefined {
this.element.appendChild(child); return this.customCreator(parser, parent, param, content);
}
append(content: string, start: number, end: number): void {
if(content.length === 0)
return;
this.element.appendChild(document.createTextNode(content.substring(start, end)));
} }
} }
@ -83,8 +65,8 @@ export class BBCodeParser {
private _tags: {[tag: string]: BBCodeTag | undefined} = {}; private _tags: {[tag: string]: BBCodeTag | undefined} = {};
private _line = -1; private _line = -1;
private _column = -1; private _column = -1;
private _currentTag!: ParserTag;
private _storeWarnings = false; private _storeWarnings = false;
private _currentTag!: {tag: string, line: number, column: number};
parseEverything(input: string): HTMLElement { parseEverything(input: string): HTMLElement {
if(input.length === 0) if(input.length === 0)
@ -92,23 +74,22 @@ export class BBCodeParser {
this._warnings = []; this._warnings = [];
this._line = 1; this._line = 1;
this._column = 1; this._column = 1;
const stack: ParserTag[] = this.parse(input, 0, input.length); const parent = document.createElement('span');
parent.className = 'bbcode';
this._currentTag = {tag: '<root>', line: 1, column: 1};
this.parse(input, 0, undefined, parent, () => true);
for(let i = stack.length - 1; i > 0; i--) { //if(process.env.NODE_ENV !== 'production' && this._warnings.length > 0)
this._currentTag = <ParserTag>stack.pop(); // console.log(this._warnings);
this.warning('Automatically closing tag at end of input.'); return parent;
}
if(process.env.NODE_ENV !== 'production' && this._warnings.length > 0)
console.log(this._warnings);
return stack[0].element;
} }
createElement<K extends keyof HTMLElementTagNameMap>(tag: K): HTMLElementTagNameMap[K] { createElement<K extends keyof HTMLElementTagNameMap>(tag: K): HTMLElementTagNameMap[K] {
return document.createElement(tag); return document.createElement(tag);
} }
addTag(tag: string, impl: BBCodeTag): void { addTag(impl: BBCodeTag): void {
this._tags[tag] = impl; this._tags[impl.tag] = impl;
} }
removeTag(tag: string): void { removeTag(tag: string): void {
@ -133,126 +114,85 @@ export class BBCodeParser {
this._warnings.push(newMessage); this._warnings.push(newMessage);
} }
private parse(input: string, start: number, end: number): ParserTag[] { private parse(input: string, start: number, self: BBCodeTag | undefined, parent: HTMLElement | undefined,
const ignoreClosing: {[key: string]: number} = {}; isAllowed: (tag: string) => boolean): number {
let currentTag = this._currentTag;
function ignoreNextClosingTag(tagName: string): void { const selfAllowed = self !== undefined ? isAllowed(self.tag) : true;
//tslint:disable-next-line:strict-boolean-expressions if(self !== undefined) {
ignoreClosing[tagName] = (ignoreClosing[tagName] || 0) + 1; const parentAllowed = isAllowed;
isAllowed = (name) => self.isAllowed(name) && parentAllowed(name);
currentTag = this._currentTag = {tag: self.tag, line: this._line, column: this._column};
} }
let tagStart = -1, paramStart = -1, mark = start;
const stack: ParserTag[] = []; for(let i = start; i < input.length; ++i) {
function stackTop(): ParserTag {
return stack[stack.length - 1];
}
function quickReset(i: number): void {
stackTop().append(input, start, i + 1);
start = i + 1;
curType = BufferType.Raw;
}
let curType: BufferType = BufferType.Raw;
// Root tag collects output.
const rootTag = new ParserTag('<root>', '', this.createElement('span'), undefined, 1, 1);
stack.push(rootTag);
this._currentTag = rootTag;
let paramStart = -1;
for(let i = start; i < end; ++i) {
const c = input[i]; const c = input[i];
++this._column; ++this._column;
if(c === '\n') { if(c === '\n') {
++this._line; ++this._line;
this._column = 1; this._column = 1;
quickReset(i);
stackTop().appendElement(this.createElement('br'));
} }
switch(curType) {
case BufferType.Raw:
if(c === '[') { if(c === '[') {
stackTop().append(input, start, i); tagStart = i;
start = i; paramStart = -1;
curType = BufferType.Tag;
}
break;
case BufferType.Tag:
if(c === '[') {
stackTop().append(input, start, i);
start = i;
} else if(c === '=' && paramStart === -1) } else if(c === '=' && paramStart === -1)
paramStart = i; paramStart = i;
else if(c === ']') { else if(c === ']') {
const paramIndex = paramStart === -1 ? i : paramStart; const paramIndex = paramStart === -1 ? i : paramStart;
let tagKey = input.substring(start + 1, paramIndex).trim(); let tagKey = input.substring(tagStart + 1, paramIndex).trim().toLowerCase();
if(tagKey.length === 0) { if(tagKey.length === 0) {
quickReset(i); tagStart = -1;
continue; continue;
} }
let param = ''; const param = paramStart > tagStart ? input.substring(paramStart + 1, i).trim() : '';
if(paramStart !== -1)
param = input.substring(paramStart + 1, i).trim();
paramStart = -1;
const close = tagKey[0] === '/'; const close = tagKey[0] === '/';
if(close) tagKey = tagKey.substr(1).trim(); if(close) tagKey = tagKey.substr(1).trim();
if(typeof this._tags[tagKey] === 'undefined') { if(this._tags[tagKey] === undefined) {
quickReset(i); tagStart = -1;
continue; continue;
} }
if(!close) { if(!close) {
let allowed = true;
for(let k = stack.length - 1; k > 0; --k) {
allowed = allowed && this._tags[stack[k].tag]!.isAllowed(tagKey);
if(!allowed)
break;
}
const tag = this._tags[tagKey]!; const tag = this._tags[tagKey]!;
if(!allowed) { const allowed = isAllowed(tagKey);
ignoreNextClosingTag(tagKey); if(parent !== undefined) {
quickReset(i); parent.appendChild(document.createTextNode(input.substring(mark, allowed ? tagStart : i + 1)));
mark = i + 1;
}
if(!allowed || parent === undefined) {
i = this.parse(input, i + 1, tag, parent, isAllowed);
mark = i + 1;
continue; continue;
} }
const parent = stackTop().element; let element: HTMLElement | undefined;
const el: HTMLElement | undefined = tag.createElement(this, parent, param); if(tag instanceof BBCodeTextTag) {
if(el === undefined) { i = this.parse(input, i + 1, tag, undefined, isAllowed);
quickReset(i); element = tag.createElement(this, parent, param, input.substring(mark, input.lastIndexOf('[', i)));
continue;
}
(<HTMLElement & {bbcodeTag: string}>el).bbcodeTag = tagKey;
if(param.length > 0) (<HTMLElement & {bbcodeParam: string}>el).bbcodeParam = param;
if(!this._tags[tagKey]!.noClosingTag)
stack.push(new ParserTag(tagKey, param, el, parent, this._line, this._column));
} else if(ignoreClosing[tagKey] > 0) {
ignoreClosing[tagKey] -= 1;
stackTop().append(input, start, i + 1);
} else { } else {
let closed = false; element = tag.createElement(this, parent, param, '');
for(let k = stack.length - 1; k >= 0; --k) { if(!tag.noClosingTag)
if(stack[k].tag !== tagKey) continue; i = this.parse(input, i + 1, tag, element !== undefined ? element : parent, isAllowed);
for(let y = stack.length - 1; y >= k; --y) {
const closeTag = <ParserTag>stack.pop();
this._currentTag = closeTag;
if(y > k)
this.warning(`Unexpected closing ${tagKey} tag. Needed ${closeTag.tag} tag instead.`);
this._tags[closeTag.tag]!.afterClose(this, closeTag.element, closeTag.parent, closeTag.param);
} }
this._currentTag = stackTop(); mark = i + 1;
closed = true; this._currentTag = currentTag;
break; if(element === undefined) continue;
} (<HTMLElement & {bbcodeTag: string}>element).bbcodeTag = tagKey;
if(!closed) { if(param.length > 0) (<HTMLElement & {bbcodeParam: string}>element).bbcodeParam = param;
this.warning(`Found closing ${tagKey} tag that was never opened.`); } else if(self !== undefined) { //tslint:disable-line:curly
stackTop().append(input, start, i + 1); if(self.tag === tagKey) {
if(parent !== undefined)
parent.appendChild(document.createTextNode(input.substring(mark, selfAllowed ? tagStart : i + 1)));
return i;
} else if(!selfAllowed)
return tagStart - 1;
else if(isAllowed(tagKey))
this.warning(`Unexpected closing ${tagKey} tag. Needed ${self} tag instead.`);
} else if(isAllowed(tagKey)) this.warning(`Found closing ${tagKey} tag that was never opened.`);
} }
} }
start = i + 1; if(mark < input.length && parent !== undefined) {
curType = BufferType.Raw; parent.appendChild(document.createTextNode(input.substring(mark)));
} mark = input.length;
} }
} if(self !== undefined) this.warning('Automatically closing tag at end of input.');
if(start < input.length) return mark;
stackTop().append(input, start, input.length);
return stack;
} }
} }

View File

@ -1,6 +1,6 @@
import {CoreBBCodeParser} from './core'; import {CoreBBCodeParser} from './core';
import {InlineDisplayMode} from './interfaces'; import {InlineDisplayMode} from './interfaces';
import {BBCodeCustomTag, BBCodeSimpleTag} from './parser'; import {BBCodeCustomTag, BBCodeSimpleTag, BBCodeTextTag} from './parser';
interface InlineImage { interface InlineImage {
id: number id: number
@ -39,8 +39,8 @@ export class StandardBBCodeParser extends CoreBBCodeParser {
super(); super();
const hrTag = new BBCodeSimpleTag('hr', 'hr', [], []); const hrTag = new BBCodeSimpleTag('hr', 'hr', [], []);
hrTag.noClosingTag = true; hrTag.noClosingTag = true;
this.addTag('hr', hrTag); this.addTag(hrTag);
this.addTag('quote', new BBCodeCustomTag('quote', (parser, parent, param) => { this.addTag(new BBCodeCustomTag('quote', (parser, parent, param) => {
if(param !== '') if(param !== '')
parser.warning('Unexpected paramter on quote tag.'); parser.warning('Unexpected paramter on quote tag.');
const element = parser.createElement('blockquote'); const element = parser.createElement('blockquote');
@ -51,15 +51,23 @@ export class StandardBBCodeParser extends CoreBBCodeParser {
parent.appendChild(element); parent.appendChild(element);
return element; return element;
})); }));
this.addTag('left', new BBCodeSimpleTag('left', 'span', ['leftText'])); this.addTag(new BBCodeSimpleTag('left', 'span', ['leftText']));
this.addTag('right', new BBCodeSimpleTag('right', 'span', ['rightText'])); this.addTag(new BBCodeSimpleTag('right', 'span', ['rightText']));
this.addTag('center', new BBCodeSimpleTag('center', 'span', ['centerText'])); this.addTag(new BBCodeSimpleTag('center', 'span', ['centerText']));
this.addTag('justify', new BBCodeSimpleTag('justify', 'span', ['justifyText'])); this.addTag(new BBCodeSimpleTag('justify', 'span', ['justifyText']));
this.addTag('big', new BBCodeSimpleTag('big', 'span', ['bigText'], ['url', 'i', 'u', 'b', 'color', 's'])); this.addTag(new BBCodeSimpleTag('big', 'span', ['bigText'], ['url', 'i', 'u', 'b', 'color', 's']));
this.addTag('small', new BBCodeSimpleTag('small', 'span', ['smallText'], ['url', 'i', 'u', 'b', 'color', 's'])); this.addTag(new BBCodeSimpleTag('small', 'span', ['smallText'], ['url', 'i', 'u', 'b', 'color', 's']));
this.addTag('indent', new BBCodeSimpleTag('indent', 'div', ['indentText'])); this.addTag(new BBCodeSimpleTag('indent', 'div', ['indentText']));
this.addTag('heading', new BBCodeSimpleTag('heading', 'h2', [], ['url', 'i', 'u', 'b', 'color', 's'])); this.addTag(new BBCodeSimpleTag('heading', 'h2', [], ['url', 'i', 'u', 'b', 'color', 's']));
this.addTag('collapse', new BBCodeCustomTag('collapse', (parser, parent, param) => { this.addTag(new BBCodeSimpleTag('row', 'div', ['row']));
this.addTag(new BBCodeCustomTag('col', (parser, parent, param) => {
const col = parser.createElement('div');
col.className = param === '1' ? 'col-lg-3 col-md-4 col-12' : param === '2' ? 'col-lg-4 col-md-6 col-12' :
param === '3' ? 'col-lg-6 col-md-8 col-12' : 'col-md';
parent.appendChild(col);
return col;
}));
this.addTag(new BBCodeCustomTag('collapse', (parser, parent, param) => {
if(param === '') { //tslint:disable-line:curly if(param === '') { //tslint:disable-line:curly
parser.warning('title parameter is required.'); parser.warning('title parameter is required.');
// HACK: Compatability fix with old site. Titles are not trimmed on old site, so empty collapse titles need to be allowed. // HACK: Compatability fix with old site. Titles are not trimmed on old site, so empty collapse titles need to be allowed.
@ -76,25 +84,33 @@ export class StandardBBCodeParser extends CoreBBCodeParser {
headerText.appendChild(document.createTextNode(param)); headerText.appendChild(document.createTextNode(param));
outer.appendChild(headerText); outer.appendChild(headerText);
const body = parser.createElement('div'); const body = parser.createElement('div');
body.className = 'card-body bbcode-collapse-body closed'; body.className = 'bbcode-collapse-body';
body.style.height = '0'; body.style.height = '0';
outer.appendChild(body); outer.appendChild(body);
const inner = parser.createElement('div');
inner.className = 'card-body';
body.appendChild(inner);
let timeout: number;
headerText.addEventListener('click', () => { headerText.addEventListener('click', () => {
const isCollapsed = parseInt(body.style.height!, 10) === 0; const isCollapsed = parseInt(body.style.height!, 10) === 0;
body.style.height = isCollapsed ? `${body.scrollHeight}px` : '0'; if(isCollapsed) timeout = window.setTimeout(() => body.style.height = '', 200);
else {
clearTimeout(timeout);
body.style.transition = 'initial';
setImmediate(() => {
body.style.transition = '';
body.style.height = '0';
});
}
body.style.height = `${body.scrollHeight}px`;
icon.className = `fas fa-chevron-${isCollapsed ? 'up' : 'down'}`; icon.className = `fas fa-chevron-${isCollapsed ? 'up' : 'down'}`;
}); });
parent.appendChild(outer); parent.appendChild(outer);
return body; return inner;
})); }));
this.addTag('user', new BBCodeCustomTag('user', (parser, parent, _) => { this.addTag(new BBCodeTextTag('user', (parser, parent, param, content) => {
const el = parser.createElement('span');
parent.appendChild(el);
return el;
}, (parser, element, parent, param) => {
if(param !== '') if(param !== '')
parser.warning('Unexpected parameter on user tag.'); parser.warning('Unexpected parameter on user tag.');
const content = element.innerText;
if(!usernameRegex.test(content)) if(!usernameRegex.test(content))
return; return;
const a = parser.createElement('a'); const a = parser.createElement('a');
@ -102,16 +118,12 @@ export class StandardBBCodeParser extends CoreBBCodeParser {
a.target = '_blank'; a.target = '_blank';
a.className = 'character-link'; a.className = 'character-link';
a.appendChild(document.createTextNode(content)); a.appendChild(document.createTextNode(content));
parent.replaceChild(a, element); parent.appendChild(a);
}, [])); return a;
this.addTag('icon', new BBCodeCustomTag('icon', (parser, parent, _) => { }));
const el = parser.createElement('span'); this.addTag(new BBCodeTextTag('icon', (parser, parent, param, content) => {
parent.appendChild(el);
return el;
}, (parser, element, parent, param) => {
if(param !== '') if(param !== '')
parser.warning('Unexpected parameter on icon tag.'); parser.warning('Unexpected parameter on icon tag.');
const content = element.innerText;
if(!usernameRegex.test(content)) if(!usernameRegex.test(content))
return; return;
const a = parser.createElement('a'); const a = parser.createElement('a');
@ -120,17 +132,14 @@ export class StandardBBCodeParser extends CoreBBCodeParser {
const img = parser.createElement('img'); const img = parser.createElement('img');
img.src = `${this.settings.staticDomain}images/avatar/${content.toLowerCase()}.png`; img.src = `${this.settings.staticDomain}images/avatar/${content.toLowerCase()}.png`;
img.className = 'character-avatar icon'; img.className = 'character-avatar icon';
img.title = img.alt = content;
a.appendChild(img); a.appendChild(img);
parent.replaceChild(a, element); parent.appendChild(a);
}, [])); return a;
this.addTag('eicon', new BBCodeCustomTag('eicon', (parser, parent, _) => { }));
const el = parser.createElement('span'); this.addTag(new BBCodeTextTag('eicon', (parser, parent, param, content) => {
parent.appendChild(el);
return el;
}, (parser, element, parent, param) => {
if(param !== '') if(param !== '')
parser.warning('Unexpected parameter on eicon tag.'); parser.warning('Unexpected parameter on eicon tag.');
const content = element.innerText;
if(!usernameRegex.test(content)) if(!usernameRegex.test(content))
return; return;
@ -140,14 +149,11 @@ export class StandardBBCodeParser extends CoreBBCodeParser {
const img = parser.createElement('img'); const img = parser.createElement('img');
img.src = `${this.settings.staticDomain}images/eicon/${content.toLowerCase()}${extension}`; img.src = `${this.settings.staticDomain}images/eicon/${content.toLowerCase()}${extension}`;
img.className = 'character-avatar icon'; img.className = 'character-avatar icon';
parent.replaceChild(img, element); img.title = img.alt = content;
}, [])); parent.appendChild(img);
this.addTag('img', new BBCodeCustomTag('img', (parser, parent) => { return img;
const el = parser.createElement('span'); }));
parent.appendChild(el); this.addTag(new BBCodeTextTag('img', (p, parent, param, content) => {
return el;
}, (p, element, parent, param) => {
const content = element.textContent!;
const parser = <StandardBBCodeParser>p; const parser = <StandardBBCodeParser>p;
if(!this.allowInlines) { if(!this.allowInlines) {
parser.warning('Inline images are not allowed here.'); parser.warning('Inline images are not allowed here.');
@ -168,24 +174,26 @@ export class StandardBBCodeParser extends CoreBBCodeParser {
return undefined; return undefined;
} }
inline.name = content; inline.name = content;
let element: HTMLElement;
if(displayMode === InlineDisplayMode.DISPLAY_NONE || (displayMode === InlineDisplayMode.DISPLAY_SFW && inline.nsfw)) { if(displayMode === InlineDisplayMode.DISPLAY_NONE || (displayMode === InlineDisplayMode.DISPLAY_SFW && inline.nsfw)) {
const el = parser.createElement('a'); const el = element = parser.createElement('a');
el.className = 'unloadedInline'; el.className = 'unloadedInline';
el.href = '#'; el.href = '#';
el.dataset.inlineId = param; el.dataset.inlineId = param;
el.onclick = () => { el.onclick = () => {
Array.prototype.forEach.call(document.getElementsByClassName('unloadedInline'), ((e: HTMLElement) => { Array.from(document.getElementsByClassName('unloadedInline')).forEach((e) => {
const showInline = parser.inlines![e.dataset.inlineId!]; const showInline = parser.inlines![(<HTMLElement>e).dataset.inlineId!];
if(typeof showInline !== 'object') return; if(typeof showInline !== 'object') return;
e.parentElement!.replaceChild(parser.createInline(showInline), e); e.parentElement!.replaceChild(parser.createInline(showInline), e);
})); });
return false; return false;
}; };
const prefix = inline.nsfw ? '[NSFW Inline] ' : '[Inline] '; const prefix = inline.nsfw ? '[NSFW Inline] ' : '[Inline] ';
el.appendChild(document.createTextNode(prefix)); el.appendChild(document.createTextNode(prefix));
parent.replaceChild(el, element); parent.appendChild(el);
} else parent.replaceChild(parser.createInline(inline), element); } else parent.appendChild(element = parser.createInline(inline));
}, [])); return element;
}));
} }
} }

View File

@ -31,40 +31,43 @@
import Modal from '../components/Modal.vue'; import Modal from '../components/Modal.vue';
import Channels from '../fchat/channels'; import Channels from '../fchat/channels';
import Characters from '../fchat/characters'; import Characters from '../fchat/characters';
import {Keys} from '../keys';
import ChatView from './ChatView.vue'; import ChatView from './ChatView.vue';
import {errorToString} from './common'; import {errorToString, getKey} from './common';
import Conversations from './conversations'; import Conversations from './conversations';
import core from './core'; import core from './core';
import l from './localize'; import l from './localize';
type BBCodeNode = Node & {bbcodeTag?: string, bbcodeParam?: string, bbcodeHide?: boolean}; type BBCodeNode = Node & {bbcodeTag?: string, bbcodeParam?: string, bbcodeHide?: boolean};
function copyNode(str: string, node: BBCodeNode, range: Range, flags: {endFound?: true, rootFound?: true}): string { function copyNode(str: string, node: BBCodeNode, range: Range, flags: {endFound?: true}): string {
if(node === range.endContainer) flags.endFound = true;
if(node.bbcodeTag !== undefined) if(node.bbcodeTag !== undefined)
str = `[${node.bbcodeTag}${node.bbcodeParam !== undefined ? `=${node.bbcodeParam}` : ''}]${str}[/${node.bbcodeTag}]`; str = `[${node.bbcodeTag}${node.bbcodeParam !== undefined ? `=${node.bbcodeParam}` : ''}]${str}[/${node.bbcodeTag}]`;
if(node.nextSibling !== null && !flags.endFound) { if(node.nextSibling !== null && !flags.endFound) {
if(node instanceof HTMLElement && getComputedStyle(node).display === 'block') str += '\n'; if(node instanceof HTMLElement && getComputedStyle(node).display === 'block') str += '\r\n';
str += scanNode(node.nextSibling!, range, flags); str += scanNode(node.nextSibling!, range, flags);
} }
if(node.parentElement === null) flags.rootFound = true; if(node.parentElement === null) return str;
if(flags.rootFound && flags.endFound) return str;
return copyNode(str, node.parentNode!, range, flags); return copyNode(str, node.parentNode!, range, flags);
} }
function scanNode(node: BBCodeNode, range: Range, flags: {endFound?: true}): string { function scanNode(node: BBCodeNode, range: Range, flags: {endFound?: true}, hide?: boolean): string {
if(node.bbcodeHide) return '';
if(node === range.endContainer) {
flags.endFound = true;
return node.nodeValue!.substr(0, range.endOffset);
}
let str = ''; let str = '';
hide = hide || node.bbcodeHide;
if(node === range.endContainer) {
if(node instanceof HTMLElement && node.children.length === 1 && node.firstElementChild instanceof HTMLImageElement)
str += scanNode(node.firstElementChild, range, flags, hide);
flags.endFound = true;
}
if(node.bbcodeTag !== undefined) str += `[${node.bbcodeTag}${node.bbcodeParam !== undefined ? `=${node.bbcodeParam}` : ''}]`; if(node.bbcodeTag !== undefined) str += `[${node.bbcodeTag}${node.bbcodeParam !== undefined ? `=${node.bbcodeParam}` : ''}]`;
if(node instanceof Text) str += node.nodeValue; if(node instanceof Text) str += node === range.endContainer ? node.nodeValue!.substr(0, range.endOffset) : node.nodeValue;
if(node.firstChild !== null) str += scanNode(node.firstChild, range, flags); else if(node instanceof HTMLImageElement) str += node.alt;
if(node.firstChild !== null && !flags.endFound) str += scanNode(node.firstChild, range, flags, hide);
if(node.bbcodeTag !== undefined) str += `[/${node.bbcodeTag}]`; if(node.bbcodeTag !== undefined) str += `[/${node.bbcodeTag}]`;
if(node instanceof HTMLElement && getComputedStyle(node).display === 'block') str += '\n'; if(node instanceof HTMLElement && getComputedStyle(node).display === 'block') str += '\r\n';
if(node.nextSibling !== null && !flags.endFound) str += scanNode(node.nextSibling, range, flags); if(node.nextSibling !== null && !flags.endFound) str += scanNode(node.nextSibling, range, flags, hide);
return str; return hide ? '' : str;
} }
@Component({ @Component({
@ -80,16 +83,36 @@
connecting = false; connecting = false;
connected = false; connected = false;
l = l; l = l;
copyPlain = false;
mounted(): void { mounted(): void {
window.addEventListener('beforeunload', (e) => {
if(!this.connected) return;
e.returnValue = l('chat.confirmLeave');
return l('chat.confirmLeave');
});
document.addEventListener('copy', ((e: ClipboardEvent) => { document.addEventListener('copy', ((e: ClipboardEvent) => {
if(this.copyPlain) {
this.copyPlain = false;
return;
}
const selection = document.getSelection(); const selection = document.getSelection();
if(selection.isCollapsed) return; if(selection.isCollapsed) return;
const range = selection.getRangeAt(0); const range = selection.getRangeAt(0);
e.clipboardData.setData('text/plain', copyNode(range.startContainer.nodeValue!.substr(range.startOffset), const start = range.startContainer;
range.startContainer, range, {})); let startValue = start.nodeValue !== null ?
start.nodeValue.substring(range.startOffset, start === range.endContainer ? range.endOffset : undefined) : '';
if(start instanceof HTMLElement && start.children.length === 1 && start.firstElementChild instanceof HTMLImageElement)
startValue += scanNode(start.firstElementChild, range, {});
e.clipboardData.setData('text/plain', copyNode(startValue, start, range, {}));
e.preventDefault(); e.preventDefault();
}) as EventListener); }) as EventListener);
window.addEventListener('keydown', (e) => {
if(getKey(e) === Keys.KeyC && e.shiftKey && (e.ctrlKey || e.metaKey) && !e.altKey) {
this.copyPlain = true;
document.execCommand('copy');
}
});
core.register('characters', Characters(core.connection)); core.register('characters', Characters(core.connection));
core.register('channels', Channels(core.connection, core.characters)); core.register('channels', Channels(core.connection, core.characters));
core.register('conversations', Conversations()); core.register('conversations', Conversations());

View File

@ -4,7 +4,7 @@
@touchend="$refs['userMenu'].handleEvent($event)"> @touchend="$refs['userMenu'].handleEvent($event)">
<sidebar id="sidebar" :label="l('chat.menu')" icon="fa-bars"> <sidebar id="sidebar" :label="l('chat.menu')" icon="fa-bars">
<img :src="characterImage(ownCharacter.name)" v-if="showAvatars" style="float:left;margin-right:5px;width:60px"/> <img :src="characterImage(ownCharacter.name)" v-if="showAvatars" style="float:left;margin-right:5px;width:60px"/>
{{ownCharacter.name}} <a href="#" target="_blank" :href="ownCharacterLink" class="btn" style="margin-right:5px">{{ownCharacter.name}}</a>
<a href="#" @click.prevent="logOut" class="btn"><i class="fa fa-sign-out-alt"></i>{{l('chat.logout')}}</a><br/> <a href="#" @click.prevent="logOut" class="btn"><i class="fa fa-sign-out-alt"></i>{{l('chat.logout')}}</a><br/>
<div> <div>
{{l('chat.status')}} {{l('chat.status')}}
@ -36,7 +36,7 @@
<span>{{conversation.character.name}}</span> <span>{{conversation.character.name}}</span>
<div style="text-align:right;line-height:0"> <div style="text-align:right;line-height:0">
<span class="fas" <span class="fas"
:class="{'fa-comment-alt': conversation.typingStatus == 'typing', 'fa-comment': conversation.typingStatus == 'paused'}" :class="{'fa-comment-dots': conversation.typingStatus == 'typing', 'fa-comment': conversation.typingStatus == 'paused'}"
></span><span class="fa fa-reply" v-show="needsReply(conversation)"></span> ></span><span class="fa fa-reply" v-show="needsReply(conversation)"></span>
<span class="pin fa fa-thumbtack" :class="{'active': conversation.isPinned}" @mousedown.prevent <span class="pin fa fa-thumbtack" :class="{'active': conversation.isPinned}" @mousedown.prevent
@click.stop="conversation.isPinned = !conversation.isPinned" :aria-label="l('chat.pinTab')"></span> @click.stop="conversation.isPinned = !conversation.isPinned" :aria-label="l('chat.pinTab')"></span>
@ -97,7 +97,7 @@
import {Keys} from '../keys'; import {Keys} from '../keys';
import ChannelList from './ChannelList.vue'; import ChannelList from './ChannelList.vue';
import CharacterSearch from './CharacterSearch.vue'; import CharacterSearch from './CharacterSearch.vue';
import {characterImage, getKey} from './common'; import {characterImage, getKey, profileLink} from './common';
import ConversationView from './ConversationView.vue'; import ConversationView from './ConversationView.vue';
import core from './core'; import core from './core';
import {Character, Connection, Conversation} from './interfaces'; import {Character, Connection, Conversation} from './interfaces';
@ -269,6 +269,10 @@
return core.characters.ownCharacter; return core.characters.ownCharacter;
} }
get ownCharacterLink(): string {
return profileLink(core.characters.ownCharacter.name);
}
getClasses(conversation: Conversation): string { getClasses(conversation: Conversation): string {
return conversation === core.conversations.selectedConversation ? ' active' : unreadClasses[conversation.unread]; return conversation === core.conversations.selectedConversation ? ' active' : unreadClasses[conversation.unread];
} }
@ -285,7 +289,7 @@
} }
.bbcode, .message, .profile-viewer { .bbcode, .message, .profile-viewer {
user-select: initial; user-select: text;
} }
.list-group.conversation-nav { .list-group.conversation-nav {
@ -342,7 +346,7 @@
align-items: stretch; align-items: stretch;
flex-direction: row; flex-direction: row;
@media (max-width: breakpoint-max(xs)) { @media (max-width: breakpoint-max(sm)) {
display: flex; display: flex;
} }
@ -387,7 +391,7 @@
.body a.btn { .body a.btn {
padding: 2px 0; padding: 2px 0;
} }
@media (min-width: breakpoint-min(sm)) { @media (min-width: breakpoint-min(md)) {
.sidebar { .sidebar {
position: static; position: static;
margin: 0; margin: 0;

View File

@ -1,5 +1,5 @@
<template> <template>
<div style="display: flex; flex-direction: column;" id="command-help"> <modal dialogClass="modal-lg" :buttons="false" :action="l('commands.help')" id="command-help">
<div style="overflow: auto;"> <div style="overflow: auto;">
<div v-for="command in filteredCommands"> <div v-for="command in filteredCommands">
<h4>{{command.name}}</h4> <h4>{{command.name}}</h4>
@ -16,12 +16,13 @@
</div> </div>
</div> </div>
<input class="form-control" v-model="filter" :placeholder="l('filter')"/> <input class="form-control" v-model="filter" :placeholder="l('filter')"/>
</div> </modal>
</template> </template>
<script lang="ts"> <script lang="ts">
import Vue from 'vue';
import Component from 'vue-class-component'; import Component from 'vue-class-component';
import CustomDialog from '../components/custom_dialog';
import Modal from '../components/Modal.vue';
import core from './core'; import core from './core';
import l from './localize'; import l from './localize';
import commands, {CommandContext, ParamType, Permission} from './slash_commands'; import commands, {CommandContext, ParamType, Permission} from './slash_commands';
@ -35,8 +36,10 @@
syntax: string syntax: string
}; };
@Component @Component({
export default class CommandHelp extends Vue { components: {modal: Modal}
})
export default class CommandHelp extends CustomDialog {
commands: CommandItem[] = []; commands: CommandItem[] = [];
filter = ''; filter = '';
l = l; l = l;
@ -97,5 +100,9 @@
.params { .params {
padding-left: 20px; padding-left: 20px;
} }
.modal-body {
display: flex;
flex-direction: column;
}
} }
</style> </style>

View File

@ -1,18 +1,20 @@
<template> <template>
<div style="height:100%; display:flex; flex-direction:column; flex:1; margin:0 5px; position:relative;" id="conversation"> <div style="height:100%; display:flex; flex-direction:column; flex:1; margin:0 5px; position:relative;" id="conversation">
<div style="display:flex" v-if="conversation.character" class="header"> <div style="display:flex" v-if="conversation.character" class="header">
<img :src="characterImage" style="height:60px; width:60px; margin-right: 10px;" v-if="showAvatars"/> <img :src="characterImage" style="height:60px;width:60px;margin-right:10px" v-if="settings.showAvatars"/>
<div style="flex:1;position:relative;display:flex;flex-direction:column"> <div style="flex:1;position:relative;display:flex;flex-direction:column">
<div> <div>
<user :character="conversation.character"></user> <user :character="conversation.character"></user>
<logs :conversation="conversation"></logs> <a href="#" @click.prevent="$refs['logsDialog'].show()" class="btn">
<span class="fa fa-file-alt"></span> <span class="btn-text">{{l('logs.title')}}</span>
</a>
<a href="#" @click.prevent="$refs['settingsDialog'].show()" class="btn"> <a href="#" @click.prevent="$refs['settingsDialog'].show()" class="btn">
<span class="fa fa-cog"></span> <span class="btn-text">{{l('conversationSettings.title')}}</span> <span class="fa fa-cog"></span> <span class="btn-text">{{l('conversationSettings.title')}}</span>
</a> </a>
<a href="#" @click.prevent="reportDialog.report();" class="btn"><span class="fa fa-exclamation-triangle"></span> <a href="#" @click.prevent="reportDialog.report();" class="btn">
<span class="btn-text">{{l('chat.report')}}</span></a> <span class="fa fa-exclamation-triangle"></span><span class="btn-text">{{l('chat.report')}}</span></a>
</div> </div>
<div style="overflow: auto"> <div style="overflow:auto;max-height:50px">
{{l('status.' + conversation.character.status)}} {{l('status.' + conversation.character.status)}}
<span v-show="conversation.character.statusText"> <bbcode :text="conversation.character.statusText"></bbcode></span> <span v-show="conversation.character.statusText"> <bbcode :text="conversation.character.statusText"></bbcode></span>
</div> </div>
@ -29,12 +31,14 @@
<span class="btn-text">{{l('channel.description')}}</span> <span class="btn-text">{{l('channel.description')}}</span>
</a> </a>
<manage-channel :channel="conversation.channel" v-if="isChannelMod"></manage-channel> <manage-channel :channel="conversation.channel" v-if="isChannelMod"></manage-channel>
<logs :conversation="conversation"></logs> <a href="#" @click.prevent="$refs['logsDialog'].show()" class="btn">
<span class="fa fa-file-alt"></span> <span class="btn-text">{{l('logs.title')}}</span>
</a>
<a href="#" @click.prevent="$refs['settingsDialog'].show()" class="btn"> <a href="#" @click.prevent="$refs['settingsDialog'].show()" class="btn">
<span class="fa fa-cog"></span> <span class="btn-text">{{l('conversationSettings.title')}}</span> <span class="fa fa-cog"></span> <span class="btn-text">{{l('conversationSettings.title')}}</span>
</a> </a>
<a href="#" @click.prevent="reportDialog.report();" class="btn"><span class="fa fa-exclamation-triangle"></span> <a href="#" @click.prevent="reportDialog.report();" class="btn">
<span class="btn-text">{{l('chat.report')}}</span></a> <span class="fa fa-exclamation-triangle"></span><span class="btn-text">{{l('chat.report')}}</span></a>
</div> </div>
<ul class="nav nav-pills mode-switcher"> <ul class="nav nav-pills mode-switcher">
<li v-for="mode in modes" class="nav-item"> <li v-for="mode in modes" class="nav-item">
@ -50,7 +54,9 @@
</div> </div>
<div v-else class="header" style="display:flex;align-items:center"> <div v-else class="header" style="display:flex;align-items:center">
<h4>{{l('chat.consoleTab')}}</h4> <h4>{{l('chat.consoleTab')}}</h4>
<logs :conversation="conversation"></logs> <a href="#" @click.prevent="$refs['logsDialog'].show()" class="btn">
<span class="fa fa-file-alt"></span> <span class="btn-text">{{l('logs.title')}}</span>
</a>
</div> </div>
<div class="search" v-show="showSearch" style="position:relative"> <div class="search" v-show="showSearch" style="position:relative">
<input v-model="searchInput" @keydown.esc="showSearch = false; searchInput = ''" @keypress="lastSearchInput = Date.now()" <input v-model="searchInput" @keydown.esc="showSearch = false; searchInput = ''" @keypress="lastSearchInput = Date.now()"
@ -86,7 +92,7 @@
<span class="fa fa-times" style="cursor:pointer" @click.stop="conversation.errorText = ''"></span> <span class="fa fa-times" style="cursor:pointer" @click.stop="conversation.errorText = ''"></span>
<span class="redText" style="flex:1;margin-left:5px">{{conversation.errorText}}</span> <span class="redText" style="flex:1;margin-left:5px">{{conversation.errorText}}</span>
</div> </div>
<div style="position:relative; margin-top:5px;"> <div style="position:relative;margin-top:5px">
<bbcode-editor v-model="conversation.enteredText" @keydown="onKeyDown" :extras="extraButtons" @input="keepScroll" <bbcode-editor v-model="conversation.enteredText" @keydown="onKeyDown" :extras="extraButtons" @input="keepScroll"
:classes="'form-control chat-text-box' + (conversation.isSendingAds ? ' ads-text-box' : '')" :classes="'form-control chat-text-box' + (conversation.isSendingAds ? ' ads-text-box' : '')"
ref="textBox" style="position:relative" :maxlength="conversation.maxMessageLength"> ref="textBox" style="position:relative" :maxlength="conversation.maxMessageLength">
@ -94,25 +100,25 @@
<div v-show="conversation.maxMessageLength" style="margin-right:5px"> <div v-show="conversation.maxMessageLength" style="margin-right:5px">
{{getByteLength(conversation.enteredText)}} / {{conversation.maxMessageLength}} {{getByteLength(conversation.enteredText)}} / {{conversation.maxMessageLength}}
</div> </div>
<ul class="nav nav-pills send-ads-switcher" v-if="conversation.channel" style="position:relative;z-index:10"> <ul class="nav nav-pills send-ads-switcher" v-if="conversation.channel"
style="position:relative;z-index:10;margin-right:5px">
<li class="nav-item"> <li class="nav-item">
<a href="#" :class="{active: !conversation.isSendingAds, disabled: conversation.channel.mode != 'both'}" <a href="#" :class="{active: !conversation.isSendingAds, disabled: conversation.channel.mode != 'both'}"
class="nav-link" @click.prevent="setSendingAds(false)">{{l('channel.mode.chat')}}</a> class="nav-link" @click.prevent="setSendingAds(false)">{{l('channel.mode.chat')}}</a>
</li> </li>
<li class="nav-item"> <li class="nav-item">
<a href="#" :class="{active: conversation.isSendingAds, disabled: conversation.channel.mode != 'both'}" <a href="#" :class="{active: conversation.isSendingAds, disabled: conversation.channel.mode != 'both'}"
class="nav-link" @click.prevent="setSendingAds(true)"> class="nav-link" @click.prevent="setSendingAds(true)">{{adsMode}}</a>
{{l('channel.mode.ads' + (adCountdown ? '.countdown' : ''), adCountdown)}}</a>
</li> </li>
</ul> </ul>
<div class="btn btn-sm btn-primary" v-show="!settings.enterSend" @click="conversation.send()">{{l('chat.send')}}</div>
</div> </div>
</bbcode-editor> </bbcode-editor>
</div> </div>
</div> </div>
<modal ref="helpDialog" dialogClass="modal-lg" :buttons="false" :action="l('commands.help')"> <command-help ref="helpDialog"></command-help>
<command-help></command-help>
</modal>
<settings ref="settingsDialog" :conversation="conversation"></settings> <settings ref="settingsDialog" :conversation="conversation"></settings>
<logs ref="logsDialog" :conversation="conversation"></logs>
</div> </div>
</template> </template>
@ -121,14 +127,13 @@
import Component from 'vue-class-component'; import Component from 'vue-class-component';
import {Prop, Watch} from 'vue-property-decorator'; import {Prop, Watch} from 'vue-property-decorator';
import {EditorButton, EditorSelection} from '../bbcode/editor'; import {EditorButton, EditorSelection} from '../bbcode/editor';
import Modal from '../components/Modal.vue';
import {Keys} from '../keys'; import {Keys} from '../keys';
import {BBCodeView, Editor} from './bbcode'; import {BBCodeView, Editor} from './bbcode';
import CommandHelp from './CommandHelp.vue'; import CommandHelp from './CommandHelp.vue';
import {characterImage, getByteLength, getKey} from './common'; import {characterImage, getByteLength, getKey} from './common';
import ConversationSettings from './ConversationSettings.vue'; import ConversationSettings from './ConversationSettings.vue';
import core from './core'; import core from './core';
import {Channel, channelModes, Character, Conversation} from './interfaces'; import {Channel, channelModes, Character, Conversation, Settings} from './interfaces';
import l from './localize'; import l from './localize';
import Logs from './Logs.vue'; import Logs from './Logs.vue';
import ManageChannel from './ManageChannel.vue'; import ManageChannel from './ManageChannel.vue';
@ -139,7 +144,7 @@
@Component({ @Component({
components: { components: {
user: UserView, 'bbcode-editor': Editor, 'manage-channel': ManageChannel, modal: Modal, settings: ConversationSettings, user: UserView, 'bbcode-editor': Editor, 'manage-channel': ManageChannel, settings: ConversationSettings,
logs: Logs, 'message-view': MessageView, bbcode: BBCodeView, 'command-help': CommandHelp logs: Logs, 'message-view': MessageView, bbcode: BBCodeView, 'command-help': CommandHelp
} }
}) })
@ -174,7 +179,7 @@
title: 'Help\n\nClick this button for a quick overview of slash commands.', title: 'Help\n\nClick this button for a quick overview of slash commands.',
tag: '?', tag: '?',
icon: 'fa-question', icon: 'fa-question',
handler: () => (<Modal>this.$refs['helpDialog']).show() handler: () => (<CommandHelp>this.$refs['helpDialog']).show()
}]; }];
window.addEventListener('resize', this.resizeHandler); window.addEventListener('resize', this.resizeHandler);
window.addEventListener('keydown', this.keydownHandler = ((e: KeyboardEvent) => { window.addEventListener('keydown', this.keydownHandler = ((e: KeyboardEvent) => {
@ -220,7 +225,7 @@
keepScroll(): boolean { keepScroll(): boolean {
const messageView = <HTMLElement>this.$refs['messages']; const messageView = <HTMLElement>this.$refs['messages'];
if(messageView.scrollTop + messageView.offsetHeight >= messageView.scrollHeight - 15) { if(messageView.scrollTop + messageView.offsetHeight >= messageView.scrollHeight - 15) {
setImmediate(() => messageView.scrollTop = messageView.scrollHeight); this.$nextTick(() => setTimeout(() => messageView.scrollTop = messageView.scrollHeight, 0));
return true; return true;
} }
return false; return false;
@ -282,7 +287,7 @@
&& !e.shiftKey && !e.altKey && !e.ctrlKey && !e.metaKey) && !e.shiftKey && !e.altKey && !e.ctrlKey && !e.metaKey)
this.conversation.loadLastSent(); this.conversation.loadLastSent();
else if(getKey(e) === Keys.Enter) { else if(getKey(e) === Keys.Enter) {
if(e.shiftKey) return; if(e.shiftKey === this.settings.enterSend) return;
e.preventDefault(); e.preventDefault();
await this.conversation.send(); await this.conversation.send();
} }
@ -306,9 +311,10 @@
} }
} }
get adCountdown(): string | undefined { get adsMode(): string | undefined {
if(!Conversation.isChannel(this.conversation) || this.conversation.adCountdown <= 0) return; if(!Conversation.isChannel(this.conversation)) return;
return l('chat.adCountdown', if(this.conversation.adCountdown <= 0) return l('channel.mode.ads');
else return l('channel.mode.ads.countdown',
Math.floor(this.conversation.adCountdown / 60).toString(), (this.conversation.adCountdown % 60).toString()); Math.floor(this.conversation.adCountdown / 60).toString(), (this.conversation.adCountdown % 60).toString());
} }
@ -316,8 +322,8 @@
return characterImage(this.conversation.name); return characterImage(this.conversation.name);
} }
get showAvatars(): boolean { get settings(): Settings {
return core.state.settings.showAvatars; return core.state.settings;
} }
get isConsoleTab(): boolean { get isConsoleTab(): boolean {
@ -340,10 +346,10 @@
#conversation { #conversation {
.header { .header {
@media (min-width: breakpoint-min(sm)) { @media (min-width: breakpoint-min(md)) {
margin-right: 32px; margin-right: 32px;
} }
a.btn { .btn {
padding: 2px 5px; padding: 2px 5px;
} }
} }
@ -352,7 +358,7 @@
padding: 3px 10px; padding: 3px 10px;
} }
@media (max-width: breakpoint-max(xs)) { @media (max-width: breakpoint-max(sm)) {
.mode-switcher a { .mode-switcher a {
padding: 5px 8px; padding: 5px 8px;
} }

View File

@ -1,23 +1,21 @@
<template> <template>
<span> <modal :buttons="false" ref="dialog" id="logs-dialog" :action="l('logs.title')"
<a href="#" @click.prevent="showLogs" class="btn">
<span :class="isPersistent ? 'fa fa-file-alt' : 'fa fa-download'"></span>
<span class="btn-text">{{l('logs.title')}}</span>
</a>
<modal v-if="isPersistent" :buttons="false" ref="dialog" id="logs-dialog" :action="l('logs.title')"
dialogClass="modal-lg w-100 modal-dialog-centered" @open="onOpen"> dialogClass="modal-lg w-100 modal-dialog-centered" @open="onOpen">
<div class="form-group row" style="flex-shrink:0"> <div class="form-group row" style="flex-shrink:0">
<label class="col-2 col-form-label">{{l('logs.conversation')}}</label> <label class="col-2 col-form-label">{{l('logs.conversation')}}</label>
<div class="col-10">
<filterable-select v-model="selectedConversation" :options="conversations" :filterFunc="filterConversation" <filterable-select v-model="selectedConversation" :options="conversations" :filterFunc="filterConversation"
:placeholder="l('filter')" @input="loadMessages" class="form-control col-10"> :placeholder="l('filter')" @input="loadMessages">
<template slot-scope="s">{{s.option && ((s.option.id[0] == '#' ? '#' : '') + s.option.name)}}</template> <template slot-scope="s">
{{s.option && ((s.option.key[0] == '#' ? '#' : '') + s.option.name) || l('logs.selectConversation')}}</template>
</filterable-select> </filterable-select>
</div> </div>
</div>
<div class="form-group row" style="flex-shrink:0"> <div class="form-group row" style="flex-shrink:0">
<label for="date" class="col-2 col-form-label">{{l('logs.date')}}</label> <label for="date" class="col-2 col-form-label">{{l('logs.date')}}</label>
<div class="col-8"> <div class="col-8">
<select class="form-control" v-model="selectedDate" id="date" @change="loadMessages"> <select class="form-control" v-model="selectedDate" id="date" @change="loadMessages">
<option>{{l('logs.selectDate')}}</option> <option :value="null">{{l('logs.selectDate')}}</option>
<option v-for="date in dates" :value="date.getTime()">{{formatDate(date)}}</option> <option v-for="date in dates" :value="date.getTime()">{{formatDate(date)}}</option>
</select> </select>
</div> </div>
@ -31,19 +29,18 @@
</div> </div>
<input class="form-control" v-model="filter" :placeholder="l('filter')" v-show="messages" type="text"/> <input class="form-control" v-model="filter" :placeholder="l('filter')" v-show="messages" type="text"/>
</modal> </modal>
</span>
</template> </template>
<script lang="ts"> <script lang="ts">
import {format} from 'date-fns'; import {format} from 'date-fns';
import Vue from 'vue';
import Component from 'vue-class-component'; import Component from 'vue-class-component';
import {Prop, Watch} from 'vue-property-decorator'; import {Prop, Watch} from 'vue-property-decorator';
import CustomDialog from '../components/custom_dialog';
import FilterableSelect from '../components/FilterableSelect.vue'; import FilterableSelect from '../components/FilterableSelect.vue';
import Modal from '../components/Modal.vue'; import Modal from '../components/Modal.vue';
import {messageToString} from './common'; import {messageToString} from './common';
import core from './core'; import core from './core';
import {Conversation, Logs as LogInterfaces} from './interfaces'; import {Conversation} from './interfaces';
import l from './localize'; import l from './localize';
import MessageView from './message_view'; import MessageView from './message_view';
@ -58,14 +55,14 @@
@Component({ @Component({
components: {modal: Modal, 'message-view': MessageView, 'filterable-select': FilterableSelect} components: {modal: Modal, 'message-view': MessageView, 'filterable-select': FilterableSelect}
}) })
export default class Logs extends Vue { export default class Logs extends CustomDialog {
//tslint:disable:no-null-keyword //tslint:disable:no-null-keyword
@Prop({required: true}) @Prop({required: true})
readonly conversation!: Conversation; readonly conversation!: Conversation;
selectedConversation: {id: string, name: string} | null = null; selectedConversation: {key: string, name: string} | null = null;
dates: ReadonlyArray<Date> = [];
selectedDate: string | null = null; selectedDate: string | null = null;
isPersistent = LogInterfaces.isPersistent(core.logs); conversations = core.logs.conversations.slice();
conversations = LogInterfaces.isPersistent(core.logs) ? core.logs.conversations : undefined;
l = l; l = l;
filter = ''; filter = '';
messages: ReadonlyArray<Conversation.Message> = []; messages: ReadonlyArray<Conversation.Message> = [];
@ -78,37 +75,30 @@
(x) => filter.test(x.text) || x.type !== Conversation.Message.Type.Event && filter.test(x.sender.name)); (x) => filter.test(x.text) || x.type !== Conversation.Message.Type.Event && filter.test(x.sender.name));
} }
mounted(): void { async mounted(): Promise<void> {
this.conversationChanged(); return this.conversationChanged();
} }
filterConversation(filter: RegExp, conversation: {id: string, name: string}): boolean { filterConversation(filter: RegExp, conversation: {key: string, name: string}): boolean {
return filter.test(conversation.name); return filter.test(conversation.name);
} }
@Watch('conversation') @Watch('conversation')
conversationChanged(): void { async conversationChanged(): Promise<void> {
this.selectedConversation =
//tslint:disable-next-line:strict-boolean-expressions //tslint:disable-next-line:strict-boolean-expressions
this.conversations !== undefined && this.conversations.filter((x) => x.id === this.conversation.key)[0] || null; this.selectedConversation = this.conversations.filter((x) => x.key === this.conversation.key)[0] || null;
} }
async showLogs(): Promise<void> { @Watch('selectedConversation')
if(this.isPersistent) (<Modal>this.$refs['dialog']).show(); async conversationSelected(): Promise<void> {
else this.download(`logs-${this.conversation.name}.txt`, await core.logs.getBacklog(this.conversation)); this.dates = this.selectedConversation === null ? [] :
(await core.logs.getLogDates(this.selectedConversation.key)).slice().reverse();
} }
download(file: string, logs: ReadonlyArray<Conversation.Message>): void { download(file: string, logs: ReadonlyArray<Conversation.Message>): void {
const blob = new Blob(logs.map((x) => messageToString(x, formatTime)));
//tslint:disable-next-line:strict-type-predicates
if(navigator.msSaveBlob !== undefined) {
navigator.msSaveBlob(blob, file);
return;
}
const url = URL.createObjectURL(blob);
const a = document.createElement('a'); const a = document.createElement('a');
if('download' in a) { a.target = '_blank';
a.href = url; a.href = `data:${encodeURIComponent(file)},${encodeURIComponent(logs.map((x) => messageToString(x, formatTime)).join(''))}`;
a.setAttribute('download', file); a.setAttribute('download', file);
a.style.display = 'none'; a.style.display = 'none';
document.body.appendChild(a); document.body.appendChild(a);
@ -116,13 +106,6 @@
a.click(); a.click();
document.body.removeChild(a); document.body.removeChild(a);
}); });
} else {
const iframe = document.createElement('iframe');
document.body.appendChild(iframe);
iframe.src = url;
setTimeout(() => document.body.removeChild(iframe));
}
setTimeout(() => self.URL.revokeObjectURL(a.href));
} }
downloadDay(): void { downloadDay(): void {
@ -131,20 +114,23 @@
} }
async onOpen(): Promise<void> { async onOpen(): Promise<void> {
this.conversations = (<LogInterfaces.Persistent>core.logs).conversations; this.conversations = core.logs.conversations.slice();
this.conversations.sort((x, y) => (x.name < y.name ? -1 : (x.name > y.name ? 1 : 0)));
this.$forceUpdate(); this.$forceUpdate();
await this.loadMessages(); await this.loadMessages();
} }
get dates(): ReadonlyArray<Date> | undefined {
if(!LogInterfaces.isPersistent(core.logs) || this.selectedConversation === null) return;
return core.logs.getLogDates(this.selectedConversation.id).slice().reverse();
}
async loadMessages(): Promise<ReadonlyArray<Conversation.Message>> { async loadMessages(): Promise<ReadonlyArray<Conversation.Message>> {
if(this.selectedDate === null || this.selectedConversation === null || !LogInterfaces.isPersistent(core.logs)) if(this.selectedDate === null || this.selectedConversation === null)
return this.messages = []; return this.messages = [];
return this.messages = await core.logs.getLogs(this.selectedConversation.id, new Date(this.selectedDate)); return this.messages = await core.logs.getLogs(this.selectedConversation.key, new Date(this.selectedDate));
} }
} }
</script> </script>
<style>
#logs-dialog .modal-body {
display: flex;
flex-direction: column;
}
</style>

View File

@ -1,5 +1,5 @@
<template> <template>
<modal :buttons="false" :action="l('chat.recentConversations')" dialogClass="w-100"> <modal :buttons="false" :action="l('chat.recentConversations')" dialogClass="w-100 modal-lg">
<div style="display:flex; flex-direction:column; max-height:500px; flex-wrap:wrap;"> <div style="display:flex; flex-direction:column; max-height:500px; flex-wrap:wrap;">
<div v-for="recent in recentConversations" style="margin: 3px;"> <div v-for="recent in recentConversations" style="margin: 3px;">
<user-view v-if="recent.character" :character="getCharacter(recent.character)"></user-view> <user-view v-if="recent.character" :character="getCharacter(recent.character)"></user-view>

View File

@ -12,6 +12,12 @@
{{l('settings.clickOpensMessage')}} {{l('settings.clickOpensMessage')}}
</label> </label>
</div> </div>
<div class="form-group">
<label class="control-label" for="enterSend">
<input type="checkbox" id="enterSend" v-model="enterSend"/>
{{l('settings.enterSend')}}
</label>
</div>
<div class="form-group"> <div class="form-group">
<label class="control-label" for="showAvatars"> <label class="control-label" for="showAvatars">
<input type="checkbox" id="showAvatars" v-model="showAvatars"/> <input type="checkbox" id="showAvatars" v-model="showAvatars"/>
@ -58,6 +64,12 @@
{{l('settings.playSound')}} {{l('settings.playSound')}}
</label> </label>
</div> </div>
<div class="form-group">
<label class="control-label" for="alwaysNotify">
<input type="checkbox" id="alwaysNotify" v-model="alwaysNotify" :disabled="!playSound"/>
{{l('settings.alwaysNotify')}}
</label>
</div>
<div class="form-group"> <div class="form-group">
<label class="control-label" for="notifications"> <label class="control-label" for="notifications">
<input type="checkbox" id="notifications" v-model="notifications"/> <input type="checkbox" id="notifications" v-model="notifications"/>
@ -86,12 +98,6 @@
{{l('settings.joinMessages')}} {{l('settings.joinMessages')}}
</label> </label>
</div> </div>
<div class="form-group">
<label class="control-label" for="alwaysNotify">
<input type="checkbox" id="alwaysNotify" v-model="alwaysNotify"/>
{{l('settings.alwaysNotify')}}
</label>
</div>
<div class="form-group"> <div class="form-group">
<label class="control-label" for="showNeedsReply"> <label class="control-label" for="showNeedsReply">
<input type="checkbox" id="showNeedsReply" v-model="showNeedsReply"/> <input type="checkbox" id="showNeedsReply" v-model="showNeedsReply"/>
@ -143,6 +149,7 @@
logAds!: boolean; logAds!: boolean;
fontSize!: number; fontSize!: number;
showNeedsReply!: boolean; showNeedsReply!: boolean;
enterSend!: boolean;
constructor() { constructor() {
super(); super();
@ -150,8 +157,7 @@
} }
async created(): Promise<void> { async created(): Promise<void> {
const available = core.settingsStore.getAvailableCharacters(); this.availableImports = (await core.settingsStore.getAvailableCharacters()).filter((x) => x !== core.connection.character);
this.availableImports = available !== undefined ? (await available).filter((x) => x !== core.connection.character) : [];
} }
init = function(this: SettingsView): void { init = function(this: SettingsView): void {
@ -173,6 +179,7 @@
this.logAds = settings.logAds; this.logAds = settings.logAds;
this.fontSize = settings.fontSize; this.fontSize = settings.fontSize;
this.showNeedsReply = settings.showNeedsReply; this.showNeedsReply = settings.showNeedsReply;
this.enterSend = settings.enterSend;
}; };
async doImport(): Promise<void> { async doImport(): Promise<void> {
@ -215,7 +222,8 @@
logMessages: this.logMessages, logMessages: this.logMessages,
logAds: this.logAds, logAds: this.logAds,
fontSize: isNaN(this.fontSize) ? 14 : this.fontSize < 10 ? 10 : this.fontSize > 24 ? 24 : this.fontSize, fontSize: isNaN(this.fontSize) ? 14 : this.fontSize < 10 ? 10 : this.fontSize > 24 ? 24 : this.fontSize,
showNeedsReply: this.showNeedsReply showNeedsReply: this.showNeedsReply,
enterSend: this.enterSend
}; };
if(this.notifications) await core.notifications.requestPermission(); if(this.notifications) await core.notifications.requestPermission();
} }

View File

@ -7,7 +7,7 @@
<h5 style="margin:0;line-height:1">{{character.name}}</h5> <h5 style="margin:0;line-height:1">{{character.name}}</h5>
{{l('status.' + character.status)}} {{l('status.' + character.status)}}
</div> </div>
<bbcode :text="character.statusText" v-show="character.statusText" class="list-group-item" @click.stop></bbcode> <bbcode id="userMenuStatus" :text="character.statusText" v-show="character.statusText" class="list-group-item"></bbcode>
<a tabindex="-1" :href="profileLink" target="_blank" v-if="showProfileFirst" class="list-group-item list-group-item-action"> <a tabindex="-1" :href="profileLink" target="_blank" v-if="showProfileFirst" class="list-group-item list-group-item-action">
<span class="fa fa-fw fa-user"></span>{{l('user.profile')}}</a> <span class="fa fa-fw fa-user"></span>{{l('user.profile')}}</a>
<a tabindex="-1" href="#" @click.prevent="openConversation(true)" class="list-group-item list-group-item-action"> <a tabindex="-1" href="#" @click.prevent="openConversation(true)" class="list-group-item list-group-item-action">
@ -152,7 +152,7 @@
const touch = e instanceof TouchEvent ? e.changedTouches[0] : e; const touch = e instanceof TouchEvent ? e.changedTouches[0] : e;
let node = <HTMLElement & {character?: Character, channel?: Channel, touched?: boolean}>touch.target; let node = <HTMLElement & {character?: Character, channel?: Channel, touched?: boolean}>touch.target;
while(node !== document.body) { while(node !== document.body) {
if(e.type !== 'click' && node === this.$refs['menu']) return; if(e.type !== 'click' && node === this.$refs['menu'] || node.id === 'userMenuStatus') return;
if(node.character !== undefined || node.dataset['character'] !== undefined || node.parentNode === null) break; if(node.character !== undefined || node.dataset['character'] !== undefined || node.parentNode === null) break;
node = node.parentElement!; node = node.parentElement!;
} }
@ -217,5 +217,6 @@
.user-view { .user-view {
cursor: pointer; cursor: pointer;
font-weight: 500;
} }
</style> </style>

View File

@ -2,7 +2,7 @@ import Vue, {Component, CreateElement, RenderContext, VNode} from 'vue';
import {CoreBBCodeParser} from '../bbcode/core'; import {CoreBBCodeParser} from '../bbcode/core';
//tslint:disable-next-line:match-default-export-name //tslint:disable-next-line:match-default-export-name
import BaseEditor from '../bbcode/Editor.vue'; import BaseEditor from '../bbcode/Editor.vue';
import {BBCodeCustomTag} from '../bbcode/parser'; import {BBCodeTextTag} from '../bbcode/parser';
import ChannelView from './ChannelView.vue'; import ChannelView from './ChannelView.vue';
import {characterImage} from './common'; import {characterImage} from './common';
import core from './core'; import core from './core';
@ -14,13 +14,12 @@ export const BBCodeView: Component = {
render(createElement: CreateElement, context: RenderContext): VNode { render(createElement: CreateElement, context: RenderContext): VNode {
/*tslint:disable:no-unsafe-any*///because we're not actually supposed to do any of this /*tslint:disable:no-unsafe-any*///because we're not actually supposed to do any of this
context.data.hook = { context.data.hook = {
insert(): void { insert(node: VNode): void {
if(vnode.elm !== undefined) node.elm!.appendChild(core.bbCodeParser.parseEverything(
vnode.elm.appendChild(core.bbCodeParser.parseEverything(
context.props.text !== undefined ? context.props.text : context.props.unsafeText)); context.props.text !== undefined ? context.props.text : context.props.unsafeText));
}, },
destroy(): void { destroy(node: VNode): void {
const element = (<BBCodeElement>(<Element>vnode.elm).firstChild); const element = (<BBCodeElement>(<Element>node.elm).firstChild);
if(element.cleanup !== undefined) element.cleanup(); if(element.cleanup !== undefined) element.cleanup();
} }
}; };
@ -43,29 +42,20 @@ export default class BBCodeParser extends CoreBBCodeParser {
constructor() { constructor() {
super(); super();
this.addTag('user', new BBCodeCustomTag('user', (parser, parent) => { this.addTag(new BBCodeTextTag('user', (parser, parent, param, content) => {
const el = parser.createElement('span');
parent.appendChild(el);
return el;
}, (parser, element, _, param) => {
if(param.length > 0) if(param.length > 0)
parser.warning('Unexpected parameter on user tag.'); parser.warning('Unexpected parameter on user tag.');
const content = element.innerText;
element.innerText = '';
const uregex = /^[a-zA-Z0-9_\-\s]+$/; const uregex = /^[a-zA-Z0-9_\-\s]+$/;
if(!uregex.test(content)) if(!uregex.test(content)) return;
return;
const view = new UserView({el: element, propsData: {character: core.characters.get(content)}});
this.cleanup.push(view);
}, []));
this.addTag('icon', new BBCodeCustomTag('icon', (parser, parent) => {
const el = parser.createElement('span'); const el = parser.createElement('span');
parent.appendChild(el); parent.appendChild(el);
const view = new UserView({el, propsData: {character: core.characters.get(content)}});
this.cleanup.push(view);
return el; return el;
}, (parser, element, parent, param) => { }));
this.addTag(new BBCodeTextTag('icon', (parser, parent, param, content) => {
if(param.length > 0) if(param.length > 0)
parser.warning('Unexpected parameter on icon tag.'); parser.warning('Unexpected parameter on icon tag.');
const content = element.innerText;
const uregex = /^[a-zA-Z0-9_\-\s]+$/; const uregex = /^[a-zA-Z0-9_\-\s]+$/;
if(!uregex.test(content)) if(!uregex.test(content))
return; return;
@ -75,16 +65,12 @@ export default class BBCodeParser extends CoreBBCodeParser {
img.className = 'character-avatar icon'; img.className = 'character-avatar icon';
img.title = img.alt = content; img.title = img.alt = content;
(<HTMLImageElement & {character: Character}>img).character = core.characters.get(content); (<HTMLImageElement & {character: Character}>img).character = core.characters.get(content);
parent.replaceChild(img, element); parent.appendChild(img);
}, [])); return img;
this.addTag('eicon', new BBCodeCustomTag('eicon', (parser, parent) => { }));
const el = parser.createElement('span'); this.addTag(new BBCodeTextTag('eicon', (parser, parent, param, content) => {
parent.appendChild(el);
return el;
}, (parser, element, parent, param) => {
if(param.length > 0) if(param.length > 0)
parser.warning('Unexpected parameter on eicon tag.'); parser.warning('Unexpected parameter on eicon tag.');
const content = element.innerText;
const uregex = /^[a-zA-Z0-9_\-\s]+$/; const uregex = /^[a-zA-Z0-9_\-\s]+$/;
if(!uregex.test(content)) if(!uregex.test(content))
return; return;
@ -93,28 +79,23 @@ export default class BBCodeParser extends CoreBBCodeParser {
img.src = `https://static.f-list.net/images/eicon/${content.toLowerCase()}.${extension}`; img.src = `https://static.f-list.net/images/eicon/${content.toLowerCase()}.${extension}`;
img.title = img.alt = content; img.title = img.alt = content;
img.className = 'character-avatar icon'; img.className = 'character-avatar icon';
parent.replaceChild(img, element); parent.appendChild(img);
}, [])); return img;
this.addTag('session', new BBCodeCustomTag('session', (parser, parent) => { }));
this.addTag(new BBCodeTextTag('session', (parser, parent, param, content) => {
const el = parser.createElement('span'); const el = parser.createElement('span');
parent.appendChild(el); parent.appendChild(el);
return el; const view = new ChannelView({el, propsData: {id: content, text: param}});
}, (_, element, __, param) => {
const content = element.innerText;
element.innerText = '';
const view = new ChannelView({el: element, propsData: {id: content, text: param}});
this.cleanup.push(view); this.cleanup.push(view);
}, [])); return el;
this.addTag('channel', new BBCodeCustomTag('channel', (parser, parent) => { }));
this.addTag(new BBCodeTextTag('channel', (parser, parent, _, content) => {
const el = parser.createElement('span'); const el = parser.createElement('span');
parent.appendChild(el); parent.appendChild(el);
return el; const view = new ChannelView({el, propsData: {id: content, text: content}});
}, (_, element, __, ___) => {
const content = element.innerText;
element.innerText = '';
const view = new ChannelView({el: element, propsData: {id: content, text: content}});
this.cleanup.push(view); this.cleanup.push(view);
}, [])); return el;
}));
} }
parseEverything(input: string): BBCodeElement { parseEverything(input: string): BBCodeElement {

View File

@ -42,6 +42,7 @@ export class Settings implements ISettings {
logAds = false; logAds = false;
fontSize = 14; fontSize = 14;
showNeedsReply = false; showNeedsReply = false;
enterSend = true;
} }
export class ConversationSettings implements Conversation.Settings { export class ConversationSettings implements Conversation.Settings {
@ -83,7 +84,7 @@ export class Message implements Conversation.ChatMessage {
constructor(readonly type: Conversation.Message.Type, readonly sender: Character, readonly text: string, constructor(readonly type: Conversation.Message.Type, readonly sender: Character, readonly text: string,
readonly time: Date = new Date()) { readonly time: Date = new Date()) {
if(Conversation.Message.Type[type] === undefined) throw new Error('Unknown type'); /*tslint:disable-line*/ //TODO debug code if(Conversation.Message.Type[type] === undefined) throw new Error('Unknown type'); //tslint:disable-line
} }
} }

View File

@ -4,11 +4,11 @@ import {characterImage, ConversationSettings, EventMessage, Message, messageToSt
import core from './core'; import core from './core';
import {Channel, Character, Connection, Conversation as Interfaces} from './interfaces'; import {Channel, Character, Connection, Conversation as Interfaces} from './interfaces';
import l from './localize'; import l from './localize';
import {CommandContext, isCommand, parse as parseCommand} from './slash_commands'; import {CommandContext, isAction, isCommand, isWarn, parse as parseCommand} from './slash_commands';
import MessageType = Interfaces.Message.Type; import MessageType = Interfaces.Message.Type;
function createMessage(this: void, type: MessageType, sender: Character, text: string, time?: Date): Message { function createMessage(this: void, type: MessageType, sender: Character, text: string, time?: Date): Message {
if(type === MessageType.Message && text.match(/^\/me\b/) !== null) { if(type === MessageType.Message && isAction(text)) {
type = MessageType.Action; type = MessageType.Action;
text = text.substr(text.charAt(4) === ' ' ? 4 : 3); text = text.substr(text.charAt(4) === ' ' ? 4 : 3);
} }
@ -262,7 +262,7 @@ class ChannelConversation extends Conversation implements Interfaces.ChannelConv
async addMessage(message: Interfaces.Message): Promise<void> { async addMessage(message: Interfaces.Message): Promise<void> {
await this.logPromise; await this.logPromise;
if((message.type === MessageType.Message || message.type === MessageType.Ad) && message.text.match(/^\/warn\b/) !== null) { if((message.type === MessageType.Message || message.type === MessageType.Ad) && isWarn(message.text)) {
const member = this.channel.members[message.sender.name]; const member = this.channel.members[message.sender.name];
if(member !== undefined && member.rank > Channel.Rank.Member || message.sender.isChatOp) if(member !== undefined && member.rank > Channel.Rank.Member || message.sender.isChatOp)
message = new Message(MessageType.Warn, message.sender, message.text.substr(6), message.time); message = new Message(MessageType.Warn, message.sender, message.text.substr(6), message.time);

View File

@ -52,7 +52,7 @@ const vue = <Vue & VueState>new Vue({
const data = { const data = {
connection: <Connection | undefined>undefined, connection: <Connection | undefined>undefined,
logs: <Logs.Basic | undefined>undefined, logs: <Logs | undefined>undefined,
settingsStore: <Settings.Store | undefined>undefined, settingsStore: <Settings.Store | undefined>undefined,
state: vue.state, state: vue.state,
bbCodeParser: <BBCodeParser | undefined>undefined, bbCodeParser: <BBCodeParser | undefined>undefined,
@ -79,7 +79,7 @@ const data = {
} }
}; };
export function init(this: void, connection: Connection, logsClass: new() => Logs.Basic, settingsClass: new() => Settings.Store, export function init(this: void, connection: Connection, logsClass: new() => Logs, settingsClass: new() => Settings.Store,
notificationsClass: new() => Notifications): void { notificationsClass: new() => Notifications): void {
data.connection = connection; data.connection = connection;
data.logs = new logsClass(); data.logs = new logsClass();
@ -93,7 +93,7 @@ export function init(this: void, connection: Connection, logsClass: new() => Log
export interface Core { export interface Core {
readonly connection: Connection readonly connection: Connection
readonly logs: Logs.Basic readonly logs: Logs
readonly state: StateInterface readonly state: StateInterface
readonly settingsStore: Settings.Store readonly settingsStore: Settings.Store
readonly conversations: Conversation.State readonly conversations: Conversation.State

View File

@ -121,21 +121,12 @@ export namespace Conversation {
export type Conversation = Conversation.Conversation; export type Conversation = Conversation.Conversation;
export namespace Logs { export interface Logs {
export interface Basic {
logMessage(conversation: Conversation, message: Conversation.Message): Promise<void> | void logMessage(conversation: Conversation, message: Conversation.Message): Promise<void> | void
getBacklog(conversation: Conversation): Promise<ReadonlyArray<Conversation.Message>> getBacklog(conversation: Conversation): Promise<ReadonlyArray<Conversation.Message>>
} readonly conversations: ReadonlyArray<{readonly key: string, readonly name: string}>
export interface Persistent extends Basic {
readonly conversations: ReadonlyArray<{readonly id: string, readonly name: string}>
getLogs(key: string, date: Date): Promise<ReadonlyArray<Conversation.Message>> getLogs(key: string, date: Date): Promise<ReadonlyArray<Conversation.Message>>
getLogDates(key: string): ReadonlyArray<Date> getLogDates(key: string): Promise<ReadonlyArray<Date>>
}
export function isPersistent(logs: Basic): logs is Persistent {
return (<Partial<Persistent>>logs).getLogs !== undefined;
}
} }
export namespace Settings { export namespace Settings {
@ -150,7 +141,7 @@ export namespace Settings {
export interface Store { export interface Store {
get<K extends keyof Keys>(key: K, character?: string): Promise<Keys[K] | undefined> get<K extends keyof Keys>(key: K, character?: string): Promise<Keys[K] | undefined>
getAvailableCharacters(): Promise<ReadonlyArray<string>> | undefined getAvailableCharacters(): Promise<ReadonlyArray<string>>
set<K extends keyof Keys>(key: K, value: Keys[K]): Promise<void> set<K extends keyof Keys>(key: K, value: Keys[K]): Promise<void>
} }
@ -172,6 +163,7 @@ export namespace Settings {
readonly logAds: boolean; readonly logAds: boolean;
readonly fontSize: number; readonly fontSize: number;
readonly showNeedsReply: boolean; readonly showNeedsReply: boolean;
readonly enterSend: boolean;
} }
} }

View File

@ -4,6 +4,7 @@ const strings: {[key: string]: string | undefined} = {
'action.view': 'View', 'action.view': 'View',
'action.cut': 'Cut', 'action.cut': 'Cut',
'action.copy': 'Copy', 'action.copy': 'Copy',
'action.copyWithoutBBCode': 'Copy without BBCode',
'action.paste': 'Paste', 'action.paste': 'Paste',
'action.copyLink': 'Copy Link', 'action.copyLink': 'Copy Link',
'action.suggestions': 'Suggestions', 'action.suggestions': 'Suggestions',
@ -75,9 +76,11 @@ const strings: {[key: string]: string | undefined} = {
'chat.disconnected.title': 'Disconnected', 'chat.disconnected.title': 'Disconnected',
'chat.ignoreList': 'You are currently ignoring: {0}', 'chat.ignoreList': 'You are currently ignoring: {0}',
'chat.search': 'Search in messages...', 'chat.search': 'Search in messages...',
'chat.send': 'Send',
'logs.title': 'Logs', 'logs.title': 'Logs',
'logs.conversation': 'Conversation', 'logs.conversation': 'Conversation',
'logs.date': 'Date', 'logs.date': 'Date',
'logs.selectConversation': 'Select a conversation...',
'logs.selectDate': 'Select a date...', 'logs.selectDate': 'Select a date...',
'user.profile': 'Profile', 'user.profile': 'Profile',
'user.message': 'Open conversation', 'user.message': 'Open conversation',
@ -134,6 +137,7 @@ Are you sure?`,
'settings.playSound': 'Play notification sounds', 'settings.playSound': 'Play notification sounds',
'settings.notifications': 'Display notifications', 'settings.notifications': 'Display notifications',
'settings.clickOpensMessage': 'Clicking users opens messages (instead of their profile)', 'settings.clickOpensMessage': 'Clicking users opens messages (instead of their profile)',
'settings.enterSend': 'Enter sends messages (shows send button if disabled)',
'settings.disallowedTags': 'Disallowed BBCode tags (comma-separated)', 'settings.disallowedTags': 'Disallowed BBCode tags (comma-separated)',
'settings.highlight': 'Notify for messages containing your name', 'settings.highlight': 'Notify for messages containing your name',
'settings.highlightWords': 'Custom highlight notify words (comma-separated)', 'settings.highlightWords': 'Custom highlight notify words (comma-separated)',
@ -143,7 +147,7 @@ Are you sure?`,
'settings.messageSeparators': 'Display separators between messages', 'settings.messageSeparators': 'Display separators between messages',
'settings.eventMessages': 'Also display console messages (like login/logout, status changes) in current tab', 'settings.eventMessages': 'Also display console messages (like login/logout, status changes) in current tab',
'settings.joinMessages': 'Display join/leave messages in channels', 'settings.joinMessages': 'Display join/leave messages in channels',
'settings.alwaysNotify': 'Always notify for PMs/highlights, even when looking at the tab', 'settings.alwaysNotify': 'Play sounds even when looking at the tab',
'settings.closeToTray': 'Close to tray', 'settings.closeToTray': 'Close to tray',
'settings.spellcheck': 'Spellcheck', 'settings.spellcheck': 'Spellcheck',
'settings.spellcheck.disabled': 'Disabled', 'settings.spellcheck.disabled': 'Disabled',
@ -157,6 +161,14 @@ Are you sure?`,
'settings.showNeedsReply': 'Show indicator on PM tabs with unanswered messages', 'settings.showNeedsReply': 'Show indicator on PM tabs with unanswered messages',
'settings.defaultHighlights': 'Use global highlight words', 'settings.defaultHighlights': 'Use global highlight words',
'settings.beta': 'Opt-in to test unstable prerelease updates', 'settings.beta': 'Opt-in to test unstable prerelease updates',
'fixLogs.action': 'Fix corrupted logs',
'fixLogs.text': `There are a few reason log files can become corrupted - log files from old versions with bugs that have since been fixed or incomplete file operations caused by computer crashes are the most common.
If one of your log files is corrupted, you may get an "Unknown Type" error when you log in or when you open a specific tab. You may also experience other issues.
This is not a tool you should use if you're not sure it's absolutely necessary. It will go through and rewrite all of your log files.
Once this process has started, do not interrupt it or your logs will get corrupted even worse.`,
'fixLogs.character': 'Character',
'fixLogs.error': 'An error has occurred while attempting to fix your logs. Please ask in for further assistance in the Helpdesk channel.',
'fixLogs.success': 'Your logs have been fixed. If you experience any more issues, please ask in for further assistance in the Helpdesk channel.',
'conversationSettings.title': 'Tab Settings', 'conversationSettings.title': 'Tab Settings',
'conversationSettings.action': 'Edit settings for {0}', 'conversationSettings.action': 'Edit settings for {0}',
'conversationSettings.default': 'Default', 'conversationSettings.default': 'Default',
@ -376,7 +388,10 @@ Are you sure?`,
'status.offline': 'Offline', 'status.offline': 'Offline',
'status.crown': 'Rewarded', 'status.crown': 'Rewarded',
'importer.importGeneral': 'slimCat data has been detected on your computer.\nWould you like to import general settings?', 'importer.importGeneral': 'slimCat data has been detected on your computer.\nWould you like to import general settings?',
'importer.importCharacter': 'slimCat data for this character has been detected on your computer.\nWould you like to import settings and logs?\nThis may take a while.\nAny existing FChat 3.0 data for this character will be overwritten.', 'importer.importCharacter': `slimCat data for this character has been detected on your computer.
Would you like to import settings and logs?
This may take a while.
Any existing FChat 3.0 data for this character will be overwritten.`,
'importer.importing': 'Importing data', 'importer.importing': 'Importing data',
'importer.importingNote': 'Importing logs. This may take a couple of minutes. Please do not close the application, even if it appears to hang for a while, as you may end up with incomplete logs.', 'importer.importingNote': 'Importing logs. This may take a couple of minutes. Please do not close the application, even if it appears to hang for a while, as you may end up with incomplete logs.',
'importer.error': 'There was an error importing your settings. The defaults will be used.' 'importer.error': 'There was an error importing your settings. The defaults will be used.'

View File

@ -1,74 +0,0 @@
import {Conversation, Logs as Logging, Settings} from './interfaces';
import core from './core';
import {Message} from './common';
export class Logs implements Logging.Basic {
logMessage(conversation: Conversation, message: Conversation.Message) {
const key = 'logs.' + conversation.key;
const previous = window.localStorage.getItem(key);
const serialized = this.serialize(message);
let data = previous ? previous + serialized : serialized;
while(data.length > 100000) {
data = data.substr(this.deserialize(data, 0).index);
}
window.localStorage.setItem(key, data);
}
getBacklog(conversation: Conversation) {
let messages: Conversation.Message[] = [];
const str = window.localStorage.getItem('logs.' + conversation.key);
if(!str) return Promise.resolve(messages);
let index = str.length;
while(true) {
index -= (str.charCodeAt(index - 2) << 8 | str.charCodeAt(index - 1)) + 2;
messages.unshift(this.deserialize(str, index).message);
if(index == 0) break;
}
return Promise.resolve(messages);
}
private serialize(message: Conversation.Message) {
const time = message.time.getTime() / 1000;
let str = String.fromCharCode(time >> 24) + String.fromCharCode(time >> 16) + String.fromCharCode(time >> 8) + String.fromCharCode(time % 256);
str += String.fromCharCode(message.type);
if(message.type !== Conversation.Message.Type.Event) {
str += String.fromCharCode(message.sender.name.length);
str += message.sender.name;
} else str += '\0';
const textLength = message.text.length;
str += String.fromCharCode(textLength >> 8) + String.fromCharCode(textLength % 256);
str += message.text;
const length = str.length;
str += String.fromCharCode(length >> 8) + String.fromCharCode(length % 256);
return str;
}
private deserialize(str: string, index: number): {message: Conversation.Message, index: number} {
const time = str.charCodeAt(index++) << 24 | str.charCodeAt(index++) << 16 | str.charCodeAt(index++) << 8 | str.charCodeAt(index++);
const type = str.charCodeAt(index++);
const senderLength = str.charCodeAt(index++);
const sender = str.substring(index, index += senderLength);
const messageLength = str.charCodeAt(index++) << 8 | str.charCodeAt(index++);
const message = str.substring(index, index += messageLength);
return {
message: new Message(type, core.characters.get(sender), message, new Date(time * 1000)),
index: index
};
}
}
export class SettingsStore implements Settings.Store {
get<K extends keyof Settings.Keys>(key: K) {
const stored = window.localStorage.getItem('settings.' + key);
return Promise.resolve(stored && JSON.parse(stored));
}
set<K extends keyof Settings.Keys>(key: K, value: Settings.Keys[K]) {
window.localStorage.setItem('settings.' + key, JSON.stringify(value));
return Promise.resolve();
}
getAvailableCharacters() {
return undefined;
}
}

View File

@ -1,4 +1,4 @@
import {Component, CreateElement, RenderContext, VNode, VNodeChildren} from 'vue'; import {Component, CreateElement, RenderContext, VNode, VNodeChildrenArrayContents} from 'vue';
import {Channel} from '../fchat'; import {Channel} from '../fchat';
import {BBCodeView} from './bbcode'; import {BBCodeView} from './bbcode';
import {formatTime} from './common'; import {formatTime} from './common';
@ -24,7 +24,8 @@ const MessageView: Component = {
render(createElement: CreateElement, render(createElement: CreateElement,
context: RenderContext<{message: Conversation.Message, classes?: string, channel?: Channel}>): VNode { context: RenderContext<{message: Conversation.Message, classes?: string, channel?: Channel}>): VNode {
const message = context.props.message; const message = context.props.message;
const children: (VNode | string | VNodeChildren)[] = [`[${formatTime(message.time)}] `]; const children: VNodeChildrenArrayContents =
[createElement('span', {staticClass: 'message-time'}, `[${formatTime(message.time)}] `)];
/*tslint:disable-next-line:prefer-template*///unreasonable here /*tslint:disable-next-line:prefer-template*///unreasonable here
let classes = `message message-${Conversation.Message.Type[message.type].toLowerCase()}` + let classes = `message message-${Conversation.Message.Type[message.type].toLowerCase()}` +
(core.state.settings.messageSeparators ? ' message-block' : '') + (core.state.settings.messageSeparators ? ' message-block' : '') +

View File

@ -7,8 +7,11 @@ export default class Notifications implements Interface {
isInBackground = false; isInBackground = false;
notify(conversation: Conversation, title: string, body: string, icon: string, sound: string): void { notify(conversation: Conversation, title: string, body: string, icon: string, sound: string): void {
if(!this.isInBackground && conversation === core.conversations.selectedConversation && !core.state.settings.alwaysNotify) return;
if(core.characters.ownCharacter.status === 'dnd') return; if(core.characters.ownCharacter.status === 'dnd') return;
if(!this.isInBackground && conversation === core.conversations.selectedConversation) {
if(core.state.settings.alwaysNotify) this.playSound(sound);
return;
}
this.playSound(sound); this.playSound(sound);
if(core.state.settings.notifications) { if(core.state.settings.notifications) {
/*tslint:disable-next-line:no-object-literal-type-assertion*///false positive /*tslint:disable-next-line:no-object-literal-type-assertion*///false positive

View File

@ -17,17 +17,26 @@ import '../site/directives/vue-select'; //tslint:disable-line:no-import-side-eff
import * as Utils from '../site/utils'; import * as Utils from '../site/utils';
import core from './core'; import core from './core';
const parserSettings = {
siteDomain: 'https://www.f-list.net/',
staticDomain: 'https://static.f-list.net/',
animatedIcons: true,
inlineDisplayMode: InlineDisplayMode.DISPLAY_ALL
};
async function characterData(name: string | undefined): Promise<Character> { async function characterData(name: string | undefined): Promise<Character> {
const data = await core.connection.queryApi('character-data.php', {name}) as CharacterInfo & { const data = await core.connection.queryApi('character-data.php', {name}) as CharacterInfo & {
badges: string[] badges: string[]
customs_first: boolean customs_first: boolean
character_list: {id: number, name: string}[] character_list: {id: number, name: string}[]
current_user: {inline_mode: number, animated_icons: boolean}
custom_kinks: {[key: number]: {choice: 'fave' | 'yes' | 'maybe' | 'no', name: string, description: string, children: number[]}} custom_kinks: {[key: number]: {choice: 'fave' | 'yes' | 'maybe' | 'no', name: string, description: string, children: number[]}}
custom_title: string custom_title: string
kinks: {[key: string]: string} kinks: {[key: string]: string}
infotags: {[key: string]: string} infotags: {[key: string]: string}
memo: {id: number, memo: string} memo?: {id: number, memo: string}
settings: CharacterSettings settings: CharacterSettings,
timezone: number
}; };
const newKinks: {[key: string]: KinkChoiceFull} = {}; const newKinks: {[key: string]: KinkChoiceFull} = {};
for(const key in data.kinks) for(const key in data.kinks)
@ -52,6 +61,8 @@ async function characterData(name: string | undefined): Promise<Character> {
newInfotags[key] = infotag.type === 'list' ? {list: parseInt(characterInfotag, 10)} : {string: characterInfotag}; newInfotags[key] = infotag.type === 'list' ? {list: parseInt(characterInfotag, 10)} : {string: characterInfotag};
} }
parserSettings.inlineDisplayMode = data.current_user.inline_mode;
parserSettings.animatedIcons = core.state.settings.animatedEicons;
return { return {
is_self: false, is_self: false,
character: { character: {
@ -67,7 +78,8 @@ async function characterData(name: string | undefined): Promise<Character> {
kinks: newKinks, kinks: newKinks,
customs: newCustoms, customs: newCustoms,
infotags: newInfotags, infotags: newInfotags,
online_chat: false online_chat: false,
timezone: data.timezone
}, },
memo: data.memo, memo: data.memo,
character_list: data.character_list, character_list: data.character_list,
@ -166,13 +178,8 @@ async function kinksGet(id: number): Promise<CharacterKink[]> {
} }
export function init(characters: {[key: string]: number}): void { export function init(characters: {[key: string]: number}): void {
Utils.setDomains('https://www.f-list.net/', 'https://static.f-list.net/'); Utils.setDomains(parserSettings.siteDomain, parserSettings.staticDomain);
initParser({ initParser(parserSettings);
siteDomain: Utils.siteDomain,
staticDomain: Utils.staticDomain,
animatedIcons: false,
inlineDisplayMode: InlineDisplayMode.DISPLAY_ALL
});
Vue.component('character-select', CharacterSelect); Vue.component('character-select', CharacterSelect);
Vue.component('character-link', CharacterLink); Vue.component('character-link', CharacterLink);

View File

@ -10,13 +10,21 @@ export const enum ParamType {
const defaultDelimiters: {[key: number]: string | undefined} = {[ParamType.Character]: ',', [ParamType.String]: ''}; const defaultDelimiters: {[key: number]: string | undefined} = {[ParamType.Character]: ',', [ParamType.String]: ''};
export function isAction(this: void, text: string): boolean {
return /^\/me\b/i.test(text);
}
export function isWarn(this: void, text: string): boolean {
return /^\/warn\b/i.test(text);
}
export function isCommand(this: void, text: string): boolean { export function isCommand(this: void, text: string): boolean {
return text.charAt(0) === '/' && text.substr(1, 2) !== 'me' && text.substr(1, 4) !== 'warn'; return text.charAt(0) === '/' && !isAction(text) && !isWarn(text);
} }
export function parse(this: void | never, input: string, context: CommandContext): ((this: Conversation) => void) | string { export function parse(this: void | never, input: string, context: CommandContext): ((this: Conversation) => void) | string {
const commandEnd = input.indexOf(' '); const commandEnd = input.indexOf(' ');
const name = input.substring(1, commandEnd !== -1 ? commandEnd : undefined); const name = input.substring(1, commandEnd !== -1 ? commandEnd : undefined).toLowerCase();
const command = commands[name]; const command = commands[name];
if(command === undefined) return l('commands.unknown'); if(command === undefined) return l('commands.unknown');
const args = `${commandEnd !== -1 ? input.substr(commandEnd + 1) : ''}`; const args = `${commandEnd !== -1 ? input.substr(commandEnd + 1) : ''}`;

View File

@ -4,7 +4,7 @@
//class="fa" :class="statusIcon"></span> <span class="fa" :class="rankIcon"></span>{{character.name}}</span> //class="fa" :class="statusIcon"></span> <span class="fa" :class="rankIcon"></span>{{character.name}}</span>
import Vue, {CreateElement, RenderContext, VNode} from 'vue'; import Vue, {CreateElement, RenderContext, VNode} from 'vue';
import {Channel, Character} from './interfaces'; import {Channel, Character} from '../fchat';
export function getStatusIcon(status: Character.Status): string { export function getStatusIcon(status: Character.Status): string {
switch(status) { switch(status) {
@ -40,14 +40,14 @@ const UserView = Vue.extend({
rankIcon = props.channel.owner === character.name ? 'fa fa-key' : props.channel.opList.indexOf(character.name) !== -1 ? rankIcon = props.channel.owner === character.name ? 'fa fa-key' : props.channel.opList.indexOf(character.name) !== -1 ?
(props.channel.id.substr(0, 4) === 'adh-' ? 'fa fa-shield-alt' : 'fa fa-star') : ''; (props.channel.id.substr(0, 4) === 'adh-' ? 'fa fa-shield-alt' : 'fa fa-star') : '';
else rankIcon = ''; else rankIcon = '';
const children: (VNode | string)[] = [character.name];
const html = (props.showStatus !== undefined || character.status === 'crown' if(rankIcon !== '') children.unshift(createElement('span', {staticClass: rankIcon}));
? `<span class="fa-fw ${getStatusIcon(character.status)}"></span>` : '') + if(props.showStatus !== undefined || character.status === 'crown')
(rankIcon !== '' ? `<span class="${rankIcon}"></span>` : '') + character.name; children.unshift(createElement('span', {staticClass: `fa-fw ${getStatusIcon(character.status)}`}));
return createElement('span', { return createElement('span', {
attrs: {class: `user-view gender-${character.gender !== undefined ? character.gender.toLowerCase() : 'none'}`}, attrs: {class: `user-view gender-${character.gender !== undefined ? character.gender.toLowerCase() : 'none'}`},
domProps: {character, channel: props.channel, innerHTML: html, bbcodeTag: 'user'} domProps: {character, channel: props.channel, bbcodeTag: 'user'}
}); }, children);
} }
}); });

View File

@ -1,12 +1,13 @@
<template> <template>
<div class="dropdown"> <div class="dropdown">
<button class="btn btn-secondary dropdown-toggle" aria-haspopup="true" :aria-expanded="isOpen" @click="isOpen = true" <a class="btn btn-secondary dropdown-toggle" aria-haspopup="true" :aria-expanded="isOpen" @click="isOpen = true"
@blur="isOpen = false" style="width:100%;text-align:left;display:flex;align-items:center"> @blur="isOpen = false" style="width:100%;text-align:left;display:flex;align-items:center" role="button" tabindex="-1">
<div style="flex:1"> <div style="flex:1">
<slot name="title" style="flex:1"></slot> <slot name="title" style="flex:1"></slot>
</div> </div>
</button> </a>
<div class="dropdown-menu" :style="isOpen ? 'display:block' : ''" @mousedown.stop.prevent @click="isOpen = false"> <div class="dropdown-menu" :style="open ? 'display:block' : ''" @mousedown.stop.prevent @click="isOpen = false"
ref="menu">
<slot></slot> <slot></slot>
</div> </div>
</div> </div>
@ -15,9 +16,38 @@
<script lang="ts"> <script lang="ts">
import Vue from 'vue'; import Vue from 'vue';
import Component from 'vue-class-component'; import Component from 'vue-class-component';
import {Prop, Watch} from 'vue-property-decorator';
@Component @Component
export default class Dropdown extends Vue { export default class Dropdown extends Vue {
isOpen = false; isOpen = false;
@Prop()
readonly keepOpen?: boolean;
get open(): boolean {
return this.keepOpen || this.isOpen;
}
@Watch('open')
onToggle(): void {
const menu = this.$refs['menu'] as HTMLElement;
if(!this.isOpen) {
menu.style.cssText = '';
return;
}
let element: HTMLElement | null = this.$el;
while(element !== null) {
if(getComputedStyle(element).position === 'fixed') {
menu.style.display = 'block';
const offset = menu.getBoundingClientRect();
menu.style.position = 'fixed';
menu.style.left = `${offset.left}px`;
menu.style.top = (offset.bottom < window.innerHeight) ? menu.style.top = `${offset.top}px` :
`${this.$el.getBoundingClientRect().top - offset.bottom + offset.top}px`;
break;
}
element = element.parentElement;
}
}
} }
</script> </script>

View File

@ -1,10 +1,10 @@
<template> <template>
<dropdown class="dropdown filterable-select"> <dropdown class="filterable-select" :keepOpen="keepOpen">
<template slot="title" v-if="multiple">{{label}}</template> <template slot="title" v-if="multiple">{{label}}</template>
<slot v-else slot="title" :option="selected">{{label}}</slot> <slot v-else slot="title" :option="selected">{{label}}</slot>
<div style="padding:10px;"> <div style="padding:10px;">
<input v-model="filter" class="form-control" :placeholder="placeholder"/> <input v-model="filter" class="form-control" :placeholder="placeholder" @mousedown.stop @focus="keepOpen = true" @blur="keepOpen = false"/>
</div> </div>
<div class="dropdown-items"> <div class="dropdown-items">
<template v-if="multiple"> <template v-if="multiple">
@ -47,6 +47,7 @@
readonly title?: string; readonly title?: string;
filter = ''; filter = '';
selected: object | object[] | null = this.value !== undefined ? this.value : (this.multiple !== undefined ? [] : null); selected: object | object[] | null = this.value !== undefined ? this.value : (this.multiple !== undefined ? [] : null);
keepOpen = false;
@Watch('value') @Watch('value')
watchValue(newValue: object | object[] | null): void { watchValue(newValue: object | object[] | null): void {

View File

@ -3,7 +3,8 @@ import Vue, {CreateElement, VNode} from 'vue';
//tslint:disable-next-line:variable-name //tslint:disable-next-line:variable-name
const Tabs = Vue.extend({ const Tabs = Vue.extend({
props: ['value', 'tabs'], props: ['value', 'tabs'],
render(this: Vue & {readonly value?: string, tabs: {readonly [key: string]: string}}, createElement: CreateElement): VNode { render(this: Vue & {readonly value?: string, _v?: string, selected?: string, tabs: {readonly [key: string]: string}},
createElement: CreateElement): VNode {
let children: {[key: string]: string | VNode | undefined}; let children: {[key: string]: string | VNode | undefined};
if(<VNode[] | undefined>this.$slots['default'] !== undefined) { if(<VNode[] | undefined>this.$slots['default'] !== undefined) {
children = {}; children = {};
@ -12,10 +13,15 @@ const Tabs = Vue.extend({
}); });
} else children = this.tabs; } else children = this.tabs;
const keys = Object.keys(children); const keys = Object.keys(children);
if(this.value === undefined || children[this.value] === undefined) this.$emit('input', keys[0]); if(this._v !== this.value)
this.selected = this._v = this.value;
if(this._v === undefined || children[this._v] === undefined)
this.$emit('input', this._v = keys[0]);
if(this.selected !== this._v && children[this.selected!] !== undefined)
this.$emit('input', this._v = this.selected);
return createElement('ul', {staticClass: 'nav nav-tabs'}, keys.map((key) => createElement('li', {staticClass: 'nav-item'}, return createElement('ul', {staticClass: 'nav nav-tabs'}, keys.map((key) => createElement('li', {staticClass: 'nav-item'},
[createElement('a', { [createElement('a', {
staticClass: 'nav-link', class: {active: this.value === key}, on: { staticClass: 'nav-link', class: {active: this._v === key}, on: {
click: () => { click: () => {
this.$emit('input', key); this.$emit('input', key);
} }

View File

@ -37,7 +37,7 @@
<chat v-else :ownCharacters="characters" :defaultCharacter="defaultCharacter" ref="chat"></chat> <chat v-else :ownCharacters="characters" :defaultCharacter="defaultCharacter" ref="chat"></chat>
<div ref="linkPreview" class="link-preview"></div> <div ref="linkPreview" class="link-preview"></div>
<modal :action="l('importer.importing')" ref="importModal" :buttons="false"> <modal :action="l('importer.importing')" ref="importModal" :buttons="false">
{{l('importer.importingNote')}} <span style="white-space:pre-wrap">{{l('importer.importingNote')}}</span>
<div class="progress" style="margin-top:5px"> <div class="progress" style="margin-top:5px">
<div class="progress-bar" :style="{width: importProgress * 100 + '%'}"></div> <div class="progress-bar" :style="{width: importProgress * 100 + '%'}"></div>
</div> </div>
@ -47,6 +47,15 @@
<template slot="title">{{profileName}} <a class="btn" @click="openProfileInBrowser"><i class="fa fa-external-link-alt"/></a> <template slot="title">{{profileName}} <a class="btn" @click="openProfileInBrowser"><i class="fa fa-external-link-alt"/></a>
</template> </template>
</modal> </modal>
<modal :action="l('fixLogs.action')" ref="fixLogsModal" @submit="fixLogs" buttonClass="btn-danger">
<span style="white-space:pre-wrap">{{l('fixLogs.text')}}</span>
<div class="form-group">
<label class="control-label">{{l('fixLogs.character')}}</label>
<select id="import" class="form-control" v-model="fixCharacter">
<option v-for="character in fixCharacters" :value="character">{{character}}</option>
</select>
</div>
</modal>
</div> </div>
</template> </template>
@ -71,7 +80,7 @@
import Connection from '../fchat/connection'; import Connection from '../fchat/connection';
import CharacterPage from '../site/character_page/character_page.vue'; import CharacterPage from '../site/character_page/character_page.vue';
import {GeneralSettings, nativeRequire} from './common'; import {GeneralSettings, nativeRequire} from './common';
import {Logs, SettingsStore} from './filesystem'; import {fixLogs, Logs, SettingsStore} from './filesystem';
import * as SlimcatImporter from './importer'; import * as SlimcatImporter from './importer';
import Notifications from './notifications'; import Notifications from './notifications';
@ -107,6 +116,8 @@
settings!: GeneralSettings; settings!: GeneralSettings;
importProgress = 0; importProgress = 0;
profileName = ''; profileName = '';
fixCharacters: ReadonlyArray<string> = [];
fixCharacter = '';
async created(): Promise<void> { async created(): Promise<void> {
if(this.settings.account.length > 0) this.saveLogin = true; if(this.settings.account.length > 0) this.saveLogin = true;
@ -122,6 +133,11 @@
this.profileName = name; this.profileName = name;
profileViewer.show(); profileViewer.show();
}); });
electron.ipcRenderer.on('fix-logs', async() => {
this.fixCharacters = await new SettingsStore().getAvailableCharacters();
this.fixCharacter = this.fixCharacters[0];
(<Modal>this.$refs['fixLogsModal']).show();
});
window.addEventListener('beforeunload', () => { window.addEventListener('beforeunload', () => {
if(this.character !== undefined) electron.ipcRenderer.send('disconnect', this.character); if(this.character !== undefined) electron.ipcRenderer.send('disconnect', this.character);
@ -142,7 +158,10 @@
this.error = data.error; this.error = data.error;
return; return;
} }
if(this.saveLogin) electron.ipcRenderer.send('save-login', this.settings.account, this.settings.host); if(this.saveLogin) {
electron.ipcRenderer.send('save-login', this.settings.account, this.settings.host);
await keyStore.setPassword(this.settings.account, this.password);
}
Socket.host = this.settings.host; Socket.host = this.settings.host;
const connection = new Connection(`F-Chat 3.0 (${process.platform})`, electron.remote.app.getVersion(), Socket, const connection = new Connection(`F-Chat 3.0 (${process.platform})`, electron.remote.app.getVersion(), Socket,
this.settings.account, this.password); this.settings.account, this.password);
@ -151,7 +170,7 @@
alert(l('login.alreadyLoggedIn')); alert(l('login.alreadyLoggedIn'));
return core.connection.close(); return core.connection.close();
} }
this.character = core.connection.character; this.character = connection.character;
if((await core.settingsStore.get('settings')) === undefined && if((await core.settingsStore.get('settings')) === undefined &&
SlimcatImporter.canImportCharacter(core.connection.character)) { SlimcatImporter.canImportCharacter(core.connection.character)) {
if(!confirm(l('importer.importGeneral'))) return core.settingsStore.set('settings', new Settings()); if(!confirm(l('importer.importGeneral'))) return core.settingsStore.set('settings', new Settings());
@ -184,6 +203,19 @@
} }
} }
fixLogs(): void {
if(!electron.ipcRenderer.sendSync('connect', this.fixCharacter)) return alert(l('login.alreadyLoggedIn'));
try {
fixLogs(this.fixCharacter);
alert(l('fixLogs.success'));
} catch(e) {
alert(l('fixLogs.error'));
throw e;
} finally {
electron.ipcRenderer.send('disconnect', this.fixCharacter);
}
}
onMouseOver(e: MouseEvent): void { onMouseOver(e: MouseEvent): void {
const preview = (<HTMLDivElement>this.$refs.linkPreview); const preview = (<HTMLDivElement>this.$refs.linkPreview);
if((<HTMLElement>e.target).tagName === 'A') { if((<HTMLElement>e.target).tagName === 'A') {

View File

@ -1,13 +1,13 @@
<template> <template>
<div style="display:flex;flex-direction:column;height:100%;padding:1px" :class="'platform-' + platform"> <div style="display:flex;flex-direction:column;height:100%;padding:1px" :class="'platform-' + platform" @auxclick.prevent>
<div v-html="styling"></div> <div v-html="styling"></div>
<div style="display:flex;align-items:stretch;" class="border-bottom" id="window-tabs"> <div style="display:flex;align-items:stretch;" class="border-bottom" id="window-tabs">
<h4>F-Chat</h4> <h4>F-Chat</h4>
<div class="btn" :class="'btn-' + (hasUpdate ? 'warning' : 'light')" @click="openMenu"> <div class="btn" :class="'btn-' + (hasUpdate ? 'warning' : 'light')" @click="openMenu" id="settings">
<i class="fa fa-cog"></i> <i class="fa fa-cog"></i>
</div> </div>
<ul class="nav nav-tabs" style="border-bottom:0" ref="tabs"> <ul class="nav nav-tabs" style="border-bottom:0" ref="tabs">
<li v-for="tab in tabs" :key="tab.view.id" class="nav-item"> <li v-for="tab in tabs" :key="tab.view.id" class="nav-item" @auxclick="remove(tab)">
<a href="#" @click.prevent="show(tab)" class="nav-link" <a href="#" @click.prevent="show(tab)" class="nav-link"
:class="{active: tab === activeTab, hasNew: tab.hasNew && tab !== activeTab}"> :class="{active: tab === activeTab, hasNew: tab.hasNew && tab !== activeTab}">
<img v-if="tab.user" :src="'https://static.f-list.net/images/avatar/' + tab.user.toLowerCase() + '.png'"/> <img v-if="tab.user" :src="'https://static.f-list.net/images/avatar/' + tab.user.toLowerCase() + '.png'"/>
@ -53,6 +53,12 @@
return {x: 0, y: height, width: bounds.width, height: bounds.height - height}; return {x: 0, y: height, width: bounds.width, height: bounds.height - height};
} }
function destroyTab(tab: Tab): void {
tab.tray.destroy();
tab.view.webContents.loadURL('about:blank');
electron.ipcRenderer.send('tab-closed');
}
interface Tab { interface Tab {
user: string | undefined, user: string | undefined,
view: Electron.BrowserView view: Electron.BrowserView
@ -80,8 +86,12 @@
electron.ipcRenderer.on('settings', (_: Event, settings: GeneralSettings) => this.settings = settings); electron.ipcRenderer.on('settings', (_: Event, settings: GeneralSettings) => this.settings = settings);
electron.ipcRenderer.on('allow-new-tabs', (_: Event, allow: boolean) => this.canOpenTab = allow); electron.ipcRenderer.on('allow-new-tabs', (_: Event, allow: boolean) => this.canOpenTab = allow);
electron.ipcRenderer.on('open-tab', () => this.addTab()); electron.ipcRenderer.on('open-tab', () => this.addTab());
electron.ipcRenderer.on('update-available', () => this.hasUpdate = true); electron.ipcRenderer.on('update-available', (_: Event, available: boolean) => this.hasUpdate = available);
electron.ipcRenderer.on('quit', () => this.tabs.forEach((tab) => this.remove(tab, false))); electron.ipcRenderer.on('fix-logs', () => this.activeTab!.view.webContents.send('fix-logs'));
electron.ipcRenderer.on('quit', () => {
this.tabs.forEach(destroyTab);
this.tabs = [];
});
electron.ipcRenderer.on('connect', (_: Event, id: number, name: string) => { electron.ipcRenderer.on('connect', (_: Event, id: number, name: string) => {
const tab = this.tabMap[id]; const tab = this.tabMap[id];
tab.user = name; tab.user = name;
@ -130,12 +140,16 @@
window.onbeforeunload = () => { window.onbeforeunload = () => {
const isConnected = this.tabs.reduce((cur, tab) => cur || tab.user !== undefined, false); const isConnected = this.tabs.reduce((cur, tab) => cur || tab.user !== undefined, false);
if(process.env.NODE_ENV !== 'production' || !isConnected) { if(process.env.NODE_ENV !== 'production' || !isConnected) {
this.tabs.forEach((tab) => this.remove(tab, false)); this.tabs.forEach(destroyTab);
return; return;
} }
if(!this.settings.closeToTray) if(!this.settings.closeToTray)
return setImmediate(() => { return setImmediate(() => {
if(confirm(l('chat.confirmLeave'))) this.tabs.forEach((tab) => this.remove(tab, false)); if(confirm(l('chat.confirmLeave'))) {
this.tabs.forEach(destroyTab);
this.tabs = [];
browserWindow.close();
}
}); });
browserWindow.hide(); browserWindow.hide();
return false; return false;
@ -154,14 +168,15 @@
} }
} }
createTrayMenu(tab: Tab): Electron.MenuItemConstructorOptions[] { trayClicked(tab: Tab): void {
return [
{
label: l('action.open'), click: () => {
browserWindow.show(); browserWindow.show();
if(this.isMaximized) browserWindow.maximize();
this.show(tab); this.show(tab);
} }
},
createTrayMenu(tab: Tab): Electron.MenuItemConstructorOptions[] {
return [
{label: l('action.open'), click: () => this.trayClicked(tab)},
{label: l('action.quit'), click: () => this.remove(tab, false)} {label: l('action.quit'), click: () => this.remove(tab, false)}
]; ];
} }
@ -169,7 +184,7 @@
addTab(): void { addTab(): void {
const tray = new electron.remote.Tray(trayIcon); const tray = new electron.remote.Tray(trayIcon);
tray.setToolTip(l('title')); tray.setToolTip(l('title'));
tray.on('click', (_) => browserWindow.show()); tray.on('click', (_) => this.trayClicked(tab));
const view = new electron.remote.BrowserView(); const view = new electron.remote.BrowserView();
view.setAutoResize({width: true, height: true}); view.setAutoResize({width: true, height: true});
view.webContents.loadURL(url.format({ view.webContents.loadURL(url.format({
@ -197,10 +212,7 @@
this.tabs.splice(this.tabs.indexOf(tab), 1); this.tabs.splice(this.tabs.indexOf(tab), 1);
electron.ipcRenderer.send('has-new', this.tabs.reduce((cur, t) => cur || t.hasNew, false)); electron.ipcRenderer.send('has-new', this.tabs.reduce((cur, t) => cur || t.hasNew, false));
delete this.tabMap[tab.view.webContents.id]; delete this.tabMap[tab.view.webContents.id];
tab.tray.destroy(); destroyTab(tab);
tab.view.webContents.loadURL('about:blank');
electron.ipcRenderer.send('tab-closed');
delete tab.view;
if(this.tabs.length === 0) { if(this.tabs.length === 0) {
if(process.env.NODE_ENV === 'production') browserWindow.close(); if(process.env.NODE_ENV === 'production') browserWindow.close();
} else if(this.activeTab === tab) this.show(this.tabs[0]); } else if(this.activeTab === tab) this.show(this.tabs[0]);
@ -230,7 +242,7 @@
user-select: none; user-select: none;
.btn { .btn {
border-radius: 0; border-radius: 0;
padding: 5px 15px; padding: 2px 15px;
display: flex; display: flex;
margin: 0px -1px -1px 0; margin: 0px -1px -1px 0;
align-items: center; align-items: center;
@ -245,7 +257,7 @@
height: 100%; height: 100%;
a { a {
display: flex; display: flex;
padding: 5px 10px; padding: 2px 10px;
height: 100%; height: 100%;
align-items: center; align-items: center;
&:first-child { &:first-child {
@ -270,6 +282,10 @@
align-self: center; align-self: center;
-webkit-app-region: drag; -webkit-app-region: drag;
} }
.fa {
line-height: inherit;
}
} }
#windowButtons .btn { #windowButtons .btn {
@ -278,12 +294,19 @@
} }
.platform-darwin { .platform-darwin {
#windowButtons .btn { #windowButtons .btn, #settings {
display: none; display: none;
} }
#window-tabs h4 { #window-tabs {
margin: 9px 34px 9px 77px; h4 {
margin: 0 34px 0 77px;
}
.btn, li a {
padding-top: 5px;
padding-bottom: 5px;
}
} }
} }
</style> </style>

View File

@ -1,15 +1,15 @@
{ {
"name": "fchat", "name": "fchat",
"version": "0.2.17", "version": "0.2.18",
"author": "The F-List Team", "author": "The F-List Team",
"description": "F-List.net Chat Client", "description": "F-List.net Chat Client",
"main": "main.js", "main": "main.js",
"license": "MIT", "license": "MIT",
"devDependencies": { "devDependencies": {
"electron": "^1.8.1" "electron": "^1.8.4"
}, },
"dependencies": { "dependencies": {
"keytar": "^4.0.4", "keytar": "^4.2.1",
"spellchecker": "^3.4.3" "spellchecker": "^3.4.4"
} }
} }

View File

@ -29,6 +29,7 @@
* @version 3.0 * @version 3.0
* @see {@link https://github.com/f-list/exported|GitHub repo} * @see {@link https://github.com/f-list/exported|GitHub repo}
*/ */
import {exec} from 'child_process';
import * as electron from 'electron'; import * as electron from 'electron';
import * as fs from 'fs'; import * as fs from 'fs';
import * as path from 'path'; import * as path from 'path';
@ -95,6 +96,7 @@ webContents.on('context-menu', (_, props) => {
id: 'copy', id: 'copy',
label: l('action.copy'), label: l('action.copy'),
role: can('Copy') ? 'copy' : '', role: can('Copy') ? 'copy' : '',
accelerator: 'CmdOrCtrl+C',
enabled: can('Copy') enabled: can('Copy')
}); });
if(props.isEditable) if(props.isEditable)
@ -102,11 +104,13 @@ webContents.on('context-menu', (_, props) => {
id: 'cut', id: 'cut',
label: l('action.cut'), label: l('action.cut'),
role: can('Cut') ? 'cut' : '', role: can('Cut') ? 'cut' : '',
accelerator: 'CmdOrCtrl+X',
enabled: can('Cut') enabled: can('Cut')
}, { }, {
id: 'paste', id: 'paste',
label: l('action.paste'), label: l('action.paste'),
role: props.editFlags.canPaste ? 'paste' : '', role: props.editFlags.canPaste ? 'paste' : '',
accelerator: 'CmdOrCtrl+V',
enabled: props.editFlags.canPaste enabled: props.editFlags.canPaste
}); });
else if(props.linkURL.length > 0 && props.mediaType === 'none' && props.linkURL.substr(0, props.pageURL.length) !== props.pageURL) else if(props.linkURL.length > 0 && props.mediaType === 'none' && props.linkURL.substr(0, props.pageURL.length) !== props.pageURL)
@ -120,6 +124,13 @@ webContents.on('context-menu', (_, props) => {
electron.clipboard.writeText(props.linkURL); electron.clipboard.writeText(props.linkURL);
} }
}); });
else if(hasText)
menuTemplate.push({
label: l('action.copyWithoutBBCode'),
enabled: can('Copy'),
accelerator: 'CmdOrCtrl+Shift+C',
click: () => electron.clipboard.writeText(props.selectionText)
});
if(props.misspelledWord !== '') { if(props.misspelledWord !== '') {
const corrections = spellchecker.getCorrectionsForMisspelling(props.misspelledWord); const corrections = spellchecker.getCorrectionsForMisspelling(props.misspelledWord);
menuTemplate.unshift({ menuTemplate.unshift({
@ -150,7 +161,9 @@ webContents.on('context-menu', (_, props) => {
if(menuTemplate.length > 0) electron.remote.Menu.buildFromTemplate(menuTemplate).popup(); if(menuTemplate.length > 0) electron.remote.Menu.buildFromTemplate(menuTemplate).popup();
}); });
const dictDir = path.join(electron.remote.app.getPath('userData'), 'spellchecker'); let dictDir = path.join(electron.remote.app.getPath('userData'), 'spellchecker');
if(process.platform === 'win32')
exec(`for /d %I in ("${dictDir}") do @echo %~sI`, (_, stdout) => { dictDir = stdout.trim(); });
electron.webFrame.setSpellCheckProvider('', false, {spellCheck: (text) => !spellchecker.isMisspelled(text)}); electron.webFrame.setSpellCheckProvider('', false, {spellCheck: (text) => !spellchecker.isMisspelled(text)});
electron.ipcRenderer.on('settings', async(_: Event, s: GeneralSettings) => spellchecker.setDictionary(s.spellcheckLang, dictDir)); electron.ipcRenderer.on('settings', async(_: Event, s: GeneralSettings) => spellchecker.setDictionary(s.spellcheckLang, dictDir));

View File

@ -8,7 +8,7 @@ export class GeneralSettings {
profileViewer = true; profileViewer = true;
host = 'wss://chat.f-list.net:9799'; host = 'wss://chat.f-list.net:9799';
logDirectory = path.join(electron.app.getPath('userData'), 'data'); logDirectory = path.join(electron.app.getPath('userData'), 'data');
spellcheckLang: string | undefined = 'en-GB'; spellcheckLang: string | undefined = 'en_GB';
theme = 'default'; theme = 'default';
version = electron.app.getVersion(); version = electron.app.getVersion();
beta = false; beta = false;

50
electron/dictionaries.ts Normal file
View File

@ -0,0 +1,50 @@
import Axios from 'axios';
import * as electron from 'electron';
import log from 'electron-log'; //tslint:disable-line:match-default-export-name
import * as fs from 'fs';
import * as path from 'path';
import {promisify} from 'util';
import {mkdir} from './common';
const dictDir = path.join(electron.app.getPath('userData'), 'spellchecker');
mkdir(dictDir);
const requestConfig = {responseType: 'arraybuffer'};
const downloadedPath = path.join(dictDir, 'downloaded.json');
const downloadUrl = 'https://client.f-list.net/dicts/';
type File = {name: string, hash: string};
type DictionaryIndex = {[key: string]: {dic: File, aff: File} | undefined};
let availableDictionaries: DictionaryIndex | undefined;
let downloadedDictionaries: {[key: string]: File | undefined} = {};
const writeFile = promisify(fs.writeFile);
export async function getAvailableDictionaries(): Promise<ReadonlyArray<string>> {
if(availableDictionaries === undefined)
try {
availableDictionaries = (await Axios.get<DictionaryIndex>(`${downloadUrl}index.json`)).data;
if(fs.existsSync(downloadedPath))
downloadedDictionaries = <{[key: string]: File}>JSON.parse(fs.readFileSync(downloadedPath, 'utf-8'));
} catch(e) {
availableDictionaries = {};
log.error(`Error loading dictionaries: ${e}`);
}
return Object.keys(availableDictionaries).sort();
}
export async function ensureDictionary(lang: string): Promise<void> {
await getAvailableDictionaries();
const dict = availableDictionaries![lang];
if(dict === undefined) return;
async function ensure(type: 'aff' | 'dic'): Promise<void> {
const file = dict![type];
const filePath = path.join(dictDir, `${lang}.${type}`);
const downloaded = downloadedDictionaries[file.name];
if(downloaded === undefined || downloaded.hash !== file.hash || !fs.existsSync(filePath)) {
await writeFile(filePath, new Buffer((await Axios.get<string>(`${downloadUrl}${file.name}`, requestConfig)).data));
downloadedDictionaries[file.name] = file;
await writeFile(downloadedPath, JSON.stringify(downloadedDictionaries));
}
}
await ensure('aff');
await ensure('dic');
}

View File

@ -4,7 +4,7 @@ import * as fs from 'fs';
import * as path from 'path'; import * as path from 'path';
import {Message as MessageImpl} from '../chat/common'; import {Message as MessageImpl} from '../chat/common';
import core from '../chat/core'; import core from '../chat/core';
import {Conversation, Logs as Logging, Settings} from '../chat/interfaces'; import {Character, Conversation, Logs as Logging, Settings} from '../chat/interfaces';
import l from '../chat/localize'; import l from '../chat/localize';
import {GeneralSettings, mkdir} from './common'; import {GeneralSettings, mkdir} from './common';
@ -94,20 +94,64 @@ export function serializeMessage(message: Message): {serialized: Buffer, size: n
return {serialized: buffer, size: offset + 2}; return {serialized: buffer, size: offset + 2};
} }
function deserializeMessage(buffer: Buffer): {end: number, message: Conversation.Message} { function deserializeMessage(buffer: Buffer, characterGetter: (name: string) => Character = (name) => core.characters.get(name),
const time = buffer.readUInt32LE(0, noAssert); unsafe: boolean = noAssert): {end: number, message: Conversation.Message} {
const type = buffer.readUInt8(4, noAssert); const time = buffer.readUInt32LE(0, unsafe);
const senderLength = buffer.readUInt8(5, noAssert); const type = buffer.readUInt8(4, unsafe);
const senderLength = buffer.readUInt8(5, unsafe);
let offset = senderLength + 6; let offset = senderLength + 6;
const sender = buffer.toString('utf8', 6, offset); const sender = buffer.toString('utf8', 6, offset);
const messageLength = buffer.readUInt16LE(offset, noAssert); const messageLength = buffer.readUInt16LE(offset, unsafe);
offset += 2; offset += 2;
const text = buffer.toString('utf8', offset, offset += messageLength); const text = buffer.toString('utf8', offset, offset += messageLength);
const message = new MessageImpl(type, core.characters.get(sender), text, new Date(time * 1000)); const message = new MessageImpl(type, characterGetter(sender), text, new Date(time * 1000));
return {message, end: offset + 2}; return {message, end: offset + 2};
} }
export class Logs implements Logging.Persistent { export function fixLogs(character: string): void {
const dir = getLogDir(character);
const files = fs.readdirSync(dir);
const buffer = Buffer.allocUnsafe(50100);
for(const file of files)
if(file.substr(-4) !== '.idx') {
const fd = fs.openSync(path.join(dir, file), 'r+');
const indexFd = fs.openSync(path.join(dir, `${file}.idx`), 'r+');
fs.readSync(indexFd, buffer, 0, 1, 0);
let pos = 0, lastDay = 0;
const nameEnd = buffer.readUInt8(0, noAssert) + 1;
fs.readSync(indexFd, buffer, 0, nameEnd, null); //tslint:disable-line:no-null-keyword
buffer.toString('utf8', 1, nameEnd);
fs.ftruncateSync(indexFd, nameEnd);
const size = (fs.fstatSync(fd)).size;
try {
while(pos < size) {
buffer.fill(-1);
fs.readSync(fd, buffer, 0, 50100, pos);
const deserialized = deserializeMessage(buffer, (name) => ({
gender: 'None', status: 'online', statusText: '', isFriend: false, isBookmarked: false, isChatOp: false,
isIgnored: false, name
}), false);
const time = deserialized.message.time;
const day = Math.floor(time.getTime() / dayMs - time.getTimezoneOffset() / 1440);
if(day > lastDay) {
buffer.writeUInt16LE(day, 0, noAssert);
buffer.writeUIntLE(pos, 2, 5, noAssert);
fs.writeSync(indexFd, buffer, 0, 7);
lastDay = day;
}
if(buffer.readUInt16LE(deserialized.end - 2) !== deserialized.end - 2) throw new Error();
pos += deserialized.end;
}
} catch {
fs.ftruncateSync(fd, pos);
} finally {
fs.closeSync(fd);
fs.closeSync(indexFd);
}
}
}
export class Logs implements Logging {
private index: Index = {}; private index: Index = {};
constructor() { constructor() {
@ -150,10 +194,11 @@ export class Logs implements Logging.Persistent {
messages[--count] = deserializeMessage(buffer).message; messages[--count] = deserializeMessage(buffer).message;
} }
if(count !== 0) messages = messages.slice(count); if(count !== 0) messages = messages.slice(count);
fs.closeSync(fd);
return messages; return messages;
} }
getLogDates(key: string): ReadonlyArray<Date> { async getLogDates(key: string): Promise<ReadonlyArray<Date>> {
const entry = this.index[key]; const entry = this.index[key];
if(entry === undefined) return []; if(entry === undefined) return [];
const dates = []; const dates = [];
@ -181,6 +226,7 @@ export class Logs implements Logging.Persistent {
messages.push(deserialized.message); messages.push(deserialized.message);
pos += deserialized.end; pos += deserialized.end;
} }
fs.closeSync(fd);
return messages; return messages;
} }
@ -194,10 +240,9 @@ export class Logs implements Logging.Persistent {
writeFile(file, buffer, {flag: 'a'}); writeFile(file, buffer, {flag: 'a'});
} }
get conversations(): ReadonlyArray<{id: string, name: string}> { get conversations(): ReadonlyArray<{key: string, name: string}> {
const conversations: {id: string, name: string}[] = []; const conversations: {key: string, name: string}[] = [];
for(const key in this.index) conversations.push({id: key, name: this.index[key]!.name}); for(const key in this.index) conversations.push({key, name: this.index[key]!.name});
conversations.sort((x, y) => (x.name < y.name ? -1 : (x.name > y.name ? 1 : 0)));
return conversations; return conversations;
} }
} }

View File

@ -4,6 +4,7 @@ import * as path from 'path';
import {promisify} from 'util'; import {promisify} from 'util';
import {Settings} from '../chat/common'; import {Settings} from '../chat/common';
import {Conversation} from '../chat/interfaces'; import {Conversation} from '../chat/interfaces';
import {isAction} from '../chat/slash_commands';
import {GeneralSettings} from './common'; import {GeneralSettings} from './common';
import {checkIndex, getLogDir, Message as LogMessage, serializeMessage, SettingsStore} from './filesystem'; import {checkIndex, getLogDir, Message as LogMessage, serializeMessage, SettingsStore} from './filesystem';
@ -111,7 +112,7 @@ function createMessage(line: string, ownCharacter: string, name: string, isChann
if(line[lineIndex] === ':') { if(line[lineIndex] === ':') {
++lineIndex; ++lineIndex;
if(line[lineIndex] === ' ') ++lineIndex; if(line[lineIndex] === ' ') ++lineIndex;
if(line.substr(lineIndex, 3) === '/me') { if(isAction(line)) {
type = Conversation.Message.Type.Action; type = Conversation.Message.Type.Action;
lineIndex += 3; lineIndex += 3;
} }

View File

@ -29,18 +29,18 @@
* @version 3.0 * @version 3.0
* @see {@link https://github.com/f-list/exported|GitHub repo} * @see {@link https://github.com/f-list/exported|GitHub repo}
*/ */
import Axios from 'axios';
import * as electron from 'electron'; import * as electron from 'electron';
import log from 'electron-log'; //tslint:disable-line:match-default-export-name import log from 'electron-log'; //tslint:disable-line:match-default-export-name
import {autoUpdater} from 'electron-updater'; import {autoUpdater} from 'electron-updater';
import * as fs from 'fs'; import * as fs from 'fs';
import * as path from 'path'; import * as path from 'path';
import * as url from 'url'; import * as url from 'url';
import {promisify} from 'util';
import l from '../chat/localize'; import l from '../chat/localize';
import {GeneralSettings, mkdir} from './common'; import {GeneralSettings, mkdir} from './common';
import {ensureDictionary, getAvailableDictionaries} from './dictionaries';
import * as windowState from './window_state'; import * as windowState from './window_state';
import BrowserWindow = Electron.BrowserWindow; import BrowserWindow = Electron.BrowserWindow;
import MenuItem = Electron.MenuItem;
// Module to control application life. // Module to control application life.
const app = electron.app; const app = electron.app;
@ -60,54 +60,21 @@ log.transports.file.maxSize = 5 * 1024 * 1024;
log.transports.file.file = path.join(baseDir, 'log.txt'); log.transports.file.file = path.join(baseDir, 'log.txt');
log.info('Starting application.'); log.info('Starting application.');
const dictDir = path.join(baseDir, 'spellchecker');
mkdir(dictDir);
const downloadUrl = 'https://client.f-list.net/dictionaries/';
type DictionaryIndex = {[key: string]: {file: string, time: number} | undefined};
let availableDictionaries: DictionaryIndex | undefined;
const writeFile = promisify(fs.writeFile);
const requestConfig = {responseType: 'arraybuffer'};
async function getAvailableDictionaries(): Promise<ReadonlyArray<string>> {
if(availableDictionaries === undefined) {
const indexPath = path.join(dictDir, 'index.json');
try {
if(!fs.existsSync(indexPath) || fs.statSync(indexPath).mtimeMs + 86400000 * 7 < Date.now()) {
availableDictionaries = (await Axios.get<DictionaryIndex>(`${downloadUrl}index.json`)).data;
await writeFile(indexPath, JSON.stringify(availableDictionaries));
} else availableDictionaries = <DictionaryIndex>JSON.parse(fs.readFileSync(indexPath, 'utf8'));
} catch(e) {
availableDictionaries = {};
log.error(`Error loading dictionaries: ${e}`);
}
}
return Object.keys(availableDictionaries).sort();
}
async function setDictionary(lang: string | undefined): Promise<void> { async function setDictionary(lang: string | undefined): Promise<void> {
const dict = availableDictionaries![lang!]; if(lang !== undefined) await ensureDictionary(lang);
if(dict !== undefined) {
const dicPath = path.join(dictDir, `${lang}.dic`);
if(!fs.existsSync(dicPath) || fs.statSync(dicPath).mtimeMs / 1000 < dict.time) {
await writeFile(dicPath, new Buffer((await Axios.get<string>(`${downloadUrl}${dict.file}.dic`, requestConfig)).data));
await writeFile(path.join(dictDir, `${lang}.aff`),
new Buffer((await Axios.get<string>(`${downloadUrl}${dict.file}.aff`, requestConfig)).data));
fs.utimesSync(dicPath, dict.time, dict.time);
}
}
settings.spellcheckLang = lang; settings.spellcheckLang = lang;
setGeneralSettings(settings); setGeneralSettings(settings);
} }
const settingsDir = path.join(electron.app.getPath('userData'), 'data'); const settingsDir = path.join(electron.app.getPath('userData'), 'data');
mkdir(settingsDir); mkdir(settingsDir);
const file = path.join(settingsDir, 'settings'); const settingsFile = path.join(settingsDir, 'settings');
const settings = new GeneralSettings(); const settings = new GeneralSettings();
let shouldImportSettings = false; let shouldImportSettings = false;
if(!fs.existsSync(file)) shouldImportSettings = true; if(!fs.existsSync(settingsFile)) shouldImportSettings = true;
else else
try { try {
Object.assign(settings, <GeneralSettings>JSON.parse(fs.readFileSync(file, 'utf8'))); Object.assign(settings, <GeneralSettings>JSON.parse(fs.readFileSync(settingsFile, 'utf8')));
} catch(e) { } catch(e) {
log.error(`Error loading settings: ${e}`); log.error(`Error loading settings: ${e}`);
} }
@ -119,6 +86,7 @@ function setGeneralSettings(value: GeneralSettings): void {
} }
async function addSpellcheckerItems(menu: Electron.Menu): Promise<void> { async function addSpellcheckerItems(menu: Electron.Menu): Promise<void> {
if(settings.spellcheckLang !== undefined) await ensureDictionary(settings.spellcheckLang);
const dictionaries = await getAvailableDictionaries(); const dictionaries = await getAvailableDictionaries();
const selected = settings.spellcheckLang; const selected = settings.spellcheckLang;
menu.append(new electron.MenuItem({ menu.append(new electron.MenuItem({
@ -151,13 +119,12 @@ function createWindow(): Electron.BrowserWindow | undefined {
if(tabCount >= 3) return; if(tabCount >= 3) return;
const lastState = windowState.getSavedWindowState(); const lastState = windowState.getSavedWindowState();
const windowProperties: Electron.BrowserWindowConstructorOptions & {maximized: boolean} = { const windowProperties: Electron.BrowserWindowConstructorOptions & {maximized: boolean} = {
...lastState, center: lastState.x === undefined ...lastState, center: lastState.x === undefined, show: false
}; };
if(process.platform === 'darwin') windowProperties.titleBarStyle = 'hiddenInset'; if(process.platform === 'darwin') windowProperties.titleBarStyle = 'hiddenInset';
else windowProperties.frame = false; else windowProperties.frame = false;
const window = new electron.BrowserWindow(windowProperties); const window = new electron.BrowserWindow(windowProperties);
windows.push(window); windows.push(window);
if(lastState.maximized) window.maximize();
window.loadURL(url.format({ window.loadURL(url.format({
pathname: path.join(__dirname, 'window.html'), pathname: path.join(__dirname, 'window.html'),
@ -171,7 +138,10 @@ function createWindow(): Electron.BrowserWindow | undefined {
// Save window state when it is being closed. // Save window state when it is being closed.
window.on('close', () => windowState.setSavedWindowState(window)); window.on('close', () => windowState.setSavedWindowState(window));
window.on('closed', () => windows.splice(windows.indexOf(window), 1)); window.on('closed', () => windows.splice(windows.indexOf(window), 1));
window.once('ready-to-show', () => {
window.show();
if(lastState.maximized) window.maximize();
});
return window; return window;
} }
@ -190,15 +160,15 @@ function onReady(): void {
} }
if(process.env.NODE_ENV === 'production') { if(process.env.NODE_ENV === 'production') {
if(settings.beta) autoUpdater.channel = 'beta'; autoUpdater.channel = settings.beta ? 'beta' : 'latest';
autoUpdater.checkForUpdates(); //tslint:disable-line:no-floating-promises autoUpdater.checkForUpdates(); //tslint:disable-line:no-floating-promises
const updateTimer = setInterval(async() => autoUpdater.checkForUpdates(), 3600000); const updateTimer = setInterval(async() => autoUpdater.checkForUpdates(), 3600000);
let hasUpdate = false;
autoUpdater.on('update-downloaded', () => { autoUpdater.on('update-downloaded', () => {
clearInterval(updateTimer); clearInterval(updateTimer);
if(hasUpdate) return;
hasUpdate = true;
const menu = electron.Menu.getApplicationMenu()!; const menu = electron.Menu.getApplicationMenu()!;
const item = menu.getMenuItemById('update') as MenuItem | null;
if(item !== null) item.visible = true;
else
menu.append(new electron.MenuItem({ menu.append(new electron.MenuItem({
label: l('action.updateAvailable'), label: l('action.updateAvailable'),
submenu: electron.Menu.buildFromTemplate([{ submenu: electron.Menu.buildFromTemplate([{
@ -210,10 +180,17 @@ function onReady(): void {
}, { }, {
label: l('help.changelog'), label: l('help.changelog'),
click: showPatchNotes click: showPatchNotes
}]) }]),
id: 'update'
})); }));
electron.Menu.setApplicationMenu(menu); electron.Menu.setApplicationMenu(menu);
for(const w of windows) w.webContents.send('update-available'); for(const w of windows) w.webContents.send('update-available', true);
});
autoUpdater.on('update-not-available', () => {
(<any>autoUpdater).downloadedUpdateHelper.clear(); //tslint:disable-line:no-any no-unsafe-any
for(const w of windows) w.webContents.send('update-available', false);
const item = electron.Menu.getApplicationMenu()!.getMenuItemById('update') as MenuItem | null;
if(item !== null) item.visible = false;
}); });
} }
@ -261,10 +238,7 @@ function onReady(): void {
cancelId: 1 cancelId: 1
}); });
if(button === 0) { if(button === 0) {
for(const w of windows) { for(const w of windows) w.webContents.send('quit');
w.webContents.on('will-prevent-unload', (e) => e.preventDefault());
w.close();
}
settings.logDirectory = dir[0]; settings.logDirectory = dir[0];
setGeneralSettings(settings); setGeneralSettings(settings);
app.quit(); app.quit();
@ -296,11 +270,15 @@ function onReady(): void {
})) }))
}, { }, {
label: l('settings.beta'), type: 'checkbox', checked: settings.beta, label: l('settings.beta'), type: 'checkbox', checked: settings.beta,
click: (item: Electron.MenuItem) => { click: async(item: Electron.MenuItem) => {
settings.beta = item.checked; settings.beta = item.checked;
setGeneralSettings(settings); setGeneralSettings(settings);
autoUpdater.channel = item.checked ? 'beta' : 'latest'; autoUpdater.channel = item.checked ? 'beta' : 'latest';
return autoUpdater.checkForUpdates();
} }
}, {
label: l('fixLogs.action'),
click: (_, window: BrowserWindow) => window.webContents.send('fix-logs')
}, },
{type: 'separator'}, {type: 'separator'},
{role: 'minimize'}, {role: 'minimize'},
@ -383,12 +361,13 @@ function onReady(): void {
const badge = electron.nativeImage.createFromPath(path.join(__dirname, <string>require('./build/badge.png'))); const badge = electron.nativeImage.createFromPath(path.join(__dirname, <string>require('./build/badge.png')));
electron.ipcMain.on('has-new', (e: Event & {sender: Electron.WebContents}, hasNew: boolean) => { electron.ipcMain.on('has-new', (e: Event & {sender: Electron.WebContents}, hasNew: boolean) => {
if(process.platform === 'darwin') app.dock.setBadge(hasNew ? '!' : ''); if(process.platform === 'darwin') app.dock.setBadge(hasNew ? '!' : '');
electron.BrowserWindow.fromWebContents(e.sender).setOverlayIcon(hasNew ? badge : emptyBadge, hasNew ? 'New messages' : ''); const window = electron.BrowserWindow.fromWebContents(e.sender) as BrowserWindow | undefined;
if(window !== undefined) window.setOverlayIcon(hasNew ? badge : emptyBadge, hasNew ? 'New messages' : '');
}); });
createWindow(); createWindow();
} }
const running = app.makeSingleInstance(createWindow); const running = process.env.NODE_ENV === 'production' && app.makeSingleInstance(createWindow);
if(running) app.quit(); if(running) app.quit();
else app.on('ready', onReady); else app.on('ready', onReady);
app.on('window-all-closed', () => app.quit()); app.on('window-all-closed', () => app.quit());

View File

@ -9,7 +9,7 @@
"build": "node ../webpack development", "build": "node ../webpack development",
"build:dist": "node ../webpack production", "build:dist": "node ../webpack production",
"watch": "node ../webpack watch", "watch": "node ../webpack watch",
"start": "electron app" "start": "../node_modules/.bin/electron app"
}, },
"build": { "build": {
"appId": "net.f-list.f-chat", "appId": "net.f-list.f-chat",

View File

@ -1,2 +0,0 @@
import * as qs from 'querystring';
export = qs;

View File

@ -58,7 +58,8 @@ const mainConfig = {
test: /\.vue$/, test: /\.vue$/,
loader: 'vue-loader', loader: 'vue-loader',
options: { options: {
preserveWhitespace: false preserveWhitespace: false,
cssSourceMap: false
} }
}, },
{ {
@ -71,9 +72,9 @@ const mainConfig = {
} }
}, },
{test: /\.eot(\?v=\d+\.\d+\.\d+)?$/, loader: 'file-loader'}, {test: /\.eot(\?v=\d+\.\d+\.\d+)?$/, loader: 'file-loader'},
{test: /\.(woff|woff2)$/, loader: 'url-loader?prefix=font/&limit=5000'}, {test: /\.(woff2?)$/, loader: 'file-loader'},
{test: /\.ttf(\?v=\d+\.\d+\.\d+)?$/, loader: 'url-loader?limit=10000&mimetype=application/octet-stream'}, {test: /\.ttf(\?v=\d+\.\d+\.\d+)?$/, loader: 'file-loader'},
{test: /\.svg(\?v=\d+\.\d+\.\d+)?$/, loader: 'url-loader?limit=10000&mimetype=image/svg+xml'}, {test: /\.svg(\?v=\d+\.\d+\.\d+)?$/, loader: 'file-loader'},
{test: /\.(wav|mp3|ogg)$/, loader: 'file-loader?name=sounds/[name].[ext]'}, {test: /\.(wav|mp3|ogg)$/, loader: 'file-loader?name=sounds/[name].[ext]'},
{test: /\.(png|html)$/, loader: 'file-loader?name=[name].[ext]'} {test: /\.(png|html)$/, loader: 'file-loader?name=[name].[ext]'}
] ]
@ -93,7 +94,7 @@ const mainConfig = {
], ],
resolve: { resolve: {
extensions: ['.ts', '.js', '.vue', '.css'], extensions: ['.ts', '.js', '.vue', '.css'],
alias: {qs: path.join(__dirname, 'qs.ts')} alias: {qs: 'querystring'}
}, },
optimization: { optimization: {
splitChunks: {chunks: 'all', minChunks: 2, name: 'common'} splitChunks: {chunks: 'all', minChunks: 2, name: 'common'}
@ -118,6 +119,7 @@ module.exports = function(mode) {
rendererConfig.plugins.push(faPlugin); rendererConfig.plugins.push(faPlugin);
rendererConfig.module.rules.push({test: faPath, use: faPlugin.extract(cssOptions)}); rendererConfig.module.rules.push({test: faPath, use: faPlugin.extract(cssOptions)});
if(mode === 'production') { if(mode === 'production') {
process.env.NODE_ENV = 'production';
mainConfig.devtool = rendererConfig.devtool = 'source-map'; mainConfig.devtool = rendererConfig.devtool = 'source-map';
rendererConfig.plugins.push(new OptimizeCssAssetsPlugin()); rendererConfig.plugins.push(new OptimizeCssAssetsPlugin());
} else { } else {

View File

@ -22,10 +22,11 @@ function sortMember(this: void | never, array: SortableMember[], member: Sortabl
if(member.character.isChatOp && !other.character.isChatOp) break; if(member.character.isChatOp && !other.character.isChatOp) break;
if(other.rank > member.rank) continue; if(other.rank > member.rank) continue;
if(member.rank > other.rank) break; if(member.rank > other.rank) break;
if(other.character.isFriend && !member.character.isFriend) continue; if(!member.character.isFriend) {
if(member.character.isFriend && !other.character.isFriend) break; if(other.character.isFriend) continue;
if(other.character.isBookmarked && !member.character.isBookmarked) continue; if(other.character.isBookmarked && !member.character.isBookmarked) continue;
if(member.character.isBookmarked && !other.character.isBookmarked) break; if(member.character.isBookmarked && !other.character.isBookmarked) break;
} else if(!other.character.isFriend) break;
if(member.key < other.key) break; if(member.key < other.key) break;
} }
array.splice(i, 0, member); array.splice(i, 0, member);

View File

@ -62,6 +62,8 @@ export default function(this: void, connection: Connection): Interfaces.State {
state.bookmarkList = (<{characters: string[]}>await connection.queryApi('bookmark-list.php')).characters; state.bookmarkList = (<{characters: string[]}>await connection.queryApi('bookmark-list.php')).characters;
state.friendList = ((<{friends: {source: string, dest: string, last_online: number}[]}>await connection.queryApi('friend-list.php')) state.friendList = ((<{friends: {source: string, dest: string, last_online: number}[]}>await connection.queryApi('friend-list.php'))
.friends).map((x) => x.dest); .friends).map((x) => x.dest);
if(isReconnect && (<Character | undefined>state.ownCharacter) !== undefined)
reconnectStatus = {status: state.ownCharacter.status, statusmsg: state.ownCharacter.statusText};
for(const key in state.characters) { for(const key in state.characters) {
const character = state.characters[key]!; const character = state.characters[key]!;
character.isFriend = state.friendList.indexOf(character.name) !== -1; character.isFriend = state.friendList.indexOf(character.name) !== -1;
@ -69,8 +71,6 @@ export default function(this: void, connection: Connection): Interfaces.State {
character.status = 'offline'; character.status = 'offline';
character.statusText = ''; character.statusText = '';
} }
if(isReconnect && (<Character | undefined>state.ownCharacter) !== undefined)
reconnectStatus = {status: state.ownCharacter.status, statusmsg: state.ownCharacter.statusText};
}); });
connection.onEvent('connected', async(isReconnect) => { connection.onEvent('connected', async(isReconnect) => {
if(!isReconnect) return; if(!isReconnect) return;

View File

@ -3,7 +3,7 @@ import * as qs from 'qs';
import {Connection as Interfaces, WebSocketConnection} from './interfaces'; import {Connection as Interfaces, WebSocketConnection} from './interfaces';
const fatalErrors = [2, 3, 4, 9, 30, 31, 33, 39, 40, 62, -4]; const fatalErrors = [2, 3, 4, 9, 30, 31, 33, 39, 40, 62, -4];
const dieErrors = [9, 30, 31, 39]; const dieErrors = [9, 30, 31, 39, 40];
async function queryApi(this: void, endpoint: string, data: object): Promise<AxiosResponse> { async function queryApi(this: void, endpoint: string, data: object): Promise<AxiosResponse> {
return Axios.post(`https://www.f-list.net/json/api/${endpoint}`, qs.stringify(data)); return Axios.post(`https://www.f-list.net/json/api/${endpoint}`, qs.stringify(data));
@ -158,8 +158,10 @@ export default class Connection implements Interfaces.Connection {
if(fatalErrors.indexOf(data.number) !== -1) { if(fatalErrors.indexOf(data.number) !== -1) {
const error = new Error(data.message); const error = new Error(data.message);
for(const handler of this.errorHandlers) handler(error); for(const handler of this.errorHandlers) handler(error);
if(dieErrors.indexOf(data.number) !== -1) this.close(); if(dieErrors.indexOf(data.number) !== -1) {
else this.socket!.close(); this.close();
this.character = '';
} else this.socket!.close();
} }
break; break;
case 'NLN': case 'NLN':

View File

@ -44,8 +44,8 @@
</div> </div>
<chat v-else :ownCharacters="characters" :defaultCharacter="defaultCharacter" ref="chat"></chat> <chat v-else :ownCharacters="characters" :defaultCharacter="defaultCharacter" ref="chat"></chat>
<modal :buttons="false" ref="profileViewer" dialogClass="profile-viewer"> <modal :buttons="false" ref="profileViewer" dialogClass="profile-viewer">
<character-page :authenticated="false" :oldApi="true" :name="profileName"></character-page> <character-page :authenticated="true" :oldApi="true" :name="profileName"></character-page>
<template slot="title">{{profileName}} <a class="btn" @click="openProfileInBrowser"><i class="fa fa-external-link-alt"/></a> <template slot="title">{{profileName}} <a class="btn" @click="openProfileInBrowser"><i class="fa fa-external-link-alt"></i></a>
</template> </template>
</modal> </modal>
</div> </div>
@ -99,7 +99,6 @@
settingsStore = new SettingsStore(); settingsStore = new SettingsStore();
l = l; l = l;
settings: GeneralSettings | null = null; settings: GeneralSettings | null = null;
importProgress = 0;
profileName = ''; profileName = '';
async created(): Promise<void> { async created(): Promise<void> {

View File

@ -8,8 +8,8 @@ android {
applicationId "net.f_list.fchat" applicationId "net.f_list.fchat"
minSdkVersion 19 minSdkVersion 19
targetSdkVersion 27 targetSdkVersion 27
versionCode 11 versionCode 12
versionName "0.1.4" versionName "0.1.5"
} }
buildTypes { buildTypes {
release { release {

View File

@ -5,6 +5,7 @@
<uses-permission android:name="android.permission.INTERNET" /> <uses-permission android:name="android.permission.INTERNET" />
<uses-permission android:name="android.permission.VIBRATE" /> <uses-permission android:name="android.permission.VIBRATE" />
<uses-permission android:name="android.permission.WAKE_LOCK" /> <uses-permission android:name="android.permission.WAKE_LOCK" />
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />
<application <application
android:allowBackup="true" android:allowBackup="true"

View File

@ -1,17 +1,26 @@
package net.f_list.fchat package net.f_list.fchat
import android.Manifest
import android.app.Activity import android.app.Activity
import android.app.AlertDialog import android.app.AlertDialog
import android.content.DialogInterface import android.app.DownloadManager
import android.content.Context
import android.content.Intent import android.content.Intent
import android.content.pm.PackageManager
import android.net.Uri import android.net.Uri
import android.os.Build
import android.os.Bundle import android.os.Bundle
import android.os.Environment
import android.view.ViewGroup import android.view.ViewGroup
import android.webkit.JsResult import android.webkit.JsResult
import android.webkit.WebChromeClient import android.webkit.WebChromeClient
import android.webkit.WebView import android.webkit.WebView
import android.webkit.WebViewClient import android.webkit.WebViewClient
import org.json.JSONTokener
import java.io.FileOutputStream
import java.net.URLDecoder import java.net.URLDecoder
import java.util.*
class MainActivity : Activity() { class MainActivity : Activity() {
private lateinit var webView: WebView private lateinit var webView: WebView
@ -30,6 +39,20 @@ class MainActivity : Activity() {
webView.addJavascriptInterface(Notifications(this), "NativeNotification") webView.addJavascriptInterface(Notifications(this), "NativeNotification")
webView.addJavascriptInterface(backgroundPlugin, "NativeBackground") webView.addJavascriptInterface(backgroundPlugin, "NativeBackground")
webView.addJavascriptInterface(Logs(this), "NativeLogs") webView.addJavascriptInterface(Logs(this), "NativeLogs")
webView.setDownloadListener { url, _, _, _, _ ->
if(Build.VERSION.SDK_INT >= Build.VERSION_CODES.M) {
val permission = checkSelfPermission(Manifest.permission.WRITE_EXTERNAL_STORAGE)
if(permission != PackageManager.PERMISSION_GRANTED)
return@setDownloadListener requestPermissions(arrayOf(Manifest.permission.WRITE_EXTERNAL_STORAGE), 1)
}
val index = url.indexOf(',')
val name = URLDecoder.decode(url.substring(5, index), Charsets.UTF_8.name())
val dir = Environment.getExternalStoragePublicDirectory(Environment.DIRECTORY_DOWNLOADS)
val file = java.io.File(dir, name)
FileOutputStream(file).use { it.write(URLDecoder.decode(url.substring(index + 1), Charsets.UTF_8.name()).toByteArray()) }
val downloadManager = getSystemService(Context.DOWNLOAD_SERVICE) as DownloadManager
downloadManager.addCompletedDownload(name, name, false, "text/plain", file.absolutePath, file.length(), true)
}
webView.webChromeClient = object : WebChromeClient() { webView.webChromeClient = object : WebChromeClient() {
override fun onJsAlert(view: WebView, url: String, message: String, result: JsResult): Boolean { override fun onJsAlert(view: WebView, url: String, message: String, result: JsResult): Boolean {
AlertDialog.Builder(this@MainActivity).setTitle(R.string.app_name).setMessage(message).setPositiveButton(R.string.ok, { _, _ -> result.confirm() }).show() AlertDialog.Builder(this@MainActivity).setTitle(R.string.app_name).setMessage(message).setPositiveButton(R.string.ok, { _, _ -> result.confirm() }).show()
@ -69,7 +92,7 @@ class MainActivity : Activity() {
override fun onBackPressed() { override fun onBackPressed() {
webView.evaluateJavascript("var e=new Event('backbutton',{cancelable:true});document.dispatchEvent(e);e.defaultPrevented", { webView.evaluateJavascript("var e=new Event('backbutton',{cancelable:true});document.dispatchEvent(e);e.defaultPrevented", {
if(it != "true") super.onBackPressed() if(it != "true") super.onBackPressed()
}); })
} }
override fun onNewIntent(intent: Intent) { override fun onNewIntent(intent: Intent) {
@ -93,7 +116,6 @@ class MainActivity : Activity() {
override fun onDestroy() { override fun onDestroy() {
super.onDestroy() super.onDestroy()
findViewById<ViewGroup>(R.id.content).removeAllViews() findViewById<ViewGroup>(R.id.content).removeAllViews()
webView.removeAllViews()
webView.destroy() webView.destroy()
backgroundPlugin.stop() backgroundPlugin.stop()
} }

View File

@ -40,6 +40,7 @@ class Notifications(private val ctx: Context) {
player.setAudioStreamType(AudioManager.STREAM_NOTIFICATION) player.setAudioStreamType(AudioManager.STREAM_NOTIFICATION)
player.prepare() player.prepare()
player.start() player.start()
player.setOnCompletionListener { it.release() }
} }
val intent = Intent(ctx, MainActivity::class.java) val intent = Intent(ctx, MainActivity::class.java)
intent.action = "notification" intent.action = "notification"

View File

@ -34,7 +34,7 @@ export class GeneralSettings {
type Index = {[key: string]: {name: string, dates: number[]} | undefined}; type Index = {[key: string]: {name: string, dates: number[]} | undefined};
export class Logs implements Logging.Persistent { export class Logs implements Logging {
private index: Index = {}; private index: Index = {};
constructor() { constructor() {
@ -63,16 +63,15 @@ export class Logs implements Logging.Persistent {
.map((x) => new MessageImpl(x.type, core.characters.get(x.sender), x.text, new Date(x.time * 1000))); .map((x) => new MessageImpl(x.type, core.characters.get(x.sender), x.text, new Date(x.time * 1000)));
} }
getLogDates(key: string): ReadonlyArray<Date> { async getLogDates(key: string): Promise<ReadonlyArray<Date>> {
const entry = this.index[key]; const entry = this.index[key];
if(entry === undefined) return []; if(entry === undefined) return [];
return entry.dates.map((x) => new Date(x * dayMs)); return entry.dates.map((x) => new Date(x * dayMs));
} }
get conversations(): ReadonlyArray<{id: string, name: string}> { get conversations(): ReadonlyArray<{key: string, name: string}> {
const conversations: {id: string, name: string}[] = []; const conversations: {key: string, name: string}[] = [];
for(const key in this.index) conversations.push({id: key, name: this.index[key]!.name}); for(const key in this.index) conversations.push({key, name: this.index[key]!.name});
conversations.sort((x, y) => (x.name < y.name ? -1 : (x.name > y.name ? 1 : 0)));
return conversations; return conversations;
} }
} }

View File

@ -2,7 +2,7 @@
<html lang="en"> <html lang="en">
<head> <head>
<meta charset="UTF-8"> <meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, target-densitydpi=medium-dpi, user-scalable=0, viewport-fit=cover" /> <meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=0, viewport-fit=cover" />
<title>FChat 3.0</title> <title>FChat 3.0</title>
</head> </head>
<body> <body>

View File

@ -252,7 +252,7 @@
GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE;
GCC_WARN_UNUSED_FUNCTION = YES; GCC_WARN_UNUSED_FUNCTION = YES;
GCC_WARN_UNUSED_VARIABLE = YES; GCC_WARN_UNUSED_VARIABLE = YES;
IPHONEOS_DEPLOYMENT_TARGET = 10.0; IPHONEOS_DEPLOYMENT_TARGET = 11.0;
MTL_ENABLE_DEBUG_INFO = YES; MTL_ENABLE_DEBUG_INFO = YES;
ONLY_ACTIVE_ARCH = YES; ONLY_ACTIVE_ARCH = YES;
SDKROOT = iphoneos; SDKROOT = iphoneos;
@ -303,7 +303,7 @@
GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE;
GCC_WARN_UNUSED_FUNCTION = YES; GCC_WARN_UNUSED_FUNCTION = YES;
GCC_WARN_UNUSED_VARIABLE = YES; GCC_WARN_UNUSED_VARIABLE = YES;
IPHONEOS_DEPLOYMENT_TARGET = 10.0; IPHONEOS_DEPLOYMENT_TARGET = 11.0;
MTL_ENABLE_DEBUG_INFO = NO; MTL_ENABLE_DEBUG_INFO = NO;
SDKROOT = iphoneos; SDKROOT = iphoneos;
SWIFT_OPTIMIZATION_LEVEL = "-Owholemodule"; SWIFT_OPTIMIZATION_LEVEL = "-Owholemodule";

View File

@ -23,6 +23,8 @@ class ViewController: UIViewController, WKNavigationDelegate, WKUIDelegate {
webView = WKWebView(frame: .zero, configuration: config) webView = WKWebView(frame: .zero, configuration: config)
webView.uiDelegate = self webView.uiDelegate = self
view = webView view = webView
NotificationCenter.default.addObserver(self, selector: #selector(ViewController.keyboardWillShow), name: NSNotification.Name.UIKeyboardWillShow, object: nil)
NotificationCenter.default.addObserver(self, selector: #selector(ViewController.keyboardWillHide), name: NSNotification.Name.UIKeyboardWillHide, object: nil)
UIApplication.shared.statusBarStyle = .lightContent UIApplication.shared.statusBarStyle = .lightContent
(UIApplication.shared.value(forKey: "statusBar") as! UIView).backgroundColor = UIColor(white: 0, alpha: 0.5) (UIApplication.shared.value(forKey: "statusBar") as! UIView).backgroundColor = UIColor(white: 0, alpha: 0.5)
} }
@ -40,6 +42,24 @@ class ViewController: UIViewController, WKNavigationDelegate, WKUIDelegate {
// Dispose of any resources that can be recreated. // Dispose of any resources that can be recreated.
} }
@objc func keyboardWillShow(notification: NSNotification) {
let info = notification.userInfo!
let frame = webView.frame
let newHeight = view.window!.frame.height - (info[UIKeyboardFrameEndUserInfoKey] as! NSValue).cgRectValue.height
UIView.animate(withDuration: (info[UIKeyboardAnimationDurationUserInfoKey] as! NSNumber).doubleValue, animations: {
self.webView.scrollView.bounds = CGRect(x: 0, y: 0, width: frame.width, height: newHeight)
}, completion: { (_: Bool) in self.webView.evaluateJavaScript("window.dispatchEvent(new Event('resize'))", completionHandler: nil) })
}
@objc func keyboardWillHide(notification: NSNotification) {
let info = notification.userInfo!
let frame = webView.scrollView.bounds
let newHeight = frame.height + (info[UIKeyboardFrameEndUserInfoKey] as! NSValue).cgRectValue.height
UIView.animate(withDuration: (info[UIKeyboardAnimationDurationUserInfoKey] as! NSNumber).doubleValue, animations: {
self.webView.scrollView.bounds = CGRect(x: 0, y: 0, width: frame.width, height: newHeight)
}, completion: { (_: Bool) in self.webView.evaluateJavaScript("window.dispatchEvent(new Event('resize'))", completionHandler: nil) })
}
func webView(_ webView: WKWebView, runJavaScriptAlertPanelWithMessage message: String, initiatedByFrame frame: WKFrameInfo, func webView(_ webView: WKWebView, runJavaScriptAlertPanelWithMessage message: String, initiatedByFrame frame: WKFrameInfo,
completionHandler: @escaping () -> Void) { completionHandler: @escaping () -> Void) {
let alertController = UIAlertController(title: nil, message: message, preferredStyle: .alert) let alertController = UIAlertController(title: nil, message: message, preferredStyle: .alert)
@ -56,15 +76,27 @@ class ViewController: UIViewController, WKNavigationDelegate, WKUIDelegate {
} }
func webView(_ webView: WKWebView, createWebViewWith configuration: WKWebViewConfiguration, for navigationAction: WKNavigationAction, windowFeatures: WKWindowFeatures) -> WKWebView? { func webView(_ webView: WKWebView, createWebViewWith configuration: WKWebViewConfiguration, for navigationAction: WKNavigationAction, windowFeatures: WKWindowFeatures) -> WKWebView? {
let url = navigationAction.request.url!.absoluteString let url = navigationAction.request.url!
let match = profileRegex.matches(in: url, range: NSRange(location: 0, length: url.count)) let str = url.absoluteString
if(url.scheme == "data") {
let start = str.index(of: ",")!
let file = FileManager.default.temporaryDirectory.appendingPathComponent(str[str.index(str.startIndex, offsetBy: 5)..<start].removingPercentEncoding!)
try! str.suffix(from: str.index(after: start)).removingPercentEncoding!.write(to: file, atomically: false, encoding: .utf8)
self.present(UIActivityViewController(activityItems: [file], applicationActivities: nil), animated: true, completion: nil)
return nil
}
let match = profileRegex.matches(in: str, range: NSRange(location: 0, length: str.count))
if(match.count == 1) { if(match.count == 1) {
let char = url[Range(match[0].range(at: 2), in: url)!].removingPercentEncoding!; let char = str[Range(match[0].range(at: 2), in: str)!].removingPercentEncoding!;
webView.evaluateJavaScript("document.dispatchEvent(new CustomEvent('open-profile',{detail:'\(char)'}))", completionHandler: nil) webView.evaluateJavaScript("document.dispatchEvent(new CustomEvent('open-profile',{detail:'\(char)'}))", completionHandler: nil)
return nil return nil
} }
UIApplication.shared.open(navigationAction.request.url!) UIApplication.shared.open(navigationAction.request.url!)
return nil return nil
} }
func webView(_ webView: WKWebView, decidePolicyFor navigationAction: WKNavigationAction, decisionHandler: @escaping (WKNavigationActionPolicy) -> Void) {
decisionHandler(.cancel)
}
} }

View File

@ -1,6 +1,6 @@
{ {
"name": "net.f_list.fchat", "name": "net.f_list.fchat",
"version": "0.2.15", "version": "0.2.18",
"displayName": "F-Chat", "displayName": "F-Chat",
"author": "The F-List Team", "author": "The F-List Team",
"description": "F-List.net Chat Client", "description": "F-List.net Chat Client",

View File

@ -4,10 +4,8 @@
"lib": [ "lib": [
"dom", "dom",
"es5", "es5",
"es2015.iterable",
"es2015.promise" "es2015.promise"
], ],
"allowSyntheticDefaultImports": true,
"module": "commonjs", "module": "commonjs",
"sourceMap": true, "sourceMap": true,
"experimentalDecorators": true, "experimentalDecorators": true,

View File

@ -25,13 +25,14 @@ const config = {
test: /\.vue$/, test: /\.vue$/,
loader: 'vue-loader', loader: 'vue-loader',
options: { options: {
preserveWhitespace: false preserveWhitespace: false,
cssSourceMap: false
} }
}, },
{test: /\.eot(\?v=\d+\.\d+\.\d+)?$/, loader: 'file-loader'}, {test: /\.eot(\?v=\d+\.\d+\.\d+)?$/, loader: 'file-loader'},
{test: /\.(woff|woff2)$/, loader: 'url-loader?prefix=font/&limit=5000'}, {test: /\.(woff2?)$/, loader: 'file-loader'},
{test: /\.ttf(\?v=\d+\.\d+\.\d+)?$/, loader: 'url-loader?limit=10000&mimetype=application/octet-stream'}, {test: /\.ttf(\?v=\d+\.\d+\.\d+)?$/, loader: 'file-loader'},
{test: /\.svg(\?v=\d+\.\d+\.\d+)?$/, loader: 'url-loader?limit=10000&mimetype=image/svg+xml'}, {test: /\.svg(\?v=\d+\.\d+\.\d+)?$/, loader: 'file-loader'},
{test: /\.(wav|mp3|ogg)$/, loader: 'file-loader?name=sounds/[name].[ext]'}, {test: /\.(wav|mp3|ogg)$/, loader: 'file-loader?name=sounds/[name].[ext]'},
{test: /\.(png|html)$/, loader: 'file-loader?name=[name].[ext]'}, {test: /\.(png|html)$/, loader: 'file-loader?name=[name].[ext]'},
{test: /\.scss/, use: ['css-loader', 'sass-loader']} {test: /\.scss/, use: ['css-loader', 'sass-loader']}
@ -47,6 +48,7 @@ const config = {
module.exports = function(mode) { module.exports = function(mode) {
if(mode === 'production') { if(mode === 'production') {
process.env.NODE_ENV = 'production';
config.devtool = 'source-map'; config.devtool = 'source-map';
} else { } else {
config.devtool = 'none'; config.devtool = 'none';

View File

@ -30,7 +30,6 @@
"tslib": "^1.7.1", "tslib": "^1.7.1",
"tslint": "^5.7.0", "tslint": "^5.7.0",
"typescript": "^2.4.2", "typescript": "^2.4.2",
"url-loader": "^0.6.2",
"vue": "^2.4.2", "vue": "^2.4.2",
"vue-class-component": "^6.0.0", "vue-class-component": "^6.0.0",
"vue-loader": "^14.1.1", "vue-loader": "^14.1.1",

View File

@ -76,7 +76,7 @@ span.justifyText {
} }
div.indentText { div.indentText {
padding-left: 3rem; padding-left: 5%;
} }
.character-avatar { .character-avatar {
@ -89,6 +89,13 @@ div.indentText {
} }
} }
.bbcode {
white-space: pre-wrap;
.row > * {
margin-bottom: 5px;
}
}
.bbcode-collapse-header { .bbcode-collapse-header {
font-weight: bold; font-weight: bold;
cursor: pointer; cursor: pointer;
@ -97,7 +104,6 @@ div.indentText {
} }
.bbcode-collapse-body { .bbcode-collapse-body {
height: 0;
margin-left: 0.5rem; margin-left: 0.5rem;
transition: height 0.2s; transition: height 0.2s;
overflow-y: hidden; overflow-y: hidden;
@ -120,4 +126,9 @@ div.indentText {
.link-domain { .link-domain {
color: $text-muted; color: $text-muted;
text-shadow: none;
}
.user-link {
text-shadow: none;
} }

View File

@ -122,16 +122,12 @@
#character-page-sidebar { #character-page-sidebar {
height: 100%; height: 100%;
.character-image-container { .btn {
@media (max-width: breakpoint-max(xs)) { padding: 2px 4px;
display: flex;
flex-direction: row-reverse;
justify-content: flex-end;
}
} }
} }
@media (min-width: breakpoint-min(sm)) { @media (min-width: breakpoint-min(md)) {
.profile-body { .profile-body {
padding-left: 0; padding-left: 0;
} }
@ -140,15 +136,13 @@
// Character Images // Character Images
.character-images { .character-images {
.character-image { .character-image {
//@include img-thumbnail; @extend .img-thumbnail;
max-width: 100%;
vertical-align: middle; vertical-align: middle;
border: none; border: none;
display: inline-block; display: inline-block;
background: transparent; background: transparent;
img { text-align: center;
//@include center-block;
}
} }
} }

View File

@ -141,6 +141,9 @@
min-height: initial !important; min-height: initial !important;
max-height: 250px; max-height: 250px;
resize: none; resize: none;
@media (max-height: 600px) {
max-height: 150px;
}
} }
.ads-text-box, .ads-text-box:focus { .ads-text-box, .ads-text-box:focus {
@ -189,6 +192,10 @@
color: $gray-500; color: $gray-500;
} }
.message-time {
color: $gray-700;
}
.message-highlight { .message-highlight {
background-color: theme-color-level("success", -8); background-color: theme-color-level("success", -8);
} }

View File

@ -17,10 +17,10 @@ $collapse-border: darken($card-border-color, 25%) !default;
// Character page quick kink comparison // Character page quick kink comparison
$quick-compare-active-border: $black-color !default; $quick-compare-active-border: $black-color !default;
$quick-compare-favorite-bg: theme-color-bg("info") !default; $quick-compare-favorite-bg: theme-color-level("info", -6) !default;
$quick-compare-yes-bg: theme-color-bg("success") !default; $quick-compare-yes-bg: theme-color-level("success", -6) !default;
$quick-compare-maybe-bg: theme-color-bg("warning") !default; $quick-compare-maybe-bg: theme-color-level("warning", -6) !default;
$quick-compare-no-bg: theme-color-bg("danger") !default; $quick-compare-no-bg: theme-color-level("danger", -6) !default;
// character page badges // character page badges
$character-badge-bg: darken($card-bg, 10%) !default; $character-badge-bg: darken($card-bg, 10%) !default;

View File

@ -1,5 +1,5 @@
$blue-color: #06f; $blue-color: #06f;
.blackText { .blackText {
text-shadow: $gray-800 0 0 4px; text-shadow: $gray-600 1px 1px 1px, $gray-600 -1px 1px 1px, $gray-600 1px -1px 1px, $gray-600 -1px -1px 1px;
} }

View File

@ -1,9 +1,9 @@
.purpleText { .purpleText {
text-shadow: #306 0 0 4px; text-shadow: #306 1px 1px 1px, #306 -1px 1px 1px, #306 1px -1px 1px, #306 -1px -1px 1px;
} }
.blackText { .blackText {
text-shadow: $gray-800 0 0 4px; text-shadow: $gray-600 1px 1px 1px, $gray-600 -1px 1px 1px, $gray-600 1px -1px 1px, $gray-600 -1px -1px 1px;
} }
$blue-color: #06f; $blue-color: #06f;

View File

@ -1,3 +1,3 @@
.whiteText { .whiteText {
text-shadow: $gray-800 0 0 4px; text-shadow: $gray-600 1px 1px 1px, $gray-600 -1px 1px 1px, $gray-600 1px -1px 1px, $gray-600 -1px -1px 1px;
} }

View File

@ -2,10 +2,10 @@
<div class="row character-page" id="pageBody"> <div class="row character-page" id="pageBody">
<div class="alert alert-info" v-show="loading" style="margin:0 15px;flex:1">Loading character information.</div> <div class="alert alert-info" v-show="loading" style="margin:0 15px;flex:1">Loading character information.</div>
<div class="alert alert-danger" v-show="error" style="margin:0 15px;flex:1">{{error}}</div> <div class="alert alert-danger" v-show="error" style="margin:0 15px;flex:1">{{error}}</div>
<div class="col-sm-3 col-md-2" v-if="!loading"> <div class="col-md-4 col-lg-3 col-xl-2" v-if="!loading">
<sidebar :character="character" @memo="memo" @bookmarked="bookmarked" :oldApi="oldApi"></sidebar> <sidebar :character="character" @memo="memo" @bookmarked="bookmarked" :oldApi="oldApi"></sidebar>
</div> </div>
<div class="col-sm-9 col-md-10 profile-body" v-if="!loading"> <div class="col-md-8 col-lg-9 col-xl-10 profile-body" v-if="!loading">
<div id="characterView"> <div id="characterView">
<div> <div>
<div v-if="character.ban_reason" id="headerBanReason" class="alert alert-warning"> <div v-if="character.ban_reason" id="headerBanReason" class="alert alert-warning">
@ -26,7 +26,7 @@
<span>Overview</span> <span>Overview</span>
<span>Info</span> <span>Info</span>
<span v-if="!oldApi">Groups</span> <span v-if="!oldApi">Groups</span>
<span>Images ({{ character.character.image_count }}</span> <span>Images ({{ character.character.image_count }})</span>
<span v-if="character.settings.guestbook">Guestbook</span> <span v-if="character.settings.guestbook">Guestbook</span>
<span v-if="character.is_self || character.settings.show_friends">Friends</span> <span v-if="character.is_self || character.settings.show_friends">Friends</span>
</tabs> </tabs>
@ -34,7 +34,7 @@
<div class="card-body"> <div class="card-body">
<div class="tab-content"> <div class="tab-content">
<div role="tabpanel" class="tab-pane" :class="{active: tab == 0}" id="overview"> <div role="tabpanel" class="tab-pane" :class="{active: tab == 0}" id="overview">
<div v-bbcode="character.character.description"></div> <div v-bbcode="character.character.description" style="margin-bottom: 10px"></div>
<character-kinks :character="character" :oldApi="oldApi" ref="tab0"></character-kinks> <character-kinks :character="character" :oldApi="oldApi" ref="tab0"></character-kinks>
</div> </div>
<div role="tabpanel" class="tab-pane" :class="{active: tab == 1}" id="infotags"> <div role="tabpanel" class="tab-pane" :class="{active: tab == 1}" id="infotags">
@ -133,6 +133,7 @@
@Watch('name') @Watch('name')
async onCharacterSet(): Promise<void> { async onCharacterSet(): Promise<void> {
this.tab = '0';
return this._getCharacter(); return this._getCharacter();
} }

View File

@ -2,7 +2,7 @@
<div class="character-images row"> <div class="character-images row">
<div v-show="loading" class="alert alert-info">Loading images.</div> <div v-show="loading" class="alert alert-info">Loading images.</div>
<template v-if="!loading"> <template v-if="!loading">
<div class="character-image col-xs-6 col-sm-4 col-md-2" v-for="image in images" :key="image.id"> <div class="character-image col-6 col-sm-4 col-md-2" v-for="image in images" :key="image.id">
<a :href="imageUrl(image)" target="_blank" @click="handleImageClick($event, image)"> <a :href="imageUrl(image)" target="_blank" @click="handleImageClick($event, image)">
<img :src="thumbUrl(image)" :title="image.description"> <img :src="thumbUrl(image)" :title="image.description">
</a> </a>

View File

@ -15,7 +15,7 @@
</div> </div>
</div> </div>
<div class="form-row mt-3"> <div class="form-row mt-3">
<div class="col-6 col-lg-3"> <div class="col-sm-6 col-lg-3">
<div class="card bg-light"> <div class="card bg-light">
<div class="card-header"> <div class="card-header">
<h4>Favorites</h4> <h4>Favorites</h4>
@ -26,7 +26,7 @@
</div> </div>
</div> </div>
</div> </div>
<div class="col-6 col-lg-3"> <div class="col-sm-6 col-lg-3">
<div class="card bg-light"> <div class="card bg-light">
<div class="card-header"> <div class="card-header">
<h4>Yes</h4> <h4>Yes</h4>
@ -37,7 +37,7 @@
</div> </div>
</div> </div>
</div> </div>
<div class="col-6 col-lg-3"> <div class="col-sm-6 col-lg-3">
<div class="card bg-light"> <div class="card bg-light">
<div class="card-header"> <div class="card-header">
<h4>Maybe</h4> <h4>Maybe</h4>
@ -48,7 +48,7 @@
</div> </div>
</div> </div>
</div> </div>
<div class="col-6 col-lg-3"> <div class="col-sm-6 col-lg-3">
<div class="card bg-light"> <div class="card bg-light">
<div class="card-header"> <div class="card-header">
<h4>No</h4> <h4>No</h4>

View File

@ -1,16 +1,12 @@
<template> <template>
<div id="character-page-sidebar" class="card bg-light"> <div id="character-page-sidebar" class="card bg-light">
<div class="card-header"> <div class="card-header">
<div class="character-image-container">
<span class="character-name">{{ character.character.name }}</span> <span class="character-name">{{ character.character.name }}</span>
<div v-if="character.character.title" class="character-title">{{ character.character.title }}</div> <div v-if="character.character.title" class="character-title">{{ character.character.title }}</div>
<character-action-menu :character="character"></character-action-menu> <character-action-menu :character="character"></character-action-menu>
</div> </div>
</div>
<div class="card-body"> <div class="card-body">
<div class="character-image-container">
<img :src="avatarUrl(character.character.name)" class="character-avatar" style="margin-right:10px"> <img :src="avatarUrl(character.character.name)" class="character-avatar" style="margin-right:10px">
</div>
<div v-if="authenticated" class="d-flex justify-content-between flex-wrap character-links-block"> <div v-if="authenticated" class="d-flex justify-content-between flex-wrap character-links-block">
<template v-if="character.is_self"> <template v-if="character.is_self">
<a :href="editUrl" class="edit-link"><i class="fa fa-fw fa-pencil-alt"></i>Edit</a> <a :href="editUrl" class="edit-link"><i class="fa fa-fw fa-pencil-alt"></i>Edit</a>
@ -19,14 +15,17 @@
</template> </template>
<template v-else> <template v-else>
<span v-if="character.self_staff || character.settings.prevent_bookmarks !== true"> <span v-if="character.self_staff || character.settings.prevent_bookmarks !== true">
<a @click="toggleBookmark" :class="{bookmarked: character.bookmarked, unbookmarked: !character.bookmarked}"> <a @click.prevent="toggleBookmark" :class="{bookmarked: character.bookmarked, unbookmarked: !character.bookmarked}"
<i class="fa fa-fw" :class="{'fa-minus': character.bookmarked, 'fa-plus': !character.bookmarked}"></i>Bookmark</a> href="#" class="btn">
<i class="fa fa-fw" :class="{'fa-minus': character.bookmarked, 'fa-plus': !character.bookmarked}"></i>Bookmark
</a>
<span v-if="character.settings.prevent_bookmarks" class="prevents-bookmarks">!</span> <span v-if="character.settings.prevent_bookmarks" class="prevents-bookmarks">!</span>
</span> </span>
<a @click="showFriends" class="friend-link"><i class="fa fa-fw fa-user"></i>Friend</a> <a href="#" @click.prevent="showFriends" class="friend-link btn"><i class="fa fa-fw fa-user"></i>Friend</a>
<a v-if="!oldApi" @click="showReport" class="report-link"><i class="fa fa-fw fa-exclamation-triangle"></i>Report</a> <a href="#" v-if="!oldApi" @click.prevent="showReport" class="report-link btn">
<i class="fa fa-fw fa-exclamation-triangle"></i>Report</a>
</template> </template>
<a @click="showMemo" class="memo-link"><i class="far fa-sticky-note fa-fw"></i>Memo</a> <a href="#" @click.prevent="showMemo" class="memo-link btn"><i class="far fa-sticky-note fa-fw"></i>Memo</a>
</div> </div>
<div v-if="character.badges && character.badges.length > 0" class="badges-block"> <div v-if="character.badges && character.badges.length > 0" class="badges-block">
<div v-for="badge in character.badges" class="character-badge px-2 py-1" :class="badgeClass(badge)"> <div v-for="badge in character.badges" class="character-badge px-2 py-1" :class="badgeClass(badge)">

View File

@ -42,7 +42,7 @@ function rebuild(e: HTMLElement, binding: VNodeDirective): void {
newEl.disabled = true; newEl.disabled = true;
} }
} else { } else {
newEl = document.createElement('optgroup'); newEl = <any>document.createElement('optgroup'); //tslint:disable-line:no-any
newEl.label = op.label; newEl.label = op.label;
buildOptions(newEl, op.options); buildOptions(newEl, op.options);
} }

View File

@ -33,10 +33,10 @@ export function groupObjectBy<K extends string, T extends {[k in K]: string}>(ob
const newObject: Dictionary<T[]> = {}; const newObject: Dictionary<T[]> = {};
for(const objkey in obj) { for(const objkey in obj) {
if(!(objkey in obj)) continue; if(!(objkey in obj)) continue;
const realItem = obj[objkey]!; const realItem = <T>obj[objkey];
const newKey = realItem[key]; const newKey = realItem[key];
if(newObject[<string>newKey] === undefined) newObject[newKey] = []; if(newObject[<string>newKey] === undefined) newObject[newKey] = [];
newObject[<string>newKey]!.push(realItem); newObject[newKey]!.push(realItem);
} }
return newObject; return newObject;
} }

80
webchat/chat.ts Normal file
View File

@ -0,0 +1,80 @@
/**
* @license
* MIT License
*
* Copyright (c) 2017 F-List
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in all
* copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
* SOFTWARE.
*
* This license header applies to this file and all of the non-third-party assets it includes.
* @file The entry point for the web version of F-Chat 3.0.
* @copyright 2017 F-List
* @author Maya Wolf <maya@f-list.net>
* @version 3.0
* @see {@link https://github.com/f-list/exported|GitHub repo}
*/
import Axios from 'axios';
import * as Raven from 'raven-js';
import Vue from 'vue';
import Chat from '../chat/Chat.vue';
import {init as initCore} from '../chat/core';
import Notifications from '../chat/notifications';
import VueRaven from '../chat/vue-raven';
import Socket from '../chat/WebSocket';
import Connection from '../fchat/connection';
import '../scss/fa.scss'; //tslint:disable-line:no-import-side-effect
import {Logs, SettingsStore} from './logs';
declare const chatSettings: {account: string, theme: string, characters: ReadonlyArray<string>, defaultCharacter: string | null};
if(process.env.NODE_ENV === 'production') {
Raven.config('https://a9239b17b0a14f72ba85e8729b9d1612@sentry.f-list.net/2', {
release: `web-${require('./package.json').version}`, //tslint:disable-line:no-require-imports no-unsafe-any
dataCallback: (data: {culprit: string, exception: {values: {stacktrace: {frames: {filename: string}[]}}[]}}) => {
data.culprit = `~${data.culprit.substr(data.culprit.lastIndexOf('/'))}`;
for(const ex of data.exception.values)
for(const frame of ex.stacktrace.frames) {
const index = frame.filename.lastIndexOf('/');
frame.filename = index !== -1 ? `~${frame.filename.substr(index)}` : frame.filename;
}
}
}).addPlugin(VueRaven, Vue).install();
(<Window & {onunhandledrejection(e: PromiseRejectionEvent): void}>window).onunhandledrejection = (e: PromiseRejectionEvent) => {
Raven.captureException(<Error>e.reason);
};
}
const ticketProvider = async() => {
const data = (await Axios.post<{ticket?: string, error: string}>(
'/json/getApiTicket.php?no_friends=true&no_bookmarks=true&no_characters=true')).data;
if(data.ticket !== undefined) return data.ticket;
throw new Error(data.error);
};
initCore(new Connection('F-Chat 3.0 (Web)', '3.0', Socket, chatSettings.account, ticketProvider), Logs, SettingsStore, Notifications);
require(`../scss/themes/chat/${chatSettings.theme}.scss`);
new Chat({ //tslint:disable-line:no-unused-expression
el: '#app',
propsData: {
ownCharacters: chatSettings.characters,
defaultCharacter: chatSettings.defaultCharacter
}
});

121
webchat/logs.ts Normal file
View File

@ -0,0 +1,121 @@
import {EventMessage, Message} from '../chat/common';
import core from '../chat/core';
import {Conversation, Logs as Logging, Settings} from '../chat/interfaces';
type StoredConversation = {id: number, key: string, name: string};
type StoredMessage = {
id: number, conversation: number, type: Conversation.Message.Type, sender: string, text: string, time: Date, day: number
};
async function promisifyRequest<T>(req: IDBRequest): Promise<T> {
return new Promise<T>((resolve, reject) => {
req.onsuccess = () => resolve(<T>req.result);
req.onerror = reject;
});
}
async function promisifyTransaction(req: IDBTransaction): Promise<Event> {
return new Promise<Event>((resolve, reject) => {
req.oncomplete = resolve;
req.onerror = reject;
});
}
async function iterate<S, T>(request: IDBRequest, map: (stored: S) => T): Promise<ReadonlyArray<T>> {
const array: T[] = [];
return new Promise<ReadonlyArray<T>>((resolve, reject) => {
request.onsuccess = function(): void {
const c = <IDBCursorWithValue | undefined>this.result;
if(!c) return resolve(array); //tslint:disable-line:strict-boolean-expressions
array.push(map(<S>c.value));
c.continue();
};
request.onerror = reject;
});
}
const dayMs = 86400000;
export class Logs implements Logging {
index!: {[key: string]: StoredConversation | undefined};
db!: IDBDatabase;
constructor() {
core.connection.onEvent('connecting', async() => {
const request = window.indexedDB.open('logs');
request.onupgradeneeded = () => {
const db = <IDBDatabase>request.result;
const logsStore = db.createObjectStore('logs', {keyPath: 'id', autoIncrement: true});
logsStore.createIndex('conversation', 'conversation');
logsStore.createIndex('conversation-day', ['conversation', 'day']);
db.createObjectStore('conversations', {keyPath: 'id', autoIncrement: true});
};
this.db = await promisifyRequest<IDBDatabase>(request);
const trans = this.db.transaction(['conversations']);
this.index = {};
await iterate(trans.objectStore('conversations').openCursor(), (x: StoredConversation) => this.index[x.key] = x);
});
}
async logMessage(conversation: Conversation, message: Conversation.Message): Promise<void> {
const trans = this.db.transaction(['logs', 'conversations'], 'readwrite');
let conv = this.index[conversation.key];
if(conv === undefined) {
const convId = await promisifyRequest<number>(trans.objectStore('conversations').add(
{key: conversation.key, name: conversation.name}));
this.index[conversation.key] = conv = {id: convId, key: conversation.key, name: conversation.name};
}
const sender = message.type === Conversation.Message.Type.Event ? undefined : message.sender.name;
const day = Math.floor(message.time.getTime() / dayMs - message.time.getTimezoneOffset() / 1440);
await promisifyRequest<number>(trans.objectStore('logs').put(
{conversation: conv.id, type: message.type, sender, text: message.text, date: message.time, day}));
await promisifyTransaction(trans);
}
async getBacklog(conversation: Conversation): Promise<ReadonlyArray<Conversation.Message>> {
const trans = this.db.transaction(['logs', 'conversations']);
const conv = this.index[conversation.key];
if(conv === undefined) return [];
return iterate(trans.objectStore('logs').index('conversation').openCursor(conv.id, 'prev'),
(value: StoredMessage) => value.type === Conversation.Message.Type.Event ? new EventMessage(value.text, value.time) :
new Message(value.type, core.characters.get(value.sender), value.text, value.time));
}
get conversations(): ReadonlyArray<{key: string, name: string}> {
return Object.keys(this.index).map((k) => this.index[k]!);
}
async getLogs(key: string, date: Date): Promise<ReadonlyArray<Conversation.Message>> {
const trans = this.db.transaction(['logs']);
const id = this.index[key]!.id;
const day = Math.floor(date.getTime() / dayMs - date.getTimezoneOffset() / 1440);
return iterate(trans.objectStore('logs').index('conversation-day').openCursor([id, day]),
(value: StoredMessage) => value.type === Conversation.Message.Type.Event ? new EventMessage(value.text, value.time) :
new Message(value.type, core.characters.get(value.sender), value.text, value.time));
}
async getLogDates(key: string): Promise<ReadonlyArray<Date>> {
const trans = this.db.transaction(['logs']);
const offset = new Date().getTimezoneOffset() * 1440;
const id = this.index[key]!.id;
const bound = IDBKeyRange.bound([id, 0], [id, 100000]);
return iterate(trans.objectStore('logs').index('conversation-day').openCursor(bound, 'nextunique'),
(value: StoredMessage) => new Date(value.day * dayMs + offset));
}
}
export class SettingsStore implements Settings.Store {
async get<K extends keyof Settings.Keys>(key: K): Promise<Settings.Keys[K]> {
const stored = window.localStorage.getItem(`settings.${key}`);
return Promise.resolve(stored !== null ? JSON.parse(stored) : undefined);
}
async set<K extends keyof Settings.Keys>(key: K, value: Settings.Keys[K]): Promise<void> {
window.localStorage.setItem(`settings.${key}`, JSON.stringify(value));
return Promise.resolve();
}
async getAvailableCharacters(): Promise<ReadonlyArray<string>> {
return Promise.resolve([]);
}
}

14
webchat/package.json Normal file
View File

@ -0,0 +1,14 @@
{
"name": "net.f_list.fchat",
"version": "0.2.15",
"displayName": "F-Chat",
"author": "The F-List Team",
"description": "F-List.net Chat Client",
"main": "main.js",
"license": "MIT",
"scripts": {
"build": "node ../webpack development",
"build:dist": "node ../webpack production",
"watch": "node ../webpack watch"
}
}

20
webchat/tsconfig.json Normal file
View File

@ -0,0 +1,20 @@
{
"compilerOptions": {
"target": "es6",
"module": "commonjs",
"sourceMap": true,
"experimentalDecorators": true,
"allowJs": true,
"outDir": "build",
"noEmitHelpers": true,
"importHelpers": true,
"forceConsistentCasingInFileNames": true,
"strict": true,
"noUnusedLocals": true,
"noUnusedParameters": true
},
"include": ["chat.ts", "../**/*.d.ts"],
"exclude": [
"node_modules"
]
}

53
webchat/webpack.config.js Normal file
View File

@ -0,0 +1,53 @@
const path = require('path');
const ForkTsCheckerWebpackPlugin = require('fork-ts-checker-webpack-plugin');
const config = {
entry: __dirname + '/chat.ts',
output: {
path: __dirname + '/dist'
},
context: __dirname,
module: {
rules: [
{
test: /\.ts$/,
loader: 'ts-loader',
options: {
appendTsSuffixTo: [/\.vue$/],
configFile: __dirname + '/tsconfig.json',
transpileOnly: true
}
},
{
test: /\.vue$/,
loader: 'vue-loader',
options: {
preserveWhitespace: false,
cssSourceMap: false
}
},
{test: /\.eot(\?v=\d+\.\d+\.\d+)?$/, loader: 'file-loader'},
{test: /\.(woff2?)$/, loader: 'file-loader'},
{test: /\.ttf(\?v=\d+\.\d+\.\d+)?$/, loader: 'file-loader'},
{test: /\.svg(\?v=\d+\.\d+\.\d+)?$/, loader: 'file-loader'},
{test: /\.(wav|mp3|ogg)$/, loader: 'file-loader?name=sounds/[name].[ext]'},
{test: /\.scss/, use: ['style-loader', 'css-loader', 'sass-loader']}
]
},
plugins: [
new ForkTsCheckerWebpackPlugin({workers: 2, async: false, vue: true, tslint: path.join(__dirname, '../tslint.json')})
],
resolve: {
'extensions': ['.ts', '.js', '.vue', '.scss']
}
};
module.exports = function(mode) {
if(mode === 'production') {
process.env.NODE_ENV = 'production';
config.devtool = 'source-map';
} else {
config.devtool = 'none';
}
return config;
};