targetMovie is null when it comes to rednering. I couldn’t find any solutions. First time having unsolvable problem. Please help!
JavaScript
x
28
28
1
async function getMovie(id) {
2
try {
3
const res = await axios.get(apiEndPoint + "/" + id);
4
const movies = await res.data;
5
return movies;
6
} catch (err) {
7
console.log(err);
8
}
9
}
10
11
const MovieEdit = () => {
12
const { id } = useParams();
13
const [targetMovie, setTargetMovie] = useState(null);
14
15
useEffect(() => {
16
getMovie(id)
17
.then((mov) => {
18
setTargetMovie(mov);
19
console.log(mov);
20
})
21
.catch((err) => console.log(err));
22
}, []);
23
24
console.log(targetMovie);
25
if (targetMovie) return <AddMovie movie={targetMovie} />;
26
return <Navigate to="/not-found" />;
27
};
28
Advertisement
Answer
You need to represent 3 states:
- You’re currently waiting on getMovie to complete
- getMovie completed successfully
- getMovie completed and returned null/undefined
You’re currently using the same condition (!targetMovie
) to represent both 1. and 3. which is why you’re running into issues.
Try this:
JavaScript
1
25
25
1
const MovieEdit = () => {
2
const { id } = useParams();
3
const [isFetching, setIsFetching] = useState(true);
4
const [targetMovie, setTargetMovie] = useState(null);
5
6
useEffect(() => {
7
getMovie(id)
8
.then((mov) => {
9
setIsFetching(false);
10
setTargetMovie(mov);
11
console.log(mov);
12
})
13
.catch((err) => {
14
console.log(err));
15
setIsFetching(false);
16
}
17
}, []);
18
19
if (isFetching) return null;
20
21
if (targetMovie) return <AddMovie movie={targetMovie} />;
22
23
return <Navigate to="/not-found" />;
24
};
25