我正在尝试使用Pharo 2.0和Zinc Websocket通过websocket发送相当大的视频文件。 这是法罗到法罗的转移。
我徒劳地试图让它工作。 我确定我缺少一个非常简单的解决方案。 感谢您的任何帮助。
编辑:更新:我确实通过以下代码使其工作:
myStream :=
(FileStream oldFileNamed: 'big_buck_bunny_480p_surround-fix.avi') .
bytes := myStream next: myStream size.
myStream close.
myStream := nil.
server distributeMessage: bytes.
testConnect
| websocket1 receivedFile|
websocket1 := ZnWebSocket to: 'ws://192.168.1.102:1701/ws-chatroom'.
testProcess := [
[
| mes |
mes := [ websocket1 readMessage ]
on: ConnectionTimedOut
do: [ nil ].
mes
ifNotNil: [
Transcript
show: 'Message received in client';cr .
receivedFile := FileStream newFileNamed: 'receivedFile3.avi'.
receivedFile nextPutAll: mes.
receivedFile close.
] ] repeat ] fork
但是,它不适用于大于 ~500 兆字节的文件,因为 Pharo 内存不足。
除非有人有一个很好的建议来让它工作,否则我将切换齿轮并尝试使用ZincHTTPComponents提供文件,并可能向远程计算机发送一条消息,其中包含要在Web服务器上下载的文件的位置。
编辑:重要警告/更新:
我和 Sven 讨论了这个问题,他为 pharo smalltalk 编写了 Zinc websocket 包。 他告诉我,通过websocket发送大文件并不是一个可行的主意。 事实上,即使我实现了下面的解决方案,最终文件每次都会偏离几个字节。
我通过执行计划B解决了我的问题:使用Zinc HTTP组件通过HTTP提供文件并使用客户端得到如下:
FileStream
newFileNamed: '/tmp/cog.tgz'
do: [ :stream | | entity |
stream binary.
entity := ZnClient new
streaming: true;
get: 'https://ci.lille.inria.fr/pharo/job/Cog%20Git%20Tracker/lastSuccessfulBuild/artifact/cog.tar.gz';
entity.
entity writeOn: fileStream ]
内存不足的原因是您在处理之前将整个文件读入内存。由于您无论如何都只能通过网络发送数据块,因此您也应该一次只读取一个块(这就是流的用途(。所以取而代之的是:
myStream :=
(FileStream oldFileNamed: 'big_buck_bunny_480p_surround-fix.avi').
bytes := myStream next: myStream size.
myStream close.
你应该使用这样的东西:
blockSize := 128.
myStream :=
(FileStream oldFileNamed: 'big_buck_bunny_480p_surround-fix.avi') .
[ myStream atEnd ] whileFalse: [
bytes := myStream next: blockSize.
"process your bytes here" ].
myStream close.
甚至更好:使用便利块自动关闭流:
blockSize := 128.
FileStream
oldFileNamed: 'big_buck_bunny_480p_surround-fix.avi'
do: [ :stream |
[ stream atEnd ] whileFalse: [
bytes := stream next: blockSize.
"process your bytes here" ].
编辑
要回答您评论中的问题:如果您查看FileStream>>next:
,您将看到以下行:
...
[self atEnd ifTrue:
[(howManyRead + 1) to: anInteger do: [:i | newCollection at: i put: (self next)].
^newCollection].
...
这意味着,如果您要求的比可用内容更多,您将简单地获得流的其余部分。