8

StackExchange API からのプロファイル データを分析する小さなプログラムを作成しましたが、API は解析不能/読み取り不能なデータを返します。

受信したデータ: (C# を使用して自己ダウンロード)

\u001f�\b\0\0\0\0\0\u0004\0mRMo�0\f�/:�d$�c˱�'�^{/\u0006��\u0018G�>\I�� \u0015���\u0004̀�D>�GR�L'���o��\u0004�G���%​​JP\u001c����-��Em>0���X�bm~� \u0018tk��\u0014�M]r�dLG�v0~Fj=���1\u00031I�>kTRA\"(/+.����;Nl\u0018�?h�\u0014��P藄 �X�aL��w���#�3\u0002�+�\u007f��\u0010���\u000f�p�]��v\u007f���\t��ڧ�\ nf��״\u0018\u0014eƺ�_��1x#j^-�c� � AX\t���\u001aT��@qj\u001aU7�����\u0014\"\a^\b� #\u001e��QG��%�y�\t�ח������q00K\av\u0011{ظ���\u0005\"\u001d+|\u007f���'�\u0016~� �8\u007f�\u0001-h�]O\u007fV�o\u007f\u0001~Y\u0003��\u0002\0\0

必要なデータ: (ブラウザからコピーして貼り付けたもの)

{"items":[{"badge_counts",{"bronze":987,"silver":654,"gold":321},"account_id":123456789,"is_employee":false,"last_modified_date":1250612752," last_access_date":1250540770,"age":0,"reputation_change_year":987,"reputation_change_quarter":654,"reputation_change_month":321,"reputation_change_week":98,"reputation_change_day":76,"reputation":9876,"creation_date" :1109670518,"user_type":"登録済み","user_id":123456789,"accept_rate":0,"location":"オーストラリア","website_url":" http://example.org ","link":" http://example.org/ユーザー名","profile_image":" http://example.org/username/icon.png ","display_name":"username"}],"has_more":false,"quota_max":300,"quota_remaining":300}

インターネットから文字列をダウンロードするために、この(拡張)メソッドを作成しました。

public static string DownloadString(this string link)
{
    WebClient wc = null;
    string s = null;
    try
    {
        wc = new WebClient();
        wc.Encoding = Encoding.UTF8;
        s = wc.DownloadString(link);
        return s;
    }
    catch (Exception)
    {
        throw;
    }
    finally
    {
        if (wc != null)
        {
            wc.Dispose();
        }
    }
    return null;
}

次に、インターネットを検索し、他の戦術を使用して文字列をダウンロードする方法を見つけました。

public string DownloadString2(string link)
{
    WebClient client = new WebClient();
    client.Encoding = Encoding.UTF8;
    Stream data = client.OpenRead(link);
    StreamReader reader = new StreamReader(data);
    string s = reader.ReadToEnd();
    data.Close();
    reader.Close();
    return s;
}

ただし、どちらのメソッドも同じ (未読/解析不能) データを返します。

API から読み取り可能なデータを取得するにはどうすればよいですか? 何か足りないものはありますか?

4

2 に答える 2

10

出力が圧縮されているようです。バイトを解凍するために、でGZipStream見つけることができる を使用できます。System.IO.Compression

public static string DownloadString(this string link)
{
    WebClient wc = null;
    try
    {
        wc = new WebClient();
        wc.Encoding = Encoding.UTF8;
        byte[] b = wc.DownloadData(link);

        MemoryStream output = new MemoryStream();
        using (GZipStream g = new GZipStream(new MemoryStream(b), CompressionMode.Decompress))
        {
            g.CopyTo(output);
        }

        return Encoding.UTF8.GetString(output.ToArray());
    }
    catch
    {

    }
    finally
    {
        if (wc != null)
        {
            wc.Dispose();
        }
    }
    return null;
}
于 2015-12-22T14:34:33.880 に答える