Now that we've added a details page, we want to be able to access it. Let's turn the note titles in the list on our homepage into links to the detail view.
For this, we will first import our router into the list component, then add list items that link as an optional feature of the list.
/imports/components/lists/list.jsx
...
import { FlowRouter } from 'meteor/kadira:flow-router'
export const List = (props) => {
const listFeatures = {
linkItem: (item) => <a href={FlowRouter.path(props.linkRoute , {_id: item._id})}>{item.title}</a>
}
const displayList = props.collection.map((item) =>
<li key={item._id}>
{props.linkItem?
listFeatures.linkItem(item)
:
item.title
}
<DeleteBtn handleDelete={props.handleDeleteNote} itemToDelete={item} />
</li>)
...
}
List.propTypes = {
...
linkItem: React.PropTypes.array.bool,
linkRoute: React.PropTypes.array.string
}
List.defaultProps = {
linkItem: false,
linkRoute: null
}
Now that we've made linking list items an optional feature, let's use the opportunity to also make deleting of items optional. This will make our list more reuasable.
...
export const List = (props) => {
const listFeatures = {
...
deleteItem: (item) => <DeleteBtn handleDelete={props.handleDeleteNote} itemToDelete={item} />
}
const displayList = props.collection.map((item) =>
<li key={item._id}>
{props.linkItem?
listFeatures.linkItem(item)
:
item.title
}
{props.deleteItem?
listFeatures.deleteItem(item)
:
null
}
</li>)
return <ul>{displayList}</ul>
}
List.propTypes = {
...
deleteItem: React.PropTypes.array.bool
}
List.defaultProps = {
...
deleteItem: false
}
Now, since, these are optional feature, we'll need to turn them on. Let's do that in our container.
/imports/components/containers/homepage_container.js
export default createContainer(() => {
...
return {
...
deleteItem: true,
linkItem: true,
linkRoute: "noteDetails"
}
}, App)
Similar to item links, not all lists will want to have a new item form. How would we make that feature optional?