Search code examples
c#overloadingstack-overflowoperator-keyword

Operator Overloading causes a stack overflow


I started out programming with C# a few days ago.

Now an confusing error arised when playing around with operator overloading.

The following code produces a StackOverflowException when running:

using System;

namespace OperatorOverloading
{
    public class Operators
    {
        // Properties
        public string text
        {
            get
            {
                return text;
            }

            set
            {
                if(value != null)
                    text = value;
                else
                    text = "";
            }
        }

        // Constructors
        public Operators() : this("")
        {
        }

        public Operators(string text)
        {
            // Use "set" property.
            this.text = text;
        }

        // Methods
        public override string ToString()
        {
            return text;
        }

        // Operator Overloading
        public static string operator +(Operators lhs, Operators rhs)
        {
            // Uses properties of the passed arguments.
            return lhs.text + rhs.text;
        }

        public static void Main(string[] args)
        {
            Operators o1 = new Operators();
            Operators o2 = new Operators("a");
            Operators o3 = new Operators("b");

            Console.WriteLine("o1: " + o1);
            Console.WriteLine("o2: " + o2);
            Console.WriteLine("o3: " + o3);

            Console.WriteLine();

            Console.WriteLine("o1 + o2: " + (o1 + o2));
            Console.WriteLine("o2 + o3: " + (o2 + o3));
        }
    }
}

I tried to write an own example after reading the chapter about operater overloading from the book "Microsoft Visual C# 2008" from Dirk Louis and Shinja Strasser.

Maybe someone has a clue what's going wrong.

Thanks.


Solution

  • The get code-block in your class has the problem and that is what is causing the StackOverFlow exception.

        public string text
        {
            get
            {
                return text;
            }
        }
    

    Here when you say return text; it will go and call the get block of the property text itself which is causing the stack-overflow. wrap your property text around a private _txt string field and it should work properly.

    You can make it something like this..

    private string _txt;
    public string text
    {
        get
        {
            return _txt;
        }
    
        set
        {
            _txt = string.IsNullOrEmpty(value) ? string.Empty : value;
        }
    }