我有一个名为UserController的控制器,其泛型类型为T:
public class UserController<T> : Controller
{
}
然后,在这个类中,我有一个名为Select()的方法,带有泛型类型:
public override T Select<T>(ushort id)
{
// UserModel is just a Class where I is an integer typed property
UserModel.I = 2;
object result = UserModel.I;
return (T)Convert.ChangeType(result, typeof(T));
throw new NotImplementedException();
}
现在在另一个表单类中,我正在访问此方法:
// This is so far working
UserController<int> us = new UserController<int>(0);
label1.Text = us.Select<string>(0);
现在我收到了这个警告:
Severity Code Description Project File Line Suppression State
Warning CS0693 Type parameter 'T' has the same name as the type
parameter from outer type 'UserController<T>'
我不明白这里说的是什么:
Type parameter 'T' has the same name as the type
parameter from outer type 'UserController<T>'
我在这里做错了什么?
答案 0 :(得分:5)
如果您希望使用与您的类相同的类型参数化方法,那么您不会在方法名称中包含泛型参数:
public override T Select(ushort id) /* Uses T from class */
但是,从您的其他示例中看起来您想要使用不同的类型 - 因此请为参数使用不同的名称:
public override TInner Select<TInner>(ushort id)
{
// UserModel is just a Class where I is an integer typed property
UserModel.I = 2;
object result = UserModel.I;
return (TInner)Convert.ChangeType(result, typeof(TInner));
throw new NotImplementedException();
}
(一般情况下,尝试选择比T
甚至TInner
更好的名称 - 正如您应为其他参数选择好名称一样,尝试传达目的类型参数名称中的类型)