user2509901
user2509901

Reputation:

Button Background Image Check?

Pls i have a problem with trying to check the background Image of a button. I want to delete the button if its image matches an Image in the Resource Folder. I have Tried

    private void DeleteCard(Button btn)
    {
        if (btn.BackgroundImage.Equals( FunWaysInc.Properties.Resources.Card_1))
        {
            playersCards.Remove(Properties.Resources.Card_1);
            MessageBox.Show(playersCards.Count.ToString());
        }
        else
        {
            MessageBox.Show("NO");
        }
    }

    private void frmQuickSpark_Load(object sender, EventArgs e)
    {
        Button tstbtn = new Button();
        tstbtn.BackgroundImage = Properties.Resources.Card_1;
        DeleteCard(tstbtn);
    }

but the message box displayed is the one that displays "NO"..

Pls what is happening????

Upvotes: 1

Views: 3212

Answers (3)

user2509901
user2509901

Reputation:

I already found an answer to my question.. I just modified my code

private void DeleteCard(Image img)
{
    playersCards.Add(Properties.Resources.Card_1);
    if (img == playersCards[0])
    {
        playersCards.Remove(Properties.Resources.Card_1);
        MessageBox.Show(playersCards.Count.ToString());
    }
    else
    {
        MessageBox.Show("NO");
    }
}

private void frmQuickSpark_Load(object sender, EventArgs e)
{
    Button tstbtn = new Button();
    tstbtn.BackgroundImage = Properties.Resources.Card_1;
    Image img = tstbtn.BackgroundImage;
    DeleteCard(img);
}

It works perfectly.

Upvotes: 0

T.S.
T.S.

Reputation: 19384

Here what you have to do. You need to enumerate all your images and store pointer in Tag property of the button.

private Dictionary<string, Image> _table = new Dictionary<string, Image>();

private void frmQuickSpark_Load(object sender, EventArgs e)
    {
        _table.Add("Image1", Properties.Resources.Card_1);
        _table.Add("Image2", Properties.Resources.Card_2);
        Button btn = new Button();
        SetButtonImage(btn);
        DeleteCard(btn);
    }
 private void SetButtonImage(Button button)
    {

        button.BackgroundImage = _table["Image1"];
        button.BackgroundImage.Tag = "Image1";

    }

    private void DeleteCard(Button btn)
    {
         if (btn.BackgroundImage.Tag == "Image1") 
         {
             playersCards.Remove(btn); // not sure what your logic of removal
             MessageBox.Show(playersCards.Count.ToString());
         }
         else
         {
             MessageBox.Show("NO");
         }
     }

Upvotes: 1

Jonesopolis
Jonesopolis

Reputation: 25370

when adding the button

button.Tag = "ToDelete";

then later

foreach (Button b in this.Controls.OfType<Button>())
{
    if(b.Tag == "ToDelete")
    {
        //delete
    }
}

Upvotes: 1

Related Questions