15

此代码适用于使单元格的背景为蓝色:

DataGridViewRow dgvr = dataGridViewLifeSchedule.Rows[rowToPopulate];
dgvr.Cells[colName].Style.BackColor = Color.Blue;
dgvr.Cells[colName].Style.ForeColor = Color.Yellow;

...但是 ForeColor 的效果不是我所期望/希望的:字体颜色仍然是黑色,而不是黄色。

如何使字体颜色变黄?

4

2 回答 2

26

你可以这样做:

dataGridView1.SelectedCells[0].Style 
   = new DataGridViewCellStyle { ForeColor = Color.Yellow};

您还可以在该单元格样式构造函数中设置任何样式设置(例如字体)。

如果你想设置一个特定的列文本颜色,你可以这样做:

dataGridView1.Columns[colName].DefaultCellStyle.ForeColor = Color.Yellow;
dataGridView1.Columns[0].DefaultCellStyle.BackColor = Color.Blue;

更新

因此,如果您想根据单元格中的值进行着色,则可以使用以下方法:

private void dataGridView1_CellFormatting(object sender, DataGridViewCellFormattingEventArgs e)
{
    if (dataGridView1.Rows[e.RowIndex].Cells[e.ColumnIndex].Value != null && !string.IsNullOrWhiteSpace(dataGridView1.Rows[e.RowIndex].Cells[e.ColumnIndex].Value.ToString()))
    {
        dataGridView1.Rows[e.RowIndex].Cells[e.ColumnIndex].Style = new DataGridViewCellStyle { ForeColor = Color.Orange, BackColor = Color.Blue };
    }
    else
    {
        dataGridView1.Rows[e.RowIndex].Cells[e.ColumnIndex].Style = dataGridView1.DefaultCellStyle;
    }
}
于 2012-08-30T18:18:11.890 回答
5
  1. 为避免性能问题(与 中的数据量有关DataGridView),请使用DataGridViewDefaultCellStyleDataGridViewCellInheritedStyle。参考:http: //msdn.microsoft.com/en-us/library/ha5xt0d9.aspx

  2. 您可以使用DataGridView.CellFormatting以前的代码限制来绘制受影响的单元格。

  3. 在这种情况下,您可能需要覆盖DataGridViewDefaultCellStyle,。

//edit
回复您对@itsmatt 的评论。如果要为所有行/单元格填充样式,则需要以下内容:

    // Set the selection background color for all the cells.
dataGridView1.DefaultCellStyle.SelectionBackColor = Color.White;
dataGridView1.DefaultCellStyle.SelectionForeColor = Color.Black;

// Set RowHeadersDefaultCellStyle.SelectionBackColor so that its default 
// value won't override DataGridView.DefaultCellStyle.SelectionBackColor.
dataGridView1.RowHeadersDefaultCellStyle.SelectionBackColor = Color.Empty;

// Set the background color for all rows and for alternating rows.  
// The value for alternating rows overrides the value for all rows. 
dataGridView1.RowsDefaultCellStyle.BackColor = Color.LightGray;
dataGridView1.AlternatingRowsDefaultCellStyle.BackColor = Color.DarkGray;
于 2012-08-30T18:21:35.473 回答