The Tag property stores an object reference. Windows Forms programs can use complex object models. With Tag, we can store objects directly on controls.
But the Tag property is a simple way to link a certain object to a certain control. It is useful in certain situations.
This program shows the use of the Tag property inside the object model. The Form1
constructor assigns the Tag property to a new ExampleTag
—a custom type.
Form1
constructor, the ExampleTag
constructor is called. A reference is copied to the Tag reference field.Form1_Load
event handler, we see that you can access the Tag property on the enclosing control.ExampleTag
object at this point.using System; using System.Windows.Forms; namespace WindowsFormsApplication1 { public partial class Form1 : Form { public Form1() { InitializeComponent(); // Set tag on constructor. this.Tag = new ExampleTag(1, 2); } private void Form1_Load(object sender, EventArgs e) { // When form loads, render tag to the title bar. this.Text = this.Tag.ToString(); } } class ExampleTag { public int _a; public int _b; public ExampleTag(int a, int b) { // Store the fields. this._a = a; this._b = b; } public override string ToString() { // Write the fields to a string. return string.Format("Tag a = {0}, b = {1}", this._a, this._b); } } }The window is displayed with the title bar reading the tag ToString output.
Program
notesWhen you invoke ToString
upon a base class
, the most derived method is called. You can see that the title bar of the program is equal to the result of the ToString
method.
If we use Tag, we may confuse the user interface specific information in the program with the data model. This could make porting to new interfaces more difficult.
We explored an example usage of the Tag property. The Tag property essentially provides a user-defined field that can store any form of object in a persistent way.