我在我的应用程序中实现了react-datepicker。
除了我想自定义datepicker的输入字段并使其适应我的其他自定义字段(如标题输入)之外,Everythings很好。
当我通过
更改日期选择器时customInput={<Input />}
字段,它的外观已经改变,但我不能再选择日期(选择器不再工作)。
继承我的代码:
<DatePicker
customInput={<Input />}
dateFormat="DD.MM.YYYY"
selected=...
onChange=...
/>
任何想法?
export namespace Input {
export interface Props {
onChange: (event: any) => void;
placeholder?: string;
value?: string | number;
isSecure?: any;
id?: string;
}
// ...
}
所以我按以下方式添加了时钟事件:
export namespace Input {
export interface Props {
onChange: (event: any) => void;
placeholder?: string;
value?: string | number;
isSecure?: any;
id?: string;
onClick: (event: any) => void;
}
}
是吗?
组件代码:
export class Input extends React.Component<Input.Props, Input.State> {
public render() {
const controlClass = classNames(
[style.control]
);
const inputClass = classNames(
[style.input]
);
return (
<p className={controlClass} >
<input
id={this.props.id}
onChange={this.props.onChange}
className={inputClass}
type={this.props.isSecure ? "password" : "text"}
placeholder={this.props.placeholder}
value={this.props.value}
/>
</p>
);
}
}
答案 0 :(得分:2)
您的Input
组件需要实现onClick
事件,并将其作为道具提供,因为这是触发日期选择器打开的原因。
const Input = ({onChange, placeholder, value, isSecure, id, onClick}) => (
<input
onChange={onChange}
placeholder={placeholder}
value={value}
isSecure={isSecure}
id={id}
onClick={onClick}
/>
);
const NoClickInput = ({onClick, ...props}) => <Input {...props} />;
class App extends Component {
state = {
value: moment(),
};
render() {
return (
<div>
<DatePicker
value={this.state.value}
dateFormat="DD.MM.YYYY"
customInput={<Input />}
selected={this.state.date}
onChange={date => this.setState({date})}
/>
<DatePicker
value={this.state.value}
dateFormat="DD.MM.YYYY"
customInput={<NoClickInput />} {/* Will not work */}
selected={this.state.date}
onChange={date => this.setState({date})}
/>
</div>
);
}
}
修改强>:
在不触及Input
组件实现的情况下进行可能的解决方法是将其包装到容器中并处理单击它:
const ClickableInput = ({onClick, ...props}) => (
<div onClick={onClick}>
<Input {...props}>
</div>
);
然后使用ClickableInput
代替Input
作为您的自定义输入。