提问人:Dave 提问时间:10/30/2023 更新时间:11/4/2023 访问量:50
在 React/Ionic 中,当调用 history.push 时(或者更确切地说,当我的 URL 更改时),我如何强制我的组件渲染?
In React/Ionic, how do I force my component to render when history.push is called (or rather when my URL changes)?
问:
我正在构建一个 Ionic 7 和一个 REact 18 应用程序。我有一个带有提交按钮的组件,当用户单击“提交”按钮时,该按钮会将路由推送到历史对象(旨在阻止 URL)
const OrderItemRecipientComponent: React.FC = () => {
...
const history = useHistory();
const [isButtonDisabled, setButtonDisabled] = useState(false);
useEffect(() => {
// This effect will run after the component re-renders
if (isButtonDisabled) {
// move on to the payment
history.push("/payment");
}
}, [isButtonDisabled, history]);
const handleSaveAndContinue = () => {
setButtonDisabled(true); // Disable the button
// add the item to the cart
addToCart(orderItem);
};
return (
<>
...
<p>
<AddressForm
contactInfo={contactInfo}
setContactInfo={setContactInfo}
/>
</p>
<IonButton expand="full" onClick={handleSaveAndContinue} disabled={isButtonDisabled}>
Pay
</IonButton>
</>
);
};
export default OrderItemRecipientComponent;
然后我在我的 App.tsx 路由中定义了它
<IonContent className="ion-padding" scroll-y>
<IonRouterOutlet>
...
<Route exact path="/payment">
<PaymentContainer />
</Route>
</IonRouterOutlet>
</IonContent>
</IonReactRouter>
问题是,当我单击“付款”按钮时,尽管我看到URL中的路由发生了变化,但我并不总是看到PaymentContainer组件呈现(原始组件仍然存在)。当我在浏览器上单击“刷新”时,我确实看到了正确的组件呈现。如何更正我的序列,以便在路由更改时 PaymentContainer 组件 alawys 呈现?
答:
1赞
Alinemach
11/3/2023
#1
根据 joshua-wyllie 的回答,这里提到了这个 github 问题:你需要在每个页面上都有一个包装(在你的情况下是 的根)。<IonPage>
PaymentContainer
如果这不能解决问题,您可以尝试此作为解决方法: 正如 yairopro 在这篇文章中提到的,您可以尝试强制更新如下:
const history = useHistory();
const [, forceUpdate] = useReducer(x => x + 1, 0);
useEffect(() => {
// This effect will run after the component re-renders
if (isButtonDisabled) {
// move on to the payment
history.push("/payment");
forceUpdate();
}
}, [isButtonDisabled, history]);
评论
0赞
AmerllicA
11/3/2023
正确答案,Dave 必须使用和技巧来重新渲染,但我认为你应该添加一个点赞来解释它来自哪里。useEffect
forceUpdate
history
评论