开发者问题收集

无法检查 TypeScript 中的变量是否未定义

2021-03-31
3553

我正在尝试解决编译器错误“对象可能‘未定义’”

const destinationColumnIndex = (): number => {
  if (typeof result.destination === 'undefined') {
    return 0;
  }
  return boardData.findIndex(
    (column) => column.id === Number(result.destination.droppableId)
  );
};

但 TypeScript 编译器仍然告诉我“result.destination”可能未定义。

我也尝试过:

  if (result.destination === undefined) {
    return 0;
  }

和:

  if (!result.destination) {
    return 0;
  }

和:

   if (!result || typeof result.destination === 'undefined') {
    return 0;
  }

但都不起作用。甚至认为这可能是一些错误,所以我重新启动了 VS Code,但仍然有相同的错误。

编辑 - 更多代码:

  const onDragEnd = async (result: DropResult) => {
if (!result.destination) {
  return;
}

const sourceColumnIndex = (): number =>
  boardData.findIndex(
    (column) => column.id === Number(result.source.droppableId)
  );

const destinationColumnIndex = (): number => {
  if (typeof result === 'undefined' || result.destination === undefined) {
    return 0;
  }
  return boardData.findIndex(
    (column) => column.id === Number(result.destination.droppableId)
  );
};

它是 React 组件内部的功能

1个回答

您应该只执行:

  if (result === undefined || result?.destination === undefined) {
    return 0;
  }

检查 typeof 不是检查未定义的好方法。

  if (!result || result?.destination === undefined) {
    return 0;
  }

更新

尝试此操作:

const onDragEnd = (result: DropResult) => {
  if (!result || !result.destination) {
    return;
  }

  const sourceColumnIndex = (): number =>
    boardData.findIndex(
      (column) => column.id === Number(result.source?.droppableId)
    );

  const destinationColumnIndex = (): number => {
    if (!result || !result.destination) {
      return 0;
    }
    return boardData.findIndex(
      (column) => column.id === Number(result.destination?.droppableId)
    );
  };
}
WilsonPena
2021-03-31