挂钩问题:useEffect,useMutation和useState一起工作

时间:2019-09-30 18:57:32

标签: reactjs apollo react-apollo apollo-client

我有一个使用react-table作为数据网格的函数。最初是通过局部状态从Apollo的父组件中通过局部状态填充的,网格中的每一行都是数组中的一个对象。

当网格中某个单元格发生更改时,整个线对象将被写入状态。

我正在尝试使用useEffect触发一个突变,该突变将状态的这些变化写回到数据库中,但是我在两个主要方面苦苦挣扎:

  • 该突变不会写回数据库(尽管该突变确实在graphql游乐场中起作用)
  • 了解如何仅将更改后的行发送回突变。

主要功能(一部分)

function Table2({ columns, data }) {
  const [lines, setLines] = useState(data);
  const [updateLine, {loading, error }] = useMutation(UPDATE_ITEM_MUTATION, {
  variables:{ ...lines}
  });

  useEffect(() => {
    updateLine
  },[lines]);

  const updateMyData = (rowIndex, columnID, value) => {
    setLines(getLines =>
      getLines.map((row, index) => {
        if (index === rowIndex) {
          console.log(row)
          return {
            ...lines[rowIndex],
            [columnID]: value
          };
        }
        return row;

      })
    );
  };

和突变...

const UPDATE_ITEM_MUTATION = gql`
mutation UPDATE_LINE_MUTATION(
  $id: ID!, 
  $description: String, 
  $project:Int
  $category:Int
  $account:Int
  $amt:Int
  $units:String
  $multiple:Int
  $rate:Int
  ){
  updateLine(
    where:{id: $id},
    data: {
    description: $description
    project: $project
    category: $category
    account: $account
    amt: $amt
    units: $units
    multiple: $multiple
    rate: $rate
    }) {
    id
    description
    amt
  }
}
`

我真的很感谢您的一些建议。 谢谢

1 个答案:

答案 0 :(得分:1)

我认为您不需要使用useEffect,您可以在更新中触发突变:

function Table2 ({ columns, data }) {
  const [lines, setLines] = useState(data)
  const [updateLine, { loading, error }] = useMutation(UPDATE_ITEM_MUTATION)

  const updateMyData = (rowIndex, columnID, value) => {
    const updatedLine = { ...lines[rowIndex], [columnID]: value }
    updateLine({ variables: { ...updatedLine } })
    setLines(getLines => getLines.map((row, index) => (index === rowIndex ? updatedLine : row)))
  }
}

如果您没有要使用useEffect,则可以例如将最后更改的行保留在状态变量中,然后使用它来触发更新:

function Table2 ({ columns, data }) {
  const [lines, setLines] = useState(data)
  const [updateLine, { loading, error }] = useMutation(UPDATE_ITEM_MUTATION)
  const [updatedLine, setUpdatedLine] = useEffect(null);
  useEffect(()=>{
     // call your mutation
  }, [updatedLine]);
  const updateMyData = (rowIndex, columnID, value) => {
    const updatedLine = { ...lines[rowIndex], [columnID]: value }
    setUpdatedLine(updatedLine);
    updateLine({ variables: { ...updatedLine } })
    setLines(getLines => getLines.map((row, index) => (index === rowIndex ? updatedLine : row)))
  }
}