Search code examples
gosignalsinterruptinterrupt-handling

How to send an interrupt signal


I'm trying to implement a function that would call an interrupt signal in Go. I know how to intercept interrupt signals from the console, by using signal.Notify(interruptChannel, os.Interrupt), however, I can't find a way to actually send the interrupt signals around. I've found that you can send a signal to a process, but I'm not sure if this can be used to send a top-level interrupt signal.

Is there a way to send an interrupt signal from within a Go function that could be captured by anything that is listening for system interrupt signals, or is that something that's not supported in Go?


Solution

  • Assuming you are using something like this for capturing interrupt signal

    var stopChan = make(chan os.Signal, 2)
    signal.Notify(stopChan, os.Interrupt, syscall.SIGTERM, syscall.SIGINT)
    
    <-stopChan // wait for SIGINT
    

    Use below from anywhere in your code to send interrupt signal to above wait part.

    syscall.Kill(syscall.Getpid(), syscall.SIGINT)
    

    Or if you are in the same package where where stopChan variable is defined. Thus making it accessible. You can do this.

    stopChan <- syscall.SIGINT
    

    Or you can define stopChan as a global variable (making the first letter in Capital letter will achieve the same), then you can send interrupt signal from a different package too.

    Stopchan <- syscall.SIGINT