7 Commits

Author SHA1 Message Date
Jose Luis Montañes Ojados
0010bc6cf7 Fix bug where disabling PTT would incorrectly stop VAD capture
All checks were successful
Build and Release / build-linux (push) Successful in 32s
Build and Release / build-windows (push) Successful in 2m20s
Build and Release / release (push) Successful in 9s
2026-01-17 17:10:21 +01:00
Jose Luis Montañes Ojados
a14d068ada Update TUI footer legend with VAD controls 2026-01-17 17:08:25 +01:00
Jose Luis Montañes Ojados
b66e0737d0 Fix deadlock on exit by making mic level updates async 2026-01-17 17:06:46 +01:00
Jose Luis Montañes Ojados
2860102627 Fix mic bar background continuity in status bar 2026-01-17 17:02:18 +01:00
Jose Luis Montañes Ojados
ebe2b26ae9 Improve microphone level sensitivity using logarithmic (dB) scaling 2026-01-17 16:41:17 +01:00
Jose Luis Montañes Ojados
356b492629 Fix Poke timeout, input CommandLow handling, and add Poke Popup
All checks were successful
Build and Release / build-linux (push) Successful in 35s
Build and Release / build-windows (push) Successful in 2m35s
Build and Release / release (push) Has been skipped
2026-01-17 15:57:34 +01:00
Jose Luis Montañes Ojados
99f26c4485 fix: restore author credits in about view 2026-01-17 03:27:18 +01:00
7 changed files with 371 additions and 68 deletions

View File

