我创建了以下restfull Web服务:
接口
[ServiceContract]
public interface ISIGService
{
[OperationContract]
[WebInvoke(Method = "GET", ResponseFormat = WebMessageFormat.Xml,
BodyStyle = WebMessageBodyStyle.Bare,
UriTemplate = "GetTicket/")]
Ticket GetTicket(string user, string pwd);
}
实施
public class SIGService : ISIGService
{
public Ticket GetTicket(string user, string pwd)
{
return new Ticket()
{
Usuario = "xx",
UsuarioNombre = "xxx",
UsuarioId = "xxx"
};
}
合同
[DataContract]
public class Ticket
{
[DataMember]
public int UsuarioId { get; set; }
[DataMember]
public string UsuarioNombre { get; set; }
[DataMember]
public string Usuario { get; set; }
}
我需要从Web应用程序使用此服务,并获取键入的对象Ticket
,我已为此添加了服务参考。
服务器端代码:
string urlService =
String.Format("http://localhost:22343/SIGService.svc/GetTicket/?user='{0}'&pwd='{1}'",
usuario, password);
var request = (HttpWebRequest)WebRequest.Create(urlService);
HttpWebResponse response = (HttpWebResponse)request.GetResponse();
Stream stream = response.GetResponseStream();
StreamReader reader = new StreamReader(stream);
string text = reader.ReadToEnd();
我放了一个text
变量只是为了得到一些东西,在这里丢失了。
我似乎没有得到这个对象,你能否就此提出一些指示?
答案 0 :(得分:2)
最有可能的是,您只需要从
更改您的网址http://localhost:22343/SIGService.svc/GetTicket/?user='{0}'&pwd='{1}'
使用正确的 REST 语法(因为您正在使用REST服务):
http://localhost:22343/SIGService.svc/GetTicket/{user}/{pwd}
样品:
http://localhost:22343/SIGService.svc/GetTicket/daniel/topsecret
不需要?
或user=
或单引号....
有了这个,{0}
的值将传递到user
参数,值从{1}
传递到pwd
参数。
为了使用该服务,我建议您查看优秀的RestSharp库,这样可以轻松使用您的REST服务。
您的代码看起来像这样:
// set up the REST Client
string baseServiceUrl = "http://localhost:22343/SIGService.svc";
RestClient client = new RestClient(baseServiceUrl);
// define the request
RestRequest request = new RestRequest();
request.Method = Method.GET;
request.RequestFormat = DataFormat.Xml;
request.Resource = "GetTicket/{user}/{pwd}";
request.AddParameter("user", "daniel", ParameterType.UrlSegment);
request.AddParameter("pwd", "top$ecret", ParameterType.UrlSegment);
// make the call and have it deserialize the XML result into a Ticket object
var result = client.Execute<Ticket>(request);
if (result.StatusCode == HttpStatusCode.OK)
{
Ticket ticket = result.Data;
}