我有一个暴露接口的DLL,看起来像这样:
public Interface IClientGroup
{
IQueryable ClientsGroup {get;}
void Activate(ClientGroup clientgroup);
//many other members and functions
}
在我的控制器类中,它在构造函数中传递,如下所示:
public ControllerClass(IClientGroup clientgroup)
{
var _clientgroup = clientgroup
}
//later _clientgroup used to access everything in Interface
现在当我调试时,我看到它在传递给构造函数时,值已经初始化了,所以我假设我可以简单地在任何函数中传递IClientgroup clientgroup
并且它已经被初始化但它是null,每次如果我在使用之前声明它,并说it is type but used as variable
如果我像在consturctor中那样传递给函数。
public UseValues(IclientGroup clientgroup)
{
//error: IClientGroup is type but used as variable
}
如何在初始化值的情况下使用客户端组?我无法从dll中看到确切的实现。
答案 0 :(得分:5)
public ControllerClass(IClientGroup clientgroup)
{
var _clientgroup = clientgroup
}
上面的代码将clientgroup
参数存储到局部变量中,而不是实例字段中。您需要将其存储在实例字段中,以便以后使用它。
class ControllerClass
{
private IClientGroup _clientgroup;
public ControllerClass(IClientGroup clientgroup)
{
if(clientgroup == null)
{
//Don't allow null values
throw new ArgumentNullException("clientgroup");
}
this._clientgroup = clientgroup
}
void SomeMethod()
{
//Use this._clientgroup here
}
}
除了问题,你真的需要一个beginner tutorial