我有一个WCF Rest服务(使用Json),它获取用户名和密码并返回客户信息。这是Method接口。
//Get Customer by Name
[OperationContract]
[WebInvoke
(UriTemplate = "/GetCustomerByName",
Method = "POST", BodyStyle = WebMessageBodyStyle.Wrapped,
ResponseFormat = WebMessageFormat.Json,
RequestFormat = WebMessageFormat.Json
)]
List<Model.Customer> GetCustomerByName(Model.CustomerName CustomerData);
我需要在MVC5中调用此方法并将参数传递给它。不知道如何传递参数。
这就是我致电服务的方式:
readonly string customerServiceUri = "http://localhost:63674/CSA.svc/";
public ActionResult SearchByName(InputData model)
{
List<CustomerModel> customerModel = new List<CustomerModel>();
if (ModelState.IsValid)
{
if (model != null)
{
using (WebClient webclient = new WebClient())
{
string jsonStr = webclient.DownloadString(string.Format("{0}GetCustomerByName?CustomerData={1}", customerServiceUri, model));
if (!string.IsNullOrWhiteSpace(jsonStr))
{
var result = JsonConvert.DeserializeObject<Models.CustomerModel.Result>(jsonStr);
if (result != null)
{
customerModel = result.GetCustomersByNameResult;
}
}
}
}
}
return View(customerModel);
}
我在这一行上遇到错误:
string jsonStr = webclient.DownloadString(string.Format("{0}GetCustomerByName?CustomerData={1}", customerServiceUri, model));
这是错误:
远程服务器返回错误:(405)Method Not Allowed。
这是 InputData 类:
public class InputData
{
public string First_Name { get; set; }
public string Last_Name { get; set; }
}
答案 0 :(得分:1)
问题是代码行正在调用服务,错误。由于您传递了网址中的值,因此代码行正在发出GET
个请求,不一个POST
。如果您愿意提出POST
请求,请follow this answer。
代码有什么问题?
string jsonStr = webclient.DownloadString(string.Format("{0}GetCustomerByName?CustomerData={1}", customerServiceUri, model));
1)由于(405) Method Not Allowed because you expecting
请求是预期的并且是POST
请求,因此抛出此错误GET
。
2)这将输出如下内容:http://localhost:63674/CSA.svc/GetCustomerByName?CustomerData=[SolutionName].[ProjectName].InputData
这种情况正在发生,因为C#不知道如何以您想要的方式将InputData
转换为字符串,因此您必须覆盖方法ToString()
。
可能的解决方案
尝试发出GET
请求,您必须以这种方式调用服务(只需稍加修改)
string jsonStr = webclient.DownloadString(string.Format("{0}GetCustomerByName?firstName={1}&lastName={2}", customerServiceUri, model.First_Name, model.Last_Name));
您必须修改服务以匹配我为GET
请求做的示例。
//Get Customer by Name
[OperationContract]
[WebGet(UriTemplate = "GetCustomerByName?firstName={firstName}&lastName={lastName}")]
List<Model.Customer> GetCustomerByName(string firstName, string lastName);