停止被正常阻止的goroutine

I have a goroutine that is constantly blocked reading the stdin, like this:

func routine() {
    for {
        data := make([]byte, 8)
        os.Stdin.Read(data);
        otherChannel <-data
    }
}

The routine waits to read 8 bytes via stdin and feeds another channel.

I want to gracefully stop this goroutine from the main thread. However, since the goroutine will almost always be blocked reading from stdin, I can't find a good solution to force it to stop. I thought about something like:

func routine(stopChannel chan struct{}) {
    for {
        select {
        case <-stopChannel:
            return
        default:
            data := make([]byte, 8)
            os.Stdin.Read(data);
            otherChannel <-data
        }
    }
}

However, the problem is that if there is no more input in the stdin when the stopChannel is closed, the goroutine will stay blocked and not return.

Is there a good approach to make it return immediately when the main thread wants?

Thanks.