我有这段代码,我希望能够告诉我我下载了多少数据(并很快将其放入进度条),然后通过我的Sax Parser解析结果。如果我基本上注释掉 // xr.parse(new InputSource(request.getInputStream()); 行以上的所有内容并交换xr.parse,那么它可以正常工作。但此刻,我的Sax解析器告诉我,我什么都没有。是否与it。读取(缓冲区)部分有关?
另外,请注意,请求是具有各种签名的HttpURLConnection。
/*Input stream to read from our connection*/
InputStream is = request.getInputStream();
/*we make a 2 Kb buffer to accelerate the download, instead of reading the file a byte at once*/
byte [ ] buffer = new byte [ 2048 ] ;
/*How many bytes do we have already downloaded*/
int totBytes,bytes,sumBytes = 0;
totBytes = request.getContentLength () ;
while ( true ) {
/*How many bytes we got*/
bytes = is.read (buffer);
/*If no more byte, we're done with the download*/
if ( bytes <= 0 ) break;
sumBytes+= bytes;
Log.v("XML", sumBytes + " of " + totBytes + " " + ( ( float ) sumBytes/ ( float ) totBytes ) *100 + "% done" );
}
/* Parse the xml-data from our URL. */
// OLD, and works if comment all the above
//xr.parse(new InputSource(request.getInputStream()));
xr.parse(new InputSource(is))
/* Parsing has finished. */;
任何人都可以帮助我吗?
亲切的问候,
安迪
答案 0 :(得分:1)
'我只能找到办法做到这一点 有字节,除非你知道另一个 方法?”。
但你没有找到方法。你刚刚编写的代码不起作用。并且您不希望将输入保存到String。你想要在解析它们时计算字节。否则你只是增加延迟,即浪费时间并减慢一切。有关如何正确执行此操作的示例,请参阅javax.swing.ProgressMonitorInputStream。你不必使用它,但你当然必须使用某种类型的FilterInputStream,你自己编写的一个,它包含在请求输入流中并传递给解析器。
答案 1 :(得分:0)
您的while循环正在消耗输入流,并且没有任何内容供解析器读取。
对于您要执行的操作,您可能希望查看实现包装输入流的FilterInputStream子类。
答案 2 :(得分:0)
您正在构建InputStream
而不是其他InputStream
之前使用其数据的消息。
如果您想避免只读取单个字节,可以使用BufferedInputStream
或BufferedReader
之类的其他内容。
在任何情况下,最好在解析之前获取整个内容!除非你需要动态解析它。
如果你真的希望像往常一样保持它,你应该创建两个管道流:
PipedOutputStream pipeOut = new PipedOutputStream();
PipedInputStream pipeIn = new PipedInputStream();
pipeIn.connect(pipeOut);
pipeOut.write(yourBytes);
xr.parse(pipeIn);
Java中的Streams,就像他们的名字所暗示的那样,没有精确的维度,也不知道他们何时完成,所以每当你创建InputStream
时,如果你从他们那里读到你就不能通过它InputStream
到另一个对象,因为数据已经从前者消耗了。
如果你想同时做两件事(下载和解析),你必须勾住从HTTPUrlConncection
收到的数据:
HttpUrlConnection
标题类似的东西:
class MyInputStream extends InputStream
{
MyInputStream(InputStream is, int total)
{
this.total = total;
}
public int read()
{
stepProgress(1);
return super.read();
}
public int read(byte[] b)
{
int l = super.read(b);
stepProgress(l);
return l;
}
public int read(byte[] b, int off, int len)
{
int l = super.read(b, off, len);
stepProgress(l);
return l
}
}
InputStream mis= new MyInputStream(request.getInputStream(), length);
..
xr.parse(mis);
答案 3 :(得分:0)
您可以将数据保存在文件中,然后将其读出。
InputStream is = request.getInputStream();
if(is!=null){
File file = new File(path, "someFile.txt");
FileOutputStream os = new FileOutputStream(file);
buffer = new byte[2048];
bufferLength = 0;
while ((bufferLength = is.read(buffer)) > 0)
os.write(buffer, 0, bufferLength);
os.flush();
os.close();
XmlPullParserFactory factory = XmlPullParserFactory.newInstance();
factory.setNamespaceAware(true);
XmlPullParser xpp = factory.newPullParser();
FileInputStream fis = new FileInputStream(file);
xpp.setInput(new InputStreamReader(fis));
}