You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
79 lines
1.8 KiB
79 lines
1.8 KiB
package ws |
|
|
|
import ( |
|
"context" |
|
"crypto/tls" |
|
"errors" |
|
"fmt" |
|
"io" |
|
"net/http" |
|
"time" |
|
|
|
"lol.mleku.dev/errorf" |
|
"next.orly.dev/pkg/utils/units" |
|
|
|
ws "github.com/coder/websocket" |
|
) |
|
|
|
// Connection represents a websocket connection to a Nostr relay. |
|
type Connection struct { |
|
conn *ws.Conn |
|
} |
|
|
|
// NewConnection creates a new websocket connection to a Nostr relay. |
|
func NewConnection( |
|
ctx context.Context, url string, reqHeader http.Header, |
|
tlsConfig *tls.Config, |
|
) (c *Connection, err error) { |
|
var conn *ws.Conn |
|
if conn, _, err = ws.Dial( |
|
ctx, url, getConnectionOptions(reqHeader, tlsConfig), |
|
); err != nil { |
|
return |
|
} |
|
conn.SetReadLimit(33 * units.Mb) |
|
return &Connection{ |
|
conn: conn, |
|
}, nil |
|
} |
|
|
|
// WriteMessage writes arbitrary bytes to the websocket connection. |
|
func (c *Connection) WriteMessage( |
|
ctx context.Context, data []byte, |
|
) (err error) { |
|
if err = c.conn.Write(ctx, ws.MessageText, data); err != nil { |
|
err = errorf.E("failed to write message: %w", err) |
|
return |
|
} |
|
return nil |
|
} |
|
|
|
// ReadMessage reads arbitrary bytes from the websocket connection into the provided buffer. |
|
func (c *Connection) ReadMessage( |
|
ctx context.Context, buf io.Writer, |
|
) (err error) { |
|
var reader io.Reader |
|
if _, reader, err = c.conn.Reader(ctx); err != nil { |
|
err = fmt.Errorf("failed to get reader: %w", err) |
|
return |
|
} |
|
if _, err = io.Copy(buf, reader); err != nil { |
|
err = fmt.Errorf("failed to read message: %w", err) |
|
return |
|
} |
|
return |
|
} |
|
|
|
// Close closes the websocket connection. |
|
func (c *Connection) Close() error { |
|
return c.conn.Close(ws.StatusNormalClosure, "") |
|
} |
|
|
|
// Ping sends a ping message to the websocket connection. |
|
func (c *Connection) Ping(ctx context.Context) error { |
|
ctx, cancel := context.WithTimeoutCause( |
|
ctx, time.Millisecond*800, errors.New("ping took too long"), |
|
) |
|
defer cancel() |
|
return c.conn.Ping(ctx) |
|
}
|
|
|