2

现在我有了这个 JSON:

[
    "bekasi",
    "bekasi barat",
    "bekasi selatan",
    "bekasi timur",
    "bekasi utara",
    "serang bekasi"
]

我不知道如何制作解析器类。我尝试了在线 json to c# 类生成器,但无济于事。所以我尝试了这个:

[DataContract]
public class kota
{
    [DataMember]
    public string kotanya { get; set; }

}

还有这个

public static kota eks; // I also tried  public static kota[] eks;

public void mulai()
    {
        string eksp = "http://www.ongkoskirim.com/api/0.2/?id=OAL66afd139a386fee6dc5a5597abd7daba&q=city&s=bek";

        WebClient client = new WebClient();
        client.OpenReadCompleted += new OpenReadCompletedEventHandler(client_OpenReadCompleted);
        client.OpenReadAsync(new Uri(eksp), UriKind.Absolute);
    }

    void client_OpenReadCompleted(object sender, OpenReadCompletedEventArgs e)
    {
        try
        {
            var ser = new DataContractJsonSerializer(typeof(kota)); //and I have tried typeof(IEnumerable<kota>) 
            System.Diagnostics.Debug.WriteLine("sini");
            eks = (kota)ser.ReadObject(e.Result); //I also tried (kota[])ser.ReadObject(e.Result);
            System.Diagnostics.Debug.WriteLine("sana");
            List<string> temp = new List<string>();
            temp.Add("Semua");
            System.Diagnostics.Debug.WriteLine("list");
            for (int i = 0; i < 3; i++)
            {
                System.Diagnostics.Debug.WriteLine(eks.kotanya[i]);

            }

        }
        catch (Exception ex)
        {

            System.Diagnostics.Debug.WriteLine(ex.Message);
            System.Diagnostics.Debug.WriteLine(ex.StackTrace);
        }
    }

但我总是得到 invalidCastException。谁能帮我 ?

4

3 回答 3

1

您不需要任何额外的类,因为您的 JSON 是简单的字符串数组:

var ser = new DataContractJsonSerializer(typeof(string[]));
var items = (string[]) ser.ReadObject(e.Result);

在您的 JSON 变得更复杂之前,我不会涉及专用类,但是您可以轻松构建kota实例列表:

var kotas = items.Select(i => new kota { kotanya = i }).ToList();

在旁注中,如果您打算进行更多 JSON 反序列化,我建议您查看JSON.NET library

于 2012-12-16T10:35:51.140 回答
0

因为它是一个你想要序列化的数组,你应该试试这个

 var ser = new DataContractJsonSerializer(typeof(kota[]));
于 2012-12-16T10:35:10.133 回答
0

如果您需要使用类,则必须kota通过将属性更改为字符串集合和 JSON 字符串来修改类kotanya(添加数据成员的名称kotanya以描述字符串集合并用 括住字符串{}),然后再处理它:

static void Main(string[] args)
{
    string json = "{\"kotanya\":[\"bekasi\",\"bekasi barat\",\"bekasi selatan\",\"bekasi timur\",\"bekasi utara\",\"serang bekasi\"]}";

    var s = new DataContractJsonSerializer(typeof(kota));
    using (var m = new MemoryStream(Encoding.ASCII.GetBytes(json)))
    {
        var r = s.ReadObject(m);

    }
}

[DataContract]
public class kota
{
    [DataMember]
    public string[] kotanya { get; set; }

}
于 2012-12-16T10:44:05.217 回答