Skip to content

3274. Check if Two Chessboard Squares Have the Same Color πŸ‘ΒΆ

  • Time: O(1)O(1)
  • Space: O(1)O(1)
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
class Solution {
 public:
  bool checkTwoChessboards(string coordinate1, string coordinate2) {
    return squareIsWhite(coordinate1) == squareIsWhite(coordinate2);
  }

 private:
  // Same as 1812. Determine Color of a Chessboard Square
  bool squareIsWhite(const string& coordinates) {
    const char letter = coordinates[0];
    const char digit = coordinates[1];
    return letter % 2 != digit % 2;
  }
};
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
class Solution {
  public boolean checkTwoChessboards(String coordinate1, String coordinate2) {
    return squareIsWhite(coordinate1) == squareIsWhite(coordinate2);
  }

  // Same as 1812. Determine Color of a Chessboard Square
  private boolean squareIsWhite(final String coordinates) {
    final char letter = coordinates.charAt(0);
    final char digit = coordinates.charAt(1);
    return letter % 2 != digit % 2;
  }
}
1
2
3
4
5
6
7
8
class Solution:
  def checkTwoChessboards(self, coordinate1: str, coordinate2: str) -> bool:
    # Same as 1812. Determine Color of a Chessboard Square
    def squareIsWhite(coordinate: str) -> bool:
      letter, digit = coordinate
      return ord(letter) % 2 != int(digit) % 2

    return squareIsWhite(coordinate1) == squareIsWhite(coordinate2)
Was this page helpful?