我想将处理后的图像从python后端发送到C#前端。 所以我使用JPG编码器对其进行编码并发送。
当我收到它并使用C#中的jpegdecoder对其进行解码时,它会抛出异常。其中接收字节的大小等于编码后发送的字节数。
有人可以指导我如何解码此图像并显示它。
Python服务器端编码中的代码图像JPG
while True:
conn, addr = s.accept()
print ('connected to : ' + addr[0] +" :"+ str(addr[1]))
vidcap = cv2.VideoCapture(videoPath)
total_frames = int(vidcap.get(cv2.CAP_PROP_FRAME_COUNT))
conn.setblocking(0)
for mm in range(0,total_frames ,1):
try:
dataClient = str(conn.recv(4096).decode('UTF-8'))
conn.send(str.encode(dataClient))
conn.close()
kk=2
break
except socket.error:
ret,img= vidcap.read()
image = cv2.resize(img, (640, 480))
#############################################
encode_param=[int(cv2.IMWRITE_JPEG_QUALITY),100]
result,enData=cv2.imencode('.jpg',image,encode_param)
conn.send(enData)
#############################################
C#中的代码客户端解码图像JPG
const int PORT_NO = 6666;
//const string SERVER_IP = "210.107.232.138"; // 210.107.232.138 127.0.0.1
string SERVER_IP = IpAddress.Text;
client = new TcpClient(SERVER_IP, PORT_NO);
nwStream = client.GetStream();
bytesToRead = new byte[client.ReceiveBufferSize];
bytesRead = nwStream.Read(bytesToRead, 0, client.ReceiveBufferSize);
/////////////////////////////////////
MemoryStream ms = new MemoryStream(bytesRead);
JpegBitmapDecoder decoder = new JpegBitmapDecoder(ms, BitmapCreateOptions.PreservePixelFormat, BitmapCacheOption.Default); //line 129
BitmapSource bitmapSource = decoder.Frames[0];
/////////////////////////////////////
var src = new System.Windows.Media.Imaging.FormatConvertedBitmap();
src.BeginInit();
src.Source = bitmapSource;
src.DestinationFormat = System.Windows.Media.PixelFormats.Bgra32;
src.EndInit();
//copy to bitmap
Bitmap bitmap = new Bitmap(src.PixelWidth, src.PixelHeight, System.Drawing.Imaging.PixelFormat.Format32bppArgb);
var data = bitmap.LockBits(new Rectangle(Point.Empty, bitmap.Size), System.Drawing.Imaging.ImageLockMode.WriteOnly, System.Drawing.Imaging.PixelFormat.Format32bppArgb);
src.CopyPixels(System.Windows.Int32Rect.Empty, data.Scan0, data.Height * data.Stride, data.Stride);
bitmap.UnlockBits(data);
pictureBox2.Image = bitmap;
答案 0 :(得分:2)
TcpClient.ReceiveBufferSize
有一个default value 8KB。如果你的jpeg数据有更多的字节,因为你的c#代码只读取缓冲区一次,你就不会收到整个数据。
您可能希望在c#代码中使用循环读取,直到到达tcp流的末尾。
试试这个:
var ms = new MemoryStream();
var buff = new byte[client.ReceiveBufferSize];
while (true) {
var len = nwStream.Read(buff, 0, buff.Length);
if (len <= 0) { break; }
ms.Write(buff, 0, len);
}
ms.Seek(0, SeekOrigin.Begin);
希望有所帮助。
答案 1 :(得分:1)
MemoryStream ms = new MemoryStream(bytesRead); // bytesRead = int, number of bytes received
此行创建一个空 MemoryStream,初始容量为bytesRead
个字节。见MemoryStream(int)
您需要使用另一个构造函数来填充收到的数据:
MemoryStream ms = new MemoryStream(bytesToRead); // byte[], received data
请注意约翰对您的接收代码的评论:
不保证您将在单个接收事件中收到完整的数据缓冲区。