diff --git a/client/css/forms.styl b/client/css/forms.styl
index 8499056..406482e 100644
--- a/client/css/forms.styl
+++ b/client/css/forms.styl
@@ -251,3 +251,27 @@ input[type=file]:active+.file-dropper,
input[type=file]:focus+.file-dropper,
.file-dropper.active
border-color: $main-color
+
+
+
+.autocomplete
+ position: absolute
+ z-index: 10
+ background: white
+ border: 2px solid $main-color
+ display: none
+ font-size: 0.95em
+ ul
+ list-style-type: none
+ margin: 0
+ padding: 0
+ li
+ margin: 0
+ a
+ display: block
+ padding: 0.1em 0.5em
+ &.active a, a:hover
+ background: $button-enabled-background-color
+ color: $button-enabled-text-color
+ span
+ color: $button-enabled-text-color
diff --git a/client/css/main.styl b/client/css/main.styl
index b27340f..c580e12 100644
--- a/client/css/main.styl
+++ b/client/css/main.styl
@@ -1,5 +1,11 @@
@import colors
+/* make
cover entire viewport */
+html
+ height: 100%
+body
+ min-height: 100%
+
body
overflow-y: scroll
margin: 0
diff --git a/client/js/util/polyfill.js b/client/js/util/polyfill.js
index 01a8148..2379e65 100644
--- a/client/js/util/polyfill.js
+++ b/client/js/util/polyfill.js
@@ -65,3 +65,11 @@ if (!String.prototype.format) {
return str;
};
}
+
+Number.prototype.between = function(a, b, inclusive) {
+ const min = Math.min(a, b);
+ const max = Math.max(a, b);
+ return inclusive ?
+ this >= min && this <= max :
+ this > min && this < max;
+};
diff --git a/client/js/views/auto_complete_control.js b/client/js/views/auto_complete_control.js
new file mode 100644
index 0000000..9416ce1
--- /dev/null
+++ b/client/js/views/auto_complete_control.js
@@ -0,0 +1,278 @@
+'use strict';
+
+const lodash = require('lodash');
+const views = require('../util/views.js');
+
+const KEY_TAB = 9;
+const KEY_RETURN = 13;
+const KEY_DELETE = 46;
+const KEY_ESCAPE = 27;
+const KEY_UP = 38;
+const KEY_DOWN = 40;
+
+function getSelectionStart(input) {
+ if ('selectionStart' in input) {
+ return input.selectionStart;
+ }
+ if (document.selection) {
+ input.focus();
+ const sel = document.selection.createRange();
+ const selLen = document.selection.createRange().text.length;
+ sel.moveStart('character', -input.value.length);
+ return sel.text.length - selLen;
+ }
+ return 0;
+}
+
+class AutoCompleteControl {
+ constructor(input, options) {
+ this.input = input;
+ this.options = lodash.extend({}, {
+ source: null,
+ maxResults: 15,
+ getTextToFind: () => {
+ const value = this.input.value;
+ const start = getSelectionStart(this.input);
+ return value.substring(0, start).replace(/.*\s+/, '');
+ },
+ confirm: text => {
+ const start = getSelectionStart(this.input);
+ let prefix = '';
+ let suffix = this.input.value.substring(start);
+ let middle = this.input.value.substring(0, start);
+ const index = middle.lastIndexOf(' ');
+ if (index !== -1) {
+ prefix = this.input.value.substring(0, index + 1);
+ middle = this.input.value.substring(index + 1);
+ }
+ this.input.value = prefix +
+ this.results[this.activeResult].value +
+ ' ' +
+ suffix.trimLeft();
+ this.input.focus();
+ },
+ delete: text => {
+ },
+ getMatches: null,
+ }, options);
+
+ this.showTimeout = null;
+ this.results = [];
+ this.activeResult = -1;
+
+ this.install();
+ }
+
+ install() {
+ if (!this.input) {
+ throw new Error('Input element was not found');
+ }
+ if (this.input.getAttribute('data-autocomplete')) {
+ throw new Error(
+ 'Autocompletion was already added for this element');
+ }
+ this.input.setAttribute('data-autocomplete', true);
+ this.input.setAttribute('autocomplete', 'off');
+
+ this.input.addEventListener(
+ 'keydown',
+ e => {
+ const key = e.which;
+ const shift = e.shiftKey;
+ let func = null;
+ if (this.isVisible) {
+ if (key === KEY_ESCAPE) {
+ func = this.hide;
+ } else if (key === KEY_TAB && shift) {
+ func = () => { this.selectPrevious(); };
+ } else if (key === KEY_TAB && !shift) {
+ func = () => { this.selectNext(); };
+ } else if (key === KEY_UP) {
+ func = () => { this.selectPrevious(); };
+ } else if (key === KEY_DOWN) {
+ func = () => { this.selectNext(); };
+ } else if (key === KEY_RETURN && this.activeResult >= 0) {
+ func = () => {
+ this.options.confirm(this.getActiveSuggestion());
+ this.hide();
+ };
+ } else if (key === KEY_DELETE && this.activeResult >= 0) {
+ func = () => {
+ this.options.delete(this.getActiveSuggestion());
+ this.hide();
+ };
+ }
+ }
+
+ if (func !== null) {
+ e.preventDefault();
+ e.stopPropagation();
+ e.stopImmediatePropagation();
+ func();
+ } else {
+ window.clearTimeout(this.showTimeout);
+ this.showTimeout = window.setTimeout(
+ () => { this.showOrHide(); },
+ 250);
+ }
+ });
+
+ this.input.addEventListener(
+ 'blur',
+ e => {
+ window.clearTimeout(this.showTimeout);
+ window.setTimeout(() => { this.hide(); }, 50);
+ });
+
+ this.suggestionDiv = views.htmlToDom(
+ '');
+ this.suggestionList = this.suggestionDiv.querySelector('ul');
+ document.body.appendChild(this.suggestionDiv);
+ }
+
+ getActiveSuggestion() {
+ if (this.activeResult === -1) {
+ return null;
+ }
+ return this.results[this.activeResult].value;
+ }
+
+ showOrHide() {
+ const textToFind = this.options.getTextToFind();
+ if (!textToFind || !textToFind.length) {
+ this.hide();
+ } else {
+ this.updateResults(textToFind);
+ this.refreshList();
+ }
+ }
+
+ show() {
+ this.suggestionDiv.style.display = 'block';
+ this.isVisible = true;
+ }
+
+ hide() {
+ if (this.showTimeout) {
+ window.clearTimeout(this.showTimeout);
+ }
+ this.suggestionDiv.style.display = 'none';
+ this.isVisible = false;
+ }
+
+ selectPrevious() {
+ this.select(this.activeResult === -1 ?
+ this.results.length - 1 :
+ this.activeResult - 1);
+ }
+
+ selectNext() {
+ this.select(this.activeResult === -1 ? 0 : this.activeResult + 1);
+ }
+
+ select(newActiveResult) {
+ this.activeResult =
+ newActiveResult.between(0, this.results.length - 1, true) ?
+ newActiveResult :
+ -1;
+ this.refreshActiveResult();
+ }
+
+ updateResults(textToFind) {
+ const oldResults = this.results.slice();
+ this.results =
+ this.options.getMatches(textToFind)
+ .slice(0, this.options.maxResults);
+ if (!lodash.isEqual(oldResults, this.results)) {
+ this.activeResult = -1;
+ }
+ }
+
+ refreshList() {
+ if (this.results.length === 0) {
+ this.hide();
+ return;
+ }
+
+ while (this.suggestionList.firstChild) {
+ this.suggestionList.removeChild(this.suggestionList.firstChild);
+ }
+ lodash.each(
+ this.results,
+ (resultItem, resultIndex) => {
+ const listItem = document.createElement('li');
+ const link = document.createElement('a');
+ link.href = '#';
+ link.innerHTML = resultItem.caption;
+ link.setAttribute('data-key', resultItem.value);
+ link.addEventListener(
+ 'mouseenter',
+ e => {
+ e.preventDefault();
+ this.activeResult = resultIndex;
+ this.refreshActiveResult();
+ });
+ link.addEventListener(
+ 'mousedown',
+ e => {
+ e.preventDefault();
+ this.activeResult = resultIndex;
+ this.options.confirm(this.getActiveSuggestion());
+ this.hide();
+ });
+ listItem.appendChild(link);
+ this.suggestionList.appendChild(listItem);
+ });
+ this.refreshActiveResult();
+
+ // display the suggestions offscreen to get the height
+ this.suggestionDiv.style.left = '-9999px';
+ this.suggestionDiv.style.top = '-9999px';
+ this.show();
+ const borderSize = 2;
+ const inputRect = this.input.getBoundingClientRect();
+ const bodyRect = document.body.getBoundingClientRect();
+ const viewPortHeight = bodyRect.bottom - bodyRect.top;
+ let listRect = this.suggestionDiv.getBoundingClientRect();
+
+ // choose where to view the suggestions: if there's more space above
+ // the input - draw the suggestions above it, otherwise below
+ const direction =
+ inputRect.top + inputRect.height / 2 < viewPortHeight / 2 ? 1 : -1;
+
+ let x = inputRect.left - bodyRect.left;
+ let y = direction == 1 ?
+ inputRect.bottom - bodyRect.top - borderSize :
+ inputRect.top - bodyRect.top - listRect.height + borderSize;
+
+ // remove offscreen items until whole suggestion list can fit on the
+ // screen
+ while ((y < 0 || y + listRect.height > viewPortHeight) &&
+ this.suggestionList.childNodes.length) {
+ this.suggestionList.removeChild(this.suggestionList.lastChild);
+ const prevHeight = listRect.height;
+ listRect = this.suggestionDiv.getBoundingClientRect();
+ const heightDelta = prevHeight - listRect.height;
+ if (direction == -1) {
+ y += heightDelta;
+ }
+ }
+
+ this.suggestionDiv.style.left = x + 'px';
+ this.suggestionDiv.style.top = y + 'px';
+ }
+
+ refreshActiveResult() {
+ let activeItem = this.suggestionList.querySelector('li.active');
+ if (activeItem) {
+ activeItem.classList.remove('active');
+ }
+ if (this.activeResult >= 0) {
+ const allItems = this.suggestionList.querySelectorAll('li');
+ activeItem = allItems[this.activeResult];
+ activeItem.classList.add('active');
+ }
+ }
+};
+
+module.exports = AutoCompleteControl;
diff --git a/client/js/views/tag_auto_complete_control.js b/client/js/views/tag_auto_complete_control.js
new file mode 100644
index 0000000..b58fef9
--- /dev/null
+++ b/client/js/views/tag_auto_complete_control.js
@@ -0,0 +1,44 @@
+'use strict';
+
+const lodash = require('lodash');
+const tags = require('../tags.js');
+const AutoCompleteControl = require('./auto_complete_control.js');
+
+class TagAutoCompleteControl extends AutoCompleteControl {
+ constructor(input, options) {
+ const allTags = tags.getExport().tags;
+ const caseSensitive = false;
+ const minLengthForPartialSearch = 3;
+
+ if (!options) {
+ options = {};
+ }
+
+ options.getMatches = text => {
+ const regex = new RegExp(
+ text.length < minLengthForPartialSearch ?
+ '^' + lodash.escapeRegExp(text) :
+ lodash.escapeRegExp(text),
+ caseSensitive ? '' : 'i');
+ return Array.from(allTags.entries())
+ .filter(kv => kv[0].match(regex))
+ .sort((kv1, kv2) => {
+ return kv2[1].usages - kv1[1].usages;
+ })
+ .map(kv => {
+ return {
+ caption:
+ '{1} ({2})'.format(
+ kv[1].category,
+ kv[0],
+ kv[1].usages),
+ value: kv[0],
+ };
+ });
+ };
+
+ super(input, options);
+ }
+};
+
+module.exports = TagAutoCompleteControl;
diff --git a/client/js/views/tag_merge_view.js b/client/js/views/tag_merge_view.js
index 2064680..ee40c45 100644
--- a/client/js/views/tag_merge_view.js
+++ b/client/js/views/tag_merge_view.js
@@ -2,6 +2,7 @@
const config = require('../config.js');
const views = require('../util/views.js');
+const TagAutoCompleteControl = require('./tag_auto_complete_control.js');
class TagMergeView {
constructor() {
@@ -15,11 +16,14 @@ class TagMergeView {
const source = this.template(ctx);
const form = source.querySelector('form');
+ const otherTagField = source.querySelector('.target input');
views.decorateValidator(form);
+ if (otherTagField) {
+ new TagAutoCompleteControl(otherTagField);
+ }
form.addEventListener('submit', e => {
- const otherTagField = source.querySelector('.target input');
e.preventDefault();
views.clearMessages(target);
diff --git a/client/js/views/tag_summary_view.js b/client/js/views/tag_summary_view.js
index 1b73c74..3300c4a 100644
--- a/client/js/views/tag_summary_view.js
+++ b/client/js/views/tag_summary_view.js
@@ -2,6 +2,7 @@
const config = require('../config.js');
const views = require('../util/views.js');
+const TagAutoCompleteControl = require('./tag_auto_complete_control.js');
function split(str) {
return str.split(/\s+/).filter(s => s);
@@ -20,16 +21,22 @@ class TagSummaryView {
const source = this.template(ctx);
const form = source.querySelector('form');
+ const namesField = source.querySelector('.names input');
+ const categoryField = source.querySelector('.category select');
+ const implicationsField =
+ source.querySelector('.implications input');
+ const suggestionsField = source.querySelector('.suggestions input');
+
+ if (implicationsField) {
+ new TagAutoCompleteControl(implicationsField);
+ }
+ if (suggestionsField) {
+ new TagAutoCompleteControl(suggestionsField);
+ }
views.decorateValidator(form);
form.addEventListener('submit', e => {
- const namesField = source.querySelector('.names input');
- const categoryField = source.querySelector('.category select');
- const implicationsField =
- source.querySelector('.implications input');
- const suggestionsField = source.querySelector('.suggestions input');
-
e.preventDefault();
views.clearMessages(target);
views.disableForm(form);
diff --git a/client/js/views/tags_header_view.js b/client/js/views/tags_header_view.js
index 93f187f..565f7de 100644
--- a/client/js/views/tags_header_view.js
+++ b/client/js/views/tags_header_view.js
@@ -4,6 +4,7 @@ const page = require('page');
const keyboard = require('../util/keyboard.js');
const misc = require('../util/misc.js');
const views = require('../util/views.js');
+const TagAutoCompleteControl = require('./tag_auto_complete_control.js');
class TagsHeaderView {
constructor() {
@@ -15,6 +16,11 @@ class TagsHeaderView {
const source = this.template(ctx);
const form = source.querySelector('form');
+ const searchTextInput = form.querySelector('[name=search-text]');
+
+ if (searchTextInput) {
+ new TagAutoCompleteControl(searchTextInput);
+ }
keyboard.bind('q', () => {
form.querySelector('input').focus();
@@ -22,7 +28,6 @@ class TagsHeaderView {
form.addEventListener('submit', e => {
e.preventDefault();
- const searchTextInput = form.querySelector('[name=search-text]');
const text = searchTextInput.value;
searchTextInput.blur();
page('/tags/' + misc.formatSearchQuery({text: text}));