使用Web服务的响应创建xaml列表
本文关键字:创建 xaml 列表 响应 Web 服务 使用 | 更新日期: 2023-09-27 18:19:36
我正试图使用从Web服务(成功)接收到的响应,并使用该响应在xaml端"创建"或"填充"列表。。。
这是json
{
"success":true,
"code":200,
"rows":[
{
"Purchase":{
"id":"1"
},
"Who":{
"id":"1",
"value":"NA"
},
"What":{
"id":"1",
"value":"what-text"
}
},
{
"Purchase":{
"id":"2"
},
"Who":{
"id":"2",
"value":"ME"
},
"What":{
"id":"1",
"value":"what-text"
}
}
]
}
我从CS那里得到的Web服务是这样的。。
HttpWebRequest hwr = rez.AsyncState as HttpWebRequest;
HttpWebResponse response = hwr.EndGetResponse(rez) as HttpWebResponse;
string jsonResponseString = (new StreamReader(response.GetResponseStream(), Encoding.UTF8)).ReadToEnd();
Dispatcher.BeginInvoke(() =>
{
var responseObject =
Newtonsoft.Json.JsonConvert.DeserializeObject(jsonResponseString);
});
这是有效的。"jsonResponseString"返回上面显示的json。
现在我想在我的xaml页面上显示这些结果。在这里,我已经有了一个问题,最好使用什么。。LongListSelector?还是桌子可以用?
在我的CS中,我还设置了:
public class Purchase
{
public List<string> Who { get; set; }
public List<string> What { get; set; }
}
public class RootObject
{
public List<Purchase> purchase { get; set; }
public int success { get; set; }
public string message { get; set; }
}
我找到了一个可以使用的地方,但可能不需要。
无论如何,我想弄清楚在我的xaml视图中最好使用什么,以及如何使用json返回的字符串或对象将数据填充到该视图中?
谢谢!
您的类应该这样设置,以匹配JSON结构:
public class Item
{
public int id { get; set; }
public string value { get; set; }
}
public class Row
{
public Item Purchase { get; set; }
public Item Who { get; set; }
public Item What { get; set; }
}
public class RootObject
{
public List<Row> rows { get; set; }
public bool success { get; set; }
public int code { get; set; }
}
然后你可以反序列化到你键入的"RootObject":
RootObject responseObject = Newtonsoft.Json.JsonConvert.DeserializeObject<RootObject>(jsonResponseString);
至于演示,你可以使用任何数量的控件:
ListBox
允许用户选择LongListSelector
类似于ListBox,但适用于大型ish集合- 如果只想显示集合,
ItemsControl
非常有用
假设您使用ListBox
,那么只需要将其ItemsSource
设置为"responseObject.rows",指定一个ItemTemplate
。例如,这将显示"谁"answers"什么"作为列:
<ListBox>
<ListBox.ItemTemplate>
<DataTemplate>
<Grid>
<Grid.ColumnDefinitions>
<ColumnDefinition />
<ColumnDefinition />
</Grid.ColumnDefinitions>
<TextBlock Grid.Column="0" Text="{Binding Who.value}" />
<TextBlock Grid.Column="1" Text="{Binding What.value}" />
</Grid>
</DataTemplate>
</ListBox.ItemTemplate>
<ListBox.ItemContainerStyle>
<Style TargetType="ListBoxItem">
<Setter Property="HorizontalAlignment" Value="Stretch" />
<Setter Property="HorizontalContentAlignment" Value="Stretch" />
</Style>
</ListBox.ItemContainerStyle>
</ListBox>