developer__c
developer__c

Reputation: 636

Using and instance of a class on two forms

I am struggling to get my head around the following. I current have three forms, my main and one main class.

public partial class frmMain : Form
{
    public frmMain()
    {
        InitializeComponent();
    }
}

public partial class frmSuppliers : Form
{
    public frmSuppliers()
    {
        InitializeComponent();
    }
}

public partial class frmCustomers : Form
{
    public frmCustomers()
    {
        InitializeComponent();
    }
}

In my main program I have:

 public class Program
 {
        public StockControl StockSystem = new StockControl("The Book Shop", 20);
 }

I want to be able to access the methods from StockControl in frmSuppliers and frmMain.

I know this may be a N00b question - but its been bugging me all day!

Upvotes: 1

Views: 142

Answers (3)

Francesco Baruchelli
Francesco Baruchelli

Reputation: 7468

You should add a field of type StockControl to each of your forms, and make it public, or add getter/setter to it. This means adding the following lines to each one of your forms:

private StockControl _stockCtrl;
public StockControl StockCtrl
{
   get { return _stockCtrl; }
   set { _stockCtrl = value; }
}

The in the cod of each form you can access your StockControl. But it will be empty (i.e. null) if you don't assign it something. This is something I'd do before opening the form. If you are in your main method:

frmSuppliers frmToOpen = new frmSuppliers();
frmSuppliers.StockCtrl = StockSystem;
frmSuppliers.Show();

Upvotes: 1

L.B
L.B

Reputation: 116118

declare it static

public static StockControl StockSystem = new StockControl("The Book Shop", 20);

and use as

Program.StockSystem 

Upvotes: 1

SLaks
SLaks

Reputation: 887453

You need to pass it to the other forms as a constructor parameter, then store it in a private field.

Upvotes: 5

Related Questions