import java.awt.*; import java.awt.image.ImageObserver; import java.lang.reflect.Array; import java.util.ArrayList; public abstract class Piece { // Width and height of placeholder rectangle graphic static final int DIMENSION = 48; Image image; public boolean black; public abstract int getValue(); public Piece(boolean black, DrawingPanel panel, String blackImagePath, String whiteImagePath) { this.black = black; image = panel.loadImage(black ? blackImagePath : whiteImagePath); } public abstract ArrayList getPossibleMoves(BoardCoordinate position, Board board); public ArrayList getLegalMoves(BoardCoordinate position, Board board) { return getLegalMoves(position, board, true); } public ArrayList getLegalMoves(BoardCoordinate position, Board board, boolean doCheckChecks) { ArrayList legalMoves = getPossibleMoves(position, board); for (int i = 0; i < legalMoves.size(); i++) { BoardCoordinate possibleMove = legalMoves.get(i); Piece targetPiece = board.get(possibleMove); if ( // other piece of same color (targetPiece != null && targetPiece.black == black) || // outside of bounds of board possibleMove.x < 0 || possibleMove.y < 0 || possibleMove.x >= Board.BOARD_SIZE || possibleMove.y >= Board.BOARD_SIZE || // is in check (doCheckChecks && isInCheck(new Move(position, possibleMove), board)) ) { legalMoves.remove(i); i--; } // TODO: puts us into check } return legalMoves; } boolean isInCheck(Move move, Board board) { boolean isInCheck = false; board.move(move); outer: for (int y = 0; y < Board.BOARD_SIZE; y++) { for (int x = 0; x < Board.BOARD_SIZE; x++) { Piece piece = board.get(x, y); if (piece == null || piece.black == black) continue; ArrayList legalMoves = piece.getLegalMoves(new BoardCoordinate(x, y), board, false); for (BoardCoordinate legalMove : legalMoves) { Piece pieceAtMove = board.get(legalMove); if (pieceAtMove instanceof King) { isInCheck = true; break outer; } } } } board.undoMove(); return isInCheck; } // The Piece class doesn't store position, // so when drawing we need to be provided this along with a graphics context when drawing public void draw(Graphics graphics, ImageObserver observer, int x, int y) { graphics.drawImage(image, x - DIMENSION / 2, y - DIMENSION / 2, observer); } public void draw(Graphics graphics, ImageObserver observer, ScreenCoordinate coordinate) { draw(graphics, observer, coordinate.x, coordinate.y); } void getPossibleMovesInDirection(int dx, int dy, BoardCoordinate position, Board board, ArrayList possibleMoves) { for ( int x = position.x + dx, y = position.y + dy; !board.outOfBounds(x, y); x += dx, y += dy) { BoardCoordinate coordinate = new BoardCoordinate(x, y); possibleMoves.add(coordinate); if (board.get(coordinate) != null) break; } } }