Send message from one running console app to another

后端 未结 2 725
星月不相逢
星月不相逢 2020-12-09 13:16

I have one console app that is doing some lengthy syncing to an ftp server.
Another console app prepares a local filesystem with some needed updated files.
Then the

相关标签:
2条回答
  • 2020-12-09 14:02

    Other popular options for IPC include:

    • Named Pipes
    • Remoting (.NET)
    • WCF

    If you only need synchronization, you may consider a Semaphore, or Mutex object. There are classes which exist in the System.Threading namespace for .NET If you create named versions of these, then they apply to the whole machine.

    0 讨论(0)
  • 2020-12-09 14:07

    If all you need is to notify one application that the other has completed its task, the easiest way would be to use a named EventWaitHandle. The object is created in its unsignaled state. The first app waits on the handle, and the second app signals the handle when it's finished doing its job. For example:

    // First application
    EventWaitHandle waitForSignal = new EventWaitHandle(false, EventResetMode.ManualReset, "MyWaitHandle");
    
    // Here, the first application does whatever initialization it can.
    // Then it waits for the handle to be signaled:
    // The program will block until somebody signals the handle.
    waitForSignal.WaitOne();
    

    That sets up the first program to wait for synchronization. The second application is equally simple:

    // Second app
    EventWaitHandle doneWithInit = new EventWaitHandle(false, EventResetMode.ManualReset, "MyWaitHandle");
    
    // Here, the second application initializes what it needs to.
    // When it's done, it signals the wait handle:
    doneWithInit.Set();
    

    When the second application calls Set, it signals the event and the first application will continue.

    0 讨论(0)
提交回复
热议问题