Refactored moving

This commit is contained in:
Jori Lallo
2017-10-01 18:36:44 -07:00
parent 9fc1731f99
commit 466f6a509b
5 changed files with 167 additions and 145 deletions

View File

@ -1,9 +1,10 @@
// @flow // @flow
import React, { Component } from 'react'; import React, { Component } from 'react';
import ReactDOM from 'react-dom'; import ReactDOM from 'react-dom';
import { observable, action } from 'mobx'; import { observable, computed, action } from 'mobx';
import { observer, inject } from 'mobx-react'; import { observer, inject } from 'mobx-react';
import { withRouter } from 'react-router'; import { withRouter } from 'react-router';
import { Search } from 'js-search';
import ArrowKeyNavigation from 'boundless-arrow-key-navigation'; import ArrowKeyNavigation from 'boundless-arrow-key-navigation';
import _ from 'lodash'; import _ from 'lodash';
import styled from 'styled-components'; import styled from 'styled-components';
@ -17,25 +18,89 @@ import PathToDocument from './components/PathToDocument';
import Document from 'models/Document'; import Document from 'models/Document';
import DocumentsStore from 'stores/DocumentsStore'; import DocumentsStore from 'stores/DocumentsStore';
import CollectionsStore from 'stores/CollectionsStore';
type Props = { type Props = {
match: Object, match: Object,
history: Object, history: Object,
document: Document, document: Document,
documents: DocumentsStore, documents: DocumentsStore,
collections: CollectionsStore,
}; };
type DocumentResult = {
id: string,
title: string,
type: 'document' | 'collection',
}
type SearchResult = DocumentResult & {
path: Array<DocumentResult>,
}
@observer class DocumentMove extends Component { @observer class DocumentMove extends Component {
props: Props; props: Props;
firstDocument: HTMLElement; firstDocument: HTMLElement;
@observable searchTerm: ?string;
@observable isSaving: boolean; @observable isSaving: boolean;
@observable resultIds: Array<string> = []; // Document IDs
@observable searchTerm: ?string = null;
@observable isFetching = false;
componentDidMount() { @computed
this.setDefaultResult(); get searchIndex() {
const { document, collections } = this.props;
const paths = collections.pathsToDocuments;
const index = new Search('id');
index.addIndex('title');
// Build index
paths.forEach(path => {
// TMP: For now, exclude paths to other collections
if (_.first(path).id !== document.collection.id) return;
const tail = _.last(path);
index.addDocuments([{
...tail,
path: path,
}]);
});
return index;
}
@computed get results(): Array<SearchResult> {
const { document, collections } = this.props;
let results = [];
if (collections.isLoaded) {
if (this.searchTerm) {
// Search by
results = this.searchIndex.search(this.searchTerm);
} else {
// Default results, root of the current collection
results = document.collection.documents.map(
doc => collections.getPathForDocument(doc.id)
);
}
}
if (document.parentDocumentId) {
// Add root if document does have a parent document
results = [
collections.getPathForDocument(document.collection.id),
...results,
]
} else {
// Exclude root from search results if document is already at the root
results = results.filter(result =>
result.id !== document.collection.id);
}
// Exclude document if on the path to result, or the same result
results = results.filter(result => {
return !result.path.map(doc => doc.id).includes(document.parentDocumentId);
});
return results;
} }
handleKeyDown = ev => { handleKeyDown = ev => {
@ -53,101 +118,57 @@ type Props = {
this.props.history.push(this.props.document.url); this.props.history.push(this.props.document.url);
}; };
handleFilter = (ev: SyntheticInputEvent) => { handleFilter = (e: SyntheticInputEvent) => {
this.searchTerm = ev.target.value; this.searchTerm = e.target.value;
this.updateSearchResults();
}; };
updateSearchResults = _.debounce(() => {
this.search();
}, 250);
setFirstDocumentRef = ref => { setFirstDocumentRef = ref => {
this.firstDocument = ref; this.firstDocument = ref;
}; };
@action setDefaultResult() {
this.resultIds = this.props.document.collection.documents.map(
doc => doc.id
);
}
@action search = async () => {
this.isFetching = true;
if (this.searchTerm) {
try {
this.resultIds = await this.props.documents.search(this.searchTerm);
} catch (e) {
console.error('Something went wrong');
}
} else {
this.setDefaultResult();
}
this.isFetching = false;
};
render() { render() {
const { document, documents } = this.props; const { document, documents, collections } = this.props;
let resultSet;
resultSet = this.resultIds.filter(docId => {
const resultDoc = documents.getById(docId);
if (document && resultDoc) {
return (
// Exclude the document if it's on the path to a potential new path
!resultDoc.pathToDocument.map(doc => doc.id).includes(document.id) &&
// Exclude if the same path, e.g the last one before the current
_.last(resultDoc.pathToDocument).id !== document.parentDocumentId
);
}
return true;
});
// Prepend root if document does have a parent document
resultSet = document.parentDocumentId
? _.concat(null, resultSet)
: this.resultIds;
return ( return (
<Modal isOpen onRequestClose={this.handleClose} title="Move document"> <Modal isOpen onRequestClose={this.handleClose} title="Move document">
<Section> {collections.isLoaded ? (
<Labeled label="Current location">
<PathToDocument documentId={document.id} documents={documents} />
</Labeled>
</Section>
<Section column>
<Labeled label="Choose a new location">
<Input
type="text"
placeholder="Filter by document name"
onKeyDown={this.handleKeyDown}
onChange={this.handleFilter}
required
autoFocus
/>
</Labeled>
<Flex column> <Flex column>
<StyledArrowKeyNavigation <Section>
mode={ArrowKeyNavigation.mode.VERTICAL} <Labeled label="Current location">
defaultActiveChildIndex={0} <PathToDocument result={collections.getPathForDocument(document.id)} />
> </Labeled>
{resultSet.map((documentId, index) => ( </Section>
<PathToDocument
key={documentId || document.id} <Section column>
documentId={documentId} <Labeled label="Choose a new location">
documents={documents} <Input
document={document} type="text"
ref={ref => index === 0 && this.setFirstDocumentRef(ref)} placeholder="Filter by document name"
onSuccess={this.handleClose} onKeyDown={this.handleKeyDown}
onChange={this.handleFilter}
required
autoFocus
/> />
))} </Labeled>
</StyledArrowKeyNavigation> <Flex column>
<StyledArrowKeyNavigation
mode={ArrowKeyNavigation.mode.VERTICAL}
defaultActiveChildIndex={0}
>
{this.results.map((result, index) => (
<PathToDocument
key={result.id}
result={result}
document={document}
ref={ref => index === 0 && this.setFirstDocumentRef(ref)}
onClick={ () => 'move here' }
/>
))}
</StyledArrowKeyNavigation>
</Flex>
</Section>
</Flex> </Flex>
</Section> ) : <div>loading</div>}
</Modal> </Modal>
); );
} }
@ -163,4 +184,4 @@ const StyledArrowKeyNavigation = styled(ArrowKeyNavigation)`
flex: 1; flex: 1;
`; `;
export default withRouter(inject('documents')(DocumentMove)); export default withRouter(inject('documents', 'collections')(DocumentMove));

View File

@ -9,9 +9,6 @@ import { color } from 'styles/constants';
import Flex from 'components/Flex'; import Flex from 'components/Flex';
import ChevronIcon from 'components/Icon/ChevronIcon'; import ChevronIcon from 'components/Icon/ChevronIcon';
import Document from 'models/Document';
import DocumentsStore from 'stores/DocumentsStore';
const ResultWrapper = styled.div` const ResultWrapper = styled.div`
display: flex; display: flex;
margin-bottom: 10px; margin-bottom: 10px;
@ -48,59 +45,36 @@ const ResultWrapperLink = ResultWrapper.withComponent('a').extend`
`; `;
type Props = { type Props = {
documentId?: string, result: Object,
onSuccess?: Function, document: Document,
documents: DocumentsStore, onClick?: Function,
document?: Document,
ref?: Function, ref?: Function,
selectable?: boolean,
}; };
@observer class PathToDocument extends React.Component { @observer class PathToDocument extends React.Component {
props: Props; props: Props;
get resultDocument(): ?Document {
const { documentId } = this.props;
if (documentId) return this.props.documents.getById(documentId);
}
handleSelect = async (event: SyntheticEvent) => {
const { document, onSuccess } = this.props;
invariant(onSuccess && document, 'onSuccess unavailable');
event.preventDefault();
await document.move(this.resultDocument ? this.resultDocument.id : null);
onSuccess();
};
render() { render() {
const { document, documentId, onSuccess, ref } = this.props; const { result, document, onClick, ref } = this.props;
// $FlowIssue we'll always have a document // $FlowIssue we'll always have a document
const { collection } = documentId ? this.resultDocument : document; const Component = onClick ? ResultWrapperLink : ResultWrapper;
const Component = onSuccess ? ResultWrapperLink : ResultWrapper;
if (!result) return <div/>;
// Exclude document when it's part of the path and not the preview
return ( return (
<Component <Component
innerRef={ref} innerRef={ref}
selectable selectable
href href
onClick={onSuccess && this.handleSelect} onClick={onClick}
> >
{collection.name} {result.path
{this.resultDocument && .map(doc => <span key={doc.id}>{doc.title}</span>)
<Flex> .reduce((prev, curr) => [prev, <StyledChevronIcon />, curr])}
{' '}
<StyledChevronIcon />
{' '}
{this.resultDocument.pathToDocument
.map(doc => <span key={doc.id}>{doc.title}</span>)
.reduce((prev, curr) => [prev, <StyledChevronIcon />, curr])}
</Flex>}
{document && {document &&
<Flex> <Flex>
{' '} {' '}
<StyledChevronIcon /> <ChevronIcon />
{' '}{document.title} {' '}{document.title}
</Flex>} </Flex>}
</Component> </Component>

View File

@ -46,7 +46,7 @@ class CollectionsStore {
const travelDocuments = (documentList, path) => const travelDocuments = (documentList, path) =>
documentList.forEach(document => { documentList.forEach(document => {
const { id, title } = document; const { id, title } = document;
const node = { id, title }; const node = { id, title, type: 'document' };
results.push(_.concat(path, node)); results.push(_.concat(path, node));
travelDocuments(document.children, _.concat(path, [node])); travelDocuments(document.children, _.concat(path, [node]));
}); });
@ -54,7 +54,8 @@ class CollectionsStore {
if (this.isLoaded) { if (this.isLoaded) {
this.data.forEach(collection => { this.data.forEach(collection => {
const { id, name } = collection; const { id, name } = collection;
const node = { id, title: name }; const node = { id, title: name, type: 'collection' };
results.push([node]);
travelDocuments(collection.documents, [node]); travelDocuments(collection.documents, [node]);
}); });
} }
@ -62,6 +63,16 @@ class CollectionsStore {
return results; return results;
} }
getPathForDocument(documentId: string): Object {
const result = this.pathsToDocuments.find(path => _.last(path).id === documentId);
const tail = _.last(result);
return {
...tail,
path: result,
}
}
/* Actions */ /* Actions */
@action fetchAll = async (): Promise<*> => { @action fetchAll = async (): Promise<*> => {

View File

@ -4,14 +4,11 @@
"main": "index.js", "main": "index.js",
"scripts": { "scripts": {
"clean": "rimraf dist", "clean": "rimraf dist",
"build:webpack": "build:webpack": "NODE_ENV=production webpack --config webpack.config.prod.js",
"NODE_ENV=production webpack --config webpack.config.prod.js", "build:analyze": "NODE_ENV=production webpack --config webpack.config.prod.js --json | webpack-bundle-size-analyzer",
"build:analyze":
"NODE_ENV=production webpack --config webpack.config.prod.js --json | webpack-bundle-size-analyzer",
"build": "npm run clean && npm run build:webpack", "build": "npm run clean && npm run build:webpack",
"start": "node index.js", "start": "node index.js",
"dev": "dev": "NODE_ENV=development DEBUG=sql,cache,presenters ./node_modules/.bin/nodemon --inspect --watch server index.js",
"NODE_ENV=development DEBUG=sql,cache,presenters ./node_modules/.bin/nodemon --inspect --watch server index.js",
"lint": "npm run lint:flow && npm run lint:js", "lint": "npm run lint:flow && npm run lint:js",
"lint:js": "eslint frontend", "lint:js": "eslint frontend",
"lint:flow": "flow", "lint:flow": "flow",
@ -21,24 +18,39 @@
"sequelize:migrate": "sequelize db:migrate", "sequelize:migrate": "sequelize db:migrate",
"test": "npm run test:frontend && npm run test:server", "test": "npm run test:frontend && npm run test:server",
"test:frontend": "jest", "test:frontend": "jest",
"test:server": "test:server": "jest --config=server/.jestconfig.json --runInBand --forceExit",
"jest --config=server/.jestconfig.json --runInBand --forceExit",
"precommit": "lint-staged" "precommit": "lint-staged"
}, },
"lint-staged": { "lint-staged": {
"*.js": ["eslint --fix", "git add"] "*.js": [
"eslint --fix",
"git add"
]
}, },
"jest": { "jest": {
"verbose": false, "verbose": false,
"roots": ["frontend"], "roots": [
"frontend"
],
"moduleNameMapper": { "moduleNameMapper": {
"^.*[.](s?css|css)$": "<rootDir>/__mocks__/styleMock.js", "^.*[.](s?css|css)$": "<rootDir>/__mocks__/styleMock.js",
"^.*[.](gif|ttf|eot|svg)$": "<rootDir>/__test__/fileMock.js" "^.*[.](gif|ttf|eot|svg)$": "<rootDir>/__test__/fileMock.js"
}, },
"moduleFileExtensions": ["js", "jsx", "json"], "moduleFileExtensions": [
"moduleDirectories": ["node_modules"], "js",
"modulePaths": ["frontend"], "jsx",
"setupFiles": ["<rootDir>/setupJest.js", "<rootDir>/__mocks__/window.js"] "json"
],
"moduleDirectories": [
"node_modules"
],
"modulePaths": [
"frontend"
],
"setupFiles": [
"<rootDir>/setupJest.js",
"<rootDir>/__mocks__/window.js"
]
}, },
"engines": { "engines": {
"node": ">= 7.6" "node": ">= 7.6"
@ -95,6 +107,7 @@
"imports-loader": "0.6.5", "imports-loader": "0.6.5",
"invariant": "^2.2.2", "invariant": "^2.2.2",
"isomorphic-fetch": "2.2.1", "isomorphic-fetch": "2.2.1",
"js-search": "^1.4.2",
"js-tree": "1.1.0", "js-tree": "1.1.0",
"json-loader": "0.5.4", "json-loader": "0.5.4",
"jsonwebtoken": "7.0.1", "jsonwebtoken": "7.0.1",
@ -157,8 +170,7 @@
"string-hash": "^1.1.0", "string-hash": "^1.1.0",
"style-loader": "^0.18.2", "style-loader": "^0.18.2",
"styled-components": "^2.0.0", "styled-components": "^2.0.0",
"truncate-html": "truncate-html": "https://github.com/jorilallo/truncate-html/tarball/master",
"https://github.com/jorilallo/truncate-html/tarball/master",
"url-loader": "0.5.7", "url-loader": "0.5.7",
"uuid": "2.0.2", "uuid": "2.0.2",
"validator": "5.2.0", "validator": "5.2.0",

View File

@ -4858,6 +4858,10 @@ js-beautify@^1.6.11:
mkdirp "~0.5.0" mkdirp "~0.5.0"
nopt "~3.0.1" nopt "~3.0.1"
js-search@^1.4.2:
version "1.4.2"
resolved "https://registry.yarnpkg.com/js-search/-/js-search-1.4.2.tgz#59a91e117d6badb20bf0d7643ba7577d5a81d7e2"
js-string-escape@1.0.1: js-string-escape@1.0.1:
version "1.0.1" version "1.0.1"
resolved "https://registry.yarnpkg.com/js-string-escape/-/js-string-escape-1.0.1.tgz#e2625badbc0d67c7533e9edc1068c587ae4137ef" resolved "https://registry.yarnpkg.com/js-string-escape/-/js-string-escape-1.0.1.tgz#e2625badbc0d67c7533e9edc1068c587ae4137ef"