why colon on constructor chaining doesn't work?

79 Views Asked by At

I have a problem while I was study by myself today I did follow everything in the lecture structure carefully but I end up having CS1073 problem...

using System;
using System.Collections.Generic;
using System.Text;

namespace Shape_Rectangle
{
    class AExample
    {
        public void animal()
        {
            Console.WriteLine("C A");
        }
        public void animal(string p1)
        {
            Console.WriteLine("C B" + p1);
        }
        public void animal(string p1, string p2) : this(p1)
        {
            Console.WriteLine("C C" + p2);
        }
    }
}

and it keep saying that the ":" in this -> public void animal(string p1, string p2) : this(p1) is having a problem anyone have any idea what did I do wrong here?

1

There are 1 best solutions below

0
On BEST ANSWER

You are right in thinking that the colon is used to chain constructors. However your constructors are not well formed and are therefore acting like methods instead.

Here is an excerpt from the microsoft documentation:

A constructor is a method whose name is the same as the name of its type. Its method signature includes only an optional access modifier, the method name and its parameter list; it does not include a return type.

As your class is called "AExample", your constructors should also be called "AExample" and not "animal". Your constructors should also not include the return type, which in this case is "void".

To fix your code, try this:

class AExample
{
    public AExample()
    {
        Console.WriteLine("C A");
    }
    public AExample(string p1)
    {
        Console.WriteLine("C B" + p1);
    }
    public AExample(string p1, string p2) : this(p1)
    {
        Console.WriteLine("C C" + p2);
    }
}