使用HTTPWebRequest的实时数据
本文关键字:数据 实时 HTTPWebRequest 使用 | 更新日期: 2023-09-27 17:59:41
如何在C#中从服务器获取实时(连续)数据?
我打开HTTPWebRequest,但服务器没有完成该请求,服务器每20秒发送一些文本数据,我想处理文本数据,并在服务器完成请求10分钟后显示给用户。
HTTP不是会话协议。它本应该像一样工作
- 打开连接
- 发送请求
- 接收响应
- 关闭连接
您所能做的基本上是使用TCPClient / Socket
,它将您移动到比HTTP更低的层,并允许您创建持久连接。
有各种各样的框架可以让你的生活更轻松。
此外,你可能想看看彗星。
您可以使用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();
}
}