mirror of
https://github.com/caperren/school_archives.git
synced 2025-11-09 13:41:13 +00:00
107 lines
2.1 KiB
C++
107 lines
2.1 KiB
C++
#include <iostream>
|
|
#include <assert.h>
|
|
#include "Board.h"
|
|
|
|
void Board::delete_grid() {
|
|
for (int c = 0; c < num_cols; c++) {
|
|
delete[] grid[c];
|
|
}
|
|
delete[] grid;
|
|
}
|
|
|
|
Board::Board(int cols, int rows) :
|
|
num_cols(cols), num_rows(rows) {
|
|
grid = new char*[num_cols];
|
|
for (int c = 0; c < num_cols; c++) {
|
|
grid[c] = new char[num_rows];
|
|
for (int r = 0; r < num_rows; r++) {
|
|
grid[c][r] = EMPTY;
|
|
}
|
|
}
|
|
}
|
|
|
|
Board::Board(const Board& other) {
|
|
num_cols = other.num_cols;
|
|
num_rows = other.num_rows;
|
|
grid = new char*[num_cols];
|
|
for (int c = 0; c < num_cols; c++) {
|
|
grid[c] = new char[num_rows];
|
|
for (int r = 0; r < num_rows; r++) {
|
|
grid[c][r] = other.grid[c][r];
|
|
}
|
|
}
|
|
}
|
|
|
|
Board& Board::operator=(const Board& rhs) {
|
|
if (this == &rhs) {
|
|
return *this;
|
|
} else {
|
|
num_cols = rhs.num_cols;
|
|
num_rows = rhs.num_rows;
|
|
if (grid != NULL) {
|
|
delete_grid();
|
|
}
|
|
grid = new char*[num_cols];
|
|
for (int c = 0; c < num_cols; c++) {
|
|
grid[c] = new char[num_rows];
|
|
for (int r = 0; r < num_rows; r++) {
|
|
grid[c][r] = rhs.grid[c][r];
|
|
}
|
|
}
|
|
return *this;
|
|
}
|
|
}
|
|
|
|
Board::~Board() {
|
|
delete_grid();
|
|
}
|
|
|
|
char Board::get_cell(int col, int row) const {
|
|
assert((col >= 0) && (col < num_cols));
|
|
assert((row >= 0) && (row < num_rows));
|
|
return grid[col][row];
|
|
}
|
|
|
|
void Board::set_cell(int col, int row, char val) {
|
|
assert((col >= 0) && (col < num_cols));
|
|
assert((row >= 0) && (row < num_rows));
|
|
grid[col][row] = val;
|
|
}
|
|
|
|
bool Board::is_cell_empty(int col, int row) const {
|
|
if (grid[col][row] == EMPTY) {
|
|
return true;
|
|
} else {
|
|
return false;
|
|
}
|
|
}
|
|
|
|
bool Board::is_in_bounds(int col, int row) const {
|
|
if ((col >= 0) && (col < num_cols) && (row >= 0) && (row < num_rows)) {
|
|
return true;
|
|
} else {
|
|
return false;
|
|
}
|
|
}
|
|
|
|
void Board::display() const {
|
|
for (int r = get_num_rows() - 1; r >= 0; r--) {
|
|
std::cout << r << ":| ";
|
|
for (int c = 0; c < get_num_cols(); c++) {
|
|
std::cout << get_cell(c, r) << " ";
|
|
}
|
|
std::cout << std::endl;
|
|
}
|
|
std::cout << " -";
|
|
for (int c = 0; c < get_num_cols(); c++) {
|
|
std::cout << "--";
|
|
}
|
|
std::cout << "\n";
|
|
std::cout << " ";
|
|
for (int c = 0; c < get_num_cols(); c++) {
|
|
std::cout << c << " ";
|
|
}
|
|
std::cout << "\n\n";
|
|
}
|
|
|