MukulMohal Ответов: 2

Как заполнить datagridviewcomboboxcolumn из базы данных при добавлении программно


Я хочу заполнить ComboBox datagridview данными из базы данных. Я добавил этот combobox программно.

Что я уже пробовал:

Это мой код для добавления столбца в datagridview. я также добавил combobox
public void bind_grid()
        {
            table.Columns.Add("SalesSno", typeof(int));
            table.Columns.Add("Item_Description", typeof(string));
            table.Columns.Add("Quantity", typeof(int));
            table.Columns.Add("Converstion_Type", typeof(int));
            table.Columns.Add("Rate", typeof(double));
            table.Columns.Add("amount", typeof(double));
            table.Columns.Add("invoiceNo", typeof(string));

            table.Rows.Add();

            grdsearch.DataSource = table;

            grdsearch.GridColor = Color.FromArgb(211, 225, 229);
            grdsearch.BackgroundColor = Color.Wheat;

            grdsearch.RowsDefaultCellStyle.BackColor = Color.AliceBlue;
            grdsearch.RowsDefaultCellStyle.SelectionBackColor = Color.CornflowerBlue;
            grdsearch.RowsDefaultCellStyle.SelectionForeColor = Color.White;

            grdsearch.Columns.Add(HSN_Code);
            
            Units.HeaderText = "Units";
            Units.Name = "Units";
            grdsearch.Columns.Add(Units);
        }

        private void HSN_CodePopulate()
        {
            connection();
            SqlCommand cmd;
            cmd = new SqlCommand("", con);
            if (con.State == ConnectionState.Closed)
            {
                con.Open();
            }
            
            cmd.CommandText = "select * from HSNTable";
            cmd.ExecuteNonQuery();
            SqlDataAdapter adp = new SqlDataAdapter(cmd);
            DataTable dt = new DataTable();
            adp.Fill(dt);

            DataRow row = dt.NewRow();
            row[0] = 0;
            row[1] = "Please select";
            dt.Rows.InsertAt(row, 0);

            try
            {
                HSN_Code.DataSource = dt;
                HSN_Code.HeaderText = "HSN_Code";
                HSN_Code.Name = "HSN_Code";
            }
            catch(Exception exc)
            {
                MessageBox.Show(exc.Message);
            }

        }

не могли бы вы помочь мне, как я должен действовать, так как этот код показывает что-то вроде System.Data.DataRowView в combobox.

2 Ответов

Рейтинг:
2

RickZeeland

Вот пример с ComboBox и DateTimePicker:

using System;
using System.ComponentModel;
using System.Diagnostics;
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 Form5 : Form
    {
        public BindingList<dgvClass1> bindingList;

        public Form5()
        {
            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>
        /// http://www.codeproject.com/Articles/38972/Nullable-datetime-column-in-NET-DataGrid-with-Date
        /// </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;

            //this.dataGridView1.Columns[1].ValueType = typeof(int); 
        }

        /// <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; 
        }
    }
}

dgvClass1.в CS
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();
    }
}

CalendarColumn.в CS
namespace TestForm1
{
    using System;
    using System.Windows.Forms;

    /// <summary>
    /// How to: Host Controls in Windows Forms DataGridView Cells
    /// https://msdn.microsoft.com/en-us/library/7tas5c80(v=vs.100).aspx
    /// </summary>
    public class CalendarColumn : DataGridViewColumn
    {
        public CalendarColumn()
            : base(new CalendarCell())
        {
        }

        public override DataGridViewCell CellTemplate
        {
            get
            {
                return base.CellTemplate;
            }
            set
            {
                // Ensure that the cell used for the template is a CalendarCell.
                if (value != null &&
                    !value.GetType().IsAssignableFrom(typeof(CalendarCell)))
                {
                    throw new InvalidCastException("Must be a CalendarCell");
                }
                base.CellTemplate = value;
            }
        }
    }

    public class CalendarCell : DataGridViewTextBoxCell
    {

        public CalendarCell()
            : base()
        {
            // Use the short date format.
            this.Style.Format = "d";
        }

        public override void InitializeEditingControl(int rowIndex, object
            initialFormattedValue, DataGridViewCellStyle dataGridViewCellStyle)
        {
            // Set the value of the editing control to the current cell value.
            base.InitializeEditingControl(rowIndex, initialFormattedValue,
                dataGridViewCellStyle);
            CalendarEditingControl ctl =
                DataGridView.EditingControl as CalendarEditingControl;
            // Use the default row value when Value property is null.
            if (this.Value == null)
            {
                ctl.Value = (DateTime)this.DefaultNe


Рейтинг:
0

RickZeeland

Вот вам пример: https://www.encodedna.com/2013/02/show-combobox-datagridview.htm[^]
Обратите внимание, что ComboBox будет иметь одинаковые значения для каждой строки.

Это может быть больше по вашему вкусу: c# - datagridview с источником данных и combobox - переполнение стека[^]


MukulMohal

я действительно смотрел на это решение, но это не работает, так как в этом решении столбцы добавляются из окна свойств не программно. и нет никакого кода для заполнения datagridviewcombobox данными из базы данных.

RickZeeland

Да, первый пример, боюсь, не так уж фантастичен. У меня должен быть какой-то код, где-то делающий подобную вещь, но я не могу получить к нему доступ, так как сейчас нахожусь на работе, обещаю поискать его сегодня вечером !

MukulMohal

я смог заполнить combobox1, но когда я добавил combobox2 в ту же сетку, он переписал combobox1. я не знаю, как я должен пойти на это.

А В ПРИВЕДЕННОМ ВЫШЕ КОДЕ Я ПРОСТО ЗАМЕНИЛ

пробовать
{
HSN_Code.Источник данных = dt;
HSN_Code.HeaderText = "HSN_Code";
HSN_Code.Имя = "HSN_Code";
}

с

пробовать
{
HSN_Code.Источник данных = dt1;
HSN_Code.HeaderText = "код HSN";
HSN_Code.Имя = "HSN_Code";
HSN_Code.DisplayMember = "HSN_Code";
HSN_Code.ValueMember = "Id";
}

RickZeeland

У вас может быть только один тип ComboBox с одинаковыми значениями для всех строк сетки, или вам придется прибегнуть к некоторым трюкам "на лету" :)

MukulMohal

есть ли какой-нибудь способ добавить несколько datagridviewcombobox в один и тот же datagridview?

RickZeeland

grdsearch.Столбцы.Добавить(HSN_Code);
grdsearch.Столбцы.Добавить(HSN_New);

MukulMohal

ну, я смог добавить два datagridviewcombobox в один и тот же datagridview, добавив

HSN_Code.DisplayIndex = 1;

HSN_Code1.DisplayIndex=2;