0

如何在 C# 中从服务器获取实时(连续)数据?

我打开 HTTPWebRequest 但服务器没有完成该请求,服务器每 20 秒发送一些文本数据,我想在服务器完成请求 10 分钟后处理文本数据并显示给用户。

4

2 回答 2

1

HTTP 不是会话协议。它本来是这样工作的

  1. 打开连接
  2. 发送请求
  3. 收到回复
  4. 关闭连接

您可以做的基本上是使用TCPClient / Socket替代,它将您移动到低于 HTTP 的层并允许您创建持久连接。

有多种框架可以让您的生活更轻松。

此外,您可能想看看Comet

于 2013-02-17T15:03:09.113 回答
1

您可以使用 WebClient 的流式传输 API:

var client = new WebClient();
client.OpenReadCompleted += (sender, args) =>
{
    using (var reader = new StreamReader(args.Result))
    {
        while (!reader.EndOfStream)
        {
            string line = reader.ReadLine();
            // do something with the result
            // don't forget that this callback
            // is not invoked on the main UI thread so make
            // sure you marshal any calls to the UI thread if you 
            // intend to update your UI here.

        }
    }
};
client.OpenReadAsync(new Uri("http://example.com"));

下面是 Twitter 流 API 的完整示例:

using System;
using System.IO;
using System.Net;

class Program
{
    static void Main()
    {
        var client = new WebClient();
        client.Credentials = new NetworkCredential("username", "secret");
        client.OpenReadCompleted += (sender, args) =>
        {
            using (var reader = new StreamReader(args.Result))
            {
                while (!reader.EndOfStream)
                {
                    Console.WriteLine(reader.ReadLine());
                }
            }
        };
        client.OpenReadAsync(new Uri("https://stream.twitter.com/1.1/statuses/sample.json"));
        Console.ReadLine();
    }
}
于 2013-02-17T15:03:54.357 回答