0

我正在尝试从相机捕获预览图像,然后通过 wifi 将其发送到我的计算机。

过程如下:

在我的手机上:启动相机预览,然后压缩并通过 tcp 连接发送。在我的电脑上:接收压缩数据并保存照片。

我在移动设备上使用此代码:

try {           
    ByteArrayOutputStream outstr = new ByteArrayOutputStream();

    Camera.Parameters parameters = camera.getParameters();
    Size size = parameters.getPreviewSize();
    YuvImage image = new YuvImage(data, parameters.getPreviewFormat(), size.width, size.height, null);
    image.compressToJpeg(new Rect(0, 0, image.getWidth(), image.getHeight()), 100, outstr);

    out.writeBytes("DATA|" + outstr.size() + "\n");
    out.flush();
    out.write(outstr.toByteArray());
    out.flush();

    } catch (IOException e) {
        t.append("ER: " + e.getMessage());
    }

DataOutputStream在方法中创建out 的位置onCreate

tcp = new Socket("192.168.0.12", 6996);         
in = new BufferedReader(new InputStreamReader(tcp.getInputStream()));
out = new DataOutputStream(tcp.getOutputStream());

然后在我的电脑上使用这个代码:

    StreamReader sr = new StreamReader(client.GetStream());
    string line = sr.ReadLine();

    if(line.StartsWith("DATA"))
    {
        piccount++;
        int size = Convert.ToInt32(line.Substring(5));
        Console.WriteLine("PHOTO, SIZE: " + size + ", #: " + piccount);
        byte[] data = new byte[size];

        client.GetStream().Read(data, 0, size);

        FileStream fs = System.IO.File.Create("C:/Users/M/photo"+piccount+".jpeg"); 
        fs.Write(data, 0, data.Length);
        fs.Flush();
        fs.Close();
    }

问题是,一些传输的图片是好的,但其中一些已经损坏。问题可能出在哪里?

4

1 回答 1

1

问题出在这一行client.GetStream().Read(data, 0, size);Stream.Read不能确保它会准确读取size字节。您应该检查它的返回值并继续读取,直到读取所有字节。

http://msdn.microsoft.com/en-us/library/system.io.stream.read.aspx

返回值

读入缓冲区的总字节数。如果当前没有那么多字节可用,则该字节数可能小于请求的字节数,如果已到达流的末尾,则该字节数可能为零 (0)。

如果您的意图是阅读整个流,您可以使用以下代码:

using (FileStream fs = System.IO.File.Create("C:/Users/M/photo" + piccount + ".jpeg"))
{
    client.GetStream().CopyTo(fs);
}
于 2012-12-30T13:39:59.230 回答