RickZeeland
Вот пример, в котором используется BindingList
, который может быть адаптирован для использования в базе данных.
В класс bindinglist использует этот класс:
public class dgvClass1 : ICloneable
{
/// <summary>
/// priority is not a propery, so it is not visible in datagrid by default.
/// </summary>
public string priority;
/// <summary>
/// date is not a propery, so it is not visible in datagrid by default.
/// </summary>
public DateTime date;
public int Number { get; set; }
public string Name { get; set; }
public dgvClass1()
{
this.date = DateTime.Now;
this.priority = "Medium";
}
/// <summary>
/// https://msdn.microsoft.com/en-us/library/system.object.memberwiseclone(v=vs.100).aspx
/// </summary>
public object Clone()
{
return (dgvClass1)this.MemberwiseClone();
}
}
Код Winform:
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Diagnostics;
using System.Drawing;
using System.Windows.Forms;
namespace TestForm1
{
/// <summary>
/// Test data grid with BindingList.
/// Replace column with ComboBox.
/// Replace date column with class CalendarColumn.
/// </summary>
public partial class Form1 : Form
{
public BindingList<dgvClass1> bindingList;
public Form1()
{
InitializeComponent();
// Allow user to resize column widths.
this.dataGridView1.AutoSizeColumnsMode = DataGridViewAutoSizeColumnsMode.None;
this.dataGridView1.AllowUserToAddRows = false;
this.dataGridView1.DataBindingComplete += (s, ev) => Debug.WriteLine("BindingComplete");
//this.dataGridView1.CurrentCellDirtyStateChanged += new DataGridViewRowEventHandler(this.DataGridChanged);
this.dataGridView1.CellValueChanged += new DataGridViewCellEventHandler(this.dataGridView1_CellValueChanged);
this.dataGridView1.RowValidated += new DataGridViewCellEventHandler(this.RowValidatedEvent);
}
/// <summary>
/// Fill the BindingList and set the dataGridView1.DataSource.
/// </summary>
private void button1_Click(object sender, EventArgs e)
{
bindingList = new BindingList<dgvClass1>();
bindingList.AllowNew = true;
bindingList.AllowRemove = true;
if (this.dataGridView1.DataSource != null)
{
this.dataGridView1.DataSource = null;
this.dataGridView1.Columns.Remove("Priority");
}
this.AddTestData();
this.AddComboBox();
this.AddCalendarColumn();
bindingList.AddingNew += (s, ev) => Debug.WriteLine("AddingNew");
bindingList.ListChanged += (s, ev) => Debug.WriteLine("ListChanged");
}
/// <summary>
/// Add test data.
/// </summary>
private void AddTestData()
{
// Add row with test data.
var item = new dgvClass1();
item.Number = 1;
item.Name = "Test data1";
item.priority = "Low"; // Not visible field will be used in ComboBox later.
bindingList.Add(item);
// Add row with test data.
item = new dgvClass1();
item.Number = 2;
item.Name = "Test data2";
item.date = item.date.AddMonths(1);
bindingList.Add(item);
// Add row with test data.
item = new dgvClass1();
item.Number = 3;
item.Name = "Test data3";
item.date = item.date.AddMonths(2);
bindingList.Add(item);
var clone = (dgvClass1)item.Clone();
clone.Number++;
bindingList.Add(clone);
clone = (dgvClass1)clone.Clone();
clone.Number++;
bindingList.Add(clone);
this.dataGridView1.DataSource = bindingList;
this.dataGridView1.Columns[0].Frozen = true;
}
/// <summary>
/// Add ComboBox column at position 2.
/// </summary>
private void AddComboBox()
{
DataGridViewComboBoxColumn dgvCombo = new DataGridViewComboBoxColumn();
dgvCombo.Name = "Priority";
dgvCombo.Width = 100;
dgvCombo.DataSource = new string[] { "Low", "Medium", "High" };
dgvCombo.DisplayIndex = 2;
this.dataGridView1.Columns.Add(dgvCombo);
for (int rowNr = 0; rowNr < bindingList.Count; rowNr++)
{
var row = this.dataGridView1.Rows[rowNr];
DataGridViewComboBoxCell dgvComboCell = (DataGridViewComboBoxCell)row.Cells["Priority"];
dgvComboCell.Value = bindingList[row.Index].priority;
}
}
/// <summary>
/// Uses class CalendarColumn.
/// https://msdn.microsoft.com/en-us/library/7tas5c80(v=vs.100).aspx
/// </summary>
private void AddCalendarColumn()
{
CalendarColumn col = new CalendarColumn();
col.Name = "Datum";
col.Width = 100;
this.dataGridView1.Columns.Add(col);
////this.dataGridView1.Columns["Datum"].DefaultCellStyle.Format = "yyyy-MM-dd HH:mm"; // "dd/MM/yyyy";
foreach (DataGridViewRow row in this.dataGridView1.Rows)
{
row.Cells["Datum"].Value = bindingList[row.Index].date;
}
}
public void DataGridChanged(object sender, DataGridViewRowEventArgs e)
{
Debug.Print("CollectionChanged");
}
private void RowValidatedEvent(object sender, DataGridViewCellEventArgs e)
{
Debug.Print("RowValidatedEvent");
}
private void dataGridView1_CellValueChanged(object sender, DataGridViewCellEventArgs e)
{
if (this.dataGridView1.Columns[e.ColumnIndex].Name == "Priority")
{
string oldPriority = this.bindingList[e.RowIndex].priority;
string newPriority = this.dataGridView1.Rows[e.RowIndex].Cells[e.ColumnIndex].Value.ToString();
this.bindingList[e.RowIndex].priority = newPriority;
//this.dataGridView1.Rows[e.RowIndex].Cells[e.ColumnIndex].Style.BackColor = Color.Yellow;
Debug.Print("Priority changed from: " + oldPriority + " to: " + newPriority);
}
else if (this.dataGridView1.Columns[e.ColumnIndex].Name == "Datum")
{
////DateTime oldDate = this.bindingList[e.RowIndex].date;
DateTime newDate;
DateTime.TryParse(this.dataGridView1.Rows[e.RowIndex].Cells[e.ColumnIndex].Value.ToString(), out newDate);
this.bindingList[e.RowIndex].date = newDate;
}
}
/// <summary>
/// Show changes in bindingList.
/// </summary>
private void button2_Click(object sender, EventArgs e)
{
string str = string.Empty;
foreach (var item in this.bindingList)
{
str += item.Name + ", " + item.priority + ", " + item.date + "\n";
}
MessageBox.Show(str);
}
private void buttonDelete_Click(object sender, EventArgs e)
{
if (this.dataGridView1.CurrentRow != null)
{
this.bindingList.RemoveAt(this.dataGridView1.CurrentRow.Index);
}
}
private void buttonAdd_Click(object sender, EventArgs e)
{
var item = new dgvClass1();
bindingList.Add(item);
this.dataGridView1.Rows[this.bindingList.Count - 1].Cells["Priority"].Value = item.priority; // "Medium"
this.dataGridView1.Rows[this.bindingList.Count - 1].Cells["Datum"].Value = item.date;
}
}
}
bhavikadb
Спасибо Вам, Рикзиленд, за решение. Я получил решение раньше, но теперь я застрял между обработкой событий для comboboxcolumn, так как у меня есть два comboboxcolumn в сетке.
То, что я пробовал, это:
частная dgvArtWork_EditingControlShowing недействительным(объект отправителя, DataGridViewEditingControlShowingeventargs е)
{
если (dgvArtWork.CurrentCell.ColumnIndex = = 14 & & amp; e. управление-это ComboBox)
{
ComboBox comboBox = e. управление как ComboBox;
комбинированный список.Разделе мы рассмотрим += adColumnComboSelectionChanged;
}
остальное, если (dgvArtWork.CurrentCell.ColumnIndex == 16 & & amp; e. управление-это ComboBox)
{
ComboBox comboBox = e. управление как ComboBox;
комбинированный список.Разделе мы рассмотрим += logoColumnComboSelectionChanged;
}
}
частная adColumnComboSelectionChanged недействительным(объект отправителя, EventArgs в электронной)
{
ВАР currentcell = dgvArtWork.CurrentCellAddress;
var sendingCB = отправитель как DataGridViewComboBoxEditingControl;
DataGridViewComboBoxCell cel = (DataGridViewComboBoxCell)dgvArtWork. Rows[currentcell. Y]. Cells[16];
DataGridViewComboBoxCell celAD = (DataGridViewComboBoxCell)dgvArtWork. Rows[currentcell. Y]. Cells[14];
DataTable dsMaster = новый DataTable();
пункт строка = dgvArtWork.Строк[currentcell.Г].Клеток[5].Значение.Метод toString();
размер строки = dgvArtWork.Строк[currentcell.Г].Клеток[6].Значение.Метод toString();
строку объявление = sendingCB.EditingControlFormattedValue.Метод toString();
//строки рекламы = dgvArtWork.Строк[currentcell.Г].Клеток[14].FormattedValue.Метод toString();
спицы.Открыть();
SqlDataAdapter adp = new SqlDataAdapter ("выберите логотип из ArtWorkMaster, где CustCode='" + txtCustCode.Текст + "' и AD='" + объявления + " и номенклатура='" + номенклатура + "' и размер='" + размер + "'", СП);
adp. Fill(dsMaster);
АДП.Распоряжаться();
спицы.Рядом();
для (тип int я = 0; Я &л; dsMaster.Строк.Граф; i++)
{
кел.Предметы.Добавить (dsMaster.Строки[i].ItemArray[0]);
}
}
частная logoColumnComboSelectionChanged недействительным(объект отправителя, EventArgs в электронной)
{
ВАР currentcell = dgvArtWork.CurrentCellAddress;
var sendingCB = отправитель как DataGridViewComboBoxEditingControl;
//DataGridViewComboBoxCell cel = (DataGridViewComboBoxCell)dgvArtWork. Rows[currentcell. Y]. Cells[18];
//DataGridViewComboBoxCell celAD = (DataGridViewComboBoxCell)dgvArtWork. Rows[currentcell. Y]. Cells[14];
DataTable dsMaster = новый DataTable();
пункт строка = dgvArtWork.Строк[currentcell.Г].Клеток[5].Значение.Метод toString();
размер строки = dgvArtWork.Строк[currentcell.Г].Клеток[6].Значение.Метод toString();
строку объявление = dgvArtWork.Строк[currentcell.Г].Клеток[14].Значение.Метод toString();
логотип строка = sendingCB.EditingControlFormattedValue.Метод toString();
спицы.Открыть();
SqlDataAdapter adp = new SqlDataAdapter ("выберите логотип из ArtWorkMaster, где CustCode='" + txtCustCode.Текст + "' и AD='" + объявления + " и номенклатура='" + номенклатура + "' и размер='" + размер + "'", СП);
adp. Fill(dsMaster);
АДП.Распоряжаться();
спицы.Рядом();
}
Проблема в том, что всякий раз, когда я выбираю элемент из любого combobox, он запускает оба события.
Пожалуйста вы можете помочь нам с этим
RickZeeland
Разве вы не можете использовать что-то вроде этого:
private void dataGridView1_CellValueChanged(отправитель объекта, DataGridViewCellEventArgs e)
{
если (это.dataGridView1.Колонки[Эл.ColumnIndex]. Name = = " Приоритет")