我有以下代码,我需要在双击td标签的情况下渲染输入字段
const [getTableData, setTableData] = useState(tableData);
//td tag in the HTML table
{getTableData.map((data, index) => (
<tr key={index}>
<td>{index + 1}</td>
<td onDoubleClick={handleDateDoubleClick} data-key={data.uniqueKey}>
{renderDate(data)}
</td>
</tr>
))}
// handles double click
function handleDateDoubleClick(event) {
let currentRecord = getTableData.find(data => {
if (+(data.uniqueKey) === +(event.target.dataset.key)) {
data.readOnlyDate = data.readOnlyDate ? false : true;
return data;
}
})
setTableData([...getTableData]); // using spread operator but still no luck.
renderDate(currentRecord); // explicitly calling renderDate method still nothing.
console.log(JSON.stringify(currentRecord));
}
//conditionally render the input field.
const renderDate = (data) => {
if (data.readOnlyDate) {
return data.Date
} else {
return (
<FormControl
value={data.Date}
data-key={data.uniqueKey}
onChange={handleDateChange}
/>
);
}
}
在控制台日志中,我可以看到数组已更新,但仍无法使用输入字段(而不是静态文本)重新呈现页面,请确认我是否在此处缺少内容。
答案 0 :(得分:2)
您正在改变现有状态,因此React不会重新检查对象的内容:
data.readOnlyDate = data.readOnlyDate ? false : true;
从不改变React状态。而是克隆对象。
const index = getTableData.findIndex(data => +(data.uniqueKey) === +(event.target.dataset.key));
const currentRecord = getTableData[index];
const newRecord = { ...currentRecord, readOnlyDate: !currentRecord.readOnlyDate };
setTableData([
...getTableData.slice(0, index),
newRecord,
...getTableData.slice(index + 1),
]);
renderDate(newRecord);