My app fetches some data from a server using useEffect
and passes it as a prop to a child ponent. I would like to pause the rendering of the child ponent until the data is pletely fetched and loaded into a state
. How can I achieve this?
My code(simplified):
const App = () => {
const [data, setData] = useState(undefined)
useEffect(async () => {
const fetchedData = await getDataFromServer()
setData(fetchedData)
}, [])
return (
<div>
<ChildComponent data={data} /> // How to pause rendering until data != undefined?
</div>
)
}
My app fetches some data from a server using useEffect
and passes it as a prop to a child ponent. I would like to pause the rendering of the child ponent until the data is pletely fetched and loaded into a state
. How can I achieve this?
My code(simplified):
const App = () => {
const [data, setData] = useState(undefined)
useEffect(async () => {
const fetchedData = await getDataFromServer()
setData(fetchedData)
}, [])
return (
<div>
<ChildComponent data={data} /> // How to pause rendering until data != undefined?
</div>
)
}
You can achieve this by using a ternary operator, since undefined
is a falsy value the condition will return false
and it will show Loading...
until the data
is fetched and after it is done fetching the condition will bee true
since data
is no longer undefined
i.e. falsy
that's how the data
will be passed to the child ponent only after it is fetched.
const App = () => {
const [data, setData] = useState(undefined)
useEffect(async () => {
const fetchedData = await getDataFromServer()
setData(fetchedData)
}, [])
return (
<div>
{data ? <ChildComponent data={data} /> : <p>Loading...</p>}
</div>
)
}
More on falsy
values here
More on ternary operator
in Javascript here
Correct Way is first you check
state is not equal to initialstate
const [data,setData] = useState('initial state')
//ponent code
<>
{data != 'initial state' && (data.length>0 ? data.map((dat)=>{} : <>no data</> )) }
</>