我正在构建一个Xamarin应用。我仍然处于一个非常非常低的状态,我来自Nativescript,还有一些(不多)Native Android。
我有一台执行长时间操作的Express服务器。在此期间,Xamarin客户端使用微调器等待。
在服务器上,我已经计算了作业的百分比进度,并且我希望每次更改时都将其发送到客户端,以便将该微调器与进度交换。
然而,在服务器上,任务已经实现了
response.write('10');
其中数字10代表" 10%"完成的工作。
现在凝灰岩部分。如何从流中读取10?现在它可以作为JSON响应,因为它等待整个响应的到来。
// Gets weather data from the passed URL.
async Task<JsonValue> DownloadSong(string url)
{
// Create an HTTP web request using the URL:
HttpWebRequest request = (HttpWebRequest)WebRequest.Create(new Uri(url));
request.ContentType = "application/json";
request.Method = "GET";
// Send the request to the server and wait for the response:
using (WebResponse response = await request.GetResponseAsync())
{
// Get a stream representation of the HTTP web response:
using (System.IO.Stream stream = response.GetResponseStream())
{
// Use this stream to build a JSON document object:
JsonValue jsonDoc = await Task.Run(() => JsonValue.Load(stream));
// Return the JSON document:
return jsonDoc;
}
}
}
每次作业进度发生变化时,服务器都会写入响应,发送包含百分比值的纯字符串。在作业结束时,它将写一个最终字符串,它将是一个Base64(非常长)的字符串。然后关闭响应。
有人能告诉我如何更改该脚本以读取服务器发送的每个数据块吗?
答案 0 :(得分:2)
首先,您需要定义一些协议。为简单起见,我们可以说服务器发送:
因此,有效的回应是,例如,&#34; 010020050090100 {.. json here ..}&#34;。
然后你可以用3字节的块读取响应,直到找到&#34; 100&#34;。然后你读了json。示例代码:
using (System.IO.Stream stream = response.GetResponseStream()) {
while (true) {
// 3-byte buffer
byte[] buffer = new byte[3];
int offset = 0;
// this block of code reliably reads 3 bytes from response stream
while (offset < buffer.Length) {
int read = await stream.ReadAsync(buffer, offset, buffer.Length - offset);
if (read == 0)
throw new System.IO.EndOfStreamException();
offset += read;
}
// convert to text with UTF-8 (for example) encoding
// need to use encoding in which server sends
var progressText = Encoding.UTF8.GetString(buffer);
// report progress somehow
Console.WriteLine(progressText);
if (progressText == "100") // done, json will follow
break;
}
// if JsonValue has async api (like LoadAsync) - use that instead of
// Task.Run. Otherwise, in UI application, Task.Run is fine
JsonValue jsonDoc = await Task.Run(() => JsonValue.Load(stream));
return jsonDOc;
}