我最近开始使用.Net远程处理,我已经设法使用一些简单的教程,例如构建一个库dll,它可以作为客户端可以访问和使用的计算器(https://www.youtube.com/watch?v=Ve4AQnZ-_H0) 。
我想要了解的是我如何访问服务器上保存的当前信息。例如,如果我在服务器上运行这个简单的部分:
int x = 0;
while (!Console.KeyAvailable)
{
x++;
System.Threading.Thread.Sleep(1000);
Console.WriteLine(x);
}
到目前为止,我发现构建的dll只返回静态结果,例如使用计算器。我希望能够通过客户端在任何给定时间告诉服务器上有多少x。
我不知道自己是否足够清楚,但如果需要,我会尝试更好地解释。
答案 0 :(得分:1)
在以下Server实现中演示了如何在调用之间保持状态。
// this gets instantiated by clients over remoting
public class Server:MarshalByRefObject
{
// server wide state
public static int Value;
// state only for this instance (that can be shared with several clients
// depending on its activation model)
private StringBuilder buildup;
// an instance
public Server()
{
buildup = new StringBuilder();
Console.WriteLine("server started");
}
// do something useful
public int DoWork(char ch)
{
Console.WriteLine("server received {0}", ch);
buildup.Append(ch);
return Value;
}
// return all typed chars
public string GetMessage()
{
Console.WriteLine("server GetMessage called") ;
return buildup.ToString();
}
// how long should this instance live
public override object InitializeLifetimeService()
{
// run forever
return null;
}
}
请注意覆盖InitializeLifetimeService
。如果你不控制它,你的实例将在5分钟后被拆除。
要使用上面的类,我们使用以下代码来启动和运行监听器,包括一些逻辑。不要忘记添加对程序集System.Runtime.Remoting
的引用。
static void Main(string[] args)
{
// which port
var chn = new HttpChannel(1234);
ChannelServices.RegisterChannel(chn, false);
// Create only ONE Server instance
RemotingConfiguration.RegisterWellKnownServiceType(
typeof(Server), "server", WellKnownObjectMode.Singleton);
Server.Value = 0;
while (!Console.KeyAvailable)
{
Server.Value++;
System.Threading.Thread.Sleep(1000);
Console.WriteLine(Server.Value);
}
}
当此代码运行时,它应该在端口1234上的本地方框上侦听连接。首次运行时,我必须禁用防火墙,允许该端口通过本地防火墙。
使用Server
的客户端实现可能如下所示。不要忘记添加对程序集System.Runtime.Remoting
的引用。
static void Main(string[] args)
{
var chn = new HttpChannel();
ChannelServices.RegisterChannel(chn, false);
RemotingConfiguration.RegisterWellKnownClientType(
typeof(Server),
"http://localhost:1234/server");
Console.WriteLine("Creating server...");
var s = new Server();
Console.WriteLine("type chars, press p to print, press x to stop");
var ch = Console.ReadKey();
while(ch.KeyChar != 'x')
{
switch(ch.KeyChar )
{
case 'p':
Console.WriteLine("msg: {0}", s.GetMessage());
break;
default:
Console.WriteLine("Got value {0} ", s.DoWork(ch.KeyChar));
break;
}
ch = Console.ReadKey();
}
Console.WriteLine("stopped");
}
如果你编译并运行它,你的结果可能如下所示: