调用 Web 服务“400 错误请求”错误
本文关键字:错误 请求 Web 服务 调用 | 更新日期: 2023-09-27 18:30:47
我正在尝试在我的 C# ASP.Net MVC3 应用程序中调用 Web 服务。这是源代码:
public string getCourseSchedule()
{
string url = "http://192.168.1.198:15014/ShoppingCart2/CourseSchedule";
string data = "Months&StatesMX&Zip=&Miles=&ProgramCodes=&EventCode=&PaginationStart=1&PaginationLimit=3";
byte[] bytes = Encoding.UTF8.GetBytes(data);
var myReq = (HttpWebRequest)WebRequest.Create(url);
myReq.Method = "POST";
myReq.ContentLength = data.Length;
myReq.ContentType = "application/x-www-form-urlencoded; charset=UTF-8";
string responseString = "";
using (Stream requestStream = myReq.GetRequestStream())
{
requestStream.Write(bytes, 0, bytes.Length);
}
using (HttpWebResponse response = (HttpWebResponse)myReq.GetResponse())
{
HttpStatusCode statusCode = response.StatusCode;
if (statusCode == HttpStatusCode.OK)
{
responseString = new StreamReader(response.GetResponseStream()).ReadToEnd();
}
}
return responseString;
}
代码返回"400 错误请求"错误。这就是我在javascript中的工作方式,它的工作原理。
Mexico_Schedule: {"Months": null,
"States": [{"State: "MX"}],
"Zip": "",
"Miles": "",
"ProgramCodes": null,
"EventCode": null
"PaginationStart": 1,
"PaginationLimit": 3
};
$.ajax({
async: true,
cache: false,
type: 'POST',
contentType: 'application/x-www-form-urlencoded; charset=UTF-8',
url: "http://192.168.1.198:15014/ShoppingCart2/CourseSchedule",
data: JSON.stringify(Mexico_Schedule),
dataType: 'json',
success: function (data) {
console.log('Fired when the request is successful');
// Do something with results
}
});
我需要进行哪些修改才能使 C# 版本正常工作?
只需将您的data
(使用 Json.Net)组成为:
var obj = new
{
States = new[] { new{ State = "MX" } },
Zip = "",
Miles = "",
PaginationStart = 1,
PaginationLimit = 3
};
string data = JsonConvert.SerializeObject(obj);
我宁愿尝试使用WebClient
和JSON serializer
来简化您的代码:
public string getCourseSchedule()
{
using (var client = new WebClient())
{
client.Headers[HttpRequestHeader.ContentType] = "apoplication/json";
var url = "http://192.168.1.198:15014/ShoppingCart2/CourseSchedule";
var json = new JavaScriptSerializer().Serialize(new
{
States = new[] { new { State = "MX" } },
Zip = "",
Miles = "",
PaginationStart = 1,
PaginationLimit = 3
});
byte[] data = Encoding.UTF8.GetBytes(json);
byte[] result = client.UploadData(url, data);
return Encoding.UTF8.GetString(result);
}
}
或者,如果不想使用内置的 .NET JavaScriptSerializer
类,可以使用第三方类,例如 JSON.NET:
string json = JsonConvert.SerializeObject(new
{
States = new[] { new { State = "MX" } },
Zip = "",
Miles = "",
PaginationStart = 1,
PaginationLimit = 3
});
您指定的内容类型错误。 您正在发布 x-www-form-urlencoding 数据,但将内容类型设置为"application/json",使数据与您的内容类型匹配,反之亦然。