How to check if my {row.storeId} is null or empty and if that’s the case, I wanted to place NA in <TableCell>.
{props.tableData.map(row => (
<TableRow key={row.storeId}>
<TableCell>{row.name}</TableCell>
<TableCell>{row.storeId}</TableCell>
<TableCell>{concatenateAddress(row.address)}</TableCell>
<TableCell>{capabilitiesColumn(row.capabilities)}</TableCell>
</TableRow>
))}
>Solution :
You can simple check whether it’s null or not as follows:
Nullish coalescing operator (??)
<TableCell>{row.storeId ?? 'NA'}</TableCell>
You cannot use logical or and ternary opreator if storeId is 0 i.e. Falsy Value then it will print Na
<TableCell>{row.storeId || 'NA'}</TableCell>
<TableCell>{row.storeId ? row.storeId : 'NA'}</TableCell>
const a=0
const b=1
const c=null
console.log("Logical OR (||)")
console.log(a||"Na")
console.log(b||"Na")
console.log(c||"Na")
console.log("Nullish coalescing operator (??)")
console.log(a??"Na")
console.log(b??"Na")
console.log(c??"Na")
console.log("Ternary Operator")
console.log(a?a:"Na")
console.log(b?b:"Na")
console.log(c?c:"Na")