mirror of
https://github.com/microsoft/frontend-bootcamp.git
synced 2026-01-26 14:56:42 +08:00
79 lines
2.2 KiB
TypeScript
79 lines
2.2 KiB
TypeScript
import React from 'react';
|
|
import { Stack, Checkbox, IconButton, TextField, DefaultButton } from 'office-ui-fabric-react';
|
|
import { actions } from '../actions';
|
|
import { StoreContext } from 'redux-react-hook';
|
|
|
|
interface TodoListItemProps {
|
|
id: string;
|
|
}
|
|
|
|
interface TodoListItemState {
|
|
editing: boolean;
|
|
editLabel: string;
|
|
}
|
|
|
|
export class TodoListItem extends React.Component<TodoListItemProps, TodoListItemState> {
|
|
constructor(props: TodoListItemProps) {
|
|
super(props);
|
|
this.state = { editing: false, editLabel: undefined };
|
|
}
|
|
|
|
render() {
|
|
const { id } = this.props;
|
|
const { todos } = this.context.getState();
|
|
const dispatch = this.context.dispatch;
|
|
|
|
const item = todos[id];
|
|
|
|
return (
|
|
<Stack horizontal verticalAlign="center" horizontalAlign="space-between">
|
|
{!this.state.editing && (
|
|
<>
|
|
<Checkbox label={item.label} checked={item.completed} onChange={() => dispatch(actions.complete(id))} />
|
|
<div>
|
|
<IconButton iconProps={{ iconName: 'Edit' }} onClick={this.onEdit} />
|
|
<IconButton iconProps={{ iconName: 'Cancel' }} onClick={() => dispatch(actions.remove(id))} />
|
|
</div>
|
|
</>
|
|
)}
|
|
|
|
{this.state.editing && (
|
|
<Stack.Item grow>
|
|
<Stack horizontal gap={10}>
|
|
<Stack.Item grow>
|
|
<TextField value={this.state.editLabel} onChange={this.onChange} />
|
|
</Stack.Item>
|
|
<DefaultButton onClick={this.onDoneEdit}>Save</DefaultButton>
|
|
</Stack>
|
|
</Stack.Item>
|
|
)}
|
|
</Stack>
|
|
);
|
|
}
|
|
|
|
private onEdit = () => {
|
|
const { id } = this.props;
|
|
const { todos } = this.context.getState();
|
|
const { label } = todos[id];
|
|
|
|
this.setState({
|
|
editing: true,
|
|
editLabel: this.state.editLabel || label
|
|
});
|
|
};
|
|
|
|
private onDoneEdit = () => {
|
|
this.context.dispatch(actions.edit(this.props.id, this.state.editLabel));
|
|
this.setState({
|
|
editing: false,
|
|
editLabel: undefined
|
|
});
|
|
};
|
|
|
|
private onChange = (evt: React.FormEvent<HTMLInputElement>, newValue: string) => {
|
|
this.setState({ editLabel: newValue });
|
|
};
|
|
}
|
|
|
|
TodoListItem.contextType = StoreContext;
|