Datagridview图像列设置图像 - C#

时间:2011-11-18 12:00:02

标签: c# winforms datagridview

我有DataGridView的图像列。在属性中,我试图设置图像。我单击图像,选择项目资源文件,然后选择其中一个显示的图像。但是,图像仍然在DataGridView上显示为红色x?有谁知道为什么?

2 个答案:

答案 0 :(得分:26)

例如,您有名为“dataGridView1”的DataGridView控件,其中包含两个文本列和一个图像列。您还在资源文件中有一个名为“image00”和“image01”的图像。

您可以在添加以下行时添加图片:

  dataGridView1.Rows.Add("test", "test1", Properties.Resources.image00);

您还可以在应用运行时更改图片:

   dataGridView1.Rows[0].Cells[2].Value = Properties.Resources.image01;

或者你可以这样做......

void dataGridView1_CellFormatting(object sender, DataGridViewCellFormattingEventArgs e) 
   {             
        if (dataGridView1.Columns[e.ColumnIndex].Name == "StatusImage") 
        { 
             // Your code would go here - below is just the code I used to test 
              e.Value = Image.FromFile(@"C:\Pictures\TestImage.jpg"); 
        } 
   } 

答案 1 :(得分:4)

虽然功能正常,但提出的答案存在一个非常重要的问题。它建议直接从Resources加载图片:

dgv2.Rows[e.RowIndex].Cells[8].Value = Properties.Resources.OnTime;

问题是每次都会创建一个新图像对象,如资源设计器文件中所示:

internal static System.Drawing.Bitmap bullet_orange {
    get {
        object obj = ResourceManager.GetObject("bullet_orange", resourceCulture);
        return ((System.Drawing.Bitmap)(obj));
    }
}  

如果有300(或3000)行具有相同的状态,则每个行都不需要自己的图像对象,每次事件触发时也不需要新的图像对象。其次,以前创建的图像没有被处理掉。

要避免这一切,只需将资源图像加载到数组中并使用/ assign:

private Image[] StatusImgs;
...
StatusImgs = new Image[] { Resources.yes16w, Resources.no16w };

然后在CellFormatting事件中:

if (dgv2.Rows[e.RowIndex].IsNewRow) return;
if (e.ColumnIndex != 8) return;

if ((bool)dgv2.Rows[e.RowIndex].Cells["Active"].Value)
    dgv2.Rows[e.RowIndex].Cells["Status"].Value = StatusImgs[0];
else
    dgv2.Rows[e.RowIndex].Cells["Status"].Value = StatusImgs[1];

所有行都使用相同的2个图像对象。