我正在开发一个正在侦听tcp的应用程序来获取来自其他设备的一些xml数据。 我正在使用嗅探c#代码,我可以嗅探所有数据包。我的问题是,在每个数据包中,我都可以在每个数据包中找到一块数据。 像这样:
1 packet from ip41 data:<
2 packet from ip41 data:?xml versi
3 packet from ip41 data:on="1.0"
1 packet from ip35 data:< ?xml
4 packet from ip41 data:encoding="UTF-8
真实数据如下所示:
<?xml version="1.0" encoding="UTF-8"?><alarm><datetime>2010-07-18T11:14:22Z</datetime><textch><textchid>020</textchid></textch><rule>DIR-020</rule><text>020-DIR-Intersection3_Magles_TCS6</text></alarm>
我希望能够像真实数据一样在字符串中获取数据,而不是碎片。 是.net中有一个方法或库可以做到吗?
答案 0 :(得分:1)
您是在嗅闻,还是只想连接到设备并获取数据?如果是后者,您可以使用TcpClient类来执行您需要的操作。
using System.Net.Sockets;
TcpClient tcp = new TcpClient(AddressFamily.InterNetwork);
tcp.Connect(IPAddress.Parse("192.168.0.1"), 12345);
然后tcp.GetStream()
将为您提供可以提供给您选择的XML解析器的内容。
编辑:这是一个稍微详细的示例。
using System;
using System.Collections.Generic;
using System.Text;
using System.Net;
using System.IO;
using System.Net.Sockets;
using System.Threading;
namespace ConsoleApplication1 {
class XMLBlaster {
Thread myThread;
public XMLBlaster() {
myThread = new Thread(Start);
}
public void Begin() {
myThread.Start();
}
//This will listen for a connection on port 12345, and send a tiny XML document
//to the first person to connect.
protected void Start() {
TcpListener tcp = new TcpListener(IPAddress.Any, 12345);
tcp.Start(1);
TcpClient client = tcp.AcceptTcpClient();
StreamWriter data = new StreamWriter(client.GetStream());
data.Write("<myxmldocument><node1><node2></node2></node1></myxmldocument>");
data.Close();
client.Close();
}
}
class Program {
static void Main(string[] args) {
//this sets up the server we will be reading
XMLBlaster server = new XMLBlaster();
server.Begin();
//this is the important bit
//First, create the client
TcpClient tcp = new TcpClient(AddressFamily.InterNetwork);
//Next, connect to the server. You probably will want to use the prober settings here
tcp.Connect(IPAddress.Loopback, 12345);
//Since byte manipulation is ugly, let's turn it into strings
StreamReader data_in = new StreamReader(tcp.GetStream());
//And, just read everything the server has to say
Console.WriteLine(data_in.ReadToEnd());
//when we're done, close up shop.
data_in.Close();
tcp.Close();
//this is just to pause the console so you can see what's going on.
Console.WriteLine("Press any key to continue...");
Console.ReadKey(false);
}
}
}
请注意,这忽略了您需要遵循的任何协议的问题(例如,如果您通过HTTP进行通信(端口80),在获取数据之前与服务器通信涉及很多工作(并且,还有另一个正确地做这个的课;))
答案 1 :(得分:1)
我是通过线程监控一个端口来实现的,并按顺序编号组装它们。 谢谢你的帮助