Search code examples
c#wpfwpfdatagrid

Referencing a cell in WPF datagrid


I have a WPF DataGrid as below:

Items

My questions are:

  1. How do I perform the calculation of the "total" column based on Price * Quantity?
  2. Is there a way to automatically adjust the column width of the table so that it will look nicer?

My cs code is as follows:

public partial class pgCheckout : Page {

    ObservableCollection<SaleItem> items = new ObservableCollection<SaleItem>();

    public pgCheckout() {
        InitializeComponent();
        dgItems.ItemsSource = items;
    }

    private void btnRemove_Click(object sender, RoutedEventArgs e) {

    }

    private void btnAdd_Click(object sender, RoutedEventArgs e) {
        using (var db = new PoSEntities()) {
            var query = from i in db.Items
                        where i.ItemID.Equals(txtItemID.Text.Trim())
                        select i;
            var itm = query.FirstOrDefault();
            if (itm == null) {
                lblErr.Content = "Invalid Item";
            }
            else {
                lblErr.Content = "";
                items.Add(new SaleItem() {
                    Num = items.Count + 1,
                    ItemID = itm.ItemID,
                    Name = itm.Name,
                    Price = itm.Price,
                    Quantity = 1,
                    Total = 1 //Need to be Price * Quantity
                });
            }
        }
    }
}

class SaleItem {
    public int Num { get; set; }
    public string ItemID { get; set; }
    public string Name { get; set; }
    public decimal Price { get; set; }
    public int Quantity { get; set; }
    public decimal Total { get; set; }
}

Thanks in advance.


Solution

  • You will need to ipmlement INotifyPropertyChanged interface for your model like this

     class SaleItem : INotifyPropertyChanged
    {
        public int Num { get; set; }
        public string ItemID { get; set; }
        public string Name { get; set; }
    
        private decimal price;
        public decimal Price
        {
            get { return price; }
            set
            {
                this.price = value; 
                OnPropertyChanged("Total");
            }
        }
    
        private decimal quantity;
        public decimal Quantity
        {
            get { return quantity; }
            set
            {
                this.quantity = value; 
                OnPropertyChanged("Total");
            }
        }
    
        public decimal Total
        {
            get { return Price * Quantity; }
        }
    
        public event PropertyChangedEventHandler PropertyChanged;
        private void OnPropertyChanged(string propertyName)
        {
            var handler = PropertyChanged;
            if (handler != null)
                handler(this, new PropertyChangedEventArgs(propertyName));
        }
    }