我一直在试图找出特定场景的语法。
场景:当我在URL中提供JSON字符串作为参数时,我希望url使用API并根据给定的输入从该API检索详细信息。
我的项目需要反序列化到c#中,所以我使用了JSON.NET。
说:输入是 - 个人资料ID:123456789
输出应该使用与该Pid和显示有关的详细信息。
url中给出的i / p:
https://www.docscores.com/widget/api/org-profile/demo-health/npi/123456789
预期的o / p: json字符串
我一直在做的是:
string url = "https://www.docscores.com/widget/api/org-profile/demo-health/npi/?profile-id=ShowProfile";
string data = GET(url);
dynamic jsonDe = JsonConvert.DeserializeObject(data);
var phyRatings = Convert.ToString(jsonDe.profile.averageRating);
Console.WriteLine(phyRatings);
public string ShowProfile(string pid)
{
}
public static string GET(string url)
{
try
{
HttpWebRequest request = (HttpWebRequest)WebRequest.Create(url);
HttpWebResponse response = (HttpWebResponse)request.GetResponse();
Stream stream = response.GetResponseStream();
StreamReader reader = new StreamReader(stream);
string data = reader.ReadToEnd();
reader.Close();
stream.Close();
return data;
}
catch (Exception e)
{
Console.WriteLine(e.Message);
}
return null;
}
因此,当我在网址中将profile-id作为123456789
传递时,我希望语法通过此Profile-id提取其他信息
我完全对C#中的语法感到困惑。如何传递参数并在ShowProfile函数内写入?我到处搜索但无法找到正确的语法。
有人可以告诉我这是否是正确的方法吗?
答案 0 :(得分:2)
要将123456789
作为您的个人资料ID传递,您只需将其连接到URL字符串即可。所以你可能有
public string ShowProfile(string pid)
{
ProfileInfo info = GET(pid);
// Do what you want with the info here.
}
public static ProfileInfo GET(int profileId)
{
try
// Note this ends in "=" now.
string basePath = "/widget/api/org-profile/demo-health/npi/?profile-id=";
string path = basePath + profileId.ToString();
//...
ProfileInfo
将是您的自定义类,以匹配JSON结构。
然后要在GET()
方法中反序列化结果,您可以尝试使用HttpClient
NuGet包中的Microsoft.AspNet.WebApi.Client
来调用服务,然后将其直接读入C#对象其结构映射到您获得的JSON响应(请参阅下面的示例)。然后,您的GET()
方法可以返回该对象,然后ShowProfile()
方法从该C#对象中读取您想要的属性是微不足道的。
public static ProfileInfo GET(int profileId)
{
try
{
// Note this ends in "=" now.
string basePath = "/widget/api/org-profile/demo-health/npi/?profile-id=";
string path = basePath + profileId.ToString();
using (var client = new HttpClient())
{
client.BaseAddress = new Uri("https://www.docscores.com");
client.DefaultRequestHeaders.Accept.Clear();
client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/json"));
HttpResponseMessage response = await client.GetAsync(path);
if (response.IsSuccessStatusCode)
{
ProfileInfo info = await response.Content.ReadAsAsync<ProfileInfo>();
return info;
}
}
}
catch (Exception e)
{
Console.WriteLine(e.Message);
}
return null;
}
MSDN: Calling a Web API From a .NET Client in ASP.NET Web API 2 (C#)
的更多代码和信息