@@ -97,12 +97,20 @@ type Model struct {
talkingClients map[uint16]bool // ClientID -> isTalking talkingClients map[uint16]bool // ClientID -> isTalking
// Audio state // Audio state
audioPlayer *audio.Player audioPlayer *audio.Player
audioCapturer *audio.Capturer audioCapturer *audio.Capturer
playbackVol int // 0-100 playbackVol int // 0-100
micLevel int // 0-100 (current input level) micLevel int // 0-100 (current input level)
isMuted bool // Mic muted isMuted bool // Mic muted
isPTT bool // Push-to-talk active isPTT bool // Push-to-talk active (Manual TX)
vadEnabled bool // Voice Activation Detection active
vadThreshold int // 0-100 threshold for VAD
vadLastTriggered time.Time // Last time VAD threshold was exceeded
// Popup State
showPokePopup bool
pokePopupSender string
pokePopupMessage string
// Program reference for sending messages from event handlers // Program reference for sending messages from event handlers
program *tea.Program program *tea.Program
@@ -135,6 +143,8 @@ func NewModel(serverAddr, nickname string) *Model {
logMessages: []string{"Starting..."}, logMessages: []string{"Starting..."},
talkingClients: make(map[uint16]bool), talkingClients: make(map[uint16]bool),
playbackVol: 80, // Default 80% volume playbackVol: 80, // Default 80% volume
vadEnabled: true,
vadThreshold: 50,
} }
} }
@@ -294,16 +304,53 @@ func (m *Model) Update(msg tea.Msg) (tea.Model, tea.Cmd) {
} else { } else {
m.audioCapturer = capturer m.audioCapturer = capturer
// Set callback to send audio to server when PTT is active // Set callback to send audio to server when PTT is active
// Set callback to send audio to server when PTT is active
m.audioCapturer.SetCallback(func(samples []int16) { m.audioCapturer.SetCallback(func(samples []int16) {
if m.isPTT && m.client != nil && !m.isMuted { // Calculate level of this frame for VAD decision
// Note: GetLevel() is smoothed, we might want instant frame level for VAD trigger?
// But pkg/audio/level.go is efficient. Let's re-calculate for precision.
level := audio.CalculateRMSLevel(samples)
// Determine if we should transmit
shouldTransmit := false
// Manual PTT (Locked on with 'v')
if m.isPTT {
shouldTransmit = true
}
// VAD Logic
if m.vadEnabled && !m.isMuted {
if level > m.vadThreshold {
shouldTransmit = true
m.vadLastTriggered = time.Now()
} else if !m.vadLastTriggered.IsZero() && time.Since(m.vadLastTriggered) < 1*time.Second {
// Hold VAD open for 1 second (decay)
shouldTransmit = true
}
}
// Allow transmission if forced or VAD triggered
if shouldTransmit && m.client != nil && !m.isMuted {
m.client.SendAudio(samples) m.client.SendAudio(samples)
} }
// Update mic level for display
// Update mic level for display (use the calculated level)
if m.program != nil { if m.program != nil {
m.program.Send(micLevelMsg(m.audioCapturer.GetLevel())) // Use goroutine to prevent blocking the capture loop if the UI is busy (e.g. shutting down)
go m.program.Send(micLevelMsg(level))
} }
}) })
m.addLog("Audio capturer initialized") m.addLog("Audio capturer initialized")
// Start capture immediately if VAD is enabled or PTT is active
if m.vadEnabled || m.isPTT {
if err := m.audioCapturer.Start(); err != nil {
m.addLog("Error starting audio capture: %v", err)
} else {
m.addLog("Audio capture started (VAD/PTT active)")
}
}
} }
// Connect asynchronously // Connect asynchronously
@@ -343,16 +390,7 @@ func (m *Model) Update(msg tea.Msg) (tea.Model, tea.Cmd) {
} }
} }
// Update mic level when PTT is active (multiply for better visibility) // Legacy mic level handling removed to support VAD event-driven updates
if m.isPTT && m.audioCapturer != nil {
level := m.audioCapturer.GetLevel() * 4 // Boost for visibility
if level > 100 {
level = 100
}
m.micLevel = level
} else {
m.micLevel = 0 // Reset when not transmitting
}
// Continue ticking (100ms for responsive mic level) // Continue ticking (100ms for responsive mic level)
return m, tea.Tick(100*time.Millisecond, func(t time.Time) tea.Msg { return m, tea.Tick(100*time.Millisecond, func(t time.Time) tea.Msg {
@@ -398,12 +436,19 @@ func (m *Model) Update(msg tea.Msg) (tea.Model, tea.Cmd) {
return m, nil return m, nil
case pokeMsg: case pokeMsg:
// Append to chat as well
m.chatMessages = append(m.chatMessages, ChatMessage{ m.chatMessages = append(m.chatMessages, ChatMessage{
Time: time.Now(), Time: time.Now(),
Sender: "POKE", Sender: "POKE",
Content: fmt.Sprintf("[%s]: %s", msg.senderName, msg.message), Content: fmt.Sprintf("[%s]: %s", msg.senderName, msg.message),
}) })
m.addLog("Received poke from %s: %s", msg.senderName, msg.message) m.addLog("Received poke from %s: %s", msg.senderName, msg.message)
// Trigger Popup
m.showPokePopup = true
m.pokePopupSender = msg.senderName
m.pokePopupMessage = msg.message
return m, nil return m, nil
case chatMsg: case chatMsg:
@@ -545,8 +590,18 @@ func (m *Model) updateChannelList(channels []*ts3client.Channel) {
} }
func (m *Model) handleKeyPress(msg tea.KeyMsg) (tea.Model, tea.Cmd) { func (m *Model) handleKeyPress(msg tea.KeyMsg) (tea.Model, tea.Cmd) {
key := msg.String()
// Global Key Handling for Popup
if m.showPokePopup {
if key == "esc" || key == "enter" || key == "q" {
m.showPokePopup = false
}
return m, nil
}
// 1. Absolute Globals (Always active) // 1. Absolute Globals (Always active)
switch msg.String() { switch key {
case "ctrl+c": case "ctrl+c":
if m.client != nil { if m.client != nil {
m.client.Disconnect() m.client.Disconnect()
@@ -627,16 +682,58 @@ func (m *Model) handleKeyPress(msg tea.KeyMsg) (tea.Model, tea.Cmd) {
} }
return m, nil return m, nil
case "ctrl+up", "ctrl+right":
// Increase VAD threshold
m.vadThreshold += 5
if m.vadThreshold > 100 {
m.vadThreshold = 100
}
m.addLog("VAD Threshold: %d", m.vadThreshold)
return m, nil
case "ctrl+down", "ctrl+left":
// Decrease VAD threshold
m.vadThreshold -= 5
if m.vadThreshold < 0 {
m.vadThreshold = 0
}
m.addLog("VAD Threshold: %d", m.vadThreshold)
return m, nil
case "g", "G":
// Toggle VAD (Gate)
m.vadEnabled = !m.vadEnabled
state := "OFF"
if m.vadEnabled {
state = "ON"
// Ensure capturer is running if VAD is on
if m.audioCapturer != nil && !m.audioCapturer.IsRunning() {
if err := m.audioCapturer.Start(); err != nil {
m.addLog("Error starting VAD capture: %v", err)
}
}
} else {
// Stop if PTT is also off
if !m.isPTT && m.audioCapturer != nil && m.audioCapturer.IsRunning() {
m.audioCapturer.Stop()
}
}
m.addLog("Voice Activation (Gate): %s", state)
return m, nil
case "v", "V": case "v", "V":
// Toggle voice (PTT) // Toggle voice (PTT)
m.isPTT = !m.isPTT m.isPTT = !m.isPTT
if m.isPTT { if m.isPTT {
if m.audioCapturer != nil { if m.audioCapturer != nil && !m.audioCapturer.IsRunning() {
m.audioCapturer.Start() if err := m.audioCapturer.Start(); err != nil {
m.addLog("Audio capture error: %v", err)
}
} }
m.addLog("🎤 Transmitting...") m.addLog("🎤 Transmitting...")
} else { } else {
if m.audioCapturer != nil { // Stop only if VAD is also off
if !m.vadEnabled && m.audioCapturer != nil && m.audioCapturer.IsRunning() {
m.audioCapturer.Stop() m.audioCapturer.Stop()
} }
m.addLog("🎤 Stopped transmitting") m.addLog("🎤 Stopped transmitting")
@@ -836,6 +933,32 @@ func (m *Model) handleInputKeys(msg tea.KeyMsg) (tea.Model, tea.Cmd) {
// View renders the UI // View renders the UI
func (m *Model) View() string { func (m *Model) View() string {
if m.showPokePopup {
boxStyle := lipgloss.NewStyle().
Border(lipgloss.DoubleBorder()).
BorderForeground(lipgloss.Color("196")). // Red for Poke
Padding(1, 2).
Width(50).
Align(lipgloss.Center)
titleStyle := lipgloss.NewStyle().Bold(true).Foreground(lipgloss.Color("226")).MarginBottom(1)
senderStyle := lipgloss.NewStyle().Foreground(lipgloss.Color("208")).Bold(true)
msgStyle := lipgloss.NewStyle().Foreground(lipgloss.Color("255")).Italic(true)
helpStyle := lipgloss.NewStyle().Faint(true).MarginTop(2)
content := lipgloss.JoinVertical(lipgloss.Center,
titleStyle.Render("YOU WERE POKED!"),
"",
fmt.Sprintf("From: %s", senderStyle.Render(m.pokePopupSender)),
"",
msgStyle.Render(fmt.Sprintf("%q", m.pokePopupMessage)),
"",
helpStyle.Render("(Press Esc/Enter to close)"),
)
return lipgloss.Place(m.width, m.height, lipgloss.Center, lipgloss.Center, boxStyle.Render(content))
}
if m.focus == FocusAbout { if m.focus == FocusAbout {
return m.renderAboutView() return m.renderAboutView()
} }
@@ -962,7 +1085,7 @@ func (m *Model) View() string {
if m.showLog { if m.showLog {
logHelp = "L chat" logHelp = "L chat"
} }
help := lipgloss.NewStyle().Faint(true).Render(fmt.Sprintf("↑↓ navigate │ Enter join │ Tab switch │ %s │ V talk │ M mute │ +/- vol │ q quit", logHelp)) help := lipgloss.NewStyle().Faint(true).Render(fmt.Sprintf("↑↓ nav │ Ent join │ Tab switch │ %s │ V PTT │ G VAD │ ^↕↔ thresh │ M mute │ +/- vol │ q quit", logHelp))
// Combine panels // Combine panels
panels := lipgloss.JoinHorizontal(lipgloss.Top, channelPanel, rightPanel) panels := lipgloss.JoinHorizontal(lipgloss.Top, channelPanel, rightPanel)
@@ -1005,12 +1128,85 @@ func (m *Model) renderStatusBar() string {
} }
volPart := fmt.Sprintf("%s:%s%d%%", muteIcon, volBar, m.playbackVol) volPart := fmt.Sprintf("%s:%s%d%%", muteIcon, volBar, m.playbackVol)
micBar := audio.LevelToBar(m.micLevel, 6) // Custom Mic Bar with VAD Threshold
pttIcon := "MIC" micBarWidth := 8
if m.isPTT { var micBar string
pttIcon = "*TX*"
if m.vadEnabled {
// Calculate threshold position
threshPos := m.vadThreshold * micBarWidth / 100
if threshPos >= micBarWidth {
threshPos = micBarWidth - 1
}
// Calculate filled position based on current level
filled := m.micLevel * micBarWidth / 100
// Build bar
var sb strings.Builder
for i := 0; i < micBarWidth; i++ {
char := "░"
if i < filled {
char = "█"
}
// Overlay threshold marker
if i == threshPos {
if i < filled {
// Threshold is met
char = "▓"
} else {
// Threshold not met
char = "│"
}
}
sb.WriteString(char)
}
micBar = sb.String()
} else {
micBar = audio.LevelToBar(m.micLevel, micBarWidth)
} }
micPart := fmt.Sprintf("%s:%s", pttIcon, micBar)
pttStyle := lipgloss.NewStyle()
pttIcon := "MIC"
if m.isPTT {
pttIcon = " ON" // Manual ON
pttStyle = pttStyle.Foreground(lipgloss.Color("196")).Bold(true) // Red
} else if m.vadEnabled {
pttIcon = "VAD"
// Check if actively transmitting (using logic with decay)
isTransmitting := false
if !m.isMuted {
if m.micLevel > m.vadThreshold {
isTransmitting = true
} else if !m.vadLastTriggered.IsZero() && time.Since(m.vadLastTriggered) < 1*time.Second {
isTransmitting = true
}
}
if isTransmitting {
// Transmitting via VAD: Red/Bold
pttStyle = pttStyle.Foreground(lipgloss.Color("196")).Bold(true)
} else {
// Idle VAD: Gray/Faint
pttStyle = pttStyle.Foreground(lipgloss.Color("240")).Faint(true)
}
} else {
// Standard Mic (PTT mode but off)
pttStyle = pttStyle.Foreground(lipgloss.Color("255")) // White
}
// Apply status bar background color to prevent cutting
pttStyle = pttStyle.Background(lipgloss.Color("57")) // Matches Top Bar Background
// Style for the bar itself to maintain background continuity
barStyle := lipgloss.NewStyle().Background(lipgloss.Color("57")).Foreground(lipgloss.Color("255"))
micPart := fmt.Sprintf("%s%s%s",
pttStyle.Render(pttIcon),
barStyle.Render(":"),
barStyle.Render(micBar))
rightPart := fmt.Sprintf("%s | %s ", volPart, micPart) rightPart := fmt.Sprintf("%s | %s ", volPart, micPart)
@@ -1246,7 +1442,8 @@ func (m *Model) renderAboutView() string {
titleStyle.Render("TS3 TUI CLIENT"), titleStyle.Render("TS3 TUI CLIENT"),
lipgloss.NewStyle().Foreground(lipgloss.Color("250")).Render("Una terminal potente para tus comunidades."), lipgloss.NewStyle().Foreground(lipgloss.Color("250")).Render("Una terminal potente para tus comunidades."),
"", "",
lipgloss.NewStyle().Bold(true).Render("Hecho en Antigravity"), lipgloss.NewStyle().Bold(true).Render("Realizado por JosLeDeta"),
lipgloss.NewStyle().Italic(true).Faint(true).Render("Hecho en Antigravity"),
"", "",
lipgloss.NewStyle().Bold(true).Render("Con la ayuda de:"), lipgloss.NewStyle().Bold(true).Render("Con la ayuda de:"),
lipgloss.NewStyle().Foreground(lipgloss.Color("212")).Render("- Gemini 3 Pro"), lipgloss.NewStyle().Foreground(lipgloss.Color("212")).Render("- Gemini 3 Pro"),

View File

@@ -36,6 +36,7 @@ type Client struct {
PingPacketID uint16 // Type 0x04 PingPacketID uint16 // Type 0x04
PongPacketID uint16 // Type 0x05 PongPacketID uint16 // Type 0x05
AckPacketID uint16 // Type 0x06 AckPacketID uint16 // Type 0x06
AckLowPacketID uint16 // Type 0x07
// Ping RTT tracking // Ping RTT tracking
PingSentTimes map[uint16]time.Time // Map PingPacketID -> Time sent PingSentTimes map[uint16]time.Time // Map PingPacketID -> Time sent
@@ -48,10 +49,14 @@ type Client struct {
ServerName string ServerName string
// Fragment reassembly (packet queue like ts3j) // Fragment reassembly (packet queue like ts3j)
CommandQueue map[uint16]*protocol.Packet // Packets waiting for reassembly CommandQueue map[uint16]*protocol.Packet // Packets waiting for reassembly (Type 0x02)
ExpectedCommandPID uint16 // Next expected packet ID ExpectedCommandPID uint16 // Next expected packet ID (Type 0x02)
FragmentState bool // Toggle: true = collecting, false = ready FragmentState bool // Toggle: true = collecting, false = ready
CommandLowQueue map[uint16]*protocol.Packet // Packets waiting for reassembly (Type 0x03)
ExpectedCommandLowPID uint16 // Next expected packet ID (Type 0x03)
FragmentStateLow bool // Toggle: true = collecting, false = ready
// Server Data // Server Data
Channels map[uint64]*Channel Channels map[uint64]*Channel
@@ -69,17 +74,20 @@ type Client struct {
func NewClient(nickname string) *Client { func NewClient(nickname string) *Client {
return &Client{ return &Client{
Nickname: nickname, Nickname: nickname,
PacketIDCounterC2S: 1, PacketIDCounterC2S: 1,
VoicePacketID: 1, AckLowPacketID: 1,
Channels: make(map[uint64]*Channel), VoicePacketID: 1,
VoiceDecoders: make(map[uint16]*opus.Decoder), Channels: make(map[uint64]*Channel),
CommandQueue: make(map[uint16]*protocol.Packet), VoiceDecoders: make(map[uint16]*opus.Decoder),
ExpectedCommandPID: 0, CommandQueue: make(map[uint16]*protocol.Packet),
PingSentTimes: make(map[uint16]time.Time), ExpectedCommandPID: 0,
PingRTT: 0, CommandLowQueue: make(map[uint16]*protocol.Packet),
PingDeviation: 0, ExpectedCommandLowPID: 0,
done: make(chan struct{}), PingSentTimes: make(map[uint16]time.Time),
PingRTT: 0,
PingDeviation: 0,
done: make(chan struct{}),
} }
} }

View File

@@ -35,6 +35,21 @@ func sanitizeForLog(s string) string {
} }
func (c *Client) handleCommand(pkt *protocol.Packet) error { func (c *Client) handleCommand(pkt *protocol.Packet) error {
// Select the correct queue and counters based on PacketType
var queue map[uint16]*protocol.Packet
var expectedPID *uint16
var fragmentState *bool
if pkt.Header.PacketType() == protocol.PacketTypeCommandLow {
queue = c.CommandLowQueue
expectedPID = &c.ExpectedCommandLowPID
fragmentState = &c.FragmentStateLow
} else {
queue = c.CommandQueue
expectedPID = &c.ExpectedCommandPID
fragmentState = &c.FragmentState
}
// Check if Encrypted // Check if Encrypted
// PacketTypeCommand is usually encrypted. // PacketTypeCommand is usually encrypted.
// Flag check? The flag is in the Header (e.g. Unencrypted flag). // Flag check? The flag is in the Header (e.g. Unencrypted flag).
@@ -100,14 +115,14 @@ func (c *Client) handleCommand(pkt *protocol.Packet) error {
// Queue-based fragment reassembly (like ts3j) // Queue-based fragment reassembly (like ts3j)
// Store packet in queue // Store packet in queue
c.CommandQueue[pkt.Header.PacketID] = &protocol.Packet{ queue[pkt.Header.PacketID] = &protocol.Packet{
Header: pkt.Header, Header: pkt.Header,
Data: append([]byte{}, data...), // Clone data (already decrypted) Data: append([]byte{}, data...), // Clone data (already decrypted)
} }
// Try to process packets in order // Try to process packets in order
for { for {
nextPkt, ok := c.CommandQueue[c.ExpectedCommandPID] nextPkt, ok := queue[*expectedPID]
if !ok { if !ok {
// Missing packet, wait for it // Missing packet, wait for it
break break
@@ -117,16 +132,16 @@ func (c *Client) handleCommand(pkt *protocol.Packet) error {
if isFragmented { if isFragmented {
// Toggle fragment state // Toggle fragment state
c.FragmentState = !c.FragmentState *fragmentState = !*fragmentState
if c.FragmentState { if *fragmentState {
// Starting a new fragment sequence // Starting a new fragment sequence
// Don't process yet, wait for more // Don't process yet, wait for more
c.ExpectedCommandPID++ *expectedPID++
continue continue
} else { } else {
// Ending fragment sequence - reassemble all // Ending fragment sequence - reassemble all
reassembled, compressed := c.reassembleFragments() reassembled, compressed := c.reassembleFragmentsCustom(queue, *expectedPID)
if reassembled == nil { if reassembled == nil {
log.Printf("Fragment reassembly failed") log.Printf("Fragment reassembly failed")
break break
@@ -144,9 +159,9 @@ func (c *Client) handleCommand(pkt *protocol.Packet) error {
} }
} }
} }
} else if c.FragmentState { } else if *fragmentState {
// Middle fragment - keep collecting // Middle fragment - keep collecting
c.ExpectedCommandPID++ *expectedPID++
continue continue
} else { } else {
// Non-fragmented packet - process normally // Non-fragmented packet - process normally
@@ -165,10 +180,11 @@ func (c *Client) handleCommand(pkt *protocol.Packet) error {
} }
// Remove processed packet from queue // Remove processed packet from queue
delete(c.CommandQueue, c.ExpectedCommandPID) delete(queue, *expectedPID)
c.ExpectedCommandPID++ *expectedPID++
// Process the command // Process the command
// Fix: processCommand should probably handle execution
if err := c.processCommand(data, nextPkt); err != nil { if err := c.processCommand(data, nextPkt); err != nil {
log.Printf("Error processing command: %v", err) log.Printf("Error processing command: %v", err)
} }
@@ -177,16 +193,17 @@ func (c *Client) handleCommand(pkt *protocol.Packet) error {
return nil return nil
} }
// reassembleFragments collects all buffered fragments in order and returns reassembled data // reassembleFragmentsCustom collects all buffered fragments in order from the given queue
func (c *Client) reassembleFragments() ([]byte, bool) { // ending at currentPID.
func (c *Client) reassembleFragmentsCustom(queue map[uint16]*protocol.Packet, currentPID uint16) ([]byte, bool) {
var result []byte var result []byte
compressed := false compressed := false
// Find the start of the fragment sequence (scan backwards from current) // Find the start of the fragment sequence (scan backwards from current)
startPID := c.ExpectedCommandPID startPID := currentPID
for { for {
prevPID := startPID - 1 prevPID := startPID - 1
pkt, ok := c.CommandQueue[prevPID] pkt, ok := queue[prevPID]
if !ok { if !ok {
break break
} }
@@ -198,9 +215,9 @@ func (c *Client) reassembleFragments() ([]byte, bool) {
startPID = prevPID startPID = prevPID
} }
// Now collect from startPID to ExpectedCommandPID (inclusive) // Now collect from startPID to currentPID (inclusive)
for pid := startPID; pid <= c.ExpectedCommandPID; pid++ { for pid := startPID; pid <= currentPID; pid++ {
pkt, ok := c.CommandQueue[pid] pkt, ok := queue[pid]
if !ok { if !ok {
log.Printf("Missing fragment PID=%d during reassembly", pid) log.Printf("Missing fragment PID=%d during reassembly", pid)
return nil, false return nil, false
@@ -212,11 +229,11 @@ func (c *Client) reassembleFragments() ([]byte, bool) {
} }
result = append(result, pkt.Data...) result = append(result, pkt.Data...)
delete(c.CommandQueue, pid) delete(queue, pid)
} }
log.Printf("Reassembled fragments PID %d-%d, total %d bytes, compressed=%v", log.Printf("Reassembled fragments PID %d-%d, total %d bytes, compressed=%v",
startPID, c.ExpectedCommandPID, len(result), compressed) startPID, currentPID, len(result), compressed)
return result, compressed return result, compressed
} }

View File

@@ -55,6 +55,46 @@ func (c *Client) handlePacket(pkt *protocol.Packet) error {
c.Conn.SendPacket(ack) c.Conn.SendPacket(ack)
return c.handleCommand(pkt)
case protocol.PacketTypeCommandLow:
// Send ACK Low
ackData := make([]byte, 2)
binary.BigEndian.PutUint16(ackData, pkt.Header.PacketID)
ack := protocol.NewPacket(protocol.PacketTypeAckLow, ackData)
// Spec/ts3j: AckLow has its own counter
c.AckLowPacketID++
ack.Header.PacketID = c.AckLowPacketID
ack.Header.ClientID = c.ClientID
// ACKs usually don't have NewProtocol flag set in Header byte
ack.Header.Type &= ^uint8(protocol.PacketFlagNewProtocol)
// ACKs for Command packets after handshake must be encrypted
key := protocol.HandshakeKey
nonce := protocol.HandshakeNonce
if c.Handshake != nil && c.Handshake.Step >= 6 && len(c.Handshake.SharedIV) > 0 {
crypto := &protocol.CryptoState{
SharedIV: c.Handshake.SharedIV,
SharedMac: c.Handshake.SharedMac,
GenerationID: 0,
}
key, nonce = crypto.GenerateKeyNonce(&ack.Header, true) // Client->Server=true
}
// Meta for Client->Server: PID(2) + CID(2) + PT(1) = 5 bytes
meta := make([]byte, 5)
binary.BigEndian.PutUint16(meta[0:2], ack.Header.PacketID)
binary.BigEndian.PutUint16(meta[2:4], ack.Header.ClientID)
meta[4] = ack.Header.Type
encData, mac, _ := protocol.EncryptEAX(key, nonce, meta, ack.Data)
ack.Data = encData
copy(ack.Header.MAC[:], mac)
// log.Printf("Sending ACK Low for server CommandLow PID=%d", pkt.Header.PacketID)
c.Conn.SendPacket(ack)
return c.handleCommand(pkt) return c.handleCommand(pkt)
case protocol.PacketTypeVoice: case protocol.PacketTypeVoice:
c.handleVoice(pkt) c.handleVoice(pkt)

View File

@@ -22,6 +22,7 @@ type Capturer struct {
running bool running bool
mu sync.Mutex mu sync.Mutex
stopChan chan struct{} stopChan chan struct{}
wg sync.WaitGroup
// Callback for captured audio (called with 960-sample frames) // Callback for captured audio (called with 960-sample frames)
onAudio func(samples []int16) onAudio func(samples []int16)
@@ -136,6 +137,7 @@ func (c *Capturer) Start() error {
return fmt.Errorf("failed to start audio client: %w", err) return fmt.Errorf("failed to start audio client: %w", err)
} }
c.wg.Add(1)
go c.captureLoop() go c.captureLoop()
return nil return nil
} }
@@ -151,6 +153,7 @@ func (c *Capturer) Stop() {
c.mu.Unlock() c.mu.Unlock()
close(c.stopChan) close(c.stopChan)
c.wg.Wait() // Wait for capture loop to finish before proceeding
c.client.Stop() c.client.Stop()
} }
@@ -180,6 +183,7 @@ func (c *Capturer) IsRunning() bool {
} }
func (c *Capturer) captureLoop() { func (c *Capturer) captureLoop() {
defer c.wg.Done()
ticker := time.NewTicker(10 * time.Millisecond) // Check more often than 20ms ticker := time.NewTicker(10 * time.Millisecond) // Check more often than 20ms
defer ticker.Stop() defer ticker.Stop()

View File

@@ -4,7 +4,7 @@ import (
"math" "math"
) )
// CalculateRMSLevel calculates the RMS level of PCM samples and returns 0-100 // CalculateRMSLevel calculates the RMS level of PCM samples and returns 0-100 (Logarithmic/dB)
func CalculateRMSLevel(samples []int16) int { func CalculateRMSLevel(samples []int16) int {
if len(samples) == 0 { if len(samples) == 0 {
return 0 return 0
@@ -16,15 +16,33 @@ func CalculateRMSLevel(samples []int16) int {
} }
rms := math.Sqrt(sum / float64(len(samples))) rms := math.Sqrt(sum / float64(len(samples)))
// Normalize to 0-100 (max int16 is 32767)
level := int(rms / 32767.0 * 100.0) // Normalize to 0.0 - 1.0
val := rms / 32768.0
if val < 0.000001 { // Avoid log(0)
return 0
}
// Convert to dB
db := 20 * math.Log10(val)
// Map -50dB (silence floor) to 0dB (max) to 0-100
const minDB = -50.0
if db < minDB {
return 0
}
// Scale
level := int((db - minDB) * (100.0 / (0 - minDB)))
if level > 100 { if level > 100 {
level = 100 level = 100
} }
return level return level
} }
// CalculatePeakLevel returns the peak level of PCM samples as 0-100 // CalculatePeakLevel returns the peak level of PCM samples as 0-100 (Logarithmic/dB)
func CalculatePeakLevel(samples []int16) int { func CalculatePeakLevel(samples []int16) int {
if len(samples) == 0 { if len(samples) == 0 {
return 0 return 0
@@ -40,7 +58,26 @@ func CalculatePeakLevel(samples []int16) int {
} }
} }
return int(float64(peak) / 32767.0 * 100.0) // Normalize
val := float64(peak) / 32768.0
if val < 0.000001 {
return 0
}
db := 20 * math.Log10(val)
const minDB = -50.0
if db < minDB {
// Linear falloff for very low signals to avoid clutter
return 0
}
level := int((db - minDB) * (100.0 / (0 - minDB)))
if level > 100 {
level = 100
}
return level
} }
// LevelToBar converts a 0-100 level to a visual bar string // LevelToBar converts a 0-100 level to a visual bar string

View File

@@ -4,4 +4,4 @@ $env:PKG_CONFIG_PATH = "D:\esto_al_path\msys64\mingw64\lib\pkgconfig"
Write-Host "Starting TeamSpeak Client (Windows Native)..." -ForegroundColor Cyan Write-Host "Starting TeamSpeak Client (Windows Native)..." -ForegroundColor Cyan
# go run ./cmd/client/main.go --server localhost:9987 # go run ./cmd/client/main.go --server localhost:9987
# go run ./cmd/example --server localhost:9987 # go run ./cmd/example --server localhost:9987
go run ./cmd/tui --server ts.vlazaro.es:9987 --nickname Adam --debug go run ./cmd/tui --server 127.0.0.1:9987 --nickname Adam --debug