Two-Dimensional Array Rectangle in C#

2.9k Views Asked by At

I need to create a new rectangle using two dimensional arrays in C#.

I created an image called brick_fw and imported it into the IDE for the game I'm creating.

Here's the code I have (which is in it's own class named Brick):

brickLength = 60;
brickHeight = 20;
int[,] brickLocation = { { 0, 0 }, { 62, 0 }, { 123, 0 }, { 184, 0 }, { 245, 0 }, { 306, 0 }, { 367, 0 } };
bool[] brickLive = { true, true, true, true, true, true, true };

brickImage = Breakout.Properties.Resources.brick_fw;
brickRec = new Rectangle(x, y, brickLength, brickHeight);

The problem I have here is; brickRec can only use the integer values of x and y and only accepts this way of representing a new rectangle (meaning if I remove the x and y from the brackets and replace it with brickLocation then the compiler will moan).

As it stands, the compiler will only draw a single brick into the program because it's not taking into account the two dimensional array. Is there a way to represent this brickLocation within the Rectangle function?

EDIT:

public Brick()
{
    brickLength = 60;
    brickHeight = 20;
    int[,] brickLocation = { { 0, 0 }, { 62, 0 }, { 123, 0 }, { 184, 0 }, { 245, 0 }, { 306, 0 }, { 367, 0 } };
    bool[] brickLive = { true, true, true, true, true, true, true };

    brickImage = Breakout.Properties.Resources.brick_fw;

    for (int i = 0; i < brickLocation.GetLength(0); i++)
    {
        brickRec = new Rectangle(brickLocation[i, 0], brickLocation[i, 1], brickLength, brickHeight);

    }
}


public void drawBrick(Graphics paper)
{
    paper.DrawImage(brickImage, brickRec);
}
1

There are 1 best solutions below

3
On BEST ANSWER

A Rectangle value can only represent a single rectangle, so if you want multiple rectangles you would loop through one dimension of the array and create a rectangle for each pair of values:

for (int i = 0; i < brickLocation.GetLength(0); i++) {
  brickRec = new Rectangle(brickLocation[i, 0], brickLocation[i, 1], brickLength, brickHeight);
  // draw the rectangle
}

Edit:

To do the drawing of the rectangles separate from the creation of the rectangles, you would put them in an array of rectangles:

private Rectangle[] brickRec;

public Brick()
{
    brickLength = 60;
    brickHeight = 20;
    int[,] brickLocation = { { 0, 0 }, { 62, 0 }, { 123, 0 }, { 184, 0 }, { 245, 0 }, { 306, 0 }, { 367, 0 } };
    bool[] brickLive = { true, true, true, true, true, true, true };

    brickImage = Breakout.Properties.Resources.brick_fw;

    brickRec = new Rectangle[brickLocation.GetLength(0)];
    for (int i = 0; i < brickLocation.GetLength(0); i++)
    {
        brickRec[i] = new Rectangle(brickLocation[i, 0], brickLocation[i, 1], brickLength, brickHeight);
    }
}


public void drawBrick(Graphics paper)
{
    for (int i = 0; i < brickRec.Length; i++) {
        paper.DrawImage(brickImage, brickRec[i]);
    }
}