mirror of
https://github.com/gristlabs/grist-core.git
synced 2026-03-02 04:09:24 +00:00
(core) Add color options to choice config UI
Summary: Includes overhauled choice configuration UI for choice and choice list columns based on the TokenField library. Features include rich copy and paste support, keyboard shortcuts for token manipulation, and drag-and-drop support for arrangement. Configured choice colors are visible throughout the application, such as in the autocomplete window for both choice and choice list cells, and in table cells directly. Choice cells in particular are now styled closer to choice list cells, and render their contents as colored tokens. Choice cells now also use the improved autocomplete component that choice lists use, with some room for future improvement (e.g. allowing new choice items to be added inline like in choice list's autocomplete). Also includes a minor fix for choice list cells where right align was not working. Test Plan: Browser tests updated. Reviewers: jarek, dsagal Reviewed By: jarek, dsagal Subscribers: jarek Differential Revision: https://phab.getgrist.com/D2890
This commit is contained in:
@@ -21,83 +21,97 @@ import { Autocomplete, IAutocompleteOptions } from 'app/client/lib/autocomplete'
|
||||
import { colors, testId } from 'app/client/ui2018/cssVars';
|
||||
import { icon } from 'app/client/ui2018/icons';
|
||||
import { csvDecodeRow, csvEncodeRow } from 'app/common/csvFormat';
|
||||
import { computedArray, IObsArraySplice, ObsArray, obsArray, Observable } from 'grainjs';
|
||||
import { computedArray, IDisposableCtor, IObsArraySplice, ObsArray, obsArray, Observable } from 'grainjs';
|
||||
import { Disposable, dom, DomElementArg, Holder, styled } from 'grainjs';
|
||||
|
||||
export interface IToken {
|
||||
label: string;
|
||||
}
|
||||
|
||||
export interface ITokenFieldOptions {
|
||||
initialValue: IToken[];
|
||||
renderToken: (token: IToken) => DomElementArg;
|
||||
createToken: (inputText: string) => IToken|undefined;
|
||||
acOptions?: IAutocompleteOptions<IToken & ACItem>;
|
||||
export interface ITokenFieldOptions<Token extends IToken> {
|
||||
initialValue: Token[];
|
||||
renderToken: (token: Token) => DomElementArg;
|
||||
createToken: (inputText: string) => Token|undefined;
|
||||
acOptions?: IAutocompleteOptions<Token & ACItem>;
|
||||
openAutocompleteOnFocus?: boolean;
|
||||
styles?: ITokenFieldStyles;
|
||||
readonly?: boolean;
|
||||
keyBindings?: ITokenFieldKeyBindings;
|
||||
|
||||
// Allows overriding how tokens are copied to the clipboard, or retrieved from it.
|
||||
// By default, tokens are placed into clipboard as text/plain comma-separated token labels, with
|
||||
// CSV escaping, and pasted from clipboard by applying createToken() to parsed CSV text.
|
||||
tokensToClipboard?: (tokens: IToken[], clipboard: DataTransfer) => void;
|
||||
clipboardToTokens?: (clipboard: DataTransfer) => IToken[];
|
||||
tokensToClipboard?: (tokens: Token[], clipboard: DataTransfer) => void;
|
||||
clipboardToTokens?: (clipboard: DataTransfer) => Token[];
|
||||
}
|
||||
|
||||
/**
|
||||
* Overrides for default TokenField shortcut bindings.
|
||||
*
|
||||
* Values should be Key Values (https://developer.mozilla.org/en-US/docs/Web/API/KeyboardEvent/key/Key_Values).
|
||||
*/
|
||||
export interface ITokenFieldKeyBindings {
|
||||
previous?: string;
|
||||
next?: string;
|
||||
}
|
||||
|
||||
const defaultKeyBindings: Required<ITokenFieldKeyBindings> = {
|
||||
previous: 'ArrowLeft',
|
||||
next: 'ArrowRight'
|
||||
};
|
||||
|
||||
// TokenWrap serves to distinguish multiple instances of the same token in the list.
|
||||
class TokenWrap {
|
||||
constructor(public token: IToken) {}
|
||||
class TokenWrap<Token extends IToken> {
|
||||
constructor(public token: Token) {}
|
||||
}
|
||||
|
||||
class UndoItem {
|
||||
constructor(public redo: () => void, public undo: () => void) {}
|
||||
}
|
||||
|
||||
export class TokenField extends Disposable {
|
||||
public tokensObs: ObsArray<IToken>;
|
||||
export class TokenField<Token extends IToken = IToken> extends Disposable {
|
||||
public static ctor<T extends IToken>(): IDisposableCtor<TokenField<T>, [ITokenFieldOptions<T>]> {
|
||||
return this;
|
||||
}
|
||||
|
||||
private _acHolder = Holder.create<Autocomplete<IToken & ACItem>>(this);
|
||||
private _acOptions: IAutocompleteOptions<IToken & ACItem>|undefined;
|
||||
public tokensObs: ObsArray<Token>;
|
||||
|
||||
private _acHolder = Holder.create<Autocomplete<Token & ACItem>>(this);
|
||||
private _acOptions: IAutocompleteOptions<Token & ACItem>|undefined;
|
||||
private _rootElem: HTMLElement;
|
||||
private _textInput: HTMLInputElement;
|
||||
private _styles: Required<ITokenFieldStyles>;
|
||||
|
||||
// ClipboardAPI events work as expected only when the focus is in an actual input.
|
||||
// This is where we place focus when we have some tokens selected.
|
||||
private _hiddenInput: HTMLInputElement;
|
||||
|
||||
// Keys to navigate tokens. In a vertical list, these would be changed to Up/Down.
|
||||
// TODO Support a vertical list.
|
||||
private _keyPrev = 'ArrowLeft';
|
||||
private _keyNext = 'ArrowRight';
|
||||
private _keyBindings: Required<ITokenFieldKeyBindings>;
|
||||
|
||||
private _tokens = this.autoDispose(obsArray<TokenWrap>());
|
||||
private _selection = Observable.create(this, new Set<TokenWrap>());
|
||||
private _selectionAnchor: TokenWrap|null = null;
|
||||
private _tokens = this.autoDispose(obsArray<TokenWrap<Token>>());
|
||||
private _selection = Observable.create(this, new Set<TokenWrap<Token>>());
|
||||
private _selectionAnchor: TokenWrap<Token>|null = null;
|
||||
private _undoStack: UndoItem[] = [];
|
||||
private _undoIndex = 0; // The last action done; next to undo.
|
||||
private _inUndoRedo = false;
|
||||
|
||||
constructor(private _options: ITokenFieldOptions) {
|
||||
constructor(private _options: ITokenFieldOptions<Token>) {
|
||||
super();
|
||||
const addSelectedItem = this._addSelectedItem.bind(this);
|
||||
const openAutocomplete = this._openAutocomplete.bind(this);
|
||||
this._acOptions = _options.acOptions && {..._options.acOptions, onClick: addSelectedItem};
|
||||
this._tokens.set(_options.initialValue.map(t => new TokenWrap(t)));
|
||||
this.tokensObs = this.autoDispose(computedArray(this._tokens, t => t.token));
|
||||
this._keyBindings = {...defaultKeyBindings, ..._options.keyBindings};
|
||||
|
||||
// We can capture undo info in a consistent way as long as we change _tokens using its
|
||||
// obsArray interface, by listening to the splice events.
|
||||
this.autoDispose(this._tokens.addListener(this._recordUndo.bind(this)));
|
||||
|
||||
// Use overridden styles if any were provided.
|
||||
const {
|
||||
cssTokenField,
|
||||
cssToken,
|
||||
cssInputWrapper,
|
||||
cssTokenInput,
|
||||
cssDeleteButton,
|
||||
cssDeleteIcon} =
|
||||
{...tokenFieldStyles, ..._options.styles};
|
||||
this._styles = {...tokenFieldStyles, ..._options.styles};
|
||||
const {cssTokenField, cssToken, cssInputWrapper, cssTokenInput, cssDeleteButton, cssDeleteIcon} = this._styles;
|
||||
|
||||
function stop(ev: Event) {
|
||||
ev.stopPropagation();
|
||||
@@ -141,8 +155,8 @@ export class TokenField extends Disposable {
|
||||
a$: this._maybeSelectAllTokens.bind(this),
|
||||
Backspace$: this._maybeBackspace.bind(this),
|
||||
Delete$: this._maybeDelete.bind(this),
|
||||
[this._keyPrev + '$']: (ev) => this._maybeAdvance(ev, -1),
|
||||
[this._keyNext + '$']: (ev) => this._maybeAdvance(ev, +1),
|
||||
[this._keyBindings.previous + '$']: (ev) => this._maybeAdvance(ev, -1),
|
||||
[this._keyBindings.next + '$']: (ev) => this._maybeAdvance(ev, +1),
|
||||
// ['Mod+z'] triggers undo; ['Mod+Shift+Z', 'Ctrl+y' ] trigger redo
|
||||
z$: (ev) => { if (ev[modKeyProp()]) { ev.shiftKey ? this._redo(ev) : this._undo(ev); } },
|
||||
y$: (ev) => { if (ev.ctrlKey && !ev.shiftKey) { this._redo(ev); } },
|
||||
@@ -155,7 +169,7 @@ export class TokenField extends Disposable {
|
||||
}
|
||||
}),
|
||||
),
|
||||
dom.on('focus', () => this._hiddenInput.focus()),
|
||||
dom.on('focus', () => this._hiddenInput.focus({preventScroll: true})),
|
||||
dom.on('copy', this._onCopyEvent.bind(this)),
|
||||
dom.on('cut', this._onCutEvent.bind(this)),
|
||||
dom.on('paste', this._onPasteEvent.bind(this)),
|
||||
@@ -182,6 +196,13 @@ export class TokenField extends Disposable {
|
||||
return this._hiddenInput;
|
||||
}
|
||||
|
||||
// Replaces a token (if it exists)
|
||||
public replaceToken(label: string, newToken: Token): void {
|
||||
const tokenIdx = this._tokens.get().findIndex(t => t.token.label === label);
|
||||
if (tokenIdx === -1) { return; }
|
||||
this._tokens.splice(tokenIdx, 1, new TokenWrap(newToken));
|
||||
}
|
||||
|
||||
// Open the autocomplete dropdown, if autocomplete was configured in the options.
|
||||
private _openAutocomplete() {
|
||||
// don't open dropdown in a readonly mode
|
||||
@@ -194,7 +215,7 @@ export class TokenField extends Disposable {
|
||||
// Adds the typed-in or selected item. If an item is selected in autocomplete dropdown, adds
|
||||
// that; otherwise if options.createToken is present, creates a token from text input value.
|
||||
private _addSelectedItem(): boolean {
|
||||
let item: IToken|undefined = this._acHolder.get()?.getSelectedItem();
|
||||
let item: Token|undefined = this._acHolder.get()?.getSelectedItem();
|
||||
if (!item && this._options.createToken && this._textInput.value) {
|
||||
item = this._options.createToken(this._textInput.value);
|
||||
}
|
||||
@@ -218,10 +239,10 @@ export class TokenField extends Disposable {
|
||||
|
||||
// Handle for a click on a token or the token's delete button. This handles selection, including
|
||||
// Shift+Click and Ctrl+Click.
|
||||
private _onTokenClick(ev: MouseEvent, t: TokenWrap) {
|
||||
private _onTokenClick(ev: MouseEvent, t: TokenWrap<Token>) {
|
||||
const idx = this._tokens.get().indexOf(t);
|
||||
if (idx < 0) { return; }
|
||||
if (ev.target && (ev.target as HTMLElement).matches('.' + cssDeleteIcon.className)) {
|
||||
if (ev.target && (ev.target as HTMLElement).matches('.' + this._styles.cssDeleteIcon.className)) {
|
||||
// Delete token.
|
||||
this._tokens.splice(idx, 1);
|
||||
} else {
|
||||
@@ -266,6 +287,7 @@ export class TokenField extends Disposable {
|
||||
if (this._textInput.value === '') {
|
||||
ev.stopPropagation();
|
||||
ev.preventDefault();
|
||||
if (ev.repeat) { return; }
|
||||
if (this._selection.get().size === 0) {
|
||||
this._tokens.pop();
|
||||
} else {
|
||||
@@ -307,7 +329,7 @@ export class TokenField extends Disposable {
|
||||
}
|
||||
} else {
|
||||
// For arrow keys, move to the next token after the selection.
|
||||
let next: TokenWrap|null = null;
|
||||
let next: TokenWrap<Token>|null = null;
|
||||
if (this._selection.get().size > 0) {
|
||||
next = this._getNextToken(this._selection.get(), advance);
|
||||
} else if (advance < 0 && tokens.length > 0) {
|
||||
@@ -323,7 +345,7 @@ export class TokenField extends Disposable {
|
||||
}
|
||||
}
|
||||
|
||||
private _toggleTokenSelection(token: TokenWrap) {
|
||||
private _toggleTokenSelection(token: TokenWrap<Token>) {
|
||||
const selection = this._selection.get();
|
||||
if (selection.has(token)) {
|
||||
selection.delete(token);
|
||||
@@ -334,13 +356,13 @@ export class TokenField extends Disposable {
|
||||
this._selection.setAndTrigger(selection);
|
||||
}
|
||||
|
||||
private _resetTokenSelection(token: TokenWrap|null) {
|
||||
private _resetTokenSelection(token: TokenWrap<Token>|null) {
|
||||
this._selectionAnchor = token;
|
||||
this._selection.set(token ? new Set([token]) : new Set());
|
||||
}
|
||||
|
||||
// Delete the given set of tokens, and select either the following or the preceding one.
|
||||
private _deleteTokens(toDelete: Set<TokenWrap>, advance: 1|-1|0) {
|
||||
private _deleteTokens(toDelete: Set<TokenWrap<Token>>, advance: 1|-1|0) {
|
||||
if (this._selection.get().size === 0) { return; }
|
||||
const selectAfter = advance ? this._getNextToken(toDelete, advance) : null;
|
||||
this._tokens.set(this._tokens.get().filter(t => !toDelete.has(t)));
|
||||
@@ -348,13 +370,13 @@ export class TokenField extends Disposable {
|
||||
this._setFocus();
|
||||
}
|
||||
|
||||
private _getNextToken(selection: Set<TokenWrap>, advance: 1|-1): TokenWrap|null {
|
||||
private _getNextToken(selection: Set<TokenWrap<Token>>, advance: 1|-1): TokenWrap<Token>|null {
|
||||
const [first, last] = this._getSelectedIndexRange(selection);
|
||||
if (last < 0) { return null; }
|
||||
return this._tokens.get()[advance > 0 ? last + 1 : first - 1] || null;
|
||||
}
|
||||
|
||||
private _getSelectedIndexRange(selection: Set<TokenWrap>): [number, number] {
|
||||
private _getSelectedIndexRange(selection: Set<TokenWrap<Token>>): [number, number] {
|
||||
const tokens = this._tokens.get();
|
||||
let first = -1, last = -1;
|
||||
for (let i = 0; i < tokens.length; i++) {
|
||||
@@ -390,13 +412,13 @@ export class TokenField extends Disposable {
|
||||
private _onPasteEvent(ev: ClipboardEvent) {
|
||||
if (!ev.clipboardData) { return; }
|
||||
ev.preventDefault();
|
||||
let tokens: IToken[];
|
||||
let tokens: Token[];
|
||||
if (this._options.clipboardToTokens) {
|
||||
tokens = this._options.clipboardToTokens(ev.clipboardData);
|
||||
} else {
|
||||
const text = ev.clipboardData.getData('text/plain');
|
||||
const values = csvDecodeRow(text);
|
||||
tokens = values.map(v => this._options.createToken(v)).filter((t): t is IToken => Boolean(t));
|
||||
tokens = values.map(v => this._options.createToken(v)).filter((t): t is Token => Boolean(t));
|
||||
}
|
||||
if (!tokens.length) { return; }
|
||||
const wrappedTokens = tokens.map(t => new TokenWrap(t));
|
||||
@@ -417,10 +439,10 @@ export class TokenField extends Disposable {
|
||||
|
||||
// For a mousedown on a token, register events for mousemove/mouseup, and start dragging as soon
|
||||
// as mousemove occurs.
|
||||
private _onMouseDown(startEvent: MouseEvent, t: TokenWrap) {
|
||||
private _onMouseDown(startEvent: MouseEvent, t: TokenWrap<Token>) {
|
||||
const xInitial = startEvent.clientX;
|
||||
const yInitial = startEvent.clientY;
|
||||
const dragTargetSelector = `.${cssToken.className}, .${cssInputWrapper.className}`;
|
||||
const dragTargetSelector = `.${this._styles.cssToken.className}, .${this._styles.cssInputWrapper.className}`;
|
||||
|
||||
let started = false;
|
||||
let allTargets: HTMLElement[];
|
||||
@@ -468,7 +490,7 @@ export class TokenField extends Disposable {
|
||||
// end (just before or over the input box), destToken will be undefined.
|
||||
const index = allTargets.indexOf(ev.target as HTMLElement);
|
||||
if (index < 0) { return; }
|
||||
const destToken: TokenWrap|undefined = this._tokens.get()[index];
|
||||
const destToken: TokenWrap<Token>|undefined = this._tokens.get()[index];
|
||||
|
||||
const selection = this._selection.get();
|
||||
if (selection.has(destToken)) { return; } // Not actually moving anywhere new.
|
||||
@@ -491,7 +513,7 @@ export class TokenField extends Disposable {
|
||||
const stopLis = dom.onElem(document, 'mouseup', onStop, {useCapture: true});
|
||||
}
|
||||
|
||||
private _recordUndo(val: TokenWrap[], prev: TokenWrap[], change?: IObsArraySplice<TokenWrap>) {
|
||||
private _recordUndo(val: TokenWrap<Token>[], prev: TokenWrap<Token>[], change?: IObsArraySplice<TokenWrap<Token>>) {
|
||||
if (this._inUndoRedo) { return; }
|
||||
const splice = change || {start: 0, numAdded: val.length, deleted: [...prev]};
|
||||
const newTokens = val.slice(splice.start, splice.start + splice.numAdded);
|
||||
|
||||
@@ -1,212 +0,0 @@
|
||||
import {basicButton, primaryButton} from 'app/client/ui2018/buttons';
|
||||
import {colors, testId} from 'app/client/ui2018/cssVars';
|
||||
import {icon} from 'app/client/ui2018/icons';
|
||||
import {Computed, Disposable, dom, DomContents, DomElementArg, Observable, styled} from 'grainjs';
|
||||
import isEqual = require('lodash/isEqual');
|
||||
import uniq = require('lodash/uniq');
|
||||
|
||||
/**
|
||||
* ListEntry class to build a textarea of unique newline separated values, with a nice
|
||||
* display mode when the values are not being edited.
|
||||
*
|
||||
* Usage:
|
||||
* > dom.create(ListEntry, values, (vals) => choices.saveOnly(vals));
|
||||
*/
|
||||
export class ListEntry extends Disposable {
|
||||
// Should start in edit mode if there are no initial values.
|
||||
private _isEditing: Observable<boolean> = Observable.create(this, this._values.get().length === 0);
|
||||
private _textVal: Observable<string> = Observable.create(this, "");
|
||||
|
||||
constructor(
|
||||
private _values: Observable<string[]>,
|
||||
private _onSave: (values: string[]) => void
|
||||
) {
|
||||
super();
|
||||
|
||||
// Since the saved values can be modified outside the ListEntry (via undo/redo),
|
||||
// add a listener to update edit status on changes.
|
||||
this.autoDispose(this._values.addListener(values => {
|
||||
if (values.length === 0) { this._textVal.set(""); }
|
||||
this._isEditing.set(values.length === 0);
|
||||
}));
|
||||
}
|
||||
|
||||
// Arg maxRows indicates the number of rows to display when the textarea is inactive.
|
||||
public buildDom(maxRows: number = 6): DomContents {
|
||||
return dom.domComputed(this._isEditing, (editMode) => {
|
||||
if (editMode) {
|
||||
// Edit mode dom.
|
||||
let textArea: HTMLTextAreaElement;
|
||||
return cssVerticalFlex(
|
||||
cssListBox(
|
||||
textArea = cssListTextArea(
|
||||
dom.prop('value', this._textVal),
|
||||
dom.on('input', (ev, elem) => this._textVal.set(elem.value)),
|
||||
(elem) => this._focusOnOpen(elem),
|
||||
dom.on('blur', (ev, elem) => { setTimeout(() => this._save(elem), 0); }),
|
||||
dom.onKeyDown({Escape: (ev, elem) => this._save(elem)}),
|
||||
// Keep height to be two rows taller than the number of text rows
|
||||
dom.style('height', (use) => {
|
||||
const rows = use(this._textVal).split('\n').length;
|
||||
return `${(rows + 2) * 22}px`;
|
||||
})
|
||||
),
|
||||
cssHelpLine(
|
||||
cssIdeaIcon('Idea'), 'Type one option per line'
|
||||
),
|
||||
testId('list-entry')
|
||||
),
|
||||
// Show buttons if the textArea has or had valid text content
|
||||
dom.maybe((use) => use(this._values).length > 0 || use(this._textVal).trim().length > 0, () =>
|
||||
cssButtonRow(
|
||||
primaryButton('Save', {style: 'margin-right: 8px;'},
|
||||
// Prevent textarea focus loss on mousedown
|
||||
dom.on('mousedown', (ev) => ev.preventDefault()),
|
||||
dom.on('click', () => this._save(textArea)),
|
||||
testId('list-entry-save')
|
||||
),
|
||||
basicButton('Cancel',
|
||||
// Prevent textarea focus loss on mousedown
|
||||
dom.on('mousedown', (ev) => ev.preventDefault()),
|
||||
dom.on('click', () => this._cancel()),
|
||||
testId('list-entry-cancel')
|
||||
)
|
||||
)
|
||||
)
|
||||
);
|
||||
} else {
|
||||
// Inactive display dom.
|
||||
const someValues = Computed.create(null, this._values, (use, values) =>
|
||||
values.length <= maxRows ? values : values.slice(0, maxRows - 1));
|
||||
return cssListBoxInactive(
|
||||
dom.autoDispose(someValues),
|
||||
dom.forEach(someValues, val => this._row(val)),
|
||||
// Show description row for any remaining rows
|
||||
dom.maybe(use => use(this._values).length > maxRows, () =>
|
||||
this._row(
|
||||
dom.text((use) => `+${use(this._values).length - (maxRows - 1)} more`)
|
||||
)
|
||||
),
|
||||
dom.on('click', () => this._startEditing()),
|
||||
testId('list-entry')
|
||||
);
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
// Build a display row with the given text value
|
||||
private _row(...domArgs: DomElementArg[]): Element {
|
||||
return cssListRow(
|
||||
...domArgs,
|
||||
testId('list-entry-row')
|
||||
);
|
||||
}
|
||||
|
||||
// Indicates whether the listEntry currently has saved values.
|
||||
private _hasValues(): boolean {
|
||||
return this._values.get().length > 0;
|
||||
}
|
||||
|
||||
private _startEditing(): void {
|
||||
this._textVal.set(this._hasValues() ? (this._values.get().join('\n') + '\n') : '');
|
||||
this._isEditing.set(true);
|
||||
}
|
||||
|
||||
private _save(elem: HTMLTextAreaElement): void {
|
||||
if (!this._isEditing.get()) { return; }
|
||||
const newValues = uniq(
|
||||
elem.value.split('\n')
|
||||
.map(val => val.trim())
|
||||
.filter(val => val !== '')
|
||||
);
|
||||
// Call user save function if the values have changed.
|
||||
if (!isEqual(this._values.get(), newValues)) {
|
||||
// Because of the listener on this._values, editing will stop if values are updated.
|
||||
this._onSave(newValues);
|
||||
} else {
|
||||
this._cancel();
|
||||
}
|
||||
}
|
||||
|
||||
private _cancel(): void {
|
||||
if (this._hasValues()) {
|
||||
this._isEditing.set(false);
|
||||
} else {
|
||||
this._textVal.set("");
|
||||
}
|
||||
}
|
||||
|
||||
private _focusOnOpen(elem: HTMLTextAreaElement): void {
|
||||
// Do not grab focus if the textArea is empty, since it indicates that the listEntry
|
||||
// started in edit mode, and was not set to be so by the user.
|
||||
if (this._textVal.get()) {
|
||||
setTimeout(() => focus(elem), 0);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Helper to focus on the textarea and select/scroll to the bottom
|
||||
function focus(elem: HTMLTextAreaElement) {
|
||||
elem.focus();
|
||||
elem.setSelectionRange(elem.value.length, elem.value.length);
|
||||
elem.scrollTo(0, elem.scrollHeight);
|
||||
}
|
||||
|
||||
const cssListBox = styled('div', `
|
||||
width: 100%;
|
||||
background-color: white;
|
||||
padding: 1px;
|
||||
border: 1px solid ${colors.hover};
|
||||
border-radius: 4px;
|
||||
`);
|
||||
|
||||
const cssListBoxInactive = styled(cssListBox, `
|
||||
cursor: pointer;
|
||||
border: 1px solid ${colors.darkGrey};
|
||||
|
||||
&:hover {
|
||||
border: 1px solid ${colors.hover};
|
||||
}
|
||||
`);
|
||||
|
||||
const cssListTextArea = styled('textarea', `
|
||||
width: 100%;
|
||||
max-height: 150px;
|
||||
padding: 2px 12px;
|
||||
line-height: 22px;
|
||||
border: none;
|
||||
outline: none;
|
||||
resize: none;
|
||||
`);
|
||||
|
||||
const cssListRow = styled('div', `
|
||||
margin: 4px;
|
||||
padding: 4px 8px;
|
||||
color: ${colors.dark};
|
||||
background-color: ${colors.mediumGrey};
|
||||
border-radius: 4px;
|
||||
overflow: hidden;
|
||||
text-overflow: ellipsis;
|
||||
`);
|
||||
|
||||
const cssHelpLine = styled('div', `
|
||||
display: flex;
|
||||
margin: 2px 8px 8px 8px;
|
||||
color: ${colors.slate};
|
||||
`);
|
||||
|
||||
const cssIdeaIcon = styled(icon, `
|
||||
background-color: ${colors.lightGreen};
|
||||
margin-right: 4px;
|
||||
`);
|
||||
|
||||
const cssVerticalFlex = styled('div', `
|
||||
width: 100%;
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
`);
|
||||
|
||||
const cssButtonRow = styled('div', `
|
||||
display: flex;
|
||||
margin: 16px 0;
|
||||
`);
|
||||
Reference in New Issue
Block a user