2018-06-18 12:27:57 +02:00

539 lines
16 KiB
JavaScript

/**
*
* ListPage
*
*/
import React from 'react';
import PropTypes from 'prop-types';
import { connect } from 'react-redux';
import { bindActionCreators, compose } from 'redux';
import { createStructuredSelector } from 'reselect';
import { capitalize, get, isUndefined, map, toInteger } from 'lodash';
import cn from 'classnames';
// App selectors
import { makeSelectModels, makeSelectSchema } from 'containers/App/selectors';
// You can find these components in either
// ./node_modules/strapi-helper-plugin/lib/src
// or strapi/packages/strapi-helper-plugin/lib/src
import PageFooter from 'components/PageFooter';
import PluginHeader from 'components/PluginHeader';
import PopUpWarning from 'components/PopUpWarning';
// Components from the plugin itself
import AddFilterCTA from 'components/AddFilterCTA';
import FiltersPickWrapper from 'components/FiltersPickWrapper/Loadable';
import Filter from 'components/Filter/Loadable';
import Search from 'components/Search';
import Table from 'components/Table';
// Utils located in `strapi/packages/strapi-helper-plugin/lib/src/utils`;
import getQueryParameters from 'utils/getQueryParameters';
import injectReducer from 'utils/injectReducer';
import injectSaga from 'utils/injectSaga';
import Div from './Div';
import {
addFilter,
changeParams,
deleteData,
deleteSeveralData,
getData,
onChange,
onClickRemove,
onClickSelect,
onClickSelectAll,
onToggleDeleteAll,
onToggleFilters,
openFiltersWithSelections,
removeAllFilters,
removeFilter,
setParams,
submit,
} from './actions';
import reducer from './reducer';
import saga from './saga';
import makeSelectListPage from './selectors';
import {
generateFiltersFromSearch,
generateSearchFromFilters,
generateSearchFromParams,
} from './utils';
import styles from './styles.scss';
export class ListPage extends React.Component {
state = { showWarning: false, target: '' };
componentDidMount() {
this.getData(this.props);
}
componentDidUpdate(prevProps) {
const {
location: { pathname, search },
} = prevProps;
const {
listPage: { filtersUpdated },
} = this.props;
if (pathname !== this.props.location.pathname) {
this.getData(this.props);
this.shouldHideFilters();
}
if (search !== this.props.location.search) {
this.getData(this.props, true);
}
if (prevProps.listPage.filtersUpdated !== filtersUpdated) {
const updatedSearch = this.generateSearch();
this.props.history.push({ pathname, search: updatedSearch });
}
}
componentWillUnmount() {
if (this.props.listPage.showFilter) {
this.props.onToggleFilters();
}
}
/**
* Helper to retrieve the current model data
* @return {Object} the current model
*/
getCurrentModel = () =>
get(this.props.models, ['models', this.getCurrentModelName()]) ||
get(this.props.models, ['plugins', this.getSource(), 'models', this.getCurrentModelName()]);
/**
* Helper to retrieve the current model name
* @return {String} the current model's name
*/
getCurrentModelName = () => this.props.match.params.slug;
/**
* Function to fetch data
* @param {Object} props
*/
getData = (props, setUpdatingParams = false) => {
const source = getQueryParameters(props.location.search, 'source');
const _limit = toInteger(getQueryParameters(props.location.search, '_limit')) || 10;
const _page = toInteger(getQueryParameters(props.location.search, '_page')) || 1;
const _sort = this.findPageSort(props);
const _q = getQueryParameters(props.location.search, '_q') || '';
const params = { _limit, _page, _sort, _q };
const filters = generateFiltersFromSearch(props.location.search);
this.props.setParams(params, filters);
this.props.getData(props.match.params.slug, source, setUpdatingParams);
};
/**
* Helper to retrieve the model's source
* @return {String} the model's source
*/
getSource = () => getQueryParameters(this.props.location.search, 'source') || 'content-manager';
/**
* Retrieve the model's schema
* @return {Object} Fields
*/
getCurrentSchema = () =>
get(this.props.schema, [this.getCurrentModelName(), 'fields']) ||
get(this.props.schema, ['plugins', this.getSource(), this.getCurrentModelName(), 'fields']);
getPopUpDeleteAllMsg = () => (
this.props.listPage.entriesToDelete.length > 1 ?
'content-manager.popUpWarning.bodyMessage.contentType.delete.all'
: 'content-manager.popUpWarning.bodyMessage.contentType.delete'
);
/**
* Generate the redirect URI when editing an entry
* @type {String}
*/
generateRedirectURI = () => (
`?redirectUrl=/plugins/content-manager/${this.getCurrentModelName().toLowerCase()}${this.generateSearch()}`
);
generateSearch = () => {
const {
listPage: { filters, params },
} = this.props;
return `?${generateSearchFromParams(params)}&source=${this.getSource()}${generateSearchFromFilters(filters)}`;
}
/**
* Function to generate the Table's headers
* @return {Array}
*/
generateTableHeaders = () => {
const currentSchema =
get(this.props.schema, [this.getCurrentModelName()]) ||
get(this.props.schema, ['plugins', this.getSource(), this.getCurrentModelName()]);
const tableHeaders = map(currentSchema.list, value => ({
name: value,
label: currentSchema.fields[value].label,
type: currentSchema.fields[value].type,
}));
tableHeaders.splice(0, 0, {
name: this.getCurrentModel().primaryKey || 'id',
label: 'Id',
type: 'string',
});
return tableHeaders;
};
areAllEntriesSelected = () => {
const { listPage: { entriesToDelete, records } } = this.props;
return entriesToDelete.length === get(records, this.getCurrentModelName(), []).length && get(records, this.getCurrentModelName(), []).length > 0;
};
/**
* [findPageSort description]
* @param {Object} props [description]
* @return {String} the model's primaryKey
*/
findPageSort = props => {
const {
match: {
params: { slug },
},
} = props;
const source = this.getSource();
const modelPrimaryKey = get(props.models, ['models', slug.toLowerCase(), 'primaryKey']);
// Check if the model is in a plugin
const pluginModelPrimaryKey = get(props.models.plugins, [
source,
'models',
slug.toLowerCase(),
'primaryKey',
]);
return (
getQueryParameters(props.location.search, '_sort') ||
modelPrimaryKey ||
pluginModelPrimaryKey ||
'id'
);
};
handleChangeParams = e => {
const {
history,
listPage: { filters, params },
} = this.props;
const _q = params._q !== '' ? `&_q=${params._q}` : '';
const searchEnd = `&_sort=${params._sort}${_q}&source=${this.getSource()}${generateSearchFromFilters(filters)}`;
const search =
e.target.name === 'params._limit'
? `_page=${params._page}&_limit=${e.target.value}${searchEnd}`
: `_page=${e.target.value}&_limit=${params._limit}${searchEnd}`;
this.props.history.push({
pathname: history.pathname,
search,
});
this.props.changeParams(e);
};
handleChangeSort = sort => {
const target = {
name: 'params._sort',
value: sort,
};
const {
listPage: { filters, params },
} = this.props;
const _q = params._q !== '' ? `&_q=${params._q}` : '';
this.props.history.push({
pathname: this.props.location.pathname,
search: `?_page=${params._page}&_limit=${
params._limit
}&_sort=${sort}${_q}&source=${this.getSource()}${generateSearchFromFilters(filters)}`,
});
this.props.changeParams({ target });
};
handleDelete = e => {
e.preventDefault();
e.stopPropagation();
this.props.deleteData(this.state.target, this.getCurrentModelName(), this.getSource());
this.setState({ showWarning: false });
};
handleSubmit = e => {
try {
e.preventDefault();
} catch (err) {
// Silent
} finally {
this.props.submit();
}
};
shouldHideFilters = () => {
if (this.props.listPage.showFilter) {
this.props.onToggleFilters();
}
};
toggleModalWarning = e => {
if (!isUndefined(e)) {
e.preventDefault();
e.stopPropagation();
this.setState({
target: e.target.id,
});
}
if (this.props.listPage.entriesToDelete.length > 0) {
this.props.onClickSelectAll();
}
this.setState(prevState => ({ showWarning: !prevState.showWarning }));
};
showLoaders = () => {
const { listPage: { isLoading, records, updatingParams } } = this.props;
return updatingParams || isLoading && get(records, this.getCurrentModelName()) === undefined;
}
render() {
const {
addFilter,
deleteSeveralData,
listPage,
listPage: {
appliedFilters,
count,
entriesToDelete,
filters,
filterToFocus,
records,
params,
showFilter,
showWarningDeleteAll,
},
onChange,
onClickRemove,
onClickSelect,
onClickSelectAll,
onToggleDeleteAll,
onToggleFilters,
openFiltersWithSelections,
removeAllFilters,
removeFilter,
} = this.props;
const pluginHeaderActions = [
{
label: 'content-manager.containers.List.addAnEntry',
labelValues: {
entity: capitalize(this.props.match.params.slug) || 'Content Manager',
},
kind: 'primaryAddShape',
onClick: () =>
this.props.history.push({
pathname: `${this.props.location.pathname}/create`,
search: this.generateRedirectURI(),
}),
},
];
return (
<div>
<div className={cn('container-fluid', styles.containerFluid)}>
<Search
changeParams={this.props.changeParams}
initValue={getQueryParameters(this.props.location.search, '_q') || ''}
model={this.getCurrentModelName()}
value={params._q}
/>
<PluginHeader
actions={pluginHeaderActions}
description={{
id:
get(count, this.getCurrentModelName(), 0) > 1
? 'content-manager.containers.List.pluginHeaderDescription'
: 'content-manager.containers.List.pluginHeaderDescription.singular',
values: {
label: get(count, this.getCurrentModelName(), 0),
},
}}
title={{
id: this.getCurrentModelName() || 'Content Manager',
}}
withDescriptionAnim={this.showLoaders()}
/>
<div className={cn(styles.wrapper)}>
<FiltersPickWrapper
addFilter={addFilter}
appliedFilters={appliedFilters}
close={onToggleFilters}
filterToFocus={filterToFocus}
modelName={this.getCurrentModelName()}
onChange={onChange}
onSubmit={this.handleSubmit}
removeAllFilters={removeAllFilters}
removeFilter={removeFilter}
schema={this.getCurrentSchema()}
show={showFilter}
/>
<div className={cn('row', styles.row)}>
<div className="col-md-12">
<Div
decreaseMarginBottom={filters.length > 0}
>
<div className="row">
<AddFilterCTA onClick={onToggleFilters} showHideText={showFilter} />
{filters.map((filter, key) => (
<Filter
key={key}
filter={filter}
index={key}
onClick={onClickRemove}
onClickOpen={openFiltersWithSelections}
schema={this.getCurrentSchema()}
/>
))}
</div>
</Div>
</div>
</div>
<div className={cn('row', styles.row)}>
<div className="col-md-12">
<Table
deleteAllValue={this.areAllEntriesSelected()}
entriesToDelete={entriesToDelete}
filters={filters}
handleDelete={this.toggleModalWarning}
headers={this.generateTableHeaders()}
history={this.props.history}
onChangeSort={this.handleChangeSort}
onClickSelectAll={onClickSelectAll}
onClickSelect={onClickSelect}
onToggleDeleteAll={onToggleDeleteAll}
primaryKey={this.getCurrentModel().primaryKey || 'id'}
records={get(records, this.getCurrentModelName(), [])}
redirectUrl={this.generateRedirectURI()}
route={this.props.match}
routeParams={this.props.match.params}
search={params._q}
showLoader={this.showLoaders()}
sort={params._sort}
/>
<PopUpWarning
isOpen={this.state.showWarning}
toggleModal={this.toggleModalWarning}
content={{
title: 'content-manager.popUpWarning.title',
message: 'content-manager.popUpWarning.bodyMessage.contentType.delete',
cancel: 'content-manager.popUpWarning.button.cancel',
confirm: 'content-manager.popUpWarning.button.confirm',
}}
popUpWarningType="danger"
onConfirm={this.handleDelete}
/>
<PopUpWarning
isOpen={showWarningDeleteAll}
toggleModal={onToggleDeleteAll}
content={{
title: 'content-manager.popUpWarning.title',
message: this.getPopUpDeleteAllMsg(),
cancel: 'content-manager.popUpWarning.button.cancel',
confirm: 'content-manager.popUpWarning.button.confirm',
}}
popUpWarningType="danger"
onConfirm={() => {
deleteSeveralData(entriesToDelete, this.getCurrentModelName(), this.getSource());
}}
/>
<PageFooter
count={get(count, this.getCurrentModelName(), 0)}
onChangeParams={this.handleChangeParams}
params={listPage.params}
style={{ marginTop: '2.9rem', padding: '0 15px 0 15px' }}
/>
</div>
</div>
</div>
</div>
</div>
);
}
}
ListPage.propTypes = {
addFilter: PropTypes.func.isRequired,
changeParams: PropTypes.func.isRequired,
deleteData: PropTypes.func.isRequired,
deleteSeveralData: PropTypes.func.isRequired,
getData: PropTypes.func.isRequired,
history: PropTypes.object.isRequired,
listPage: PropTypes.object.isRequired,
location: PropTypes.object.isRequired,
match: PropTypes.object.isRequired,
models: PropTypes.object.isRequired,
onChange: PropTypes.func.isRequired,
onClickRemove: PropTypes.func.isRequired,
onClickSelect: PropTypes.func.isRequired,
onClickSelectAll: PropTypes.func.isRequired,
onToggleDeleteAll: PropTypes.func.isRequired,
onToggleFilters: PropTypes.func.isRequired,
openFiltersWithSelections: PropTypes.func.isRequired,
removeAllFilters: PropTypes.func.isRequired,
removeFilter: PropTypes.func.isRequired,
schema: PropTypes.object.isRequired,
setParams: PropTypes.func.isRequired,
submit: PropTypes.func.isRequired,
};
function mapDispatchToProps(dispatch) {
return bindActionCreators(
{
addFilter,
changeParams,
deleteData,
deleteSeveralData,
getData,
onChange,
onClickRemove,
onClickSelect,
onClickSelectAll,
onToggleDeleteAll,
onToggleFilters,
openFiltersWithSelections,
removeAllFilters,
removeFilter,
setParams,
submit,
},
dispatch,
);
}
const mapStateToProps = createStructuredSelector({
listPage: makeSelectListPage(),
models: makeSelectModels(),
schema: makeSelectSchema(),
});
const withConnect = connect(mapStateToProps, mapDispatchToProps);
const withReducer = injectReducer({ key: 'listPage', reducer });
const withSaga = injectSaga({ key: 'listPage', saga });
export default compose(withReducer, withSaga, withConnect)(ListPage);