我正在尝试测试我的Xamarin应用程序的登录,但为了使应用程序正常工作,我必须创建一个令牌。方法如下:
public string RetrieveToken()
{
if (Application.Current.Properties.ContainsKey("token"))
{
return Application.Current.Properties["token"] as string;
}
return null;
}
但是当测试运行时我收到NullReferenceError,因为Application.Current.Properties.ContainsKey("token")
不能在测试中使用。
所以我的问题是,是否有办法逃避这一点。
答案 0 :(得分:0)
您是否在此项目中使用任何依赖注入?我使用Application.Current.Resources
做了类似的事情,因为我们正在为ViewModel编写单元测试。
您可以将Application.Current.Properties
注册为服务的属性。然后使用该项目的服务并在测试中模拟该属性。
例如,如果您使用的是Microsoft Unity DI,则可以执行以下操作:
public interface IAppPropertyService
{
IDictionary<string, object> Properties { get; set; }
}
public class AppPropertyService : IAppPropertyService
{
public const string AppPropertiesName = "AppProperties";
public IDictionary<string, object> Properties { get; set; }
public AppPropertyService([IocDepndancy(AppPropertiesName)] IDictionary<string, object> appProperties)
{
Properties = appProperties;
}
}
然后在你的App中注册这样的服务:
Container.RegisterInstance<IDictionary<string, object>>(AppPropertyService.AppPropertiesName, Application.Current.Properties);
Container.RegisterType<IAppPropertyService, AppPropertyService>();
并且在您的测试中使用模拟版本的Application.Current.Properties,例如只是一个词典:
Container.RegisterInstance<IDictionary<string, object>>(AppPropertyService.AppPropertiesName, new Dictionary<string, object>());
Container.RegisterType<IAppPropertyService, AppPropertyService>();
请确保在项目中使用PropertyService而不是像这样的Application.Current.Properties:
public string RetrieveToken()
{
var propertyService = Container.Resolve<IAppPropertyService>();
if (propertyService.Properties.ContainsKey("token"))
{
return propertyService.Properties["token"] as string;
}
return null;
}