mirror of
https://github.com/h44z/wg-portal.git
synced 2026-01-29 06:36:24 +00:00
@@ -135,6 +135,7 @@ func main() {
|
|||||||
apiV0EndpointPeers := handlersV0.NewPeerEndpoint(cfg, apiV0Auth, validatorManager, apiV0BackendPeers)
|
apiV0EndpointPeers := handlersV0.NewPeerEndpoint(cfg, apiV0Auth, validatorManager, apiV0BackendPeers)
|
||||||
apiV0EndpointConfig := handlersV0.NewConfigEndpoint(cfg, apiV0Auth, wireGuard)
|
apiV0EndpointConfig := handlersV0.NewConfigEndpoint(cfg, apiV0Auth, wireGuard)
|
||||||
apiV0EndpointTest := handlersV0.NewTestEndpoint(apiV0Auth)
|
apiV0EndpointTest := handlersV0.NewTestEndpoint(apiV0Auth)
|
||||||
|
apiV0EndpointWebsocket := handlersV0.NewWebsocketEndpoint(cfg, apiV0Auth, eventBus)
|
||||||
|
|
||||||
apiFrontend := handlersV0.NewRestApi(apiV0Session,
|
apiFrontend := handlersV0.NewRestApi(apiV0Session,
|
||||||
apiV0EndpointAuth,
|
apiV0EndpointAuth,
|
||||||
@@ -144,6 +145,7 @@ func main() {
|
|||||||
apiV0EndpointPeers,
|
apiV0EndpointPeers,
|
||||||
apiV0EndpointConfig,
|
apiV0EndpointConfig,
|
||||||
apiV0EndpointTest,
|
apiV0EndpointTest,
|
||||||
|
apiV0EndpointWebsocket,
|
||||||
)
|
)
|
||||||
|
|
||||||
// endregion API v0 (SPA frontend)
|
// endregion API v0 (SPA frontend)
|
||||||
|
|||||||
86
frontend/src/helpers/websocket-wrapper.js
Normal file
86
frontend/src/helpers/websocket-wrapper.js
Normal file
@@ -0,0 +1,86 @@
|
|||||||
|
import { peerStore } from '@/stores/peers';
|
||||||
|
import { interfaceStore } from '@/stores/interfaces';
|
||||||
|
import { authStore } from '@/stores/auth';
|
||||||
|
|
||||||
|
let socket = null;
|
||||||
|
let reconnectTimer = null;
|
||||||
|
let failureCount = 0;
|
||||||
|
|
||||||
|
export const websocketWrapper = {
|
||||||
|
connect() {
|
||||||
|
if (socket) {
|
||||||
|
console.log('WebSocket already connected, re-using existing connection.');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
const protocol = WGPORTAL_BACKEND_BASE_URL.startsWith('https://') ? 'wss://' : 'ws://';
|
||||||
|
const baseUrl = WGPORTAL_BACKEND_BASE_URL.replace(/^https?:\/\//, '');
|
||||||
|
const url = `${protocol}${baseUrl}/ws`;
|
||||||
|
|
||||||
|
socket = new WebSocket(url);
|
||||||
|
|
||||||
|
socket.onopen = () => {
|
||||||
|
console.log('WebSocket connected');
|
||||||
|
failureCount = 0;
|
||||||
|
if (reconnectTimer) {
|
||||||
|
clearInterval(reconnectTimer);
|
||||||
|
reconnectTimer = null;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
socket.onclose = () => {
|
||||||
|
console.log('WebSocket disconnected');
|
||||||
|
failureCount++;
|
||||||
|
socket = null;
|
||||||
|
this.scheduleReconnect();
|
||||||
|
};
|
||||||
|
|
||||||
|
socket.onerror = (error) => {
|
||||||
|
console.error('WebSocket error:', error);
|
||||||
|
failureCount++;
|
||||||
|
socket.close();
|
||||||
|
socket = null;
|
||||||
|
};
|
||||||
|
|
||||||
|
socket.onmessage = (event) => {
|
||||||
|
const message = JSON.parse(event.data);
|
||||||
|
switch (message.type) {
|
||||||
|
case 'peer_stats':
|
||||||
|
peerStore().updatePeerTrafficStats(message.data);
|
||||||
|
break;
|
||||||
|
case 'interface_stats':
|
||||||
|
interfaceStore().updateInterfaceTrafficStats(message.data);
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
},
|
||||||
|
|
||||||
|
disconnect() {
|
||||||
|
if (socket) {
|
||||||
|
socket.close();
|
||||||
|
socket = null;
|
||||||
|
}
|
||||||
|
if (reconnectTimer) {
|
||||||
|
clearInterval(reconnectTimer);
|
||||||
|
reconnectTimer = null;
|
||||||
|
failureCount = 0;
|
||||||
|
}
|
||||||
|
},
|
||||||
|
|
||||||
|
scheduleReconnect() {
|
||||||
|
if (reconnectTimer) return;
|
||||||
|
if (!authStore().IsAuthenticated) return; // Don't reconnect if not logged in
|
||||||
|
|
||||||
|
reconnectTimer = setInterval(() => {
|
||||||
|
if (failureCount > 2) {
|
||||||
|
console.log('WebSocket connection unavailable, giving up.');
|
||||||
|
clearInterval(reconnectTimer);
|
||||||
|
reconnectTimer = null;
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
console.log('Attempting to reconnect WebSocket...');
|
||||||
|
this.connect();
|
||||||
|
}, 5000);
|
||||||
|
}
|
||||||
|
};
|
||||||
@@ -2,6 +2,7 @@ import { defineStore } from 'pinia'
|
|||||||
|
|
||||||
import { notify } from "@kyvg/vue3-notification";
|
import { notify } from "@kyvg/vue3-notification";
|
||||||
import { apiWrapper } from '@/helpers/fetch-wrapper'
|
import { apiWrapper } from '@/helpers/fetch-wrapper'
|
||||||
|
import { websocketWrapper } from '@/helpers/websocket-wrapper'
|
||||||
import router from '../router'
|
import router from '../router'
|
||||||
import { browserSupportsWebAuthn,startRegistration,startAuthentication } from '@simplewebauthn/browser';
|
import { browserSupportsWebAuthn,startRegistration,startAuthentication } from '@simplewebauthn/browser';
|
||||||
import {base64_url_encode} from "@/helpers/encoding";
|
import {base64_url_encode} from "@/helpers/encoding";
|
||||||
@@ -295,9 +296,11 @@ export const authStore = defineStore('auth',{
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
localStorage.setItem('user', JSON.stringify(this.user))
|
localStorage.setItem('user', JSON.stringify(this.user))
|
||||||
|
websocketWrapper.connect()
|
||||||
} else {
|
} else {
|
||||||
this.user = null
|
this.user = null
|
||||||
localStorage.removeItem('user')
|
localStorage.removeItem('user')
|
||||||
|
websocketWrapper.disconnect()
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
setWebAuthnCredentials(credentials) {
|
setWebAuthnCredentials(credentials) {
|
||||||
|
|||||||
@@ -14,6 +14,7 @@ export const interfaceStore = defineStore('interfaces', {
|
|||||||
configuration: "",
|
configuration: "",
|
||||||
selected: "",
|
selected: "",
|
||||||
fetching: false,
|
fetching: false,
|
||||||
|
trafficStats: {},
|
||||||
}),
|
}),
|
||||||
getters: {
|
getters: {
|
||||||
Count: (state) => state.interfaces.length,
|
Count: (state) => state.interfaces.length,
|
||||||
@@ -24,6 +25,9 @@ export const interfaceStore = defineStore('interfaces', {
|
|||||||
},
|
},
|
||||||
GetSelected: (state) => state.interfaces.find((i) => i.Identifier === state.selected) || state.interfaces[0],
|
GetSelected: (state) => state.interfaces.find((i) => i.Identifier === state.selected) || state.interfaces[0],
|
||||||
isFetching: (state) => state.fetching,
|
isFetching: (state) => state.fetching,
|
||||||
|
TrafficStats: (state) => {
|
||||||
|
return (state.selected in state.trafficStats) ? state.trafficStats[state.selected] : { Received: 0, Transmitted: 0 }
|
||||||
|
},
|
||||||
},
|
},
|
||||||
actions: {
|
actions: {
|
||||||
setInterfaces(interfaces) {
|
setInterfaces(interfaces) {
|
||||||
@@ -34,6 +38,14 @@ export const interfaceStore = defineStore('interfaces', {
|
|||||||
this.selected = ""
|
this.selected = ""
|
||||||
}
|
}
|
||||||
this.fetching = false
|
this.fetching = false
|
||||||
|
this.trafficStats = {}
|
||||||
|
},
|
||||||
|
updateInterfaceTrafficStats(interfaceStats) {
|
||||||
|
const id = interfaceStats.EntityId;
|
||||||
|
this.trafficStats[id] = {
|
||||||
|
Received: interfaceStats.BytesReceived,
|
||||||
|
Transmitted: interfaceStats.BytesTransmitted,
|
||||||
|
};
|
||||||
},
|
},
|
||||||
async LoadInterfaces() {
|
async LoadInterfaces() {
|
||||||
this.fetching = true
|
this.fetching = true
|
||||||
|
|||||||
@@ -23,6 +23,7 @@ export const peerStore = defineStore('peers', {
|
|||||||
fetching: false,
|
fetching: false,
|
||||||
sortKey: 'IsConnected', // Default sort key
|
sortKey: 'IsConnected', // Default sort key
|
||||||
sortOrder: -1, // 1 for ascending, -1 for descending
|
sortOrder: -1, // 1 for ascending, -1 for descending
|
||||||
|
trafficStats: {},
|
||||||
}),
|
}),
|
||||||
getters: {
|
getters: {
|
||||||
Find: (state) => {
|
Find: (state) => {
|
||||||
@@ -76,6 +77,9 @@ export const peerStore = defineStore('peers', {
|
|||||||
Statistics: (state) => {
|
Statistics: (state) => {
|
||||||
return (id) => state.statsEnabled && (id in state.stats) ? state.stats[id] : freshStats()
|
return (id) => state.statsEnabled && (id in state.stats) ? state.stats[id] : freshStats()
|
||||||
},
|
},
|
||||||
|
TrafficStats: (state) => {
|
||||||
|
return (id) => (id in state.trafficStats) ? state.trafficStats[id] : { Received: 0, Transmitted: 0 }
|
||||||
|
},
|
||||||
hasStatistics: (state) => state.statsEnabled,
|
hasStatistics: (state) => state.statsEnabled,
|
||||||
|
|
||||||
},
|
},
|
||||||
@@ -111,6 +115,7 @@ export const peerStore = defineStore('peers', {
|
|||||||
this.peers = peers
|
this.peers = peers
|
||||||
this.calculatePages()
|
this.calculatePages()
|
||||||
this.fetching = false
|
this.fetching = false
|
||||||
|
this.trafficStats = {}
|
||||||
},
|
},
|
||||||
setPeer(peer) {
|
setPeer(peer) {
|
||||||
this.peer = peer
|
this.peer = peer
|
||||||
@@ -126,11 +131,19 @@ export const peerStore = defineStore('peers', {
|
|||||||
if (!statsResponse) {
|
if (!statsResponse) {
|
||||||
this.stats = {}
|
this.stats = {}
|
||||||
this.statsEnabled = false
|
this.statsEnabled = false
|
||||||
|
this.trafficStats = {}
|
||||||
} else {
|
} else {
|
||||||
this.stats = statsResponse.Stats
|
this.stats = statsResponse.Stats
|
||||||
this.statsEnabled = statsResponse.Enabled
|
this.statsEnabled = statsResponse.Enabled
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
updatePeerTrafficStats(peerStats) {
|
||||||
|
const id = peerStats.EntityId;
|
||||||
|
this.trafficStats[id] = {
|
||||||
|
Received: peerStats.BytesReceived,
|
||||||
|
Transmitted: peerStats.BytesTransmitted,
|
||||||
|
};
|
||||||
|
},
|
||||||
async Reset() {
|
async Reset() {
|
||||||
this.setPeers([])
|
this.setPeers([])
|
||||||
this.setStats(undefined)
|
this.setStats(undefined)
|
||||||
|
|||||||
@@ -210,6 +210,12 @@ onMounted(async () => {
|
|||||||
<div class="col-12 col-lg-8">
|
<div class="col-12 col-lg-8">
|
||||||
{{ $t('interfaces.interface.headline') }} <strong>{{interfaces.GetSelected.Identifier}}</strong> ({{ $t('modals.interface-edit.mode.' + interfaces.GetSelected.Mode )}} | {{ $t('interfaces.interface.backend') + ": " + calculateBackendName }}<span v-if="!isBackendValid" :title="t('interfaces.interface.wrong-backend')" class="ms-1 me-1"><i class="fa-solid fa-triangle-exclamation"></i></span>)
|
{{ $t('interfaces.interface.headline') }} <strong>{{interfaces.GetSelected.Identifier}}</strong> ({{ $t('modals.interface-edit.mode.' + interfaces.GetSelected.Mode )}} | {{ $t('interfaces.interface.backend') + ": " + calculateBackendName }}<span v-if="!isBackendValid" :title="t('interfaces.interface.wrong-backend')" class="ms-1 me-1"><i class="fa-solid fa-triangle-exclamation"></i></span>)
|
||||||
<span v-if="interfaces.GetSelected.Disabled" class="text-danger"><i class="fa fa-circle-xmark" :title="interfaces.GetSelected.DisabledReason"></i></span>
|
<span v-if="interfaces.GetSelected.Disabled" class="text-danger"><i class="fa fa-circle-xmark" :title="interfaces.GetSelected.DisabledReason"></i></span>
|
||||||
|
<div v-if="interfaces.GetSelected && (interfaces.TrafficStats.Received > 0 || interfaces.TrafficStats.Transmitted > 0)" class="mt-2">
|
||||||
|
<small class="text-muted">
|
||||||
|
Traffic: <i class="fa-solid fa-arrow-down me-1"></i>{{ humanFileSize(interfaces.TrafficStats.Received) }}/s
|
||||||
|
<i class="fa-solid fa-arrow-up ms-1 me-1"></i>{{ humanFileSize(interfaces.TrafficStats.Transmitted) }}/s
|
||||||
|
</small>
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<div class="col-12 col-lg-4 text-lg-end">
|
<div class="col-12 col-lg-4 text-lg-end">
|
||||||
<a class="btn-link" href="#" :title="$t('interfaces.interface.button-show-config')" @click.prevent="viewedInterfaceId=interfaces.GetSelected.Identifier"><i class="fas fa-eye"></i></a>
|
<a class="btn-link" href="#" :title="$t('interfaces.interface.button-show-config')" @click.prevent="viewedInterfaceId=interfaces.GetSelected.Identifier"><i class="fas fa-eye"></i></a>
|
||||||
@@ -451,14 +457,19 @@ onMounted(async () => {
|
|||||||
<td v-if="interfaces.GetSelected.Mode==='client'">{{peer.Endpoint.Value}}</td>
|
<td v-if="interfaces.GetSelected.Mode==='client'">{{peer.Endpoint.Value}}</td>
|
||||||
<td v-if="peers.hasStatistics">
|
<td v-if="peers.hasStatistics">
|
||||||
<div v-if="peers.Statistics(peer.Identifier).IsConnected">
|
<div v-if="peers.Statistics(peer.Identifier).IsConnected">
|
||||||
<span class="badge rounded-pill bg-success" :title="$t('interfaces.peer-connected')"><i class="fa-solid fa-link"></i></span> <span :title="$t('interfaces.peer-handshake') + ' ' + peers.Statistics(peer.Identifier).LastHandshake">{{ $t('interfaces.peer-connected') }}</span>
|
<span class="badge rounded-pill bg-success" :title="$t('interfaces.peer-connected')"><i class="fa-solid fa-link"></i></span> <small class="text-muted" :title="$t('interfaces.peer-handshake') + ' ' + peers.Statistics(peer.Identifier).LastHandshake"><i class="fa-solid fa-circle-info"></i></small>
|
||||||
</div>
|
</div>
|
||||||
<div v-else>
|
<div v-else>
|
||||||
<span class="badge rounded-pill bg-light" :title="$t('interfaces.peer-not-connected')"><i class="fa-solid fa-link-slash"></i></span>
|
<span class="badge rounded-pill bg-light" :title="$t('interfaces.peer-not-connected')"><i class="fa-solid fa-link-slash"></i></span>
|
||||||
</div>
|
</div>
|
||||||
</td>
|
</td>
|
||||||
<td v-if="peers.hasStatistics" >
|
<td v-if="peers.hasStatistics" >
|
||||||
<span class="text-center" >{{ humanFileSize(peers.Statistics(peer.Identifier).BytesReceived) }} / {{ humanFileSize(peers.Statistics(peer.Identifier).BytesTransmitted) }}</span>
|
<div class="d-flex flex-column">
|
||||||
|
<span :title="humanFileSize(peers.Statistics(peer.Identifier).BytesReceived) + ' / ' + humanFileSize(peers.Statistics(peer.Identifier).BytesTransmitted)">
|
||||||
|
<i class="fa-solid fa-arrow-down me-1"></i>{{ humanFileSize(peers.TrafficStats(peer.Identifier).Received) }}/s
|
||||||
|
<i class="fa-solid fa-arrow-up ms-1 me-1"></i>{{ humanFileSize(peers.TrafficStats(peer.Identifier).Transmitted) }}/s
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
</td>
|
</td>
|
||||||
<td class="text-center">
|
<td class="text-center">
|
||||||
<a href="#" :title="$t('interfaces.button-show-peer')" @click.prevent="viewedPeerId=peer.Identifier"><i class="fas fa-eye me-2"></i></a>
|
<a href="#" :title="$t('interfaces.button-show-peer')" @click.prevent="viewedPeerId=peer.Identifier"><i class="fas fa-eye me-2"></i></a>
|
||||||
|
|||||||
1
go.mod
1
go.mod
@@ -12,6 +12,7 @@ require (
|
|||||||
github.com/go-playground/validator/v10 v10.30.1
|
github.com/go-playground/validator/v10 v10.30.1
|
||||||
github.com/go-webauthn/webauthn v0.15.0
|
github.com/go-webauthn/webauthn v0.15.0
|
||||||
github.com/google/uuid v1.6.0
|
github.com/google/uuid v1.6.0
|
||||||
|
github.com/gorilla/websocket v1.5.3
|
||||||
github.com/prometheus-community/pro-bing v0.7.0
|
github.com/prometheus-community/pro-bing v0.7.0
|
||||||
github.com/prometheus/client_golang v1.23.2
|
github.com/prometheus/client_golang v1.23.2
|
||||||
github.com/stretchr/testify v1.11.1
|
github.com/stretchr/testify v1.11.1
|
||||||
|
|||||||
2
go.sum
2
go.sum
@@ -130,6 +130,8 @@ github.com/google/uuid v1.6.0 h1:NIvaJDMOsjHA8n1jAhLSgzrAzy1Hgr+hNrb57e+94F0=
|
|||||||
github.com/google/uuid v1.6.0/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo=
|
github.com/google/uuid v1.6.0/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo=
|
||||||
github.com/gorilla/securecookie v1.1.1/go.mod h1:ra0sb63/xPlUeL+yeDciTfxMRAA+MP+HVt/4epWDjd4=
|
github.com/gorilla/securecookie v1.1.1/go.mod h1:ra0sb63/xPlUeL+yeDciTfxMRAA+MP+HVt/4epWDjd4=
|
||||||
github.com/gorilla/sessions v1.2.1/go.mod h1:dk2InVEVJ0sfLlnXv9EAgkf6ecYs/i80K/zI+bUmuGM=
|
github.com/gorilla/sessions v1.2.1/go.mod h1:dk2InVEVJ0sfLlnXv9EAgkf6ecYs/i80K/zI+bUmuGM=
|
||||||
|
github.com/gorilla/websocket v1.5.3 h1:saDtZ6Pbx/0u+bgYQ3q96pZgCzfhKXGPqt7kZ72aNNg=
|
||||||
|
github.com/gorilla/websocket v1.5.3/go.mod h1:YR8l580nyteQvAITg2hZ9XVh4b55+EU/adAjf1fMHhE=
|
||||||
github.com/hashicorp/go-uuid v1.0.2/go.mod h1:6SBZvOh/SIDV7/2o3Jml5SYk/TvGqwFJ/bN7x4byOro=
|
github.com/hashicorp/go-uuid v1.0.2/go.mod h1:6SBZvOh/SIDV7/2o3Jml5SYk/TvGqwFJ/bN7x4byOro=
|
||||||
github.com/hashicorp/go-uuid v1.0.3 h1:2gKiV6YVmrJ1i2CKKa9obLvRieoRGviZFL26PcT/Co8=
|
github.com/hashicorp/go-uuid v1.0.3 h1:2gKiV6YVmrJ1i2CKKa9obLvRieoRGviZFL26PcT/Co8=
|
||||||
github.com/hashicorp/go-uuid v1.0.3/go.mod h1:6SBZvOh/SIDV7/2o3Jml5SYk/TvGqwFJ/bN7x4byOro=
|
github.com/hashicorp/go-uuid v1.0.3/go.mod h1:6SBZvOh/SIDV7/2o3Jml5SYk/TvGqwFJ/bN7x4byOro=
|
||||||
|
|||||||
@@ -1,6 +1,8 @@
|
|||||||
package logging
|
package logging
|
||||||
|
|
||||||
import (
|
import (
|
||||||
|
"bufio"
|
||||||
|
"net"
|
||||||
"net/http"
|
"net/http"
|
||||||
)
|
)
|
||||||
|
|
||||||
@@ -38,6 +40,12 @@ func (w *writerWrapper) Write(data []byte) (int, error) {
|
|||||||
return n, err
|
return n, err
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Hijack wraps the Hijack method of the ResponseWriter and returns the hijacked connection.
|
||||||
|
// This is required for websockets to work.
|
||||||
|
func (w *writerWrapper) Hijack() (net.Conn, *bufio.ReadWriter, error) {
|
||||||
|
return http.NewResponseController(w.ResponseWriter).Hijack()
|
||||||
|
}
|
||||||
|
|
||||||
// newWriterWrapper returns a new writerWrapper that wraps the given http.ResponseWriter.
|
// newWriterWrapper returns a new writerWrapper that wraps the given http.ResponseWriter.
|
||||||
// It initializes the StatusCode to http.StatusOK.
|
// It initializes the StatusCode to http.StatusOK.
|
||||||
func newWriterWrapper(w http.ResponseWriter) *writerWrapper {
|
func newWriterWrapper(w http.ResponseWriter) *writerWrapper {
|
||||||
|
|||||||
100
internal/app/api/v0/handlers/endpoint_websocket.go
Normal file
100
internal/app/api/v0/handlers/endpoint_websocket.go
Normal file
@@ -0,0 +1,100 @@
|
|||||||
|
package handlers
|
||||||
|
|
||||||
|
import (
|
||||||
|
"context"
|
||||||
|
"net/http"
|
||||||
|
"strings"
|
||||||
|
"sync"
|
||||||
|
|
||||||
|
"github.com/go-pkgz/routegroup"
|
||||||
|
"github.com/gorilla/websocket"
|
||||||
|
|
||||||
|
"github.com/h44z/wg-portal/internal/app"
|
||||||
|
"github.com/h44z/wg-portal/internal/config"
|
||||||
|
"github.com/h44z/wg-portal/internal/domain"
|
||||||
|
)
|
||||||
|
|
||||||
|
type WebsocketEventBus interface {
|
||||||
|
Subscribe(topic string, fn any) error
|
||||||
|
Unsubscribe(topic string, fn any) error
|
||||||
|
}
|
||||||
|
|
||||||
|
type WebsocketEndpoint struct {
|
||||||
|
authenticator Authenticator
|
||||||
|
bus WebsocketEventBus
|
||||||
|
|
||||||
|
upgrader websocket.Upgrader
|
||||||
|
}
|
||||||
|
|
||||||
|
func NewWebsocketEndpoint(cfg *config.Config, auth Authenticator, bus WebsocketEventBus) *WebsocketEndpoint {
|
||||||
|
return &WebsocketEndpoint{
|
||||||
|
authenticator: auth,
|
||||||
|
bus: bus,
|
||||||
|
upgrader: websocket.Upgrader{
|
||||||
|
ReadBufferSize: 1024,
|
||||||
|
WriteBufferSize: 1024,
|
||||||
|
CheckOrigin: func(r *http.Request) bool {
|
||||||
|
origin := r.Header.Get("Origin")
|
||||||
|
return strings.HasPrefix(origin, cfg.Web.ExternalUrl)
|
||||||
|
},
|
||||||
|
},
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func (e WebsocketEndpoint) GetName() string {
|
||||||
|
return "WebsocketEndpoint"
|
||||||
|
}
|
||||||
|
|
||||||
|
func (e WebsocketEndpoint) RegisterRoutes(g *routegroup.Bundle) {
|
||||||
|
g.With(e.authenticator.LoggedIn()).HandleFunc("GET /ws", e.handleWebsocket())
|
||||||
|
}
|
||||||
|
|
||||||
|
// wsMessage represents a message sent over websocket to the frontend
|
||||||
|
type wsMessage struct {
|
||||||
|
Type string `json:"type"` // either "peer_stats" or "interface_stats"
|
||||||
|
Data any `json:"data"` // domain.TrafficDelta
|
||||||
|
}
|
||||||
|
|
||||||
|
func (e WebsocketEndpoint) handleWebsocket() http.HandlerFunc {
|
||||||
|
return func(w http.ResponseWriter, r *http.Request) {
|
||||||
|
conn, err := e.upgrader.Upgrade(w, r, nil)
|
||||||
|
if err != nil {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
defer conn.Close()
|
||||||
|
|
||||||
|
ctx, cancel := context.WithCancel(r.Context())
|
||||||
|
defer cancel()
|
||||||
|
|
||||||
|
writeMutex := sync.Mutex{}
|
||||||
|
writeJSON := func(msg wsMessage) error {
|
||||||
|
writeMutex.Lock()
|
||||||
|
defer writeMutex.Unlock()
|
||||||
|
return conn.WriteJSON(msg)
|
||||||
|
}
|
||||||
|
|
||||||
|
peerStatsHandler := func(status domain.TrafficDelta) {
|
||||||
|
_ = writeJSON(wsMessage{Type: "peer_stats", Data: status})
|
||||||
|
}
|
||||||
|
interfaceStatsHandler := func(status domain.TrafficDelta) {
|
||||||
|
_ = writeJSON(wsMessage{Type: "interface_stats", Data: status})
|
||||||
|
}
|
||||||
|
|
||||||
|
_ = e.bus.Subscribe(app.TopicPeerStatsUpdated, peerStatsHandler)
|
||||||
|
defer e.bus.Unsubscribe(app.TopicPeerStatsUpdated, peerStatsHandler)
|
||||||
|
_ = e.bus.Subscribe(app.TopicInterfaceStatsUpdated, interfaceStatsHandler)
|
||||||
|
defer e.bus.Unsubscribe(app.TopicInterfaceStatsUpdated, interfaceStatsHandler)
|
||||||
|
|
||||||
|
// Keep connection open until client disconnects or context is cancelled
|
||||||
|
go func() {
|
||||||
|
for {
|
||||||
|
if _, _, err := conn.ReadMessage(); err != nil {
|
||||||
|
cancel()
|
||||||
|
return
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}()
|
||||||
|
|
||||||
|
<-ctx.Done()
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -26,6 +26,7 @@ const TopicUserEnabled = "user:enabled"
|
|||||||
const TopicInterfaceCreated = "interface:created"
|
const TopicInterfaceCreated = "interface:created"
|
||||||
const TopicInterfaceUpdated = "interface:updated"
|
const TopicInterfaceUpdated = "interface:updated"
|
||||||
const TopicInterfaceDeleted = "interface:deleted"
|
const TopicInterfaceDeleted = "interface:deleted"
|
||||||
|
const TopicInterfaceStatsUpdated = "interface:stats:updated"
|
||||||
|
|
||||||
// endregion interface-events
|
// endregion interface-events
|
||||||
|
|
||||||
@@ -37,6 +38,7 @@ const TopicPeerUpdated = "peer:updated"
|
|||||||
const TopicPeerInterfaceUpdated = "peer:interface:updated"
|
const TopicPeerInterfaceUpdated = "peer:interface:updated"
|
||||||
const TopicPeerIdentifierUpdated = "peer:identifier:updated"
|
const TopicPeerIdentifierUpdated = "peer:identifier:updated"
|
||||||
const TopicPeerStateChanged = "peer:state:changed"
|
const TopicPeerStateChanged = "peer:state:changed"
|
||||||
|
const TopicPeerStatsUpdated = "peer:stats:updated"
|
||||||
|
|
||||||
// endregion peer-events
|
// endregion peer-events
|
||||||
|
|
||||||
|
|||||||
@@ -121,15 +121,25 @@ func (c *StatisticsCollector) collectInterfaceData(ctx context.Context) {
|
|||||||
"error", err)
|
"error", err)
|
||||||
continue
|
continue
|
||||||
}
|
}
|
||||||
|
now := time.Now()
|
||||||
err = c.db.UpdateInterfaceStatus(ctx, in.Identifier,
|
err = c.db.UpdateInterfaceStatus(ctx, in.Identifier,
|
||||||
func(i *domain.InterfaceStatus) (*domain.InterfaceStatus, error) {
|
func(i *domain.InterfaceStatus) (*domain.InterfaceStatus, error) {
|
||||||
i.UpdatedAt = time.Now()
|
td := domain.CalculateTrafficDelta(
|
||||||
|
string(in.Identifier),
|
||||||
|
i.UpdatedAt, now,
|
||||||
|
i.BytesTransmitted, physicalInterface.BytesUpload,
|
||||||
|
i.BytesReceived, physicalInterface.BytesDownload,
|
||||||
|
)
|
||||||
|
i.UpdatedAt = now
|
||||||
i.BytesReceived = physicalInterface.BytesDownload
|
i.BytesReceived = physicalInterface.BytesDownload
|
||||||
i.BytesTransmitted = physicalInterface.BytesUpload
|
i.BytesTransmitted = physicalInterface.BytesUpload
|
||||||
|
|
||||||
// Update prometheus metrics
|
// Update prometheus metrics
|
||||||
go c.updateInterfaceMetrics(*i)
|
go c.updateInterfaceMetrics(*i)
|
||||||
|
|
||||||
|
// Publish stats update event
|
||||||
|
c.bus.Publish(app.TopicInterfaceStatsUpdated, td)
|
||||||
|
|
||||||
return i, nil
|
return i, nil
|
||||||
})
|
})
|
||||||
if err != nil {
|
if err != nil {
|
||||||
@@ -172,6 +182,7 @@ func (c *StatisticsCollector) collectPeerData(ctx context.Context) {
|
|||||||
slog.Warn("failed to fetch peers for data collection", "interface", in.Identifier, "error", err)
|
slog.Warn("failed to fetch peers for data collection", "interface", in.Identifier, "error", err)
|
||||||
continue
|
continue
|
||||||
}
|
}
|
||||||
|
now := time.Now()
|
||||||
for _, peer := range peers {
|
for _, peer := range peers {
|
||||||
var connectionStateChanged bool
|
var connectionStateChanged bool
|
||||||
var newPeerStatus domain.PeerStatus
|
var newPeerStatus domain.PeerStatus
|
||||||
@@ -184,8 +195,15 @@ func (c *StatisticsCollector) collectPeerData(ctx context.Context) {
|
|||||||
lastHandshake = &peer.LastHandshake
|
lastHandshake = &peer.LastHandshake
|
||||||
}
|
}
|
||||||
|
|
||||||
|
td := domain.CalculateTrafficDelta(
|
||||||
|
string(peer.Identifier),
|
||||||
|
p.UpdatedAt, now,
|
||||||
|
p.BytesTransmitted, peer.BytesDownload,
|
||||||
|
p.BytesReceived, peer.BytesUpload,
|
||||||
|
)
|
||||||
|
|
||||||
// calculate if session was restarted
|
// calculate if session was restarted
|
||||||
p.UpdatedAt = time.Now()
|
p.UpdatedAt = now
|
||||||
p.LastSessionStart = getSessionStartTime(*p, peer.BytesUpload, peer.BytesDownload,
|
p.LastSessionStart = getSessionStartTime(*p, peer.BytesUpload, peer.BytesDownload,
|
||||||
lastHandshake)
|
lastHandshake)
|
||||||
p.BytesReceived = peer.BytesUpload // store bytes that where uploaded from the peer and received by the server
|
p.BytesReceived = peer.BytesUpload // store bytes that where uploaded from the peer and received by the server
|
||||||
@@ -195,7 +213,8 @@ func (c *StatisticsCollector) collectPeerData(ctx context.Context) {
|
|||||||
p.CalcConnected()
|
p.CalcConnected()
|
||||||
|
|
||||||
if wasConnected != p.IsConnected {
|
if wasConnected != p.IsConnected {
|
||||||
slog.Debug("peer connection state changed", "peer", peer.Identifier, "connected", p.IsConnected)
|
slog.Debug("peer connection state changed",
|
||||||
|
"peer", peer.Identifier, "connected", p.IsConnected)
|
||||||
connectionStateChanged = true
|
connectionStateChanged = true
|
||||||
newPeerStatus = *p // store new status for event publishing
|
newPeerStatus = *p // store new status for event publishing
|
||||||
}
|
}
|
||||||
@@ -203,6 +222,9 @@ func (c *StatisticsCollector) collectPeerData(ctx context.Context) {
|
|||||||
// Update prometheus metrics
|
// Update prometheus metrics
|
||||||
go c.updatePeerMetrics(ctx, *p)
|
go c.updatePeerMetrics(ctx, *p)
|
||||||
|
|
||||||
|
// Publish stats update event
|
||||||
|
c.bus.Publish(app.TopicPeerStatsUpdated, td)
|
||||||
|
|
||||||
return p, nil
|
return p, nil
|
||||||
})
|
})
|
||||||
if err != nil {
|
if err != nil {
|
||||||
|
|||||||
@@ -61,3 +61,25 @@ func (r PingerResult) AverageRtt() time.Duration {
|
|||||||
}
|
}
|
||||||
return total / time.Duration(len(r.Rtts))
|
return total / time.Duration(len(r.Rtts))
|
||||||
}
|
}
|
||||||
|
|
||||||
|
type TrafficDelta struct {
|
||||||
|
EntityId string `json:"EntityId"` // Either peerId or interfaceId
|
||||||
|
BytesReceivedPerSecond uint64 `json:"BytesReceived"`
|
||||||
|
BytesTransmittedPerSecond uint64 `json:"BytesTransmitted"`
|
||||||
|
}
|
||||||
|
|
||||||
|
func CalculateTrafficDelta(id string, oldTime, newTime time.Time, oldTx, newTx, oldRx, newRx uint64) TrafficDelta {
|
||||||
|
timeDiff := uint64(newTime.Sub(oldTime).Seconds())
|
||||||
|
if timeDiff == 0 {
|
||||||
|
return TrafficDelta{
|
||||||
|
EntityId: id,
|
||||||
|
BytesReceivedPerSecond: 0,
|
||||||
|
BytesTransmittedPerSecond: 0,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return TrafficDelta{
|
||||||
|
EntityId: id,
|
||||||
|
BytesReceivedPerSecond: (newRx - oldRx) / timeDiff,
|
||||||
|
BytesTransmittedPerSecond: (newTx - oldTx) / timeDiff,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|||||||
Reference in New Issue
Block a user