在我的网络中,我有一个在其他Windows系统上运行的c#.net控制台应用程序。我想在其中实现向其发送请求并从中获取自定义响应的功能(例如json)。
我的目标是测试远程控制台应用程序是否仍在运行并且是否按预期工作。当我的请求到达控制台应用程序时,它将运行一些自检,并且其响应将包含这些自检结果。我完全可以控制远程控制台应用程序的源代码。
在此远程.net控制台应用程序中实现我的想法的最简单的技术/框架是什么?
我更喜欢将远程.net控制台应用程序设置为一个简单的console.exe,因此最好没有IIS托管的网站,没有WCF,也没有Windows服务。但是,如果确实没有比普通的console.exe更简单的方法,并且如果我必须使用其中的一种,那么哪一种是最简单的呢?
答案 0 :(得分:3)
我的建议是实施self-hosted ASP.NET WebAPI using Kestrel。
这将使您的应用程序为将来做好准备,而您不会重新发明轮子。
答案 1 :(得分:1)
我建议使用与控制台应用程序一起运行的TCP侦听器,以便它能够远程响应查询。
可以找到here
的一个非常好的教程,用于在C#中使用TCP侦听器。通常,在这种情况下,在您的控制台应用程序的“服务器”上,您可以定义一个tcplistener,它将接受指定端口上的请求并可以与发起连接的客户端进行通讯
(摘自上面链接的网站)
try {
IPAddress ipAd = IPAddress.Parse("172.21.5.99");
// use local m/c IP address, and
// use the same in the client
/* Initializes the Listener */
TcpListener myList=new TcpListener(ipAd,8001);
/* Start Listeneting at the specified port */
myList.Start();
Console.WriteLine("The server is running at port 8001...");
Console.WriteLine("The local End point is :" +
myList.LocalEndpoint );
Console.WriteLine("Waiting for a connection.....");
Socket s=myList.AcceptSocket();
Console.WriteLine("Connection accepted from " + s.RemoteEndPoint);
byte[] b=new byte[100];
int k=s.Receive(b);
Console.WriteLine("Recieved...");
for (int i=0;i<k;i++)
Console.Write(Convert.ToChar(b[i]));
ASCIIEncoding asen=new ASCIIEncoding();
s.Send(asen.GetBytes("The string was recieved by the server."));
Console.WriteLine("\nSent Acknowledgement");
/* clean up */
s.Close();
myList.Stop();
}
catch (Exception e) {
Console.WriteLine("Error..... " + e.StackTrace);
}
}
要真正看到服务器的响应,您必须编写一个补充的客户端应用程序,它将请求发送到控制台应用程序
再次从上方链接的网站 try {
TcpClient tcpclnt = new TcpClient();
Console.WriteLine("Connecting.....");
tcpclnt.Connect("172.21.5.99",8001);
// use the ipaddress as in the server program
Console.WriteLine("Connected");
Console.Write("Enter the string to be transmitted : ");
String str=Console.ReadLine();
Stream stm = tcpclnt.GetStream();
ASCIIEncoding asen= new ASCIIEncoding();
byte[] ba=asen.GetBytes(str);
Console.WriteLine("Transmitting.....");
stm.Write(ba,0,ba.Length);
byte[] bb=new byte[100];
int k=stm.Read(bb,0,100);
for (int i=0;i<k;i++)
Console.Write(Convert.ToChar(bb[i]));
tcpclnt.Close();
}
catch (Exception e) {
Console.WriteLine("Error..... " + e.StackTrace);
}
}
我将重新调整上面的代码的用途,以便在运行您提到的自检后,它无需发送和答复任意字符串,而可以答复控制台应用程序的状态。
希望这会有所帮助-詹姆斯