Struct

esse quam videri
Revision as of 17:18, 10 June 2019 by Janell (talk | contribs)
(diff) ← Older revision | Latest revision (diff) | Newer revision → (diff)
Jump to: navigation, search


C# Struct

C# structs are lightweight alternatives to classes. Structs do not support inheritance or destructors, and are value typed objects similar to ints bool etc... while classes are reference types. Structs are more memory efficient and and faster than classes.

Syntax

[ attributes] [access-modifiers] struct identifier [:interface-list {struct members}

struct Dog
{
 public string name;
 public string weight;
 public int age;
}

A good example of a struct would be and something like a point. There may be many many points in a structure or graph and we would want the points to be a lightweight as possible. Since the point object won't have any methods this is a good time to use a struct.

struct Point
{
    public int x;
    public int y;

    public Point(int x, int y)
    {
        this.x = x;
        this.y = y;
    }

    public Point Add(Point pt)
    {
        Point newPt;

        newPt.x = x + pt.x;
        newPt.y = y + pt.y;

        return newPt;
    }
}