在用户输入他/她的登录详细信息后,我的控制器中有以下代码行
var userProfile = UserService.UserLogin(userLogin);
这称为调用外部Web Apis时引用的静态类
public static UserProfile UserLogin(UserLogin userLogin)
{
var client = new RestClient(Url);
var request = new RestRequest("api/UserLoginApi/", Method.GET) { RequestFormat = DataFormat.Json };
request.AddBody(userLogin);
var response = client.Execute(request);
var userProfile = JsonConvert.DeserializeObjectAsync<UserProfile>(response.Content).Result;
return userProfile;
}
以上称这个Web Api没有问题,我可以点击断点集
public UserProfile Get([FromBody] UserLogin userLogin)
{
UserProfile userProfile;
return userProfile;
}
但是当我在Web Api中检查userLogin中的值时它们是空的吗?
现在单步执行控制器,userLogin有我输入的电子邮件地址和密码,再次进入UserService.Login,当它到达时,值仍然存在
var response = client.Execute(request);
我展开请求并看到参数的计数为1但是当它在我的Web Api GET中遇到断点时userLogin为空?
我也在UserService.Login
中尝试了这个 request.AddBody(new UserLogin
{
EmailAddress = userLogin.EmailAddress,
Password = userLogin.Password
});
但又没有运气我在这里做错了什么?
答案 0 :(得分:0)
我建议您在使用FromBody时必须使用Post方法发送数据。
var request = new RestRequest("api/UserLoginApi/", Method.POST) { RequestFormat = DataFormat.Json };
根据您的方法。
public UserProfile Get([FromBody] UserLogin userLogin)
{
UserProfile userProfile;
return userProfile;
}
您的控制器操作是Get方法,当您使用Url api / UserLoginApi /和Get方法请求时,它将调用上述方法,如果您根据我的建议更改帖子,您还必须更改控制器方法名称如果您没有&#39 ; t想要这样做,然后像这样更新控制器动作。
public UserProfile Get([FromUri] UserLogin userLogin)
{
UserProfile userProfile;
return userProfile;
}
拨打以下内容。
public static UserProfile UserLogin(UserLogin userLogin)
{
var client = new RestClient(Url);
var request = new RestRequest("api/UserLoginApi/", Method.GET) { RequestFormat = DataFormat.Json };
request.AddQueryParameter("EmailAddress", userLogin.EmailAddress);
request.AddQueryParameter("Password", userLogin.Password);
var response = client.Execute(request);
var userProfile = JsonConvert.DeserializeObjectAsync<UserProfile>response.Content).Result;
return userProfile;
}
如果您决定使用Post Method,则执行控制器操作,如
public UserProfile Post([FromBody] UserLogin userLogin)
{
UserProfile userProfile;
return userProfile;
}
你应该这样打电话。
public static UserProfile UserLogin(UserLogin userLogin)
{
var client = new RestClient(Url);
var request = new RestRequest("api/UserLoginApi/", Method.POST) { RequestFormat = DataFormat.Json };
request.AddBody(userLogin);
var response = client.Execute(request);
var userProfile = JsonConvert.DeserializeObjectAsync<UserProfile>(response.Content).Result;
return userProfile;
}