且构网

分享程序员开发的那些事...
且构网 - 分享程序员编程开发的那些事

重写的ToString方法C#

更新时间:2023-02-14 18:15:43

您正在返回一个字符串,只是说这句话 _name + _number + _date + _salary



你可能想要做的是建立使用这些字段的字符串。如果你想他们都一起捣成泥的毗连会的工作,但它会非常不可读

 公共重写字符串的ToString()
{
返回String.Concat(_name,_number,_date,_salary );
}



不过,这将是更好的是使用的Format ,并包括与值的标签

 公共重写字符串的ToString()
{
返回的String.Format(名称:{0},号码:{1},日期:{2},薪水:{3},_名,_number,_date,_salary);
}


Okay, so I wrote this program out of the exercise of a C# programming book (I'm trying to learn here) and it asks for "Override the ToString() method to return all data members".

Have I done this correctly? Or have I just successfully wrote code that compiles but does nothing. What is the purpose of ToString?

I have spent about 30 minutes looking at other posts on this and havn't figured it out, So I decided to make this.

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

namespace ConsoleApplication297
{
class Program
{
    static void Main(string[] args)
    {
        String name = "Stormtrooper";
        Employee s = new Employee(name);
        Console.WriteLine("The type of hire is a {0}", s.Name);
        Console.WriteLine("The identification number is {0}", s.Number);
        Console.WriteLine("The date of hire is {0} ABY", s.Date);
        Console.WriteLine("The standard galactic salary is...{0:C}", s.Salary);

    }

    class Employee
    {
        private string _name;
        private string _number;
        private int _date;
        private int _salary;
        public string Name
        {
            get
            {
                return _name;
            }
        }

        public string Number
        {
            get
            {
                return _number;
            }
        }

        public int Date
        {
            get
            {
                return _date;
            }
        }
        public int Salary
        {
            get
            {
                return _salary;
            }
        }
        public Employee(string n)
        {
            _name = n;
            _number = "AA23TK421";
            _date = 4;
            _salary = 800;
        }
    }

    public override string ToString()

    {
        return "_name + _number + _date + _salary".ToString();
    }
}
}

You are returning a string that just says the phrase _name + _number + _date + _salary.

What you likely wanted to do is build a string using those fields. If you wanted them all mushed together Concat would work, but it would be highly un-readable

public override string ToString()
{
    return String.Concat(_name, _number, _date, _salary);
}

However what would be better is to use Format and include labels with the values

public override string ToString()
{
    return String.Format("Name: {0}, Number:{1}, Date:{2}, Salary:{3}",_name, _number, _date, _salary);
}