How to reap idle HTTP/2 connections in SwiftNIO?

in HTTP/1, you reap connections manually from within channel handlers based on keepalive and timeout heuristics.

but in HTTP/2, the connection layer is completely abstracted away, and the channel handlers can only control the third-level channels corresponding to a a single HTTP/2 stream within a multiplexed connection.

while i would expect configuring the connection lifecycle behavior to be a pretty basic use case for SwiftNIO, the library is so poorly documented (1, 2) that i have no idea where to add additional logic to manage incoming connections or reap them when they become idle.

let bootstrap:ServerBootstrap = .init(group: threads)
    .serverChannelOption(ChannelOptions.backlog, value: 256)
    .serverChannelOption(ChannelOptions.socketOption(.so_reuseaddr), value: 1)
    .childChannelOption(ChannelOptions.socketOption(.so_reuseaddr), value: 1)
    .childChannelOption(ChannelOptions.maxMessagesPerRead, value: 1)
    .childChannelOption(ChannelOptions.allowRemoteHalfClosure, value: true)
    .childChannelInitializer
{
    (channel:any Channel) -> EventLoopFuture<Void> in

    channel.pipeline.addHandler(NIOSSLServerHandler.init(context: authority.tls))
        .flatMap
    {
        channel.configureCommonHTTPServerPipeline
        {
            $0.pipeline.addHandler(ServerInterfaceHandler<Authority, Self>.init(
                address: channel.remoteAddress,
                server: self))
        }
    }
}

how do you reap idle HTTP/2 connections in SwiftNIO?

Put a ChannelHandler in the parent Channel that manages idle timeouts. In the API linked in (1), that would be added in the h2ConnectionChannelConfigurator.

We send a wide range of user events down that Channel that tell you what is going on. You can see them all here. Relevantly for your use-case you can use the stream created/stream closed events to keep track of the behaviour.

Finally, from this location you can also send PING frames and wait for responses, which can be used for keepalive probing.

2 Likes

is there a pattern for gracefully shutting down HTTP/2 connections with the new async APIs?

async
let _:Void =
{
    try await Task.sleep(for: .milliseconds(500))
    print("Reaping HTTP/2 connection from \(address)")
    try await connection.channel.close()
}()

print("Detected HTTP/2 connection from \(address)")

for try await stream:NIOAsyncChannel<
    HTTP2Frame.FramePayload,
    HTTP2Frame.FramePayload> in streams.inbound
{
    let message:HTTP.ServerMessage<Authority, HPACKHeaders> = ...

    try await stream.outbound.finish(with: message)
}

print("HTTP/2 connection from \(address) closed")

i find that if the timeout is too low, many requests fail, and firefox does not retry them.

This is the kind of thing that is really best done with a ChannelHandler. grpc-swift uses a handler that keeps track of swift-nio-http2's user events to determine whether a channel is active or not.

The grpc-swift handler mixes in ping probing and other features that you may not want, but the two events you care about are handled here. This lets you determine if there are any open streams on a connection, which you can use to manage a timer that will close the channel if it is not cancelled beforehand.

(A sidebar regarding this timer: you want to double-check your count of active streams before you actually close, as you may find that the timer fired but before it could be processed we got a new stream.)

It would be reasonable to move much of this functionality to swift-nio-http2 itself, please feel free to open a bug report requesting it.

3 Likes

i’m not convinced a channel handler is needed here. right now i’m using this noncopyable abstraction to start a monitoring task that runs alongside the main task that reads the NIOAsyncChannel:

import Atomics

struct TimeCop:~Copyable, Sendable
{
    let epoch:UnsafeAtomic<UInt>

    init()
    {
        self.epoch = .create(0)
    }

    deinit
    {
        self.epoch.destroy()
    }
}
extension TimeCop
{
    func reset()
    {
        self.epoch.wrappingIncrement(ordering: .relaxed)
    }

    func start(interval:Duration = .milliseconds(1000)) async throws
    {
        var epoch:UInt = 0
        while true
        {
            try await Task.sleep(for: interval)

            switch self.epoch.load(ordering: .relaxed)
            {
            case epoch:
                //  The epoch hasn’t changed, so we should enforce the timeout.
                return

            case let new:
                //  The epoch has changed, so let’s wait another `interval`.
                epoch = new
            }
        }
    }
}

it checks the value of the atomic counter every second, but since the connection would usually be accompanied by at least one request fragment, it gives the client about two seconds to trigger some activity on the channel.

/// Reap connections after one second of inactivity.
let cop:TimeCop = .init()
async
let _:Void =
{
    (cop:borrowing TimeCop) in

    try await cop.start(interval: .milliseconds(1000))
    try await connection.channel.close()

} (cop)

every time something is read from the inbound stream, i am resetting the timeout by incrementing the counter:

var inbound:NIOAsyncChannelInboundStream<HTTP2Frame.FramePayload>.AsyncIterator =
    stream.inbound.makeAsyncIterator()

var headers:HPACKHeaders? = nil
while let payload:HTTP2Frame.FramePayload = try await inbound.next()
{
    cop.reset()
    ...

then when we are ready to send the response, i am incrementing the counter once more:

cop.reset()

try await stream.outbound.finish(with: message)

Note that the NIOAsyncChannels that produce HTTP2Frame.FramePayload are channels representing HTTP/2 streams, not connections. Closing them does not release the underlying TCP resource.

the cop task does close the connection:

this is a possible source of the errors in our other thread.

this probably wasn’t clear from the limited excerpts i provided. the new APIs provide both streams as a tuple:

case .http2((let connection, let streams)):