我正在做关于井字游戏的React教程。我决定创建辅助类Squares,以存储2D游戏领域状态。

  class Squares {
    constructor(size) {
      this._size = size
      this._squares = Array(size * size).fill(null)
    }
    square(row, col, value) {
      let position = (row - 1) * this._size + col - 1
      if (value !== undefined)
        this._squares[position] = value
      return this._squares[position]
    }
    get size() {
      return this._size
    }
    get copy() {
      let squares = new Squares(this._size)
      squares._squares = this._squares.slice()
      return squares
    }
  }


像这样在组件的状态下使用它。

class Game extends React.Component {
  constructor() {
    super()
    this.state = {
      history: [{
        squares: new Squares(3)
      }],
      stepNumber: 0,
      xIsNext: true,
    }
  }


但是后来我得到了错误。
“ TypeError:Square不是构造函数”

内部组件Square未定义!但是当我使我的班级进入功能时。

function Squares(size) {
  class Squares {
    ...
  }
  return new Squares(size)
}


..组件类现在可以看到我的类了!
但为什么?类和函数之间有什么区别?

最佳答案

应该在使用类之前定义类,这是类和函数之间的差异之一。

尽管我测试了您的课程,但在Squares低于Game时也可以使用。这可能是由于我的设置中发生了一些转码。

09-25 16:52