-2

我试图了解 C# 4.5 中的通用数据类型,并且我创建了类检查,其中返回类型为 bool 的简单方法 CompareMyValue 正在比较两个值。现在在我的主类中,我创建对象并使用输入参数调用此方法,但我在调试期间意识到,主类调用中的方法不会为 bool a1 和 a2 返回正确的结果。

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

namespace C_Sharp_Practice_Code_01.GenericCollection
{
class check<UNKNOWNDATATYPE>
 {
    public bool CompareMyValue(UNKNOWNDATATYPE x, UNKNOWNDATATYPE y)
    {
        if(x.Equals(y))
        {
            return true;
        }
        else
        {
            return false;
        }
    }
  } 
}

主班

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

using C_Sharp_Practice_Code_01.GenericCollection;

namespace C_Sharp_Practice_Code_01
{
 class mainClass
 {
    static void Main(string[] args)
    {
        mainClass obj1 = new mainClass();

        obj1.call_GenericClass();
    }
    public void call_GenericClass()
    {
        check<int> _check = new check<int>();
        check<string> _check2 = new check<string>();

        bool a1 = _check.CompareMyValue(1, 1);
        bool a2 = _check2.CompareMyValue("xyz", "xyz");
    }
 }
}
4

2 回答 2

3

主类调用中的方法没有为 bool a1 和 a2 返回正确的结果。

也许你在调用 CompareMyValue-Function之前检查了你的布尔变量?


我在一个示例项目中测试了您的代码,它对我来说效果很好:

bool a1 = _check.CompareMyValue(1, 1); 
System.Diagnostics.Debug.Print(a1.ToString()); // prints true
bool a2 = _check2.CompareMyValue("xyz", "xyz");
System.Diagnostics.Debug.Print(a2.ToString()); // prints true
bool a3 = _check2.CompareMyValue("x", "y"); // another example
System.Diagnostics.Debug.Print(a3.ToString()); // prints false
于 2013-07-30T09:45:48.510 回答
0

我设法让它工作......

class check<T>
{
    public bool CompareMyValue(T x, T y)
    {
        if (x.Equals(y))
        {
            return true;
        }
        else
        {
            return false;
        }
    }
}

然后用

check<int> intChecker = new check<int>();
Console.WriteLine(intChecker.CompareMyValue(4, 5).ToString());
Console.ReadKey();

check<string> strChecker = new check<string>();
Console.WriteLine(strChecker.CompareMyValue("The test", "The test").ToString());
Console.ReadKey();

check<decimal> decChecker = new check<decimal>();
Console.WriteLine(decChecker.CompareMyValue(1.23456m, 1.23456m).ToString());
Console.ReadKey();

check<DateTime> dateChecker = new check<DateTime>();
Console.WriteLine(dateChecker.CompareMyValue(new DateTime(2013, 12, 25), new DateTime(2013, 12, 24)).ToString());
Console.ReadKey();
于 2013-07-30T09:55:21.900 回答