方法内部的通用对象

时间:2013-05-06 19:42:41

标签: c# c#-4.0

我对通用对象有些怀疑,我不知道我的想法是否可以轻松实现......

我有实现相同接口的对象,因此除了主要对象之外,方法几乎等于下面的代码:

public bool Func1 (Bitmap img)
{
   Obj1                 treatments    = new Obj1 ();
   List<UnmanagedImage> unmanagedList = treatments.ExtractLetters(img);

   // Check image treatments
   if (!treatments.WasSuccessful)
      return false

   return true
}

public bool Func2 (Bitmap img)
{
   Obj2                 treatments    = new Obj2 ();
   List<UnmanagedImage> unmanagedList = treatments.ExtractLetters(img);

   // Check image treatments
   if (!treatments.WasSuccessful)
      return false

   return true
}

在这种情况下,我不想复制代码。有没有简单的方法使这个Obj1和Obj2通用?因为我只能编写一个函数,然后函数可以在对象中进行强制转换,因为其余的都是相同的。

谢谢!

2 个答案:

答案 0 :(得分:8)

是的,假设所有Treatments实现了提供ITreatmentsExtractLetters的公共接口WasSuccessful,您可以这样做:

interface ITreatments {
    List<UnmanagedImage> ExtractLetters(Bitmap img);
    bool WasSuccessful {get;}
}

public bool Func<T>(Bitmap img) where T : new, ITreatments
{
    T treatments    = new T();
    List<UnmanagedImage> unmanagedList = treatments.ExtractLetters(img);
    return treatments.WasSuccessful;
}

现在您可以按如下方式调用此函数:

if (Func<Obj1>(img)) {
    ...
}
if (Func<Obj2>(img)) {
    ...
}

答案 1 :(得分:2)

仅当Obj1Obj2实现接口或继承定义ExtractLettersWasSuccessful的基类时。否则它们是碰巧具有相同名称的无关方法。

如果有接口或基类,你可以这样做:

public bool Func1<T>(Bitmap img) where T: ITreatments, new()
{
   T treatments = new T();
   List<UnmanagedImage> unmanagedList = treatments.ExtractLetters(img);

   // Check image treatments
   if (!treatments.WasSuccessful)
      return false

   return true
}