我有一个Web URL,根据请求返回
JSON格式的字符串
{"StockID":0,"LastTradePriceOnly":"494.92","ChangePercent":"0.48"}
我正在使用Java进行流式传输
InputStream in = null;
in = url.openStream();
BufferedReader reader = new BufferedReader(new InputStreamReader(in));
StringBuilder sb = new StringBuilder();
String line = null;
try {
while ((line = reader.readLine()) != null) {
sb.append(line + "\n");
}
}
catch (IOException e) {
e.printStackTrace();
} finally {
try {
in.close();
} catch (IOException e) {
e.printStackTrace();
}
}
String result = sb.toString();
但是reader.readLine()总是返回null
知道我在这里做错了吗?
这是实际的JSON地址http://app.myallies.com/api/quote/goog
UPDATE
相同的代码在http://app.myallies.com/api/news上正常工作,尽管两个链接都具有相同的服务器实现来生成JSON响应.
最佳答案 它看起来像是它想要的用户代理.以下代码适用于我:
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.net.HttpURLConnection;
import java.net.URL;
public class JSONTest {
public static void main(String[] args) throws Exception {
URL url = new URL("http://app.myallies.com/api/quote/goog");
HttpURLConnection connection = (HttpURLConnection) url.openConnection();
connection.setRequestProperty("User-Agent", "Mozilla/5.0 (X11; Linux x86_64; rv:33.0) Gecko/20100101 Firefox/33.0");
connection.setDoInput(true);
BufferedReader reader = new BufferedReader(new InputStreamReader(connection.getInputStream()));
StringBuilder sb = new StringBuilder();
String line = null;
while ((line = reader.readLine()) != null) {
sb.append(line + "\n");
}
System.out.println(sb.toString());
}
}