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多分、を上書きする必要があります。

//
@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 に答える