標籤:
在使用DataGridView控制項放置通知等資訊時,會遇到標記“已讀”、“未讀”的問題。通過SQL語句查詢出的結果中,“已讀”、“未讀”會被放在一個專門的欄位(DataGridView的列)中用來標記這個 條目的閱讀情況。本文的目標就是要做到在顯示上區分目前使用者已讀和未讀的條目。
1、準備工作
建立一個C#表單應用程式,裡面放置一個Dock屬性設定為Full的DataGridView
2、程式碼
在Load函數中,類比產生了一個資料來源,處理DataGridView顯示狀態的代碼放在DataSourceChanged事件中,即每當DataSource重新被賦值時重新整理DataGridView的顯示狀態。代碼中按IsRead列的值判斷該行資料是否為“已讀”
using System;using System.Collections.Generic;using System.ComponentModel;using System.Data;using System.Drawing;using System.Linq;using System.Text;using System.Text.RegularExpressions;using System.Threading.Tasks;using System.Windows.Forms;namespace test{ public partial class FormMain : Form { public FormMain() { InitializeComponent(); } private void FormMain_Load(object sender, EventArgs e) { //產生資料來源 DataTable dtTestData = new DataTable(); dtTestData.Columns.Add("Title"); dtTestData.Columns.Add("Content"); dtTestData.Columns.Add("IsRead"); dtTestData.Rows.Add("標題1", "本文1", true); dtTestData.Rows.Add("標題2", "本文2", false); dtTestData.Rows.Add("標題3", "本文3", true); dtTestData.Rows.Add("標題4", "本文4", false); dtTestData.Rows.Add("標題5", "本文5", true); this.dgvTestData.DataSource = dtTestData; } /// <summary> /// 資料表內資料來源發生變化 /// </summary> /// <param name="sender"></param> /// <param name="e"></param> private void dgvTestData_DataSourceChanged(object sender, EventArgs e) { for (int i = 0; i < dgvTestData.Rows.Count; i++) { string isRead = dgvTestData.Rows[i].Cells["IsRead"].Value.ToString(); if (isRead.ToLower().Trim() == "true") { //TODO 已讀處理 dgvTestData.Rows[i].DefaultCellStyle.ForeColor = Color.Black; dgvTestData.Rows[i].DefaultCellStyle.BackColor = Color.White; dgvTestData.Rows[i].DefaultCellStyle.Font = new Font("宋體", 9F, FontStyle.Regular); } else { //TODO 未讀處理 dgvTestData.Rows[i].DefaultCellStyle.ForeColor = Color.Black; dgvTestData.Rows[i].DefaultCellStyle.BackColor = Color.White; dgvTestData.Rows[i].DefaultCellStyle.Font = new Font("宋體", 9F, FontStyle.Bold | FontStyle.Underline); } } } }}
如果不需要對某行操作,而是只需要對某個儲存格做出樣式上的改變,可以寫成下面這樣:
dgvTestData.Rows[i].Cells["XXX"].Style.ForeColor = Color.Black;dgvTestData.Rows[i].Cells["XXX"].Style.BackColor = Color.White;dgvTestData.Rows[i].Cells["XXX"].Style.Font = new Font("宋體", 9F, FontStyle.Regular);
3、運行樣本
根據IsRead列的值判斷指定行是否加粗加底線,效果如:
END
C# DataGridView 對指定行文字加粗實現閱讀標記