()
+ var cur: String? = dst
+ while (cur != null) {
+ path.add(cur)
+ cur = prev[cur]
+ }
+ path.reverse()
+ Log.d(TAG, "Computed path $path")
+ return path
+ }
+}
+
diff --git a/app/src/main/java/com/bitchat/android/sync/GCSFilter.kt b/app/src/main/java/com/bitchat/android/sync/GCSFilter.kt
deleted file mode 100644
index 3cc64c583..000000000
--- a/app/src/main/java/com/bitchat/android/sync/GCSFilter.kt
+++ /dev/null
@@ -1,191 +0,0 @@
-package com.bitchat.android.sync
-
-import java.security.MessageDigest
-import kotlin.math.ceil
-import kotlin.math.ln
-
-/**
- * Golomb-Coded Set (GCS) filter implementation for sync.
- *
- * Hashing:
- * - h64(id) = first 8 bytes of SHA-256 over the 16-byte PacketId (big-endian unsigned)
- * - Map to range [0, M) via (h64 % M)
- *
- * Encoding (v1):
- * - Sort mapped values ascending; encode deltas (first is v0, then vi - v{i-1}) as positive integers
- * - For each delta x >= 1, write Golomb-Rice code with parameter P:
- * q = (x - 1) >> P (unary q ones followed by a zero), then P low bits r = (x - 1) & ((1<= 1)
- val m: Long, // Range M = N * 2^P
- val data: ByteArray // Encoded GR bitstream
- )
-
- // Derive P from target FPR; FPR ~= 1 / 2^P
- fun deriveP(targetFpr: Double): Int {
- val f = targetFpr.coerceIn(0.000001, 0.25)
- return ceil(ln(1.0 / f) / ln(2.0)).toInt().coerceAtLeast(1)
- }
-
- // Rough capacity estimate: expected bits per element ~= P + 2 (quotient unary ~ around 2 bits)
- fun estimateMaxElementsForSize(bytes: Int, p: Int): Int {
- val bits = (bytes * 8).coerceAtLeast(8)
- val per = (p + 2).coerceAtLeast(3)
- return (bits / per).coerceAtLeast(1)
- }
-
- fun buildFilter(
- ids: List, // 16-byte PacketId bytes
- maxBytes: Int,
- targetFpr: Double
- ): Params {
- val p = deriveP(targetFpr)
- var nCap = estimateMaxElementsForSize(maxBytes, p)
- val n = ids.size.coerceAtMost(nCap)
- val selected = ids.take(n)
- // Map to [0, M)
- val m = (n.toLong() shl p)
- val mapped = selected.map { id -> (h64(id) % m) }.sorted()
- var encoded = encode(mapped, p)
- // If estimate was too optimistic, trim until it fits
- var trimmedN = n
- while (encoded.size > maxBytes && trimmedN > 0) {
- trimmedN = (trimmedN * 9) / 10 // drop 10%
- val mapped2 = mapped.take(trimmedN)
- encoded = encode(mapped2, p)
- }
- val finalM = (trimmedN.toLong() shl p)
- return Params(p = p, m = finalM, data = encoded)
- }
-
- fun decodeToSortedSet(p: Int, m: Long, data: ByteArray): LongArray {
- val values = ArrayList()
- val reader = BitReader(data)
- var acc = 0L
- val mask = (1L shl p) - 1L
- while (!reader.eof()) {
- // Read unary quotient (q ones terminated by zero)
- var q = 0L
- while (true) {
- val b = reader.readBit() ?: break
- if (b == 1) q++ else break
- }
- if (reader.lastWasEOF) break
- // Read remainder
- val r = reader.readBits(p) ?: break
- val x = (q shl p) + r + 1
- acc += x
- if (acc >= m) break // out of range safeguard
- values.add(acc)
- }
- return values.toLongArray()
- }
-
- fun contains(sortedValues: LongArray, candidate: Long): Boolean {
- var lo = 0
- var hi = sortedValues.size - 1
- while (lo <= hi) {
- val mid = (lo + hi) ushr 1
- val v = sortedValues[mid]
- if (v == candidate) return true
- if (v < candidate) lo = mid + 1 else hi = mid - 1
- }
- return false
- }
-
- private fun h64(id16: ByteArray): Long {
- val md = MessageDigest.getInstance("SHA-256")
- md.update(id16)
- val d = md.digest()
- var x = 0L
- for (i in 0 until 8) {
- x = (x shl 8) or ((d[i].toLong() and 0xFF))
- }
- return x and 0x7fff_ffff_ffff_ffffL // positive
- }
-
- private fun encode(sorted: List, p: Int): ByteArray {
- val bw = BitWriter()
- var prev = 0L
- val mask = (1L shl p) - 1L
- for (v in sorted) {
- val delta = v - prev
- prev = v
- val x = delta
- val q = (x - 1) ushr p
- val r = (x - 1) and mask
- // unary q ones then a zero
- repeat(q.toInt()) { bw.writeBit(1) }
- bw.writeBit(0)
- // then P bits of r (MSB-first)
- bw.writeBits(r, p)
- }
- return bw.toByteArray()
- }
-
- // Simple MSB-first bit writer
- private class BitWriter {
- private val buf = ArrayList()
- private var cur = 0
- private var nbits = 0
- fun writeBit(bit: Int) {
- cur = (cur shl 1) or (bit and 1)
- nbits++
- if (nbits == 8) {
- buf.add(cur.toByte())
- cur = 0; nbits = 0
- }
- }
- fun writeBits(value: Long, count: Int) {
- if (count <= 0) return
- for (i in count - 1 downTo 0) {
- val bit = ((value ushr i) and 1L).toInt()
- writeBit(bit)
- }
- }
- fun toByteArray(): ByteArray {
- if (nbits > 0) {
- val rem = cur shl (8 - nbits)
- buf.add(rem.toByte())
- cur = 0; nbits = 0
- }
- return buf.toByteArray()
- }
- }
-
- // Simple MSB-first bit reader
- private class BitReader(private val data: ByteArray) {
- private var i = 0
- private var nleft = 8
- private var cur = if (data.isNotEmpty()) (data[0].toInt() and 0xFF) else 0
- var lastWasEOF: Boolean = false
- private set
- fun eof() = i >= data.size
- fun readBit(): Int? {
- if (i >= data.size) { lastWasEOF = true; return null }
- val bit = (cur ushr 7) and 1
- cur = (cur shl 1) and 0xFF
- nleft--
- if (nleft == 0) {
- i++
- if (i < data.size) {
- cur = data[i].toInt() and 0xFF
- nleft = 8
- }
- }
- return bit
- }
- fun readBits(count: Int): Long? {
- var v = 0L
- for (k in 0 until count) {
- val b = readBit() ?: return null
- v = (v shl 1) or b.toLong()
- }
- return v
- }
- }
-}
-
diff --git a/app/src/main/java/com/bitchat/android/sync/GossipSyncManager.kt b/app/src/main/java/com/bitchat/android/sync/GossipSyncManager.kt
deleted file mode 100644
index 38d23a917..000000000
--- a/app/src/main/java/com/bitchat/android/sync/GossipSyncManager.kt
+++ /dev/null
@@ -1,263 +0,0 @@
-package com.bitchat.android.sync
-
-import android.util.Log
-import com.bitchat.android.mesh.BluetoothPacketBroadcaster
-import com.bitchat.android.model.RequestSyncPacket
-import com.bitchat.android.protocol.BitchatPacket
-import com.bitchat.android.protocol.MessageType
-import com.bitchat.android.protocol.SpecialRecipients
-import kotlinx.coroutines.*
-import java.util.concurrent.ConcurrentHashMap
-
-/**
- * Gossip-based synchronization manager using on-demand GCS filters.
- * Tracks seen public packets (ANNOUNCE, broadcast MESSAGE) and periodically requests sync
- * from neighbors. Responds to REQUEST_SYNC by sending missing packets.
- */
-class GossipSyncManager(
- private val myPeerID: String,
- private val scope: CoroutineScope,
- private val configProvider: ConfigProvider
-) {
- interface Delegate {
- fun sendPacket(packet: BitchatPacket)
- fun sendPacketToPeer(peerID: String, packet: BitchatPacket)
- fun signPacketForBroadcast(packet: BitchatPacket): BitchatPacket
- }
-
- interface ConfigProvider {
- fun seenCapacity(): Int // max packets we sync per request (cap across types)
- fun gcsMaxBytes(): Int
- fun gcsTargetFpr(): Double // percent -> 0.0..1.0
- }
-
- companion object { private const val TAG = "GossipSyncManager" }
-
- var delegate: Delegate? = null
-
- // Defaults (configurable constants)
- private val defaultMaxBytes = SyncDefaults.DEFAULT_FILTER_BYTES
- private val defaultFpr = SyncDefaults.DEFAULT_FPR_PERCENT
-
- // Stored packets for sync:
- // - broadcast messages: keep up to seenCapacity() most recent, keyed by packetId
- private val messages = LinkedHashMap()
- // - announcements: only keep latest per sender peerID
- private val latestAnnouncementByPeer = ConcurrentHashMap>()
-
- private var periodicJob: Job? = null
- fun start() {
- periodicJob?.cancel()
- periodicJob = scope.launch(Dispatchers.IO) {
- while (isActive) {
- try {
- delay(30_000)
- sendRequestSync()
- } catch (e: CancellationException) { throw e }
- catch (e: Exception) { Log.e(TAG, "Periodic sync error: ${e.message}") }
- }
- }
- }
-
- fun stop() {
- periodicJob?.cancel(); periodicJob = null
- }
-
- fun scheduleInitialSync(delayMs: Long = 5_000L) {
- scope.launch(Dispatchers.IO) {
- delay(delayMs)
- sendRequestSync()
- }
- }
-
- fun scheduleInitialSyncToPeer(peerID: String, delayMs: Long = 5_000L) {
- scope.launch(Dispatchers.IO) {
- delay(delayMs)
- sendRequestSyncToPeer(peerID)
- }
- }
-
- fun onPublicPacketSeen(packet: BitchatPacket) {
- // Only ANNOUNCE or broadcast MESSAGE
- val mt = MessageType.fromValue(packet.type)
- val isBroadcastMessage = (mt == MessageType.MESSAGE && (packet.recipientID == null || packet.recipientID.contentEquals(SpecialRecipients.BROADCAST)))
- val isAnnouncement = (mt == MessageType.ANNOUNCE)
- if (!isBroadcastMessage && !isAnnouncement) return
-
- val idBytes = PacketIdUtil.computeIdBytes(packet)
- val id = idBytes.joinToString("") { b -> "%02x".format(b) }
-
- if (isBroadcastMessage) {
- synchronized(messages) {
- messages[id] = packet
- // Enforce capacity (remove oldest when exceeded)
- val cap = configProvider.seenCapacity().coerceAtLeast(1)
- while (messages.size > cap) {
- val it = messages.entries.iterator()
- if (it.hasNext()) { it.next(); it.remove() } else break
- }
- }
- } else if (isAnnouncement) {
- // senderID is fixed-size 8 bytes; map to hex string for key
- val sender = packet.senderID.joinToString("") { b -> "%02x".format(b) }
- latestAnnouncementByPeer[sender] = id to packet
- // Enforce capacity (remove oldest when exceeded)
- val cap = configProvider.seenCapacity().coerceAtLeast(1)
- while (latestAnnouncementByPeer.size > cap) {
- val it = latestAnnouncementByPeer.entries.iterator()
- if (it.hasNext()) { it.next(); it.remove() } else break
- }
- }
- }
-
- private fun sendRequestSync() {
- val payload = buildGcsPayload()
-
- val packet = BitchatPacket(
- type = MessageType.REQUEST_SYNC.value,
- senderID = hexStringToByteArray(myPeerID),
- timestamp = System.currentTimeMillis().toULong(),
- payload = payload,
- ttl = 0u // neighbors only
- )
- // Sign and broadcast
- val signed = delegate?.signPacketForBroadcast(packet) ?: packet
- delegate?.sendPacket(signed)
- }
-
- private fun sendRequestSyncToPeer(peerID: String) {
- val payload = buildGcsPayload()
-
- val packet = BitchatPacket(
- type = MessageType.REQUEST_SYNC.value,
- senderID = hexStringToByteArray(myPeerID),
- recipientID = hexStringToByteArray(peerID),
- timestamp = System.currentTimeMillis().toULong(),
- payload = payload,
- ttl = 0u // neighbor only
- )
- Log.d(TAG, "Sending sync request to $peerID (${payload.size} bytes)")
- // Sign and send directly to peer
- val signed = delegate?.signPacketForBroadcast(packet) ?: packet
- delegate?.sendPacketToPeer(peerID, signed)
- }
-
- fun handleRequestSync(fromPeerID: String, request: RequestSyncPacket) {
- // Decode GCS into sorted set for membership checks
- val sorted = GCSFilter.decodeToSortedSet(request.p, request.m, request.data)
- fun mightContain(id: ByteArray): Boolean {
- val v = (GCSFilter.run {
- // reuse hashing method from GCSFilter
- val md = java.security.MessageDigest.getInstance("SHA-256");
- md.update(id); val d = md.digest();
- var x = 0L; for (i in 0 until 8) { x = (x shl 8) or (d[i].toLong() and 0xFF) }
- (x and 0x7fff_ffff_ffff_ffffL) % request.m
- })
- return GCSFilter.contains(sorted, v)
- }
-
- // 1) Announcements: send latest per peerID if remote doesn't have them
- for ((_, pair) in latestAnnouncementByPeer.entries) {
- val (id, pkt) = pair
- val idBytes = hexToBytes(id)
- if (!mightContain(idBytes)) {
- // Send original packet unchanged to requester only (keep local TTL)
- val toSend = pkt.copy(ttl = 0u)
- delegate?.sendPacketToPeer(fromPeerID, toSend)
- Log.d(TAG, "Sent sync announce: Type ${toSend.type} from ${toSend.senderID.toHexString()} to $fromPeerID packet id ${idBytes.toHexString()}")
- }
- }
-
- // 2) Broadcast messages: send all they lack
- val toSendMsgs = synchronized(messages) { messages.values.toList() }
- for (pkt in toSendMsgs) {
- val idBytes = PacketIdUtil.computeIdBytes(pkt)
- if (!mightContain(idBytes)) {
- val toSend = pkt.copy(ttl = 0u)
- delegate?.sendPacketToPeer(fromPeerID, toSend)
- Log.d(TAG, "Sent sync message: Type ${toSend.type} to $fromPeerID packet id ${idBytes.toHexString()}")
- }
- }
- }
-
- private fun hexStringToByteArray(hexString: String): ByteArray {
- val result = ByteArray(8) { 0 }
- var tempID = hexString
- var index = 0
- while (tempID.length >= 2 && index < 8) {
- val hexByte = tempID.substring(0, 2)
- val byte = hexByte.toIntOrNull(16)?.toByte()
- if (byte != null) result[index] = byte
- tempID = tempID.substring(2)
- index++
- }
- return result
- }
-
- private fun hexToBytes(hex: String): ByteArray {
- val clean = if (hex.length % 2 == 0) hex else "0$hex"
- val out = ByteArray(clean.length / 2)
- var i = 0
- while (i < clean.length) {
- out[i/2] = clean.substring(i, i+2).toInt(16).toByte()
- i += 2
- }
- return out
- }
-
- private fun buildGcsPayload(): ByteArray {
- // Collect candidates: latest announcement per peer + recent broadcast messages
- val list = ArrayList()
- // announcements
- for ((_, pair) in latestAnnouncementByPeer) {
- list.add(pair.second)
- }
- // messages
- synchronized(messages) {
- list.addAll(messages.values)
- }
- // sort by timestamp desc, then take up to min(seenCapacity, fit capacity)
- list.sortByDescending { it.timestamp.toLong() }
-
- val maxBytes = try { configProvider.gcsMaxBytes() } catch (_: Exception) { defaultMaxBytes }
- val fpr = try { configProvider.gcsTargetFpr() } catch (_: Exception) { defaultFpr }
- val p = GCSFilter.deriveP(fpr)
- val nMax = GCSFilter.estimateMaxElementsForSize(maxBytes, p)
- val cap = configProvider.seenCapacity().coerceAtLeast(1)
- val takeN = minOf(nMax, cap, list.size)
- if (takeN <= 0) {
- val p0 = GCSFilter.deriveP(fpr)
- return RequestSyncPacket(p = p0, m = 1, data = ByteArray(0)).encode()
- }
- val ids = list.take(takeN).map { pkt -> PacketIdUtil.computeIdBytes(pkt) }
- val params = GCSFilter.buildFilter(ids, maxBytes, fpr)
- val mVal = if (params.m <= 0L) 1 else params.m
- return RequestSyncPacket(p = params.p, m = mVal, data = params.data).encode()
- }
-
- // Explicitly remove stored announcement for a given peer (hex ID)
- fun removeAnnouncementForPeer(peerID: String) {
- val key = peerID.lowercase()
- if (latestAnnouncementByPeer.remove(key) != null) {
- Log.d(TAG, "Removed stored announcement for peer $peerID")
- }
-
- // Collect IDs to remove first to avoid modifying collection while iterating
- val idsToRemove = mutableListOf()
- for ((id, message) in messages) {
- val sender = message.senderID.joinToString("") { b -> "%02x".format(b) }
- if (sender == key) {
- idsToRemove.add(id)
- }
- }
-
- // Now remove the collected IDs
- for (id in idsToRemove) {
- messages.remove(id)
- }
-
- if (idsToRemove.isNotEmpty()) {
- Log.d(TAG, "Pruned ${idsToRemove.size} messages with senders without announcements")
- }
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/sync/PacketIdUtil.kt b/app/src/main/java/com/bitchat/android/sync/PacketIdUtil.kt
deleted file mode 100644
index 4396ff5a5..000000000
--- a/app/src/main/java/com/bitchat/android/sync/PacketIdUtil.kt
+++ /dev/null
@@ -1,31 +0,0 @@
-package com.bitchat.android.sync
-
-import com.bitchat.android.protocol.BitchatPacket
-import java.security.MessageDigest
-
-/**
- * Deterministic packet ID helper for sync purposes.
- * Uses SHA-256 over a canonical subset of packet fields:
- * [type | senderID | timestamp | payload] to generate a stable ID.
- * Returns a 16-byte (128-bit) truncated hash for compactness.
- */
-object PacketIdUtil {
- fun computeIdBytes(packet: BitchatPacket): ByteArray {
- val md = MessageDigest.getInstance("SHA-256")
- md.update(packet.type.toByte())
- md.update(packet.senderID)
- // Timestamp as 8 bytes big-endian
- val ts = packet.timestamp.toLong()
- for (i in 7 downTo 0) {
- md.update(((ts ushr (i * 8)) and 0xFF).toByte())
- }
- md.update(packet.payload)
- val digest = md.digest()
- return digest.copyOf(16) // 128-bit ID
- }
-
- fun computeIdHex(packet: BitchatPacket): String {
- return computeIdBytes(packet).joinToString("") { b -> "%02x".format(b) }
- }
-}
-
diff --git a/app/src/main/java/com/bitchat/android/sync/SyncDefaults.kt b/app/src/main/java/com/bitchat/android/sync/SyncDefaults.kt
deleted file mode 100644
index 970c8afb8..000000000
--- a/app/src/main/java/com/bitchat/android/sync/SyncDefaults.kt
+++ /dev/null
@@ -1,11 +0,0 @@
-package com.bitchat.android.sync
-
-object SyncDefaults {
- // Default values used when debug prefs are unavailable
- const val DEFAULT_FILTER_BYTES: Int = 256
- const val DEFAULT_FPR_PERCENT: Double = 1.0
-
- // Receiver-side hard cap to avoid DoS (also enforced in RequestSyncPacket)
- const val MAX_ACCEPT_FILTER_BYTES: Int = 1024
-}
-
diff --git a/app/src/main/java/com/bitchat/android/ui/AboutSheet.kt b/app/src/main/java/com/bitchat/android/ui/AboutSheet.kt
index bce3ef1c2..3caccf322 100644
--- a/app/src/main/java/com/bitchat/android/ui/AboutSheet.kt
+++ b/app/src/main/java/com/bitchat/android/ui/AboutSheet.kt
@@ -1,11 +1,7 @@
package com.bitchat.android.ui
-import androidx.compose.animation.core.animateFloatAsState
-import androidx.compose.foundation.background
import androidx.compose.foundation.layout.*
import androidx.compose.foundation.lazy.LazyColumn
-import androidx.compose.foundation.lazy.rememberLazyListState
-import androidx.compose.foundation.shape.CircleShape
import androidx.compose.foundation.shape.RoundedCornerShape
import androidx.compose.material.icons.Icons
import androidx.compose.material.icons.filled.Bluetooth
@@ -20,7 +16,6 @@ import androidx.compose.ui.Modifier
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.graphics.vector.ImageVector
import androidx.compose.ui.platform.LocalContext
-import androidx.compose.ui.text.TextStyle
import androidx.compose.ui.text.font.FontFamily
import androidx.compose.ui.text.font.FontWeight
import androidx.compose.ui.text.style.BaselineShift
@@ -56,194 +51,110 @@ fun AboutSheet(
// Bottom sheet state
val sheetState = rememberModalBottomSheetState(
- skipPartiallyExpanded = true
+ skipPartiallyExpanded = false
)
-
- val lazyListState = rememberLazyListState()
- val isScrolled by remember {
- derivedStateOf {
- lazyListState.firstVisibleItemIndex > 0 || lazyListState.firstVisibleItemScrollOffset > 0
- }
- }
- val topBarAlpha by animateFloatAsState(
- targetValue = if (isScrolled) 0.95f else 0f,
- label = "topBarAlpha"
- )
-
+
// Color scheme matching LocationChannelsSheet
val colorScheme = MaterialTheme.colorScheme
val isDark = colorScheme.background.red + colorScheme.background.green + colorScheme.background.blue < 1.5f
+ val standardBlue = Color(0xFF007AFF) // iOS blue
+ val standardGreen = if (isDark) Color(0xFF32D74B) else Color(0xFF248A3D) // iOS green
if (isPresented) {
ModalBottomSheet(
- modifier = modifier.statusBarsPadding(),
onDismissRequest = onDismiss,
sheetState = sheetState,
- containerColor = MaterialTheme.colorScheme.background,
- dragHandle = null
+ modifier = modifier
) {
- Box(modifier = Modifier.fillMaxWidth()) {
- LazyColumn(
- state = lazyListState,
- modifier = Modifier.fillMaxSize(),
- contentPadding = PaddingValues(top = 80.dp, bottom = 20.dp)
- ) {
- // Header Section
- item(key = "header") {
- Column(
- modifier = Modifier
- .fillMaxWidth()
- .padding(horizontal = 24.dp)
- .padding(bottom = 16.dp),
- verticalArrangement = Arrangement.spacedBy(8.dp)
+ LazyColumn(
+ modifier = Modifier
+ .fillMaxWidth()
+ .padding(horizontal = 16.dp)
+ .padding(bottom = 24.dp),
+ verticalArrangement = Arrangement.spacedBy(16.dp)
+ ) {
+ // Header
+ item {
+ Column(
+ modifier = Modifier.fillMaxWidth(),
+ verticalArrangement = Arrangement.spacedBy(8.dp)
+ ) {
+ Row(
+ horizontalArrangement = Arrangement.spacedBy(8.dp),
+ verticalAlignment = Alignment.Bottom
) {
- Row(
- horizontalArrangement = Arrangement.spacedBy(8.dp),
- verticalAlignment = Alignment.Bottom
- ) {
- Text(
- text = "bitchat",
- style = TextStyle(
- fontFamily = FontFamily.Monospace,
- fontWeight = FontWeight.Bold,
- fontSize = 32.sp
- ),
- color = MaterialTheme.colorScheme.onBackground
- )
-
- Text(
- text = "v$versionName",
- fontSize = 11.sp,
- fontFamily = FontFamily.Monospace,
- color = colorScheme.onBackground.copy(alpha = 0.5f),
- style = MaterialTheme.typography.bodySmall.copy(
- baselineShift = BaselineShift(0.1f)
- )
- )
- }
-
Text(
- text = "decentralized mesh messaging with end-to-end encryption",
- fontSize = 12.sp,
+ text = "bitchat",
+ fontSize = 18.sp,
fontFamily = FontFamily.Monospace,
- color = MaterialTheme.colorScheme.onBackground.copy(alpha = 0.7f)
+ fontWeight = FontWeight.Medium,
+ color = colorScheme.onSurface
)
- }
- }
-
- // Features section
- item(key = "feature_offline") {
- Row(
- verticalAlignment = Alignment.Top,
- modifier = Modifier
- .padding(horizontal = 24.dp)
- .padding(vertical = 8.dp)
- ) {
- Icon(
- imageVector = Icons.Filled.Bluetooth,
- contentDescription = "Offline Mesh Chat",
- tint = MaterialTheme.colorScheme.primary,
- modifier = Modifier
- .padding(top = 2.dp)
- .size(20.dp)
- )
- Spacer(modifier = Modifier.width(16.dp))
- Column {
- Text(
- text = "Offline Mesh Chat",
- style = MaterialTheme.typography.titleMedium,
- fontWeight = FontWeight.Medium,
- color = MaterialTheme.colorScheme.onBackground
- )
- Spacer(modifier = Modifier.height(4.dp))
- Text(
- text = "Communicate directly via Bluetooth LE without internet or servers. Messages relay through nearby devices to extend range.",
- style = MaterialTheme.typography.bodySmall,
- color = MaterialTheme.colorScheme.onBackground.copy(alpha = 0.8f)
+
+ Text(
+ text = "v$versionName",
+ fontSize = 11.sp,
+ fontFamily = FontFamily.Monospace,
+ color = colorScheme.onSurface.copy(alpha = 0.5f),
+ style = MaterialTheme.typography.bodySmall.copy(
+ baselineShift = BaselineShift(0.1f)
)
- }
- }
- }
- item(key = "feature_geohash") {
- Row(
- verticalAlignment = Alignment.Top,
- modifier = Modifier
- .padding(horizontal = 24.dp)
- .padding(vertical = 8.dp)
- ) {
- Icon(
- imageVector = Icons.Default.Public,
- contentDescription = "Online Geohash Channels",
- tint = MaterialTheme.colorScheme.primary,
- modifier = Modifier
- .padding(top = 2.dp)
- .size(20.dp)
)
- Spacer(modifier = Modifier.width(16.dp))
- Column {
- Text(
- text = "Online Geohash Channels",
- style = MaterialTheme.typography.titleMedium,
- fontWeight = FontWeight.Medium,
- color = MaterialTheme.colorScheme.onBackground
- )
- Spacer(modifier = Modifier.height(4.dp))
- Text(
- text = "Connect with people in your area using geohash-based channels. Extend the mesh using public internet relays.",
- style = MaterialTheme.typography.bodySmall,
- color = MaterialTheme.colorScheme.onBackground.copy(alpha = 0.8f)
- )
- }
}
+
+ Text(
+ text = "decentralized mesh messaging with end-to-end encryption",
+ fontSize = 12.sp,
+ fontFamily = FontFamily.Monospace,
+ color = colorScheme.onSurface.copy(alpha = 0.7f)
+ )
}
- item(key = "feature_encryption") {
- Row(
- verticalAlignment = Alignment.Top,
- modifier = Modifier
- .padding(horizontal = 24.dp)
- .padding(vertical = 8.dp)
- ) {
- Icon(
- imageVector = Icons.Default.Lock,
- contentDescription = "End-to-End Encryption",
- tint = MaterialTheme.colorScheme.primary,
- modifier = Modifier
- .padding(top = 2.dp)
- .size(20.dp)
- )
- Spacer(modifier = Modifier.width(16.dp))
- Column {
- Text(
- text = "End-to-End Encryption",
- style = MaterialTheme.typography.titleMedium,
- fontWeight = FontWeight.Medium,
- color = MaterialTheme.colorScheme.onBackground
- )
- Spacer(modifier = Modifier.height(4.dp))
- Text(
- text = "Private messages are encrypted. Channel messages are public.",
- style = MaterialTheme.typography.bodySmall,
- color = MaterialTheme.colorScheme.onBackground.copy(alpha = 0.8f)
- )
- }
- }
+ }
+
+ // Features section
+ item {
+ Column(verticalArrangement = Arrangement.spacedBy(12.dp)) {
+ FeatureCard(
+ icon = Icons.Filled.Bluetooth,
+ iconColor = standardBlue,
+ title = "offline mesh chat",
+ description = "communicate directly via bluetooth le without internet or servers. messages relay through nearby devices to extend range.",
+ modifier = Modifier.fillMaxWidth()
+ )
+
+ FeatureCard(
+ icon = Icons.Filled.Public,
+ iconColor = standardGreen,
+ title = "online geohash channels",
+ description = "connect with people in your area using geohash-based channels. extend the mesh using public internet relays.",
+ modifier = Modifier.fillMaxWidth()
+ )
+
+ FeatureCard(
+ icon = Icons.Filled.Lock,
+ iconColor = if (isDark) Color(0xFFFFD60A) else Color(0xFFF5A623),
+ title = "end-to-end encryption",
+ description = "private messages are encrypted. channel messages are public.",
+ modifier = Modifier.fillMaxWidth()
+ )
}
+ }
- // Appearance Section
- item(key = "appearance_section") {
+ // Appearance section (theme toggle)
+ item {
+ val themePref by com.bitchat.android.ui.theme.ThemePreferenceManager.themeFlow.collectAsState()
+ Column(
+ modifier = Modifier.fillMaxWidth(),
+ verticalArrangement = Arrangement.spacedBy(8.dp)
+ ) {
Text(
text = "appearance",
- style = MaterialTheme.typography.labelLarge,
- color = MaterialTheme.colorScheme.onBackground.copy(alpha = 0.7f),
- modifier = Modifier
- .padding(horizontal = 24.dp)
- .padding(top = 24.dp, bottom = 8.dp)
+ fontSize = 12.sp,
+ fontFamily = FontFamily.Monospace,
+ fontWeight = FontWeight.Medium,
+ color = colorScheme.onSurface.copy(alpha = 0.8f)
)
- val themePref by com.bitchat.android.ui.theme.ThemePreferenceManager.themeFlow.collectAsState()
- Row(
- modifier = Modifier.padding(horizontal = 24.dp),
- horizontalArrangement = Arrangement.spacedBy(8.dp)
- ) {
+ Row(horizontalArrangement = Arrangement.spacedBy(8.dp)) {
FilterChip(
selected = themePref.isSystem,
onClick = { com.bitchat.android.ui.theme.ThemePreferenceManager.set(context, com.bitchat.android.ui.theme.ThemePreference.System) },
@@ -261,181 +172,94 @@ fun AboutSheet(
)
}
}
- // Proof of Work Section
- item(key = "pow_section") {
+ }
+
+ // Proof of Work section
+ item {
+ val context = LocalContext.current
+
+ // Initialize PoW preferences if not already done
+ LaunchedEffect(Unit) {
+ PoWPreferenceManager.init(context)
+ }
+
+ val powEnabled by PoWPreferenceManager.powEnabled.collectAsState()
+ val powDifficulty by PoWPreferenceManager.powDifficulty.collectAsState()
+
+ Column(
+ modifier = Modifier.fillMaxWidth(),
+ verticalArrangement = Arrangement.spacedBy(8.dp)
+ ) {
Text(
text = "proof of work",
- style = MaterialTheme.typography.labelLarge,
- color = MaterialTheme.colorScheme.onBackground.copy(alpha = 0.7f),
- modifier = Modifier
- .padding(horizontal = 24.dp)
- .padding(top = 24.dp, bottom = 8.dp)
+ fontSize = 12.sp,
+ fontFamily = FontFamily.Monospace,
+ fontWeight = FontWeight.Medium,
+ color = colorScheme.onSurface.copy(alpha = 0.8f)
)
- LaunchedEffect(Unit) {
- PoWPreferenceManager.init(context)
- }
-
- val powEnabled by PoWPreferenceManager.powEnabled.collectAsState()
- val powDifficulty by PoWPreferenceManager.powDifficulty.collectAsState()
-
- Column(
- modifier = Modifier.padding(horizontal = 24.dp),
- verticalArrangement = Arrangement.spacedBy(8.dp)
+
+ Row(
+ horizontalArrangement = Arrangement.spacedBy(8.dp),
+ verticalAlignment = Alignment.CenterVertically
) {
- Row(
- horizontalArrangement = Arrangement.spacedBy(8.dp),
- verticalAlignment = Alignment.CenterVertically
- ) {
- FilterChip(
- selected = !powEnabled,
- onClick = { PoWPreferenceManager.setPowEnabled(false) },
- label = { Text("pow off", fontFamily = FontFamily.Monospace) }
- )
- FilterChip(
- selected = powEnabled,
- onClick = { PoWPreferenceManager.setPowEnabled(true) },
- label = {
- Row(
- horizontalArrangement = Arrangement.spacedBy(6.dp),
- verticalAlignment = Alignment.CenterVertically
- ) {
- Text("pow on", fontFamily = FontFamily.Monospace)
- // Show current difficulty
- if (powEnabled) {
- Surface(
- color = if (isDark) Color(0xFF32D74B) else Color(0xFF248A3D),
- shape = RoundedCornerShape(50)
- ) { Box(Modifier.size(8.dp)) }
- }
- }
- }
- )
- }
-
- Text(
- text = "add proof of work to geohash messages for spam deterrence.",
- fontSize = 10.sp,
- fontFamily = FontFamily.Monospace,
- color = colorScheme.onSurface.copy(alpha = 0.6f)
+ FilterChip(
+ selected = !powEnabled,
+ onClick = { PoWPreferenceManager.setPowEnabled(false) },
+ label = { Text("pow off", fontFamily = FontFamily.Monospace) }
)
-
- // Show difficulty slider when enabled
- if (powEnabled) {
- Column(
- modifier = Modifier.fillMaxWidth(),
- verticalArrangement = Arrangement.spacedBy(8.dp)
- ) {
- Text(
- text = "difficulty: $powDifficulty bits (~${NostrProofOfWork.estimateMiningTime(powDifficulty)})",
- fontSize = 11.sp,
- fontFamily = FontFamily.Monospace,
- )
-
- Slider(
- value = powDifficulty.toFloat(),
- onValueChange = { PoWPreferenceManager.setPowDifficulty(it.toInt()) },
- valueRange = 0f..32f,
- steps = 33,
- colors = SliderDefaults.colors(
- thumbColor = if (isDark) Color(0xFF32D74B) else Color(0xFF248A3D),
- activeTrackColor = if (isDark) Color(0xFF32D74B) else Color(0xFF248A3D)
- )
- )
-
- // Show difficulty description
- Surface(
- modifier = Modifier.fillMaxWidth(),
- color = colorScheme.surfaceVariant.copy(alpha = 0.25f),
- shape = RoundedCornerShape(8.dp)
+ FilterChip(
+ selected = powEnabled,
+ onClick = { PoWPreferenceManager.setPowEnabled(true) },
+ label = {
+ Row(
+ horizontalArrangement = Arrangement.spacedBy(6.dp),
+ verticalAlignment = Alignment.CenterVertically
) {
- Column(
- modifier = Modifier.padding(12.dp),
- verticalArrangement = Arrangement.spacedBy(4.dp)
- ) {
- Text(
- text = "difficulty $powDifficulty requires ~${NostrProofOfWork.estimateWork(powDifficulty)} hash attempts",
- fontSize = 10.sp,
- fontFamily = FontFamily.Monospace,
- color = colorScheme.onSurface.copy(alpha = 0.7f)
- )
- Text(
- text = when {
- powDifficulty == 0 -> "no proof of work required"
- powDifficulty <= 8 -> "very low - minimal spam protection"
- powDifficulty <= 12 -> "low - basic spam protection"
- powDifficulty <= 16 -> "medium - good spam protection"
- powDifficulty <= 20 -> "high - strong spam protection"
- powDifficulty <= 24 -> "very high - may cause delays"
- else -> "extreme - significant computation required"
- },
- fontSize = 10.sp,
- fontFamily = FontFamily.Monospace,
- color = colorScheme.onSurface.copy(alpha = 0.6f)
- )
+ Text("pow on", fontFamily = FontFamily.Monospace)
+ // Show current difficulty
+ if (powEnabled) {
+ Surface(
+ color = if (isDark) Color(0xFF32D74B) else Color(0xFF248A3D),
+ shape = RoundedCornerShape(50)
+ ) { Box(Modifier.size(8.dp)) }
}
}
}
- }
+ )
}
- }
-
- // Network (Tor) section
- item(key = "network_section") {
- val torMode = remember { mutableStateOf(com.bitchat.android.net.TorPreferenceManager.get(context)) }
- val torStatus by com.bitchat.android.net.TorManager.statusFlow.collectAsState()
+
Text(
- text = "network",
- style = MaterialTheme.typography.labelLarge,
- color = MaterialTheme.colorScheme.onBackground.copy(alpha = 0.7f),
- modifier = Modifier
- .padding(horizontal = 24.dp)
- .padding(top = 24.dp, bottom = 8.dp)
+ text = "add proof of work to geohash messages for spam deterrence.",
+ fontSize = 10.sp,
+ fontFamily = FontFamily.Monospace,
+ color = colorScheme.onSurface.copy(alpha = 0.6f)
)
- Column(modifier = Modifier.padding(horizontal = 24.dp), verticalArrangement = Arrangement.spacedBy(8.dp)) {
- Row(
- horizontalArrangement = Arrangement.spacedBy(8.dp),
- verticalAlignment = Alignment.CenterVertically
+
+ // Show difficulty slider when enabled
+ if (powEnabled) {
+ Column(
+ modifier = Modifier.fillMaxWidth(),
+ verticalArrangement = Arrangement.spacedBy(8.dp)
) {
- FilterChip(
- selected = torMode.value == com.bitchat.android.net.TorMode.OFF,
- onClick = {
- torMode.value = com.bitchat.android.net.TorMode.OFF
- com.bitchat.android.net.TorPreferenceManager.set(context, torMode.value)
- },
- label = { Text("tor off", fontFamily = FontFamily.Monospace) }
+ Text(
+ text = "difficulty: $powDifficulty bits (~${NostrProofOfWork.estimateMiningTime(powDifficulty)})",
+ fontSize = 11.sp,
+ fontFamily = FontFamily.Monospace,
+ color = colorScheme.onSurface.copy(alpha = 0.7f)
)
- FilterChip(
- selected = torMode.value == com.bitchat.android.net.TorMode.ON,
- onClick = {
- torMode.value = com.bitchat.android.net.TorMode.ON
- com.bitchat.android.net.TorPreferenceManager.set(context, torMode.value)
- },
- label = {
- Row(
- horizontalArrangement = Arrangement.spacedBy(6.dp),
- verticalAlignment = Alignment.CenterVertically
- ) {
- Text("tor on", fontFamily = FontFamily.Monospace)
- val statusColor = when {
- torStatus.running && torStatus.bootstrapPercent < 100 -> Color(0xFFFF9500)
- torStatus.running && torStatus.bootstrapPercent >= 100 -> if (isDark) Color(0xFF32D74B) else Color(0xFF248A3D)
- else -> Color.Red
- }
- Surface(color = statusColor, shape = CircleShape) {
- Box(Modifier.size(8.dp))
- }
- }
- }
+
+ Slider(
+ value = powDifficulty.toFloat(),
+ onValueChange = { PoWPreferenceManager.setPowDifficulty(it.toInt()) },
+ valueRange = 0f..32f,
+ steps = 33, // 33 discrete values (0-32)
+ colors = SliderDefaults.colors(
+ thumbColor = if (isDark) Color(0xFF32D74B) else Color(0xFF248A3D),
+ activeTrackColor = if (isDark) Color(0xFF32D74B) else Color(0xFF248A3D)
+ )
)
- }
- Text(
- text = "route internet over tor for enhanced privacy.",
- style = MaterialTheme.typography.bodySmall,
- color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.6f)
- )
- if (torMode.value == com.bitchat.android.net.TorMode.ON) {
- val statusText = if (torStatus.running) "Running" else "Stopped"
- // Debug status (temporary)
+
+ // Show difficulty description
Surface(
modifier = Modifier.fillMaxWidth(),
color = colorScheme.surfaceVariant.copy(alpha = 0.25f),
@@ -443,124 +267,204 @@ fun AboutSheet(
) {
Column(
modifier = Modifier.padding(12.dp),
- verticalArrangement = Arrangement.spacedBy(6.dp)
+ verticalArrangement = Arrangement.spacedBy(4.dp)
) {
Text(
- text = "tor Status: $statusText, bootstrap ${torStatus.bootstrapPercent}%",
- style = MaterialTheme.typography.bodySmall,
- color = colorScheme.onSurface.copy(alpha = 0.75f)
+ text = "difficulty $powDifficulty requires ~${NostrProofOfWork.estimateWork(powDifficulty)} hash attempts",
+ fontSize = 10.sp,
+ fontFamily = FontFamily.Monospace,
+ color = colorScheme.onSurface.copy(alpha = 0.7f)
+ )
+ Text(
+ text = when {
+ powDifficulty == 0 -> "no proof of work required"
+ powDifficulty <= 8 -> "very low - minimal spam protection"
+ powDifficulty <= 12 -> "low - basic spam protection"
+ powDifficulty <= 16 -> "medium - good spam protection"
+ powDifficulty <= 20 -> "high - strong spam protection"
+ powDifficulty <= 24 -> "very high - may cause delays"
+ else -> "extreme - significant computation required"
+ },
+ fontSize = 10.sp,
+ fontFamily = FontFamily.Monospace,
+ color = colorScheme.onSurface.copy(alpha = 0.6f)
)
- val lastLog = torStatus.lastLogLine
- if (lastLog.isNotEmpty()) {
- Text(
- text = "Last: ${lastLog.take(160)}",
- style = MaterialTheme.typography.labelSmall,
- color = colorScheme.onSurface.copy(alpha = 0.6f)
- )
- }
}
}
}
}
}
+ }
- // Emergency Warning Section
- item(key = "warning_section") {
- val colorScheme = MaterialTheme.colorScheme
- val errorColor = colorScheme.error
+ // Network (Tor) section
+ item {
+ val ctx = LocalContext.current
+ val torMode = remember { mutableStateOf(com.bitchat.android.net.TorPreferenceManager.get(ctx)) }
+ val torStatus by com.bitchat.android.net.TorManager.statusFlow.collectAsState()
+ Column(
+ modifier = Modifier.fillMaxWidth(),
+ verticalArrangement = Arrangement.spacedBy(8.dp)
+ ) {
+ Text(
+ text = "network",
+ fontSize = 12.sp,
+ fontFamily = FontFamily.Monospace,
+ fontWeight = FontWeight.Medium,
+ color = colorScheme.onSurface.copy(alpha = 0.8f)
+ )
+ Row(horizontalArrangement = Arrangement.spacedBy(8.dp), verticalAlignment = Alignment.CenterVertically) {
+ FilterChip(
+ selected = torMode.value == com.bitchat.android.net.TorMode.OFF,
+ onClick = {
+ torMode.value = com.bitchat.android.net.TorMode.OFF
+ com.bitchat.android.net.TorPreferenceManager.set(ctx, torMode.value)
+ },
+ label = { Text("tor off", fontFamily = FontFamily.Monospace) }
+ )
+ FilterChip(
+ selected = torMode.value == com.bitchat.android.net.TorMode.ON,
+ onClick = {
+ torMode.value = com.bitchat.android.net.TorMode.ON
+ com.bitchat.android.net.TorPreferenceManager.set(ctx, torMode.value)
+ },
+ label = {
+ Row(
+ horizontalArrangement = Arrangement.spacedBy(6.dp),
+ verticalAlignment = Alignment.CenterVertically
+ ) {
+ Text("tor on", fontFamily = FontFamily.Monospace)
+ // Status indicator (red/orange/green) moved inside the "tor on" button
+ val statusColor = when {
+ torStatus.running && torStatus.bootstrapPercent < 100 -> Color(0xFFFF9500)
+ torStatus.running && torStatus.bootstrapPercent >= 100 -> if (isDark) Color(0xFF32D74B) else Color(0xFF248A3D)
+ else -> Color.Red
+ }
+ Surface(
+ color = statusColor,
+ shape = RoundedCornerShape(50)
+ ) { Box(Modifier.size(8.dp)) }
+ }
+ }
+ )
+ }
+ Text(
+ text = "route internet over tor for enhanced privacy.",
+ fontSize = 10.sp,
+ fontFamily = FontFamily.Monospace,
+ color = colorScheme.onSurface.copy(alpha = 0.6f)
+ )
+ // Debug status (temporary)
Surface(
- modifier = Modifier
- .padding(horizontal = 24.dp, vertical = 24.dp)
- .fillMaxWidth(),
- color = errorColor.copy(alpha = 0.1f),
- shape = RoundedCornerShape(12.dp)
+ modifier = Modifier.fillMaxWidth(),
+ color = colorScheme.surfaceVariant.copy(alpha = 0.25f),
+ shape = RoundedCornerShape(8.dp)
) {
- Row(
- modifier = Modifier.padding(16.dp),
- horizontalArrangement = Arrangement.spacedBy(12.dp),
- verticalAlignment = Alignment.Top
+ Column(
+ modifier = Modifier.padding(12.dp),
+ verticalArrangement = Arrangement.spacedBy(6.dp)
) {
- Icon(
- imageVector = Icons.Filled.Warning,
- contentDescription = "Warning",
- tint = errorColor,
- modifier = Modifier.size(16.dp)
+ Text(
+ text = "tor status: " +
+ (if (torStatus.running) "running" else "stopped") +
+ ", bootstrap=" + torStatus.bootstrapPercent + "%",
+ fontSize = 11.sp,
+ fontFamily = FontFamily.Monospace,
+ color = colorScheme.onSurface.copy(alpha = 0.75f)
)
- Column(verticalArrangement = Arrangement.spacedBy(4.dp)) {
+ val last = torStatus.lastLogLine
+ if (last.isNotEmpty()) {
Text(
- text = "Emergency Data Deletion",
- fontSize = 12.sp,
+ text = "last: " + last.take(160),
+ fontSize = 10.sp,
fontFamily = FontFamily.Monospace,
- fontWeight = FontWeight.Bold,
- color = errorColor
- )
- Text(
- text = "Tip: Triple-click the app title to emergency delete all stored data including messages, keys, and settings.",
- fontSize = 11.sp,
- fontFamily = FontFamily.Monospace,
- color = colorScheme.onSurface.copy(alpha = 0.8f)
+ color = colorScheme.onSurface.copy(alpha = 0.6f)
)
}
}
}
}
-
- // Footer Section
- item(key = "footer") {
- Column(
- modifier = Modifier
- .padding(horizontal = 24.dp)
- .fillMaxWidth(),
- horizontalAlignment = Alignment.CenterHorizontally,
- verticalArrangement = Arrangement.spacedBy(8.dp)
+ }
+
+ // Emergency warning
+ item {
+ Surface(
+ modifier = Modifier.fillMaxWidth(),
+ color = Color.Red.copy(alpha = 0.08f),
+ shape = RoundedCornerShape(12.dp)
+ ) {
+ Row(
+ modifier = Modifier.padding(16.dp),
+ horizontalArrangement = Arrangement.spacedBy(12.dp),
+ verticalAlignment = Alignment.Top
) {
- if (onShowDebug != null) {
- TextButton(
- onClick = onShowDebug,
- colors = ButtonDefaults.textButtonColors(
- contentColor = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.6f)
- )
- ) {
- Text(
- text = "Debug Settings",
- fontSize = 11.sp,
- fontFamily = FontFamily.Monospace
- )
- }
+ Icon(
+ imageVector = Icons.Filled.Warning,
+ contentDescription = "Warning",
+ tint = Color(0xFFBF1A1A),
+ modifier = Modifier.size(16.dp)
+ )
+
+ Column(verticalArrangement = Arrangement.spacedBy(4.dp)) {
+ Text(
+ text = "emergency data deletion",
+ fontSize = 12.sp,
+ fontFamily = FontFamily.Monospace,
+ fontWeight = FontWeight.Medium,
+ color = Color(0xFFBF1A1A)
+ )
+
+ Text(
+ text = "tip: triple-click the app title to emergency delete all stored data including messages, keys, and settings.",
+ fontSize = 11.sp,
+ fontFamily = FontFamily.Monospace,
+ color = colorScheme.onSurface.copy(alpha = 0.7f)
+ )
}
+ }
+ }
+ }
+
+ // Debug settings button
+ item {
+ Column(
+ modifier = Modifier.fillMaxWidth(),
+ horizontalAlignment = Alignment.CenterHorizontally,
+ verticalArrangement = Arrangement.spacedBy(8.dp)
+ ) {
+ // Debug button styled to match the app aesthetic
+ TextButton(
+ onClick = { onShowDebug?.invoke() },
+ colors = ButtonDefaults.textButtonColors(
+ contentColor = colorScheme.onSurface.copy(alpha = 0.6f)
+ )
+ ) {
Text(
- text = "Open Source • Privacy First • Decentralized",
+ text = "debug settings",
fontSize = 11.sp,
fontFamily = FontFamily.Monospace,
- color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.7f),
+ color = colorScheme.onSurface.copy(alpha = 0.6f)
)
-
- // Add extra space at bottom for gesture area
- Spacer(modifier = Modifier.height(16.dp))
}
}
}
- // TopBar
- Box(
- modifier = Modifier
- .align(Alignment.TopCenter)
- .fillMaxWidth()
- .height(64.dp)
- .background(MaterialTheme.colorScheme.background.copy(alpha = topBarAlpha))
- ) {
- TextButton(
- onClick = onDismiss,
- modifier = Modifier
- .align(Alignment.CenterEnd)
- .padding(horizontal = 16.dp)
+ // Version and footer space
+ item {
+ Column(
+ modifier = Modifier.fillMaxWidth(),
+ horizontalAlignment = Alignment.CenterHorizontally,
+ verticalArrangement = Arrangement.spacedBy(8.dp)
) {
Text(
- text = "Close",
- style = MaterialTheme.typography.labelMedium.copy(fontWeight = FontWeight.Bold),
- color = MaterialTheme.colorScheme.onBackground
+ text = "open source • privacy first • decentralized",
+ fontSize = 10.sp,
+ fontFamily = FontFamily.Monospace,
+ color = colorScheme.onSurface.copy(alpha = 0.5f)
)
+
+ // Add extra space at bottom for gesture area
+ Spacer(modifier = Modifier.height(16.dp))
}
}
}
@@ -568,6 +472,78 @@ fun AboutSheet(
}
}
+@Composable
+private fun FeatureCard(
+ icon: ImageVector,
+ iconColor: Color,
+ title: String,
+ description: String,
+ modifier: Modifier = Modifier
+) {
+ Surface(
+ modifier = modifier,
+ color = MaterialTheme.colorScheme.surfaceVariant.copy(alpha = 0.2f),
+ shape = RoundedCornerShape(12.dp)
+ ) {
+ Row(
+ modifier = Modifier.padding(16.dp),
+ horizontalArrangement = Arrangement.spacedBy(12.dp),
+ verticalAlignment = Alignment.Top
+ ) {
+ Icon(
+ imageVector = icon,
+ contentDescription = title,
+ tint = iconColor,
+ modifier = Modifier.size(20.dp)
+ )
+
+ Column(
+ modifier = Modifier.weight(1f),
+ verticalArrangement = Arrangement.spacedBy(4.dp)
+ ) {
+ Text(
+ text = title,
+ fontSize = 13.sp,
+ fontFamily = FontFamily.Monospace,
+ fontWeight = FontWeight.Medium,
+ color = MaterialTheme.colorScheme.onSurface
+ )
+
+ Text(
+ text = description,
+ fontSize = 11.sp,
+ fontFamily = FontFamily.Monospace,
+ color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.7f),
+ lineHeight = 15.sp
+ )
+ }
+ }
+ }
+}
+
+@Composable
+private fun FeatureItem(text: String) {
+ Row(
+ horizontalArrangement = Arrangement.spacedBy(8.dp),
+ verticalAlignment = Alignment.Top
+ ) {
+ Text(
+ text = "•",
+ fontSize = 11.sp,
+ fontFamily = FontFamily.Monospace,
+ color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.6f)
+ )
+
+ Text(
+ text = text,
+ fontSize = 11.sp,
+ fontFamily = FontFamily.Monospace,
+ color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.7f),
+ modifier = Modifier.weight(1f)
+ )
+ }
+}
+
/**
* Password prompt dialog for password-protected channels
* Kept as dialog since it requires user input
diff --git a/app/src/main/java/com/bitchat/android/ui/ChatHeader.kt b/app/src/main/java/com/bitchat/android/ui/ChatHeader.kt
index 3b695167d..c33c3c14f 100644
--- a/app/src/main/java/com/bitchat/android/ui/ChatHeader.kt
+++ b/app/src/main/java/com/bitchat/android/ui/ChatHeader.kt
@@ -518,12 +518,7 @@ private fun MainHeader(
val isConnected by viewModel.isConnected.observeAsState(false)
val selectedLocationChannel by viewModel.selectedLocationChannel.observeAsState()
val geohashPeople by viewModel.geohashPeople.observeAsState(emptyList())
-
- // Bookmarks store for current geohash toggle (iOS parity)
- val context = androidx.compose.ui.platform.LocalContext.current
- val bookmarksStore = remember { com.bitchat.android.geohash.GeohashBookmarksStore.getInstance(context) }
- val bookmarks by bookmarksStore.bookmarks.observeAsState(emptyList())
-
+
Row(
modifier = Modifier.fillMaxWidth(),
horizontalArrangement = Arrangement.SpaceBetween,
@@ -570,36 +565,11 @@ private fun MainHeader(
)
}
- // Location channels button (matching iOS implementation) and bookmark grouped tightly
- Row(verticalAlignment = Alignment.CenterVertically, modifier = Modifier.padding(end = 14.dp)) {
- LocationChannelsButton(
- viewModel = viewModel,
- onClick = onLocationChannelsClick
- )
-
- // Bookmark toggle for current geohash (not shown for mesh)
- val currentGeohash: String? = when (val sc = selectedLocationChannel) {
- is com.bitchat.android.geohash.ChannelID.Location -> sc.channel.geohash
- else -> null
- }
- if (currentGeohash != null) {
- val isBookmarked = bookmarks.contains(currentGeohash)
- Box(
- modifier = Modifier
- .padding(start = 1.dp) // minimal gap between geohash and bookmark
- .size(20.dp)
- .clickable { bookmarksStore.toggle(currentGeohash) },
- contentAlignment = Alignment.Center
- ) {
- Icon(
- imageVector = if (isBookmarked) Icons.Filled.Bookmark else Icons.Outlined.BookmarkBorder,
- contentDescription = "Toggle bookmark",
- tint = if (isBookmarked) Color(0xFF00C851) else MaterialTheme.colorScheme.onSurface.copy(alpha = 0.75f),
- modifier = Modifier.size(16.dp)
- )
- }
- }
- }
+ // Location channels button (matching iOS implementation)
+ LocationChannelsButton(
+ viewModel = viewModel,
+ onClick = onLocationChannelsClick
+ )
// Tor status cable icon when Tor is enabled
TorStatusIcon(modifier = Modifier.size(14.dp))
@@ -651,7 +621,7 @@ private fun LocationChannelsButton(
containerColor = Color.Transparent,
contentColor = badgeColor
),
- contentPadding = PaddingValues(start = 4.dp, end = 0.dp, top = 2.dp, bottom = 2.dp)
+ contentPadding = PaddingValues(horizontal = 4.dp, vertical = 2.dp)
) {
Row(verticalAlignment = Alignment.CenterVertically) {
Text(
diff --git a/app/src/main/java/com/bitchat/android/ui/ChatScreen.kt b/app/src/main/java/com/bitchat/android/ui/ChatScreen.kt
index 72a9e1e44..8e4e43b5e 100644
--- a/app/src/main/java/com/bitchat/android/ui/ChatScreen.kt
+++ b/app/src/main/java/com/bitchat/android/ui/ChatScreen.kt
@@ -1,8 +1,4 @@
package com.bitchat.android.ui
-// [Goose] Bridge file share events to ViewModel via dispatcher is installed in ChatScreen composition
-
-// [Goose] Installing FileShareDispatcher handler in ChatScreen to forward file sends to ViewModel
-
import androidx.compose.animation.*
import androidx.compose.animation.core.*
@@ -25,7 +21,6 @@ import androidx.compose.ui.unit.dp
import androidx.compose.ui.unit.Dp
import androidx.compose.ui.zIndex
import com.bitchat.android.model.BitchatMessage
-import com.bitchat.android.ui.media.FullScreenImageViewer
/**
* Main ChatScreen - REFACTORED to use component-based architecture
@@ -65,9 +60,6 @@ fun ChatScreen(viewModel: ChatViewModel) {
var showUserSheet by remember { mutableStateOf(false) }
var selectedUserForSheet by remember { mutableStateOf("") }
var selectedMessageForSheet by remember { mutableStateOf(null) }
- var showFullScreenImageViewer by remember { mutableStateOf(false) }
- var viewerImagePaths by remember { mutableStateOf(emptyList()) }
- var initialViewerIndex by remember { mutableStateOf(0) }
var forceScrollToBottom by remember { mutableStateOf(false) }
var isScrolledUp by remember { mutableStateOf(false) }
@@ -162,53 +154,28 @@ fun ChatScreen(viewModel: ChatViewModel) {
selectedUserForSheet = baseName
selectedMessageForSheet = message
showUserSheet = true
- },
- onCancelTransfer = { msg ->
- viewModel.cancelMediaSend(msg.id)
- },
- onImageClick = { currentPath, allImagePaths, initialIndex ->
- viewerImagePaths = allImagePaths
- initialViewerIndex = initialIndex
- showFullScreenImageViewer = true
}
)
// Input area - stays at bottom
- // Bridge file share from lower-level input to ViewModel
- androidx.compose.runtime.LaunchedEffect(Unit) {
- com.bitchat.android.ui.events.FileShareDispatcher.setHandler { peer, channel, path ->
- viewModel.sendFileNote(peer, channel, path)
- }
- }
-
- ChatInputSection(
- messageText = messageText,
- onMessageTextChange = { newText: TextFieldValue ->
- messageText = newText
- viewModel.updateCommandSuggestions(newText.text)
- viewModel.updateMentionSuggestions(newText.text)
- },
- onSend = {
- if (messageText.text.trim().isNotEmpty()) {
- viewModel.sendMessage(messageText.text.trim())
- messageText = TextFieldValue("")
- forceScrollToBottom = !forceScrollToBottom // Toggle to trigger scroll
- }
- },
- onSendVoiceNote = { peer, onionOrChannel, path ->
- viewModel.sendVoiceNote(peer, onionOrChannel, path)
- },
- onSendImageNote = { peer, onionOrChannel, path ->
- viewModel.sendImageNote(peer, onionOrChannel, path)
- },
- onSendFileNote = { peer, onionOrChannel, path ->
- viewModel.sendFileNote(peer, onionOrChannel, path)
- },
-
- showCommandSuggestions = showCommandSuggestions,
- commandSuggestions = commandSuggestions,
- showMentionSuggestions = showMentionSuggestions,
- mentionSuggestions = mentionSuggestions,
- onCommandSuggestionClick = { suggestion: CommandSuggestion ->
+ ChatInputSection(
+ messageText = messageText,
+ onMessageTextChange = { newText: TextFieldValue ->
+ messageText = newText
+ viewModel.updateCommandSuggestions(newText.text)
+ viewModel.updateMentionSuggestions(newText.text)
+ },
+ onSend = {
+ if (messageText.text.trim().isNotEmpty()) {
+ viewModel.sendMessage(messageText.text.trim())
+ messageText = TextFieldValue("")
+ forceScrollToBottom = !forceScrollToBottom // Toggle to trigger scroll
+ }
+ },
+ showCommandSuggestions = showCommandSuggestions,
+ commandSuggestions = commandSuggestions,
+ showMentionSuggestions = showMentionSuggestions,
+ mentionSuggestions = mentionSuggestions,
+ onCommandSuggestionClick = { suggestion: CommandSuggestion ->
val commandText = viewModel.selectCommandSuggestion(suggestion)
messageText = TextFieldValue(
text = commandText,
@@ -321,15 +288,6 @@ fun ChatScreen(viewModel: ChatViewModel) {
}
}
- // Full-screen image viewer - separate from other sheets to allow image browsing without navigation
- if (showFullScreenImageViewer) {
- FullScreenImageViewer(
- imagePaths = viewerImagePaths,
- initialIndex = initialViewerIndex,
- onClose = { showFullScreenImageViewer = false }
- )
- }
-
// Dialogs and Sheets
ChatDialogs(
showPasswordDialog = showPasswordDialog,
@@ -369,9 +327,6 @@ private fun ChatInputSection(
messageText: TextFieldValue,
onMessageTextChange: (TextFieldValue) -> Unit,
onSend: () -> Unit,
- onSendVoiceNote: (String?, String?, String) -> Unit,
- onSendImageNote: (String?, String?, String) -> Unit,
- onSendFileNote: (String?, String?, String) -> Unit,
showCommandSuggestions: Boolean,
commandSuggestions: List,
showMentionSuggestions: Boolean,
@@ -396,8 +351,10 @@ private fun ChatInputSection(
onSuggestionClick = onCommandSuggestionClick,
modifier = Modifier.fillMaxWidth()
)
+
HorizontalDivider(color = colorScheme.outline.copy(alpha = 0.2f))
}
+
// Mention suggestions box
if (showMentionSuggestions && mentionSuggestions.isNotEmpty()) {
MentionSuggestionsBox(
@@ -405,15 +362,14 @@ private fun ChatInputSection(
onSuggestionClick = onMentionSuggestionClick,
modifier = Modifier.fillMaxWidth()
)
+
HorizontalDivider(color = colorScheme.outline.copy(alpha = 0.2f))
}
+
MessageInput(
value = messageText,
onValueChange = onMessageTextChange,
onSend = onSend,
- onSendVoiceNote = onSendVoiceNote,
- onSendImageNote = onSendImageNote,
- onSendFileNote = onSendFileNote,
selectedPrivatePeer = selectedPrivatePeer,
currentChannel = currentChannel,
nickname = nickname,
@@ -422,6 +378,7 @@ private fun ChatInputSection(
}
}
}
+
@OptIn(ExperimentalMaterial3Api::class)
@Composable
private fun ChatFloatingHeader(
diff --git a/app/src/main/java/com/bitchat/android/ui/ChatUIUtils.kt b/app/src/main/java/com/bitchat/android/ui/ChatUIUtils.kt
index 82db6b649..bc0a14f4f 100644
--- a/app/src/main/java/com/bitchat/android/ui/ChatUIUtils.kt
+++ b/app/src/main/java/com/bitchat/android/ui/ChatUIUtils.kt
@@ -156,105 +156,6 @@ fun formatMessageAsAnnotatedString(
return builder.toAnnotatedString()
}
-/**
- * Build only the nickname + timestamp header line for a message, matching styles of normal messages.
- */
-fun formatMessageHeaderAnnotatedString(
- message: BitchatMessage,
- currentUserNickname: String,
- meshService: BluetoothMeshService,
- colorScheme: ColorScheme,
- timeFormatter: SimpleDateFormat = SimpleDateFormat("HH:mm:ss", Locale.getDefault())
-): AnnotatedString {
- val builder = AnnotatedString.Builder()
- val isDark = colorScheme.background.red + colorScheme.background.green + colorScheme.background.blue < 1.5f
-
- val isSelf = message.senderPeerID == meshService.myPeerID ||
- message.sender == currentUserNickname ||
- message.sender.startsWith("$currentUserNickname#")
-
- if (message.sender != "system") {
- val baseColor = if (isSelf) Color(0xFFFF9500) else getPeerColor(message, isDark)
- val (baseName, suffix) = splitSuffix(message.sender)
-
- // "<@"
- builder.pushStyle(SpanStyle(
- color = baseColor,
- fontSize = BASE_FONT_SIZE.sp,
- fontWeight = if (isSelf) FontWeight.Bold else FontWeight.Medium
- ))
- builder.append("<@")
- builder.pop()
-
- // Base name (clickable when not self)
- builder.pushStyle(SpanStyle(
- color = baseColor,
- fontSize = BASE_FONT_SIZE.sp,
- fontWeight = if (isSelf) FontWeight.Bold else FontWeight.Medium
- ))
- val nicknameStart = builder.length
- builder.append(truncateNickname(baseName))
- val nicknameEnd = builder.length
- if (!isSelf) {
- builder.addStringAnnotation(
- tag = "nickname_click",
- annotation = (message.originalSender ?: message.sender),
- start = nicknameStart,
- end = nicknameEnd
- )
- }
- builder.pop()
-
- // Hashtag suffix
- if (suffix.isNotEmpty()) {
- builder.pushStyle(SpanStyle(
- color = baseColor.copy(alpha = 0.6f),
- fontSize = BASE_FONT_SIZE.sp,
- fontWeight = if (isSelf) FontWeight.Bold else FontWeight.Medium
- ))
- builder.append(suffix)
- builder.pop()
- }
-
- // Sender suffix ">"
- builder.pushStyle(SpanStyle(
- color = baseColor,
- fontSize = BASE_FONT_SIZE.sp,
- fontWeight = if (isSelf) FontWeight.Bold else FontWeight.Medium
- ))
- builder.append(">")
- builder.pop()
-
- // Timestamp and optional PoW bits, matching normal message appearance
- builder.pushStyle(SpanStyle(
- color = Color.Gray.copy(alpha = 0.7f),
- fontSize = (BASE_FONT_SIZE - 4).sp
- ))
- builder.append(" [${timeFormatter.format(message.timestamp)}]")
- message.powDifficulty?.let { bits ->
- if (bits > 0) builder.append(" ⛨${bits}b")
- }
- builder.pop()
- } else {
- // System message header (should rarely apply to voice)
- builder.pushStyle(SpanStyle(
- color = Color.Gray,
- fontSize = (BASE_FONT_SIZE - 2).sp,
- fontStyle = androidx.compose.ui.text.font.FontStyle.Italic
- ))
- builder.append("* ${message.content} *")
- builder.pop()
- builder.pushStyle(SpanStyle(
- color = Color.Gray.copy(alpha = 0.5f),
- fontSize = (BASE_FONT_SIZE - 4).sp
- ))
- builder.append(" [${timeFormatter.format(message.timestamp)}]")
- builder.pop()
- }
-
- return builder.toAnnotatedString()
-}
-
/**
* iOS-style peer color assignment using djb2 hash algorithm
* Avoids orange (~30°) reserved for self messages
diff --git a/app/src/main/java/com/bitchat/android/ui/ChatViewModel.kt b/app/src/main/java/com/bitchat/android/ui/ChatViewModel.kt
index 4224d9c1f..de85c5976 100644
--- a/app/src/main/java/com/bitchat/android/ui/ChatViewModel.kt
+++ b/app/src/main/java/com/bitchat/android/ui/ChatViewModel.kt
@@ -9,7 +9,6 @@ import androidx.lifecycle.viewModelScope
import com.bitchat.android.mesh.BluetoothMeshDelegate
import com.bitchat.android.mesh.BluetoothMeshService
import com.bitchat.android.model.BitchatMessage
-import com.bitchat.android.model.BitchatMessageType
import com.bitchat.android.protocol.BitchatPacket
@@ -34,37 +33,21 @@ class ChatViewModel(
private const val TAG = "ChatViewModel"
}
- fun sendVoiceNote(toPeerIDOrNull: String?, channelOrNull: String?, filePath: String) {
- mediaSendingManager.sendVoiceNote(toPeerIDOrNull, channelOrNull, filePath)
- }
-
- fun sendFileNote(toPeerIDOrNull: String?, channelOrNull: String?, filePath: String) {
- mediaSendingManager.sendFileNote(toPeerIDOrNull, channelOrNull, filePath)
- }
-
- fun sendImageNote(toPeerIDOrNull: String?, channelOrNull: String?, filePath: String) {
- mediaSendingManager.sendImageNote(toPeerIDOrNull, channelOrNull, filePath)
- }
-
- // MARK: - State management
+ // State management
private val state = ChatState()
-
- // Transfer progress tracking
- private val transferMessageMap = mutableMapOf()
- private val messageTransferMap = mutableMapOf()
-
+
// Specialized managers
private val dataManager = DataManager(application.applicationContext)
private val messageManager = MessageManager(state)
private val channelManager = ChannelManager(state, messageManager, dataManager, viewModelScope)
-
+
// Create Noise session delegate for clean dependency injection
private val noiseSessionDelegate = object : NoiseSessionDelegate {
override fun hasEstablishedSession(peerID: String): Boolean = meshService.hasEstablishedSession(peerID)
- override fun initiateHandshake(peerID: String) = meshService.initiateNoiseHandshake(peerID)
+ override fun initiateHandshake(peerID: String) = meshService.initiateNoiseHandshake(peerID)
override fun getMyPeerID(): String = meshService.myPeerID
}
-
+
val privateChatManager = PrivateChatManager(state, messageManager, dataManager, noiseSessionDelegate)
private val commandProcessor = CommandProcessor(state, messageManager, channelManager, privateChatManager)
private val notificationManager = NotificationManager(
@@ -72,9 +55,6 @@ class ChatViewModel(
NotificationManagerCompat.from(application.applicationContext),
NotificationIntervalManager()
)
-
- // Media file sending manager
- private val mediaSendingManager = MediaSendingManager(state, messageManager, channelManager, meshService)
// Delegate handler for mesh callbacks
private val meshDelegateHandler = MeshDelegateHandler(
@@ -141,27 +121,6 @@ class ChatViewModel(
init {
// Note: Mesh service delegate is now set by MainActivity
loadAndInitialize()
- // Subscribe to BLE transfer progress and reflect in message deliveryStatus
- viewModelScope.launch {
- com.bitchat.android.mesh.TransferProgressManager.events.collect { evt ->
- mediaSendingManager.handleTransferProgressEvent(evt)
- }
- }
- }
-
- fun cancelMediaSend(messageId: String) {
- val transferId = synchronized(transferMessageMap) { messageTransferMap[messageId] }
- if (transferId != null) {
- val cancelled = meshService.cancelFileTransfer(transferId)
- if (cancelled) {
- // Remove the message from chat upon explicit cancel
- messageManager.removeMessageById(messageId)
- synchronized(transferMessageMap) {
- transferMessageMap.remove(transferId)
- messageTransferMap.remove(messageId)
- }
- }
- }
}
private fun loadAndInitialize() {
@@ -240,8 +199,6 @@ class ChatViewModel(
messageManager.addMessage(welcomeMessage)
}
}
-
- // BLE receives are inserted by MessageHandler path; no VoiceNoteBus for Tor in this branch.
}
override fun onCleared() {
@@ -762,14 +719,8 @@ class ChatViewModel(
// Clear all notifications
notificationManager.clearAllNotifications()
- // Clear Nostr/geohash state, keys, connections, bookmarks, and reinitialize from scratch
+ // Clear Nostr/geohash state, keys, connections, and reinitialize from scratch
try {
- // Clear geohash bookmarks too (panic should remove everything)
- try {
- val store = com.bitchat.android.geohash.GeohashBookmarksStore.getInstance(getApplication())
- store.clearAll()
- } catch (_: Exception) { }
-
geohashViewModel.panicReset()
} catch (e: Exception) {
Log.e(TAG, "Failed to reset Nostr/geohash: ${e.message}")
diff --git a/app/src/main/java/com/bitchat/android/ui/GeohashViewModel.kt b/app/src/main/java/com/bitchat/android/ui/GeohashViewModel.kt
index 060bb84e7..08865c1e1 100644
--- a/app/src/main/java/com/bitchat/android/ui/GeohashViewModel.kt
+++ b/app/src/main/java/com/bitchat/android/ui/GeohashViewModel.kt
@@ -30,25 +30,10 @@ class GeohashViewModel(
companion object { private const val TAG = "GeohashViewModel" }
- private val repo = GeohashRepository(application, state, dataManager)
+ private val repo = GeohashRepository(application, state)
private val subscriptionManager = NostrSubscriptionManager(application, viewModelScope)
- private val geohashMessageHandler = GeohashMessageHandler(
- application = application,
- state = state,
- messageManager = messageManager,
- repo = repo,
- scope = viewModelScope,
- dataManager = dataManager
- )
- private val dmHandler = NostrDirectMessageHandler(
- application = application,
- state = state,
- privateChatManager = privateChatManager,
- meshDelegateHandler = meshDelegateHandler,
- scope = viewModelScope,
- repo = repo,
- dataManager = dataManager
- )
+ private val geohashMessageHandler = GeohashMessageHandler(application, state, messageManager, repo, viewModelScope)
+ private val dmHandler = NostrDirectMessageHandler(application, state, privateChatManager, meshDelegateHandler, viewModelScope, repo)
private var currentGeohashSubId: String? = null
private var currentDmSubId: String? = null
@@ -114,22 +99,14 @@ class GeohashViewModel(
powDifficulty = if (pow.enabled) pow.difficulty else null
)
messageManager.addChannelMessage("geo:${channel.geohash}", localMsg)
- val startedMining = pow.enabled && pow.difficulty > 0
- if (startedMining) {
+ if (pow.enabled && pow.difficulty > 0) {
com.bitchat.android.ui.PoWMiningTracker.startMiningMessage(tempId)
}
- try {
- val identity = NostrIdentityBridge.deriveIdentity(forGeohash = channel.geohash, context = getApplication())
- val teleported = state.isTeleported.value ?: false
- val event = NostrProtocol.createEphemeralGeohashEvent(content, channel.geohash, identity, nickname, teleported)
- val relayManager = NostrRelayManager.getInstance(getApplication())
- relayManager.sendEventToGeohash(event, channel.geohash, includeDefaults = false, nRelays = 5)
- } finally {
- // Ensure we stop the per-message mining animation regardless of success/failure
- if (startedMining) {
- com.bitchat.android.ui.PoWMiningTracker.stopMiningMessage(tempId)
- }
- }
+ val identity = NostrIdentityBridge.deriveIdentity(forGeohash = channel.geohash, context = getApplication())
+ val teleported = state.isTeleported.value ?: false
+ val event = NostrProtocol.createEphemeralGeohashEvent(content, channel.geohash, identity, nickname, teleported)
+ val relayManager = NostrRelayManager.getInstance(getApplication())
+ relayManager.sendEventToGeohash(event, channel.geohash, includeDefaults = false, nRelays = 5)
} catch (e: Exception) {
Log.e(TAG, "Failed to send geohash message: ${e.message}")
}
@@ -159,15 +136,8 @@ class GeohashViewModel(
fun startGeohashDM(pubkeyHex: String, onStartPrivateChat: (String) -> Unit) {
val convKey = "nostr_${pubkeyHex.take(16)}"
repo.putNostrKeyMapping(convKey, pubkeyHex)
- // Record the conversation's geohash using the currently selected location channel (if any)
- val current = state.selectedLocationChannel.value
- val gh = (current as? com.bitchat.android.geohash.ChannelID.Location)?.channel?.geohash
- if (!gh.isNullOrEmpty()) {
- repo.setConversationGeohash(convKey, gh)
- com.bitchat.android.nostr.GeohashConversationRegistry.set(convKey, gh)
- }
onStartPrivateChat(convKey)
- Log.d(TAG, "🗨️ Started geohash DM with ${pubkeyHex} -> ${convKey} (geohash=${gh})")
+ Log.d(TAG, "🗨️ Started geohash DM with $pubkeyHex -> $convKey")
}
fun getNostrKeyMapping(): Map = repo.getNostrKeyMapping()
@@ -176,15 +146,26 @@ class GeohashViewModel(
val pubkey = repo.findPubkeyByNickname(targetNickname)
if (pubkey != null) {
dataManager.addGeohashBlockedUser(pubkey)
- // Refresh people list and counts to remove blocked entry immediately
- repo.refreshGeohashPeople()
- repo.updateReactiveParticipantCounts()
val sysMsg = com.bitchat.android.model.BitchatMessage(
sender = "system",
content = "blocked $targetNickname in geohash channels",
timestamp = Date(),
isRelay = false
)
+ fun startGeohashDM(pubkeyHex: String, onStartPrivateChat: (String) -> Unit) {
+ val convKey = "nostr_${'$'}{pubkeyHex.take(16)}"
+ repo.putNostrKeyMapping(convKey, pubkeyHex)
+ // Record the conversation's geohash using the currently selected location channel (if any)
+ val current = state.selectedLocationChannel.value
+ val gh = (current as? com.bitchat.android.geohash.ChannelID.Location)?.channel?.geohash
+ if (!gh.isNullOrEmpty()) {
+ repo.setConversationGeohash(convKey, gh)
+ com.bitchat.android.nostr.GeohashConversationRegistry.set(convKey, gh)
+ }
+ onStartPrivateChat(convKey)
+ Log.d(TAG, "🗨️ Started geohash DM with ${'$'}pubkeyHex -> ${'$'}convKey (geohash=${'$'}gh)")
+ }
+
messageManager.addMessage(sysMsg)
} else {
val sysMsg = com.bitchat.android.model.BitchatMessage(
diff --git a/app/src/main/java/com/bitchat/android/ui/InputComponents.kt b/app/src/main/java/com/bitchat/android/ui/InputComponents.kt
index eb1e744b4..6ebeb21da 100644
--- a/app/src/main/java/com/bitchat/android/ui/InputComponents.kt
+++ b/app/src/main/java/com/bitchat/android/ui/InputComponents.kt
@@ -1,6 +1,4 @@
package com.bitchat.android.ui
-// [Goose] TODO: Replace inline file attachment stub with FilePickerButton abstraction that dispatches via FileShareDispatcher
-
import androidx.compose.foundation.*
import androidx.compose.foundation.layout.*
@@ -18,6 +16,7 @@ import androidx.compose.ui.Modifier
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.graphics.SolidColor
import androidx.compose.ui.res.stringResource
+import androidx.compose.ui.text.TextRange
import androidx.compose.ui.text.AnnotatedString
import androidx.compose.ui.text.SpanStyle
import androidx.compose.ui.text.buildAnnotatedString
@@ -25,6 +24,7 @@ import androidx.compose.ui.text.font.FontFamily
import androidx.compose.ui.text.font.FontWeight
import androidx.compose.ui.text.input.ImeAction
import androidx.compose.ui.text.input.TextFieldValue
+import androidx.compose.ui.text.style.TextAlign
import androidx.compose.ui.text.input.OffsetMapping
import androidx.compose.ui.text.input.TransformedText
import androidx.compose.ui.text.input.VisualTransformation
@@ -33,16 +33,9 @@ import androidx.compose.ui.unit.dp
import androidx.compose.ui.unit.sp
import com.bitchat.android.R
import androidx.compose.ui.focus.onFocusChanged
-import androidx.compose.ui.focus.FocusRequester
-import androidx.compose.ui.focus.focusRequester
-import androidx.compose.ui.platform.LocalSoftwareKeyboardController
import androidx.compose.ui.text.withStyle
import com.bitchat.android.ui.theme.BASE_FONT_SIZE
-import com.bitchat.android.features.voice.normalizeAmplitudeSample
-import com.bitchat.android.features.voice.AudioWaveformExtractor
-import com.bitchat.android.ui.media.RealtimeScrollingWaveform
-import com.bitchat.android.ui.media.ImagePickerButton
-import com.bitchat.android.ui.media.FilePickerButton
+import androidx.compose.foundation.isSystemInDarkTheme
/**
* Input components for ChatScreen
@@ -164,9 +157,6 @@ fun MessageInput(
value: TextFieldValue,
onValueChange: (TextFieldValue) -> Unit,
onSend: () -> Unit,
- onSendVoiceNote: (String?, String?, String) -> Unit,
- onSendImageNote: (String?, String?, String) -> Unit,
- onSendFileNote: (String?, String?, String) -> Unit,
selectedPrivatePeer: String?,
currentChannel: String?,
nickname: String,
@@ -175,22 +165,16 @@ fun MessageInput(
val colorScheme = MaterialTheme.colorScheme
val isFocused = remember { mutableStateOf(false) }
val hasText = value.text.isNotBlank() // Check if there's text for send button state
- val keyboard = LocalSoftwareKeyboardController.current
- val focusRequester = remember { FocusRequester() }
- var isRecording by remember { mutableStateOf(false) }
- var elapsedMs by remember { mutableStateOf(0L) }
- var amplitude by remember { mutableStateOf(0) }
-
+
Row(
modifier = modifier.padding(horizontal = 12.dp, vertical = 8.dp), // Reduced padding
verticalAlignment = Alignment.CenterVertically,
horizontalArrangement = Arrangement.spacedBy(8.dp)
) {
- // Text input with placeholder OR visualizer when recording
+ // Text input with placeholder
Box(
modifier = Modifier.weight(1f)
) {
- // Always keep the text field mounted to retain focus and avoid IME collapse
BasicTextField(
value = value,
onValueChange = onValueChange,
@@ -198,7 +182,7 @@ fun MessageInput(
color = colorScheme.primary,
fontFamily = FontFamily.Monospace
),
- cursorBrush = SolidColor(if (isRecording) Color.Transparent else colorScheme.primary),
+ cursorBrush = SolidColor(colorScheme.primary),
keyboardOptions = KeyboardOptions(imeAction = ImeAction.Send),
keyboardActions = KeyboardActions(onSend = {
if (hasText) onSend() // Only send if there's text
@@ -208,14 +192,13 @@ fun MessageInput(
),
modifier = Modifier
.fillMaxWidth()
- .focusRequester(focusRequester)
.onFocusChanged { focusState ->
isFocused.value = focusState.isFocused
}
)
-
- // Show placeholder when there's no text and not recording
- if (value.text.isEmpty() && !isRecording) {
+
+ // Show placeholder when there's no text
+ if (value.text.isEmpty()) {
Text(
text = "type a message...",
style = MaterialTheme.typography.bodyMedium.copy(
@@ -225,94 +208,23 @@ fun MessageInput(
modifier = Modifier.fillMaxWidth()
)
}
-
- // Overlay the real-time scrolling waveform while recording
- if (isRecording) {
- Row(verticalAlignment = Alignment.CenterVertically, modifier = Modifier.fillMaxWidth()) {
- RealtimeScrollingWaveform(
- modifier = Modifier.weight(1f).height(32.dp),
- amplitudeNorm = normalizeAmplitudeSample(amplitude)
- )
- Spacer(Modifier.width(20.dp))
- val secs = (elapsedMs / 1000).toInt()
- val mm = secs / 60
- val ss = secs % 60
- val maxSecs = 10 // 10 second max recording time
- val maxMm = maxSecs / 60
- val maxSs = maxSecs % 60
- Text(
- text = String.format("%02d:%02d / %02d:%02d", mm, ss, maxMm, maxSs),
- fontFamily = FontFamily.Monospace,
- color = colorScheme.primary,
- fontSize = (BASE_FONT_SIZE - 4).sp
- )
- }
- }
}
Spacer(modifier = Modifier.width(8.dp)) // Reduced spacing
- // Voice and image buttons when no text (always visible for mesh + channels + private)
+ // Command quick access button
if (value.text.isEmpty()) {
- // Hold-to-record microphone
- val bg = if (colorScheme.background == Color.Black) Color(0xFF00FF00).copy(alpha = 0.75f) else Color(0xFF008000).copy(alpha = 0.75f)
-
- // Ensure latest values are used when finishing recording
- val latestSelectedPeer = rememberUpdatedState(selectedPrivatePeer)
- val latestChannel = rememberUpdatedState(currentChannel)
- val latestOnSendVoiceNote = rememberUpdatedState(onSendVoiceNote)
-
- // Image button (image picker) - hide during recording
- if (!isRecording) {
- // Revert to original separate buttons: round File button (left) and the old Image plus button (right)
- Row(horizontalArrangement = Arrangement.spacedBy(6.dp), verticalAlignment = Alignment.CenterVertically) {
- // DISABLE FILE PICKER
- //FilePickerButton(
- // onFileReady = { path ->
- // onSendFileNote(latestSelectedPeer.value, latestChannel.value, path)
- // }
- //)
- ImagePickerButton(
- onImageReady = { outPath ->
- onSendImageNote(latestSelectedPeer.value, latestChannel.value, outPath)
- }
- )
- }
- }
-
- Spacer(Modifier.width(1.dp))
-
- VoiceRecordButton(
- backgroundColor = bg,
- onStart = {
- isRecording = true
- elapsedMs = 0L
- // Keep existing focus to avoid IME collapse, but do not force-show keyboard
- if (isFocused.value) {
- try { focusRequester.requestFocus() } catch (_: Exception) {}
- }
- },
- onAmplitude = { amp, ms ->
- amplitude = amp
- elapsedMs = ms
+ FilledTonalIconButton(
+ onClick = {
+ onValueChange(TextFieldValue(text = "/", selection = TextRange("/".length)))
},
- onFinish = { path ->
- isRecording = false
- // Extract and cache waveform from the actual audio file to match receiver rendering
- AudioWaveformExtractor.extractAsync(path, sampleCount = 120) { arr ->
- if (arr != null) {
- try { com.bitchat.android.features.voice.VoiceWaveformCache.put(path, arr) } catch (_: Exception) {}
- }
- }
- // BLE path (private or public) — use latest values to avoid stale captures
- latestOnSendVoiceNote.value(
- latestSelectedPeer.value,
- latestChannel.value,
- path
- )
- }
- )
-
+ modifier = Modifier.size(32.dp)
+ ) {
+ Text(
+ text = "/",
+ textAlign = TextAlign.Center
+ )
+ }
} else {
// Send button with enabled/disabled state
IconButton(
@@ -360,8 +272,6 @@ fun MessageInput(
}
}
}
-
- // Auto-stop handled inside VoiceRecordButton
}
@Composable
diff --git a/app/src/main/java/com/bitchat/android/ui/LocationChannelsSheet.kt b/app/src/main/java/com/bitchat/android/ui/LocationChannelsSheet.kt
index fd8ad1eb7..e21dd8f5c 100644
--- a/app/src/main/java/com/bitchat/android/ui/LocationChannelsSheet.kt
+++ b/app/src/main/java/com/bitchat/android/ui/LocationChannelsSheet.kt
@@ -3,20 +3,17 @@ package com.bitchat.android.ui
import android.content.Intent
import android.net.Uri
import android.provider.Settings
-import androidx.compose.animation.core.animateFloatAsState
-import androidx.compose.foundation.background
import androidx.compose.foundation.layout.*
import androidx.compose.foundation.lazy.LazyColumn
+import androidx.compose.foundation.lazy.LazyListState
import androidx.compose.foundation.lazy.items
import androidx.compose.foundation.lazy.rememberLazyListState
import androidx.compose.foundation.text.BasicTextField
import androidx.compose.material.icons.Icons
-import androidx.compose.material.icons.filled.Bookmark
-import androidx.compose.material.icons.filled.Check
import androidx.compose.material.icons.filled.Map
import androidx.compose.material.icons.filled.PinDrop
-import androidx.compose.material.icons.outlined.BookmarkBorder
import androidx.compose.material3.*
+import androidx.compose.ui.text.font.FontWeight
import androidx.compose.runtime.*
import androidx.compose.runtime.livedata.observeAsState
import androidx.compose.ui.Alignment
@@ -25,18 +22,17 @@ import androidx.compose.ui.focus.onFocusChanged
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.platform.LocalContext
import androidx.compose.ui.text.font.FontFamily
-import androidx.compose.ui.text.font.FontWeight
import androidx.compose.ui.unit.dp
import androidx.compose.ui.unit.sp
-import androidx.activity.compose.rememberLauncherForActivityResult
-import androidx.activity.result.contract.ActivityResultContracts
-import com.bitchat.android.geohash.ChannelID
+import com.bitchat.android.ui.theme.BASE_FONT_SIZE
import kotlinx.coroutines.launch
+import com.bitchat.android.geohash.ChannelID
import com.bitchat.android.geohash.GeohashChannel
import com.bitchat.android.geohash.GeohashChannelLevel
import com.bitchat.android.geohash.LocationChannelManager
-import com.bitchat.android.geohash.GeohashBookmarksStore
-import com.bitchat.android.ui.theme.BASE_FONT_SIZE
+import java.util.*
+import androidx.activity.compose.rememberLauncherForActivityResult
+import androidx.activity.result.contract.ActivityResultContracts
/**
* Location Channels Sheet for selecting geohash-based location channels
@@ -52,45 +48,32 @@ fun LocationChannelsSheet(
) {
val context = LocalContext.current
val locationManager = LocationChannelManager.getInstance(context)
- val bookmarksStore = remember { GeohashBookmarksStore.getInstance(context) }
-
+
// Observe location manager state
val permissionState by locationManager.permissionState.observeAsState()
val availableChannels by locationManager.availableChannels.observeAsState(emptyList())
val selectedChannel by locationManager.selectedChannel.observeAsState()
+ val teleported by locationManager.teleported.observeAsState(false)
val locationNames by locationManager.locationNames.observeAsState(emptyMap())
val locationServicesEnabled by locationManager.locationServicesEnabled.observeAsState(false)
-
- // Observe bookmarks state
- val bookmarks by bookmarksStore.bookmarks.observeAsState(emptyList())
- val bookmarkNames by bookmarksStore.bookmarkNames.observeAsState(emptyMap())
-
- // Observe reactive participant counts
+
+ // CRITICAL FIX: Observe reactive participant counts for real-time updates
val geohashParticipantCounts by viewModel.geohashParticipantCounts.observeAsState(emptyMap())
-
+
// UI state
var customGeohash by remember { mutableStateOf("") }
var customError by remember { mutableStateOf(null) }
var isInputFocused by remember { mutableStateOf(false) }
-
+
// Bottom sheet state
val sheetState = rememberModalBottomSheetState(
- skipPartiallyExpanded = true
+ skipPartiallyExpanded = isInputFocused
)
val coroutineScope = rememberCoroutineScope()
-
- // Scroll state for LazyColumn with animated top bar
+
+ // Scroll state for LazyColumn
val listState = rememberLazyListState()
- val isScrolled by remember {
- derivedStateOf {
- listState.firstVisibleItemIndex > 0 || listState.firstVisibleItemScrollOffset > 0
- }
- }
- val topBarAlpha by animateFloatAsState(
- targetValue = if (isScrolled) 0.95f else 0f,
- label = "topBarAlpha"
- )
-
+
val mapPickerLauncher = rememberLauncherForActivityResult(
contract = ActivityResultContracts.StartActivityForResult()
) { result ->
@@ -102,148 +85,139 @@ fun LocationChannelsSheet(
}
}
}
-
+
// iOS system colors (matches iOS exactly)
val colorScheme = MaterialTheme.colorScheme
val isDark = colorScheme.background.red + colorScheme.background.green + colorScheme.background.blue < 1.5f
val standardGreen = if (isDark) Color(0xFF32D74B) else Color(0xFF248A3D) // iOS green
val standardBlue = Color(0xFF007AFF) // iOS blue
-
+
if (isPresented) {
ModalBottomSheet(
- modifier = modifier.statusBarsPadding(),
onDismissRequest = onDismiss,
sheetState = sheetState,
- containerColor = MaterialTheme.colorScheme.background,
- dragHandle = null
+ modifier = modifier
) {
- Box(modifier = Modifier.fillMaxWidth()) {
- LazyColumn(
- state = listState,
- modifier = Modifier.fillMaxSize(),
- contentPadding = PaddingValues(top = 48.dp, bottom = 16.dp)
- ) {
- // Header Section
- item(key = "header") {
- Column(
- modifier = Modifier
- .fillMaxWidth()
- .padding(horizontal = 24.dp)
- .padding(bottom = 8.dp),
- verticalArrangement = Arrangement.spacedBy(4.dp)
- ) {
- Text(
- text = "#location channels",
- style = MaterialTheme.typography.headlineSmall,
- fontFamily = FontFamily.Monospace,
- fontWeight = FontWeight.Bold,
- color = MaterialTheme.colorScheme.onBackground
- )
-
- Text(
- text = "chat with people near you using geohash channels. only a coarse geohash is shared, never exact gps. do not screenshot or share this screen to protect your privacy.",
- fontSize = 12.sp,
- fontFamily = FontFamily.Monospace,
- color = MaterialTheme.colorScheme.onBackground.copy(alpha = 0.7f)
- )
+ Column(
+ modifier = Modifier
+ .fillMaxWidth()
+ .then(
+ if (isInputFocused) {
+ Modifier.fillMaxHeight().padding(horizontal = 16.dp, vertical = 24.dp)
+ } else {
+ Modifier.padding(horizontal = 16.dp, vertical = 12.dp)
}
- }
-
- // Permission controls if services enabled
- if (locationServicesEnabled) {
- item(key = "permissions") {
- Column(
- modifier = Modifier
- .fillMaxWidth()
- .padding(horizontal = 24.dp)
- .padding(bottom = 8.dp),
- verticalArrangement = Arrangement.spacedBy(4.dp)
+ ),
+ verticalArrangement = Arrangement.spacedBy(12.dp)
+ ) {
+ // Header
+ Text(
+ text = "#location channels",
+ fontSize = 18.sp,
+ fontFamily = FontFamily.Monospace,
+ color = MaterialTheme.colorScheme.onSurface
+ )
+
+ Text(
+ text = "chat with people near you using geohash channels. only a coarse geohash is shared, never exact gps. do not screenshot or share this screen to protect your privacy.",
+ fontSize = 12.sp,
+ fontFamily = FontFamily.Monospace,
+ color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.7f)
+ )
+
+ // Location Services Control - Show permission handling if enabled
+ if (locationServicesEnabled) {
+ when (permissionState) {
+ LocationChannelManager.PermissionState.NOT_DETERMINED -> {
+ Button(
+ onClick = { locationManager.enableLocationChannels() },
+ colors = ButtonDefaults.buttonColors(
+ containerColor = standardGreen.copy(alpha = 0.12f),
+ contentColor = standardGreen
+ ),
+ modifier = Modifier.fillMaxWidth()
) {
- when (permissionState) {
- LocationChannelManager.PermissionState.NOT_DETERMINED -> {
- Button(
- onClick = { locationManager.enableLocationChannels() },
- colors = ButtonDefaults.buttonColors(
- containerColor = standardGreen.copy(alpha = 0.12f),
- contentColor = standardGreen
- ),
- modifier = Modifier.fillMaxWidth()
- ) {
- Text(
- text = "grant location permission",
- fontSize = 12.sp,
- fontFamily = FontFamily.Monospace
- )
- }
- }
- LocationChannelManager.PermissionState.DENIED,
- LocationChannelManager.PermissionState.RESTRICTED -> {
- Column(verticalArrangement = Arrangement.spacedBy(4.dp)) {
- Text(
- text = "location permission denied. enable in settings to use location channels.",
- fontSize = 11.sp,
- fontFamily = FontFamily.Monospace,
- color = Color.Red.copy(alpha = 0.8f)
- )
- TextButton(
- onClick = {
- val intent = Intent(Settings.ACTION_APPLICATION_DETAILS_SETTINGS).apply {
- data = Uri.fromParts("package", context.packageName, null)
- }
- context.startActivity(intent)
- }
- ) {
- Text(
- text = "open settings",
- fontSize = 11.sp,
- fontFamily = FontFamily.Monospace
- )
- }
- }
- }
- LocationChannelManager.PermissionState.AUTHORIZED -> {
- Text(
- text = "✓ location permission granted",
- fontSize = 11.sp,
- fontFamily = FontFamily.Monospace,
- color = standardGreen
- )
- }
- null -> {
- Row(
- horizontalArrangement = Arrangement.spacedBy(4.dp),
- verticalAlignment = Alignment.CenterVertically
- ) {
- CircularProgressIndicator(modifier = Modifier.size(12.dp))
- Text(
- text = "checking permissions...",
- fontSize = 11.sp,
- fontFamily = FontFamily.Monospace,
- color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.7f)
- )
+ Text(
+ text = "grant location permission",
+ fontSize = 12.sp,
+ fontFamily = FontFamily.Monospace
+ )
+ }
+ }
+
+ LocationChannelManager.PermissionState.DENIED,
+ LocationChannelManager.PermissionState.RESTRICTED -> {
+ Column(verticalArrangement = Arrangement.spacedBy(8.dp)) {
+ Text(
+ text = "location permission denied. enable in settings to use location channels.",
+ fontSize = 11.sp,
+ fontFamily = FontFamily.Monospace,
+ color = Color.Red.copy(alpha = 0.8f)
+ )
+
+ TextButton(
+ onClick = {
+ val intent = Intent(Settings.ACTION_APPLICATION_DETAILS_SETTINGS).apply {
+ data = Uri.fromParts("package", context.packageName, null)
}
+ context.startActivity(intent)
}
+ ) {
+ Text(
+ text = "open settings",
+ fontSize = 11.sp,
+ fontFamily = FontFamily.Monospace
+ )
}
}
}
+
+ LocationChannelManager.PermissionState.AUTHORIZED -> {
+ Text(
+ text = "✓ location permission granted",
+ fontSize = 11.sp,
+ fontFamily = FontFamily.Monospace,
+ color = standardGreen
+ )
+ }
+
+ null -> {
+ Row(
+ horizontalArrangement = Arrangement.spacedBy(8.dp),
+ verticalAlignment = Alignment.CenterVertically
+ ) {
+ CircularProgressIndicator(modifier = Modifier.size(12.dp))
+ Text(
+ text = "checking permissions...",
+ fontSize = 11.sp,
+ fontFamily = FontFamily.Monospace,
+ color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.7f)
+ )
+ }
+ }
}
-
+ }
+
+ // Channel list (iOS-style plain list)
+ LazyColumn(
+ state = listState,
+ modifier = Modifier.weight(1f)
+ ) {
// Mesh option first
- item(key = "mesh") {
+ item {
ChannelRow(
title = meshTitleWithCount(viewModel),
subtitle = "#bluetooth • ${bluetoothRangeString()}",
isSelected = selectedChannel is ChannelID.Mesh,
titleColor = standardBlue,
titleBold = meshCount(viewModel) > 0,
- trailingContent = null,
onClick = {
locationManager.select(ChannelID.Mesh)
onDismiss()
}
)
}
-
+
// Nearby options (only show if location services are enabled)
if (availableChannels.isNotEmpty() && locationServicesEnabled) {
items(availableChannels) { channel ->
@@ -251,25 +225,16 @@ fun LocationChannelsSheet(
val nameBase = locationNames[channel.level]
val namePart = nameBase?.let { formattedNamePrefix(channel.level) + it }
val subtitlePrefix = "#${channel.geohash} • $coverage"
+ // CRITICAL FIX: Use reactive participant count from LiveData
val participantCount = geohashParticipantCounts[channel.geohash] ?: 0
val highlight = participantCount > 0
- val isBookmarked = bookmarksStore.isBookmarked(channel.geohash)
-
+
ChannelRow(
title = geohashTitleWithCount(channel, participantCount),
subtitle = subtitlePrefix + (namePart?.let { " • $it" } ?: ""),
isSelected = isChannelSelected(channel, selectedChannel),
titleColor = standardGreen,
titleBold = highlight,
- trailingContent = {
- IconButton(onClick = { bookmarksStore.toggle(channel.geohash) }) {
- Icon(
- imageVector = if (isBookmarked) Icons.Filled.Bookmark else Icons.Outlined.BookmarkBorder,
- contentDescription = if (isBookmarked) "Unbookmark" else "Bookmark",
- tint = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.8f),
- )
- }
- },
onClick = {
// Selecting a suggested nearby channel is not a teleport
locationManager.setTeleported(false)
@@ -281,7 +246,7 @@ fun LocationChannelsSheet(
} else if (permissionState == LocationChannelManager.PermissionState.AUTHORIZED && locationServicesEnabled) {
item {
Row(
- horizontalArrangement = Arrangement.spacedBy(4.dp),
+ horizontalArrangement = Arrangement.spacedBy(8.dp),
verticalAlignment = Alignment.CenterVertically
) {
CircularProgressIndicator(modifier = Modifier.size(16.dp))
@@ -293,311 +258,229 @@ fun LocationChannelsSheet(
}
}
}
-
- // Bookmarked geohashes
- if (bookmarks.isNotEmpty()) {
- item(key = "bookmarked_header") {
- Text(
- text = "bookmarked",
- style = MaterialTheme.typography.labelLarge,
- fontFamily = FontFamily.Monospace,
- color = MaterialTheme.colorScheme.onBackground.copy(alpha = 0.7f),
- modifier = Modifier
- .fillMaxWidth()
- .padding(horizontal = 24.dp)
- .padding(top = 8.dp, bottom = 4.dp)
- )
- }
- items(bookmarks) { gh ->
- val level = levelForLength(gh.length)
- val channel = GeohashChannel(level = level, geohash = gh)
- val coverage = coverageString(gh.length)
- val subtitlePrefix = "#${gh} • $coverage"
- val name = bookmarkNames[gh]
- val subtitle = subtitlePrefix + (name?.let { " • ${formattedNamePrefix(level)}$it" } ?: "")
- val participantCount = geohashParticipantCounts[gh] ?: 0
- val title = geohashHashTitleWithCount(gh, participantCount)
-
- ChannelRow(
- title = title,
- subtitle = subtitle,
- isSelected = isChannelSelected(channel, selectedChannel),
- titleColor = null,
- titleBold = participantCount > 0,
- trailingContent = {
- IconButton(onClick = { bookmarksStore.toggle(gh) }) {
- Icon(
- imageVector = Icons.Filled.Bookmark,
- contentDescription = "Remove bookmark",
- tint = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.8f),
- )
- }
- },
- onClick = {
- // For bookmarked selection, mark teleported based on regional membership
- val inRegional = availableChannels.any { it.geohash == gh }
- if (!inRegional && availableChannels.isNotEmpty()) {
- locationManager.setTeleported(true)
- } else {
- locationManager.setTeleported(false)
- }
- locationManager.select(ChannelID.Location(channel))
- onDismiss()
- }
- )
- LaunchedEffect(gh) { bookmarksStore.resolveNameIfNeeded(gh) }
- }
- }
-
+
// Custom geohash teleport (iOS-style inline form)
- item(key = "custom_geohash") {
+ item {
Surface(
- color = Color.Transparent,
- shape = MaterialTheme.shapes.medium,
modifier = Modifier
.fillMaxWidth()
- .padding(horizontal = 24.dp, vertical = 2.dp)
+ .padding(horizontal = 16.dp, vertical = 6.dp),
+ color = Color.Transparent
) {
- Row(
- modifier = Modifier
- .fillMaxWidth()
- .padding(horizontal = 16.dp, vertical = 6.dp),
- horizontalArrangement = Arrangement.spacedBy(8.dp),
- verticalAlignment = Alignment.CenterVertically
- ) {
- Text(
- text = "#",
- fontSize = BASE_FONT_SIZE.sp,
- fontFamily = FontFamily.Monospace,
- color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.6f)
- )
-
- BasicTextField(
- value = customGeohash,
- onValueChange = { newValue ->
- // iOS-style geohash validation (base32 characters only)
- val allowed = "0123456789bcdefghjkmnpqrstuvwxyz".toSet()
- val filtered = newValue
- .lowercase()
- .replace("#", "")
- .filter { it in allowed }
- .take(12)
-
- customGeohash = filtered
- customError = null
- },
- textStyle = androidx.compose.ui.text.TextStyle(
+ Column(verticalArrangement = Arrangement.spacedBy(6.dp)) {
+ Row(
+ horizontalArrangement = Arrangement.spacedBy(1.dp),
+ verticalAlignment = Alignment.CenterVertically
+ ) {
+ Text(
+ text = "#",
fontSize = BASE_FONT_SIZE.sp,
fontFamily = FontFamily.Monospace,
- color = MaterialTheme.colorScheme.onSurface
- ),
- modifier = Modifier
- .weight(1f)
- .onFocusChanged { focusState ->
- isInputFocused = focusState.isFocused
- if (focusState.isFocused) {
- coroutineScope.launch {
- sheetState.expand()
- // Scroll to bottom to show input and remove button
- listState.animateScrollToItem(
- index = listState.layoutInfo.totalItemsCount - 1
- )
+ color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.6f)
+ )
+
+ BasicTextField(
+ value = customGeohash,
+ onValueChange = { newValue ->
+ // iOS-style geohash validation (base32 characters only)
+ val allowed = "0123456789bcdefghjkmnpqrstuvwxyz".toSet()
+ val filtered = newValue
+ .lowercase()
+ .replace("#", "")
+ .filter { it in allowed }
+ .take(12)
+
+ customGeohash = filtered
+ customError = null
+ },
+ textStyle = androidx.compose.ui.text.TextStyle(
+ fontSize = BASE_FONT_SIZE.sp,
+ fontFamily = FontFamily.Monospace,
+ color = MaterialTheme.colorScheme.onSurface
+ ),
+ modifier = Modifier
+ .weight(1f)
+ .onFocusChanged { focusState ->
+ isInputFocused = focusState.isFocused
+ if (focusState.isFocused) {
+ coroutineScope.launch {
+ sheetState.expand()
+ // Scroll to bottom to show input and remove button
+ listState.animateScrollToItem(
+ index = listState.layoutInfo.totalItemsCount - 1
+ )
+ }
}
+ },
+ singleLine = true,
+ decorationBox = { innerTextField ->
+ if (customGeohash.isEmpty()) {
+ Text(
+ text = "geohash",
+ fontSize = BASE_FONT_SIZE.sp,
+ fontFamily = FontFamily.Monospace,
+ color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.4f)
+ )
+ }
+ innerTextField()
+ }
+ )
+
+ val normalized = customGeohash.trim().lowercase().replace("#", "")
+
+ // Map picker button
+ IconButton(onClick = {
+ val initial = when {
+ normalized.isNotBlank() -> normalized
+ selectedChannel is ChannelID.Location -> (selectedChannel as ChannelID.Location).channel.geohash
+ else -> ""
+ }
+ val intent = Intent(context, GeohashPickerActivity::class.java).apply {
+ putExtra(GeohashPickerActivity.EXTRA_INITIAL_GEOHASH, initial)
+ }
+ mapPickerLauncher.launch(intent)
+ }) {
+ Icon(
+ imageVector = Icons.Filled.Map,
+ contentDescription = "Open map",
+ tint = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.8f)
+ )
+ }
+
+ val isValid = validateGeohash(normalized)
+
+ // iOS-style teleport button
+ Button(
+ onClick = {
+ if (isValid) {
+ val level = levelForLength(normalized.length)
+ val channel = GeohashChannel(level = level, geohash = normalized)
+ // Mark this selection as a manual teleport
+ locationManager.setTeleported(true)
+ locationManager.select(ChannelID.Location(channel))
+ onDismiss()
+ } else {
+ customError = "invalid geohash"
}
},
- singleLine = true,
- decorationBox = { innerTextField ->
- if (customGeohash.isEmpty()) {
+ enabled = isValid,
+ colors = ButtonDefaults.buttonColors(
+ containerColor = MaterialTheme.colorScheme.secondary.copy(alpha = 0.12f),
+ contentColor = MaterialTheme.colorScheme.onSurface
+ )
+ ) {
+ Row(
+ horizontalArrangement = Arrangement.spacedBy(6.dp),
+ verticalAlignment = Alignment.CenterVertically
+ ) {
Text(
- text = "geohash",
+ text = "teleport",
fontSize = BASE_FONT_SIZE.sp,
- fontFamily = FontFamily.Monospace,
- color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.4f)
+ fontFamily = FontFamily.Monospace
+ )
+ // iOS has a face.dashed icon, use closest Material equivalent
+ Icon(
+ imageVector = Icons.Filled.PinDrop,
+ contentDescription = "Teleport",
+ modifier = Modifier.size(14.dp),
+ tint = MaterialTheme.colorScheme.onSurface
)
}
- innerTextField()
}
- )
-
- val normalized = customGeohash.trim().lowercase().replace("#", "")
-
- // Map picker button
- IconButton(onClick = {
- val initial = when {
- normalized.isNotBlank() -> normalized
- selectedChannel is ChannelID.Location -> (selectedChannel as ChannelID.Location).channel.geohash
- else -> ""
- }
- val intent = Intent(context, GeohashPickerActivity::class.java).apply {
- putExtra(GeohashPickerActivity.EXTRA_INITIAL_GEOHASH, initial)
- }
- mapPickerLauncher.launch(intent)
- }) {
- Icon(
- imageVector = Icons.Filled.Map,
- contentDescription = "Open map",
- tint = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.8f)
- )
}
-
- val isValid = validateGeohash(normalized)
-
- // iOS-style teleport button
- Button(
- onClick = {
- if (isValid) {
- val level = levelForLength(normalized.length)
- val channel = GeohashChannel(level = level, geohash = normalized)
- // Mark this selection as a manual teleport
- locationManager.setTeleported(true)
- locationManager.select(ChannelID.Location(channel))
- onDismiss()
- } else {
- customError = "invalid geohash"
- }
- },
- enabled = isValid,
- colors = ButtonDefaults.buttonColors(
- containerColor = MaterialTheme.colorScheme.secondary.copy(alpha = 0.12f),
- contentColor = MaterialTheme.colorScheme.onSurface
+
+ customError?.let { error ->
+ Text(
+ text = error,
+ fontSize = 12.sp,
+ fontFamily = FontFamily.Monospace,
+ color = Color.Red
)
- ) {
- Row(
- horizontalArrangement = Arrangement.spacedBy(4.dp),
- verticalAlignment = Alignment.CenterVertically
- ) {
- Text(
- text = "teleport",
- fontSize = BASE_FONT_SIZE.sp,
- fontFamily = FontFamily.Monospace
- )
- // iOS has a face.dashed icon, use closest Material equivalent
- Icon(
- imageVector = Icons.Filled.PinDrop,
- contentDescription = "Teleport",
- modifier = Modifier.size(14.dp),
- tint = MaterialTheme.colorScheme.onSurface
- )
- }
}
}
}
}
-
- // Error message for custom geohash
- if (customError != null) {
- item(key = "geohash_error") {
- Text(
- text = customError!!,
- fontSize = 12.sp,
- fontFamily = FontFamily.Monospace,
- color = Color.Red,
- modifier = Modifier
- .fillMaxWidth()
- .padding(horizontal = 24.dp)
- )
- }
- }
-
+
// Location services toggle button
- item(key = "location_toggle") {
- Column(
- modifier = Modifier
- .fillMaxWidth()
- .padding(horizontal = 24.dp)
- .padding(top = 8.dp)
+ item {
+ Button(
+ onClick = {
+ if (locationServicesEnabled) {
+ locationManager.disableLocationServices()
+ } else {
+ locationManager.enableLocationServices()
+ }
+ },
+ colors = ButtonDefaults.buttonColors(
+ containerColor = if (locationServicesEnabled) {
+ Color.Red.copy(alpha = 0.08f)
+ } else {
+ standardGreen.copy(alpha = 0.12f)
+ },
+ contentColor = if (locationServicesEnabled) {
+ Color(0xFFBF1A1A)
+ } else {
+ standardGreen
+ }
+ ),
+ modifier = Modifier.fillMaxWidth()
) {
- Button(
- onClick = {
- if (locationServicesEnabled) {
- locationManager.disableLocationServices()
- } else {
- locationManager.enableLocationServices()
- }
+ Text(
+ text = if (locationServicesEnabled) {
+ "disable location services"
+ } else {
+ "enable location services"
},
- colors = ButtonDefaults.buttonColors(
- containerColor = if (locationServicesEnabled) {
- Color.Red.copy(alpha = 0.08f)
- } else {
- standardGreen.copy(alpha = 0.12f)
- },
- contentColor = if (locationServicesEnabled) {
- Color(0xFFBF1A1A)
- } else {
- standardGreen
- }
- ),
- modifier = Modifier.fillMaxWidth()
- ) {
- Text(
- text = if (locationServicesEnabled) {
- "disable location services"
- } else {
- "enable location services"
- },
- fontSize = 12.sp,
- fontFamily = FontFamily.Monospace
- )
- }
+ fontSize = 12.sp,
+ fontFamily = FontFamily.Monospace
+ )
}
}
}
-
- // TopBar (animated)
- Box(
- modifier = Modifier
- .align(Alignment.TopCenter)
- .fillMaxWidth()
- .height(56.dp)
- .background(MaterialTheme.colorScheme.background.copy(alpha = topBarAlpha))
- ) {
- TextButton(
- onClick = onDismiss,
- modifier = Modifier
- .align(Alignment.CenterEnd)
- .padding(horizontal = 16.dp)
- ) {
- Text(
- text = "Close",
- style = MaterialTheme.typography.labelMedium.copy(fontWeight = FontWeight.Bold),
- color = MaterialTheme.colorScheme.onBackground
- )
- }
- }
}
}
}
-
- // Lifecycle management: when presented, sample both nearby and bookmarked geohashes
- LaunchedEffect(isPresented, availableChannels, bookmarks) {
+
+ // Lifecycle management
+ LaunchedEffect(isPresented) {
if (isPresented) {
+ // Refresh channels when opening (only if location services are enabled)
if (permissionState == LocationChannelManager.PermissionState.AUTHORIZED && locationServicesEnabled) {
locationManager.refreshChannels()
}
+ // Begin periodic refresh while sheet is open (only if location services are enabled)
if (locationServicesEnabled) {
locationManager.beginLiveRefresh()
}
- val geohashes = (availableChannels.map { it.geohash } + bookmarks).toSet().toList()
+
+ // Begin multi-channel sampling for counts
+ val geohashes = availableChannels.map { it.geohash }
viewModel.beginGeohashSampling(geohashes)
} else {
locationManager.endLiveRefresh()
viewModel.endGeohashSampling()
}
}
-
+
// React to permission changes
LaunchedEffect(permissionState) {
if (permissionState == LocationChannelManager.PermissionState.AUTHORIZED && locationServicesEnabled) {
locationManager.refreshChannels()
}
}
-
+
// React to location services enable/disable
LaunchedEffect(locationServicesEnabled) {
if (locationServicesEnabled && permissionState == LocationChannelManager.PermissionState.AUTHORIZED) {
locationManager.refreshChannels()
}
}
+
+ // React to available channels changes
+ LaunchedEffect(availableChannels) {
+ val geohashes = availableChannels.map { it.geohash }
+ viewModel.beginGeohashSampling(geohashes)
+ }
}
@Composable
@@ -607,7 +490,6 @@ private fun ChannelRow(
isSelected: Boolean,
titleColor: Color? = null,
titleBold: Boolean = false,
- trailingContent: (@Composable (() -> Unit))? = null,
onClick: () -> Unit
) {
// iOS-style list row (plain button, no card background)
@@ -619,24 +501,22 @@ private fun ChannelRow(
Color.Transparent
},
shape = MaterialTheme.shapes.medium,
- modifier = Modifier
- .fillMaxWidth()
- .padding(horizontal = 24.dp, vertical = 2.dp)
+ modifier = Modifier.fillMaxWidth()
) {
Row(
modifier = Modifier
.fillMaxWidth()
- .padding(horizontal = 16.dp, vertical = 6.dp),
+ .padding(horizontal = 16.dp, vertical = 12.dp),
horizontalArrangement = Arrangement.SpaceBetween,
verticalAlignment = Alignment.CenterVertically
) {
Column(
modifier = Modifier.weight(1f),
- verticalArrangement = Arrangement.spacedBy(2.dp)
+ verticalArrangement = Arrangement.spacedBy(4.dp)
) {
// Split title to handle count part with smaller font (iOS style)
val (baseTitle, countSuffix) = splitTitleAndCount(title)
-
+
Row(horizontalArrangement = Arrangement.spacedBy(4.dp)) {
Text(
text = baseTitle,
@@ -645,7 +525,7 @@ private fun ChannelRow(
fontWeight = if (titleBold) FontWeight.Bold else FontWeight.Normal,
color = titleColor ?: MaterialTheme.colorScheme.onSurface
)
-
+
countSuffix?.let { count ->
Text(
text = count,
@@ -655,7 +535,7 @@ private fun ChannelRow(
)
}
}
-
+
Text(
text = subtitle,
fontSize = 12.sp,
@@ -663,20 +543,14 @@ private fun ChannelRow(
color = MaterialTheme.colorScheme.onSurface.copy(alpha = 0.6f)
)
}
-
- Row(verticalAlignment = Alignment.CenterVertically) {
- if (isSelected) {
- Icon(
- imageVector = Icons.Filled.Check,
- contentDescription = "Selected",
- tint = Color(0xFF32D74B), // iOS green for checkmark
- modifier = Modifier.size(20.dp)
- )
- }
-
- if (trailingContent != null) {
- trailingContent()
- }
+
+ if (isSelected) {
+ Text(
+ text = "✔︎",
+ fontSize = 16.sp,
+ fontFamily = FontFamily.Monospace,
+ color = Color(0xFF32D74B) // iOS green for checkmark
+ )
}
}
}
@@ -713,11 +587,6 @@ private fun geohashTitleWithCount(channel: GeohashChannel, participantCount: Int
return "${channel.level.displayName.lowercase()} [$participantCount $noun]"
}
-private fun geohashHashTitleWithCount(geohash: String, participantCount: Int): String {
- val noun = if (participantCount == 1) "person" else "people"
- return "#$geohash [$participantCount $noun]"
-}
-
private fun isChannelSelected(channel: GeohashChannel, selectedChannel: ChannelID?): Boolean {
return when (selectedChannel) {
is ChannelID.Location -> selectedChannel.channel == channel
@@ -756,7 +625,7 @@ private fun coverageString(precision: Int): String {
10 -> 1.19
else -> if (precision <= 1) 5_000_000.0 else 1.19 * Math.pow(0.25, (precision - 10).toDouble())
}
-
+
// Use metric system for simplicity (could be made locale-aware)
val km = maxMeters / 1000.0
return "~${formatDistance(km)} km"
@@ -776,5 +645,9 @@ private fun bluetoothRangeString(): String {
}
private fun formattedNamePrefix(level: GeohashChannelLevel): String {
+// return when (level) {
+// GeohashChannelLevel.REGION -> ""
+// else -> "~"
+// }
return "~"
}
diff --git a/app/src/main/java/com/bitchat/android/ui/MatrixEncryptionAnimation.kt b/app/src/main/java/com/bitchat/android/ui/MatrixEncryptionAnimation.kt
index 1ea59444c..97f5df24d 100644
--- a/app/src/main/java/com/bitchat/android/ui/MatrixEncryptionAnimation.kt
+++ b/app/src/main/java/com/bitchat/android/ui/MatrixEncryptionAnimation.kt
@@ -74,14 +74,12 @@ object PoWMiningTracker {
@Composable
fun MessageWithMatrixAnimation(
message: com.bitchat.android.model.BitchatMessage,
- messages: List = emptyList(),
currentUserNickname: String,
meshService: com.bitchat.android.mesh.BluetoothMeshService,
colorScheme: androidx.compose.material3.ColorScheme,
timeFormatter: java.text.SimpleDateFormat,
onNicknameClick: ((String) -> Unit)?,
onMessageLongPress: ((com.bitchat.android.model.BitchatMessage) -> Unit)?,
- onImageClick: ((String, List, Int) -> Unit)?,
modifier: Modifier = Modifier
) {
val isAnimating = shouldAnimateMessage(message.id)
diff --git a/app/src/main/java/com/bitchat/android/ui/MediaSendingManager.kt b/app/src/main/java/com/bitchat/android/ui/MediaSendingManager.kt
deleted file mode 100644
index e9befa4ef..000000000
--- a/app/src/main/java/com/bitchat/android/ui/MediaSendingManager.kt
+++ /dev/null
@@ -1,329 +0,0 @@
-package com.bitchat.android.ui
-
-import android.util.Log
-import com.bitchat.android.mesh.BluetoothMeshService
-import com.bitchat.android.model.BitchatFilePacket
-import com.bitchat.android.model.BitchatMessage
-import com.bitchat.android.model.BitchatMessageType
-import java.util.Date
-import java.security.MessageDigest
-
-/**
- * Handles media file sending operations (voice notes, images, generic files)
- * Separated from ChatViewModel for better separation of concerns
- */
-class MediaSendingManager(
- private val state: ChatState,
- private val messageManager: MessageManager,
- private val channelManager: ChannelManager,
- private val meshService: BluetoothMeshService
-) {
- companion object {
- private const val TAG = "MediaSendingManager"
- private const val MAX_FILE_SIZE = 50 * 1024 * 1024 // 50MB limit
- }
-
- // Track in-flight transfer progress: transferId -> messageId and reverse
- private val transferMessageMap = mutableMapOf()
- private val messageTransferMap = mutableMapOf()
-
- /**
- * Send a voice note (audio file)
- */
- fun sendVoiceNote(toPeerIDOrNull: String?, channelOrNull: String?, filePath: String) {
- try {
- val file = java.io.File(filePath)
- if (!file.exists()) {
- Log.e(TAG, "❌ File does not exist: $filePath")
- return
- }
- Log.d(TAG, "📁 File exists: size=${file.length()} bytes, name=${file.name}")
-
- if (file.length() > MAX_FILE_SIZE) {
- Log.e(TAG, "❌ File too large: ${file.length()} bytes (max: $MAX_FILE_SIZE)")
- return
- }
-
- val filePacket = BitchatFilePacket(
- fileName = file.name,
- fileSize = file.length(),
- mimeType = "audio/mp4",
- content = file.readBytes()
- )
-
- if (toPeerIDOrNull != null) {
- sendPrivateFile(toPeerIDOrNull, filePacket, filePath, BitchatMessageType.Audio)
- } else {
- sendPublicFile(channelOrNull, filePacket, filePath, BitchatMessageType.Audio)
- }
- } catch (e: Exception) {
- Log.e(TAG, "Failed to send voice note: ${e.message}")
- }
- }
-
- /**
- * Send an image file
- */
- fun sendImageNote(toPeerIDOrNull: String?, channelOrNull: String?, filePath: String) {
- try {
- Log.d(TAG, "🔄 Starting image send: $filePath")
- val file = java.io.File(filePath)
- if (!file.exists()) {
- Log.e(TAG, "❌ File does not exist: $filePath")
- return
- }
- Log.d(TAG, "📁 File exists: size=${file.length()} bytes, name=${file.name}")
-
- if (file.length() > MAX_FILE_SIZE) {
- Log.e(TAG, "❌ File too large: ${file.length()} bytes (max: $MAX_FILE_SIZE)")
- return
- }
-
- val filePacket = BitchatFilePacket(
- fileName = file.name,
- fileSize = file.length(),
- mimeType = "image/jpeg",
- content = file.readBytes()
- )
-
- if (toPeerIDOrNull != null) {
- sendPrivateFile(toPeerIDOrNull, filePacket, filePath, BitchatMessageType.Image)
- } else {
- sendPublicFile(channelOrNull, filePacket, filePath, BitchatMessageType.Image)
- }
- } catch (e: Exception) {
- Log.e(TAG, "❌ CRITICAL: Image send failed completely", e)
- Log.e(TAG, "❌ Image path: $filePath")
- Log.e(TAG, "❌ Error details: ${e.message}")
- Log.e(TAG, "❌ Error type: ${e.javaClass.simpleName}")
- }
- }
-
- /**
- * Send a generic file
- */
- fun sendFileNote(toPeerIDOrNull: String?, channelOrNull: String?, filePath: String) {
- try {
- Log.d(TAG, "🔄 Starting file send: $filePath")
- val file = java.io.File(filePath)
- if (!file.exists()) {
- Log.e(TAG, "❌ File does not exist: $filePath")
- return
- }
- Log.d(TAG, "📁 File exists: size=${file.length()} bytes, name=${file.name}")
-
- if (file.length() > MAX_FILE_SIZE) {
- Log.e(TAG, "❌ File too large: ${file.length()} bytes (max: $MAX_FILE_SIZE)")
- return
- }
-
- // Use the real MIME type based on extension; fallback to octet-stream
- val mimeType = try {
- com.bitchat.android.features.file.FileUtils.getMimeTypeFromExtension(file.name)
- } catch (_: Exception) {
- "application/octet-stream"
- }
- Log.d(TAG, "🏷️ MIME type: $mimeType")
-
- // Try to preserve the original file name if our copier prefixed it earlier
- val originalName = run {
- val name = file.name
- val base = name.substringBeforeLast('.')
- val ext = name.substringAfterLast('.', "").let { if (it.isNotBlank()) ".${it}" else "" }
- val stripped = Regex("^send_\\d+_(.+)$").matchEntire(base)?.groupValues?.getOrNull(1) ?: base
- stripped + ext
- }
- Log.d(TAG, "📝 Original filename: $originalName")
-
- val filePacket = BitchatFilePacket(
- fileName = originalName,
- fileSize = file.length(),
- mimeType = mimeType,
- content = file.readBytes()
- )
- Log.d(TAG, "📦 Created file packet successfully")
-
- val messageType = when {
- mimeType.lowercase().startsWith("image/") -> BitchatMessageType.Image
- mimeType.lowercase().startsWith("audio/") -> BitchatMessageType.Audio
- else -> BitchatMessageType.File
- }
-
- if (toPeerIDOrNull != null) {
- sendPrivateFile(toPeerIDOrNull, filePacket, filePath, messageType)
- } else {
- sendPublicFile(channelOrNull, filePacket, filePath, messageType)
- }
- } catch (e: Exception) {
- Log.e(TAG, "❌ CRITICAL: File send failed completely", e)
- Log.e(TAG, "❌ File path: $filePath")
- Log.e(TAG, "❌ Error details: ${e.message}")
- Log.e(TAG, "❌ Error type: ${e.javaClass.simpleName}")
- }
- }
-
- /**
- * Send a file privately (encrypted)
- */
- private fun sendPrivateFile(
- toPeerID: String,
- filePacket: BitchatFilePacket,
- filePath: String,
- messageType: BitchatMessageType
- ) {
- val payload = filePacket.encode()
- if (payload == null) {
- Log.e(TAG, "❌ Failed to encode file packet for private send")
- return
- }
- Log.d(TAG, "🔒 Encoded private packet: ${payload.size} bytes")
-
- val transferId = sha256Hex(payload)
- val contentHash = sha256Hex(filePacket.content)
-
- Log.d(TAG, "📤 FILE_TRANSFER send (private): name='${filePacket.fileName}', size=${filePacket.fileSize}, mime='${filePacket.mimeType}', sha256=$contentHash, to=${toPeerID.take(8)} transferId=${transferId.take(16)}…")
-
- val msg = BitchatMessage(
- id = java.util.UUID.randomUUID().toString().uppercase(), // Generate unique ID for each message
- sender = state.getNicknameValue() ?: "me",
- content = filePath,
- type = messageType,
- timestamp = Date(),
- isRelay = false,
- isPrivate = true,
- recipientNickname = try { meshService.getPeerNicknames()[toPeerID] } catch (_: Exception) { null },
- senderPeerID = meshService.myPeerID
- )
-
- messageManager.addPrivateMessage(toPeerID, msg)
-
- synchronized(transferMessageMap) {
- transferMessageMap[transferId] = msg.id
- messageTransferMap[msg.id] = transferId
- }
-
- // Seed progress so delivery icons render for media
- messageManager.updateMessageDeliveryStatus(
- msg.id,
- com.bitchat.android.model.DeliveryStatus.PartiallyDelivered(0, 100)
- )
-
- Log.d(TAG, "📤 Calling meshService.sendFilePrivate to $toPeerID")
- meshService.sendFilePrivate(toPeerID, filePacket)
- Log.d(TAG, "✅ File send completed successfully")
- }
-
- /**
- * Send a file publicly (broadcast or channel)
- */
- private fun sendPublicFile(
- channelOrNull: String?,
- filePacket: BitchatFilePacket,
- filePath: String,
- messageType: BitchatMessageType
- ) {
- val payload = filePacket.encode()
- if (payload == null) {
- Log.e(TAG, "❌ Failed to encode file packet for broadcast send")
- return
- }
- Log.d(TAG, "🔓 Encoded broadcast packet: ${payload.size} bytes")
-
- val transferId = sha256Hex(payload)
- val contentHash = sha256Hex(filePacket.content)
-
- Log.d(TAG, "📤 FILE_TRANSFER send (broadcast): name='${filePacket.fileName}', size=${filePacket.fileSize}, mime='${filePacket.mimeType}', sha256=$contentHash, transferId=${transferId.take(16)}…")
-
- val message = BitchatMessage(
- id = java.util.UUID.randomUUID().toString().uppercase(), // Generate unique ID for each message
- sender = state.getNicknameValue() ?: meshService.myPeerID,
- content = filePath,
- type = messageType,
- timestamp = Date(),
- isRelay = false,
- senderPeerID = meshService.myPeerID,
- channel = channelOrNull
- )
-
- if (!channelOrNull.isNullOrBlank()) {
- channelManager.addChannelMessage(channelOrNull, message, meshService.myPeerID)
- } else {
- messageManager.addMessage(message)
- }
-
- synchronized(transferMessageMap) {
- transferMessageMap[transferId] = message.id
- messageTransferMap[message.id] = transferId
- }
-
- // Seed progress so animations start immediately
- messageManager.updateMessageDeliveryStatus(
- message.id,
- com.bitchat.android.model.DeliveryStatus.PartiallyDelivered(0, 100)
- )
-
- Log.d(TAG, "📤 Calling meshService.sendFileBroadcast")
- meshService.sendFileBroadcast(filePacket)
- Log.d(TAG, "✅ File broadcast completed successfully")
- }
-
- /**
- * Cancel a media transfer by message ID
- */
- fun cancelMediaSend(messageId: String) {
- val transferId = synchronized(transferMessageMap) { messageTransferMap[messageId] }
- if (transferId != null) {
- val cancelled = meshService.cancelFileTransfer(transferId)
- if (cancelled) {
- // Remove the message from chat upon explicit cancel
- messageManager.removeMessageById(messageId)
- synchronized(transferMessageMap) {
- transferMessageMap.remove(transferId)
- messageTransferMap.remove(messageId)
- }
- }
- }
- }
-
- /**
- * Update progress for a transfer
- */
- fun updateTransferProgress(transferId: String, messageId: String) {
- synchronized(transferMessageMap) {
- transferMessageMap[transferId] = messageId
- messageTransferMap[messageId] = transferId
- }
- }
-
- /**
- * Handle transfer progress events
- */
- fun handleTransferProgressEvent(evt: com.bitchat.android.mesh.TransferProgressEvent) {
- val msgId = synchronized(transferMessageMap) { transferMessageMap[evt.transferId] }
- if (msgId != null) {
- if (evt.completed) {
- messageManager.updateMessageDeliveryStatus(
- msgId,
- com.bitchat.android.model.DeliveryStatus.Delivered(to = "mesh", at = java.util.Date())
- )
- synchronized(transferMessageMap) {
- val msgIdRemoved = transferMessageMap.remove(evt.transferId)
- if (msgIdRemoved != null) messageTransferMap.remove(msgIdRemoved)
- }
- } else {
- messageManager.updateMessageDeliveryStatus(
- msgId,
- com.bitchat.android.model.DeliveryStatus.PartiallyDelivered(evt.sent, evt.total)
- )
- }
- }
- }
-
- private fun sha256Hex(bytes: ByteArray): String = try {
- val md = MessageDigest.getInstance("SHA-256")
- md.update(bytes)
- md.digest().joinToString("") { "%02x".format(it) }
- } catch (_: Exception) {
- bytes.size.toString(16)
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/MeshDelegateHandler.kt b/app/src/main/java/com/bitchat/android/ui/MeshDelegateHandler.kt
index d6a9e7467..ea7fff683 100644
--- a/app/src/main/java/com/bitchat/android/ui/MeshDelegateHandler.kt
+++ b/app/src/main/java/com/bitchat/android/ui/MeshDelegateHandler.kt
@@ -1,7 +1,6 @@
package com.bitchat.android.ui
import com.bitchat.android.mesh.BluetoothMeshDelegate
-import com.bitchat.android.ui.NotificationTextUtils
import com.bitchat.android.mesh.BluetoothMeshService
import com.bitchat.android.model.BitchatMessage
import com.bitchat.android.model.DeliveryStatus
@@ -56,11 +55,10 @@ class MeshDelegateHandler(
message.senderPeerID?.let { senderPeerID ->
// Use nickname if available, fall back to sender or senderPeerID
val senderNickname = message.sender.takeIf { it != senderPeerID } ?: senderPeerID
- val preview = NotificationTextUtils.buildPrivateMessagePreview(message)
notificationManager.showPrivateMessageNotification(
- senderPeerID = senderPeerID,
- senderNickname = senderNickname,
- messageContent = preview
+ senderPeerID = senderPeerID,
+ senderNickname = senderNickname,
+ messageContent = message.content
)
}
} else if (message.channel != null) {
@@ -287,5 +285,4 @@ class MeshDelegateHandler(
fun getPeerInfo(peerID: String): com.bitchat.android.mesh.PeerInfo? {
return getMeshService().getPeerInfo(peerID)
}
-
}
diff --git a/app/src/main/java/com/bitchat/android/ui/MessageComponents.kt b/app/src/main/java/com/bitchat/android/ui/MessageComponents.kt
index b926b1f19..c8452c3b1 100644
--- a/app/src/main/java/com/bitchat/android/ui/MessageComponents.kt
+++ b/app/src/main/java/com/bitchat/android/ui/MessageComponents.kt
@@ -1,7 +1,6 @@
package com.bitchat.android.ui
import androidx.compose.foundation.ExperimentalFoundationApi
-import androidx.compose.ui.draw.clip
import androidx.compose.foundation.gestures.detectTapGestures
import androidx.compose.foundation.layout.*
import androidx.compose.foundation.lazy.LazyColumn
@@ -16,9 +15,6 @@ import androidx.compose.ui.Modifier
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.input.pointer.pointerInput
import androidx.compose.ui.text.TextLayoutResult
-import androidx.compose.ui.text.AnnotatedString
-import androidx.compose.ui.text.SpanStyle
-import androidx.compose.ui.text.buildAnnotatedString
import androidx.compose.ui.text.font.FontFamily
import androidx.compose.ui.text.font.FontWeight
import androidx.compose.ui.text.style.TextOverflow
@@ -34,17 +30,6 @@ import com.bitchat.android.model.DeliveryStatus
import com.bitchat.android.mesh.BluetoothMeshService
import java.text.SimpleDateFormat
import java.util.*
-import com.bitchat.android.ui.media.VoiceNotePlayer
-import androidx.compose.material3.Icon
-import androidx.compose.material.icons.Icons
-import androidx.compose.material.icons.filled.Close
-import androidx.compose.foundation.background
-import androidx.compose.foundation.clickable
-import androidx.compose.foundation.shape.CircleShape
-import com.bitchat.android.ui.media.FileMessageItem
-import com.bitchat.android.model.BitchatMessageType
-
-// VoiceNotePlayer moved to com.bitchat.android.ui.media.VoiceNotePlayer
/**
* Message display components for ChatScreen
@@ -60,9 +45,7 @@ fun MessagesList(
forceScrollToBottom: Boolean = false,
onScrolledUpChanged: ((Boolean) -> Unit)? = null,
onNicknameClick: ((String) -> Unit)? = null,
- onMessageLongPress: ((BitchatMessage) -> Unit)? = null,
- onCancelTransfer: ((BitchatMessage) -> Unit)? = null,
- onImageClick: ((String, List, Int) -> Unit)? = null
+ onMessageLongPress: ((BitchatMessage) -> Unit)? = null
) {
val listState = rememberLazyListState()
@@ -114,19 +97,13 @@ fun MessagesList(
modifier = modifier,
reverseLayout = true
) {
- items(
- items = messages.asReversed(),
- key = { it.id }
- ) { message ->
+ items(messages.asReversed()) { message ->
MessageItem(
message = message,
- messages = messages,
currentUserNickname = currentUserNickname,
meshService = meshService,
onNicknameClick = onNicknameClick,
- onMessageLongPress = onMessageLongPress,
- onCancelTransfer = onCancelTransfer,
- onImageClick = onImageClick
+ onMessageLongPress = onMessageLongPress
)
}
}
@@ -138,11 +115,8 @@ fun MessageItem(
message: BitchatMessage,
currentUserNickname: String,
meshService: BluetoothMeshService,
- messages: List = emptyList(),
onNicknameClick: ((String) -> Unit)? = null,
- onMessageLongPress: ((BitchatMessage) -> Unit)? = null,
- onCancelTransfer: ((BitchatMessage) -> Unit)? = null,
- onImageClick: ((String, List, Int) -> Unit)? = null
+ onMessageLongPress: ((BitchatMessage) -> Unit)? = null
) {
val colorScheme = MaterialTheme.colorScheme
val timeFormatter = remember { SimpleDateFormat("HH:mm:ss", Locale.getDefault()) }
@@ -151,42 +125,27 @@ fun MessageItem(
modifier = Modifier.fillMaxWidth(),
verticalArrangement = Arrangement.spacedBy(0.dp)
) {
- Box(modifier = Modifier.fillMaxWidth()) {
- Row(
- modifier = Modifier.fillMaxWidth(),
- horizontalArrangement = Arrangement.Start,
- verticalAlignment = Alignment.Top
- ) {
- // Provide a small end padding for own private messages so overlay doesn't cover text
- val endPad = if (message.isPrivate && message.sender == currentUserNickname) 16.dp else 0.dp
- // Create a custom layout that combines selectable text with clickable nickname areas
- MessageTextWithClickableNicknames(
- message = message,
- messages = messages,
- currentUserNickname = currentUserNickname,
- meshService = meshService,
- colorScheme = colorScheme,
- timeFormatter = timeFormatter,
- onNicknameClick = onNicknameClick,
- onMessageLongPress = onMessageLongPress,
- onCancelTransfer = onCancelTransfer,
- onImageClick = onImageClick,
- modifier = Modifier
- .weight(1f)
- .padding(end = endPad)
- )
- }
-
- // Delivery status for private messages (overlay, non-displacing)
+ Row(
+ modifier = Modifier.fillMaxWidth(),
+ horizontalArrangement = Arrangement.SpaceBetween,
+ verticalAlignment = Alignment.Top
+ ) {
+ // Create a custom layout that combines selectable text with clickable nickname areas
+ MessageTextWithClickableNicknames(
+ message = message,
+ currentUserNickname = currentUserNickname,
+ meshService = meshService,
+ colorScheme = colorScheme,
+ timeFormatter = timeFormatter,
+ onNicknameClick = onNicknameClick,
+ onMessageLongPress = onMessageLongPress,
+ modifier = Modifier.weight(1f)
+ )
+
+ // Delivery status for private messages
if (message.isPrivate && message.sender == currentUserNickname) {
message.deliveryStatus?.let { status ->
- Box(
- modifier = Modifier
- .align(Alignment.TopEnd)
- .padding(top = 2.dp)
- ) {
- DeliveryStatusIcon(status = status)
- }
+ DeliveryStatusIcon(status = status)
}
}
}
@@ -197,155 +156,16 @@ fun MessageItem(
@OptIn(ExperimentalFoundationApi::class)
@Composable
- private fun MessageTextWithClickableNicknames(
- message: BitchatMessage,
- messages: List,
- currentUserNickname: String,
- meshService: BluetoothMeshService,
- colorScheme: ColorScheme,
- timeFormatter: SimpleDateFormat,
- onNicknameClick: ((String) -> Unit)?,
- onMessageLongPress: ((BitchatMessage) -> Unit)?,
- onCancelTransfer: ((BitchatMessage) -> Unit)?,
- onImageClick: ((String, List, Int) -> Unit)?,
- modifier: Modifier = Modifier
- ) {
- // Image special rendering
- if (message.type == BitchatMessageType.Image) {
- com.bitchat.android.ui.media.ImageMessageItem(
- message = message,
- messages = messages,
- currentUserNickname = currentUserNickname,
- meshService = meshService,
- colorScheme = colorScheme,
- timeFormatter = timeFormatter,
- onNicknameClick = onNicknameClick,
- onMessageLongPress = onMessageLongPress,
- onCancelTransfer = onCancelTransfer,
- onImageClick = onImageClick,
- modifier = modifier
- )
- return
- }
-
- // Voice note special rendering
- if (message.type == BitchatMessageType.Audio) {
- com.bitchat.android.ui.media.AudioMessageItem(
- message = message,
- currentUserNickname = currentUserNickname,
- meshService = meshService,
- colorScheme = colorScheme,
- timeFormatter = timeFormatter,
- onNicknameClick = onNicknameClick,
- onMessageLongPress = onMessageLongPress,
- onCancelTransfer = onCancelTransfer,
- modifier = modifier
- )
- return
- }
-
- // File special rendering
- if (message.type == BitchatMessageType.File) {
- val path = message.content.trim()
- // Derive sending progress if applicable
- val (overrideProgress, _) = when (val st = message.deliveryStatus) {
- is com.bitchat.android.model.DeliveryStatus.PartiallyDelivered -> {
- if (st.total > 0 && st.reached < st.total) {
- (st.reached.toFloat() / st.total.toFloat()) to Color(0xFF1E88E5) // blue while sending
- } else null to null
- }
- else -> null to null
- }
- Column(modifier = modifier.fillMaxWidth()) {
- // Header: nickname + timestamp line above the file, identical styling to text messages
- val headerText = formatMessageHeaderAnnotatedString(
- message = message,
- currentUserNickname = currentUserNickname,
- meshService = meshService,
- colorScheme = colorScheme,
- timeFormatter = timeFormatter
- )
- val haptic = LocalHapticFeedback.current
- var headerLayout by remember { mutableStateOf(null) }
- Text(
- text = headerText,
- fontFamily = FontFamily.Monospace,
- color = colorScheme.onSurface,
- modifier = Modifier.pointerInput(message.id) {
- detectTapGestures(onTap = { pos ->
- val layout = headerLayout ?: return@detectTapGestures
- val offset = layout.getOffsetForPosition(pos)
- val ann = headerText.getStringAnnotations("nickname_click", offset, offset)
- if (ann.isNotEmpty() && onNicknameClick != null) {
- haptic.performHapticFeedback(HapticFeedbackType.TextHandleMove)
- onNicknameClick.invoke(ann.first().item)
- }
- }, onLongPress = { onMessageLongPress?.invoke(message) })
- },
- onTextLayout = { headerLayout = it }
- )
-
- // Try to load the file packet from the path
- val packet = try {
- val file = java.io.File(path)
- if (file.exists()) {
- // Create a temporary BitchatFilePacket for display
- // In a real implementation, this would be stored with the packet metadata
- com.bitchat.android.model.BitchatFilePacket(
- fileName = file.name,
- fileSize = file.length(),
- mimeType = com.bitchat.android.features.file.FileUtils.getMimeTypeFromExtension(file.name),
- content = file.readBytes()
- )
- } else null
- } catch (e: Exception) {
- null
- }
-
- Row(modifier = Modifier.fillMaxWidth(), horizontalArrangement = Arrangement.Start) {
- Box {
- if (packet != null) {
- if (overrideProgress != null) {
- // Show sending animation while in-flight
- com.bitchat.android.ui.media.FileSendingAnimation(
- fileName = packet.fileName,
- progress = overrideProgress,
- modifier = Modifier.fillMaxWidth()
- )
- } else {
- // Static file display with open/save dialog
- FileMessageItem(
- packet = packet,
- onFileClick = {
- // handled inside FileMessageItem via dialog
- }
- )
- }
-
- // Cancel button overlay during sending
- val showCancel = message.sender == currentUserNickname && (message.deliveryStatus is DeliveryStatus.PartiallyDelivered)
- if (showCancel) {
- Box(
- modifier = Modifier
- .align(Alignment.TopEnd)
- .padding(4.dp)
- .size(22.dp)
- .background(Color.Gray.copy(alpha = 0.6f), CircleShape)
- .clickable { onCancelTransfer?.invoke(message) },
- contentAlignment = Alignment.Center
- ) {
- Icon(imageVector = Icons.Filled.Close, contentDescription = "Cancel", tint = Color.White, modifier = Modifier.size(14.dp))
- }
- }
- } else {
- Text(text = "[file unavailable]", fontFamily = FontFamily.Monospace, color = Color.Gray)
- }
- }
- }
- }
- return
- }
-
+private fun MessageTextWithClickableNicknames(
+ message: BitchatMessage,
+ currentUserNickname: String,
+ meshService: BluetoothMeshService,
+ colorScheme: ColorScheme,
+ timeFormatter: SimpleDateFormat,
+ onNicknameClick: ((String) -> Unit)?,
+ onMessageLongPress: ((BitchatMessage) -> Unit)?,
+ modifier: Modifier = Modifier
+) {
// Check if this message should be animated during PoW mining
val shouldAnimate = shouldAnimateMessage(message.id)
@@ -354,14 +174,12 @@ fun MessageItem(
// Display message with matrix animation for content
MessageWithMatrixAnimation(
message = message,
- messages = messages,
currentUserNickname = currentUserNickname,
meshService = meshService,
colorScheme = colorScheme,
timeFormatter = timeFormatter,
onNicknameClick = onNicknameClick,
onMessageLongPress = onMessageLongPress,
- onImageClick = onImageClick,
modifier = modifier
)
} else {
@@ -508,9 +326,8 @@ fun DeliveryStatusIcon(status: DeliveryStatus) {
)
}
is DeliveryStatus.PartiallyDelivered -> {
- // Show a single subdued check without numeric label
Text(
- text = "✓",
+ text = "✓${status.reached}/${status.total}",
fontSize = 10.sp,
color = colorScheme.primary.copy(alpha = 0.6f)
)
diff --git a/app/src/main/java/com/bitchat/android/ui/MessageManager.kt b/app/src/main/java/com/bitchat/android/ui/MessageManager.kt
index 001d5fbd2..276a6bbe9 100644
--- a/app/src/main/java/com/bitchat/android/ui/MessageManager.kt
+++ b/app/src/main/java/com/bitchat/android/ui/MessageManager.kt
@@ -244,49 +244,6 @@ class MessageManager(private val state: ChatState) {
}
state.setChannelMessages(updatedChannelMessages)
}
-
- // Remove a message from all locations (main timeline, private chats, channels)
- fun removeMessageById(messageID: String) {
- // Main timeline
- run {
- val list = state.getMessagesValue().toMutableList()
- val idx = list.indexOfFirst { it.id == messageID }
- if (idx >= 0) {
- list.removeAt(idx)
- state.setMessages(list)
- }
- }
- // Private chats
- run {
- val chats = state.getPrivateChatsValue().toMutableMap()
- var changed = false
- chats.keys.toList().forEach { key ->
- val msgs = chats[key]?.toMutableList() ?: mutableListOf()
- val idx = msgs.indexOfFirst { it.id == messageID }
- if (idx >= 0) {
- msgs.removeAt(idx)
- chats[key] = msgs
- changed = true
- }
- }
- if (changed) state.setPrivateChats(chats)
- }
- // Channels
- run {
- val chans = state.getChannelMessagesValue().toMutableMap()
- var changed = false
- chans.keys.toList().forEach { ch ->
- val msgs = chans[ch]?.toMutableList() ?: mutableListOf()
- val idx = msgs.indexOfFirst { it.id == messageID }
- if (idx >= 0) {
- msgs.removeAt(idx)
- chans[ch] = msgs
- changed = true
- }
- }
- if (changed) state.setChannelMessages(chans)
- }
- }
// MARK: - Utility Functions
diff --git a/app/src/main/java/com/bitchat/android/ui/NotificationTextUtils.kt b/app/src/main/java/com/bitchat/android/ui/NotificationTextUtils.kt
deleted file mode 100644
index a80a2ea69..000000000
--- a/app/src/main/java/com/bitchat/android/ui/NotificationTextUtils.kt
+++ /dev/null
@@ -1,48 +0,0 @@
-package com.bitchat.android.ui
-
-import com.bitchat.android.model.BitchatMessage
-import com.bitchat.android.model.BitchatMessageType
-
-/**
- * Utilities for building human-friendly notification text/previews.
- */
-object NotificationTextUtils {
- /**
- * Build a user-friendly notification preview for private messages, especially attachments.
- * Examples:
- * - Image: "📷 sent an image"
- * - Audio: "🎤 sent a voice message"
- * - File (pdf): "📄 file.pdf"
- * - Text: original message content
- */
- fun buildPrivateMessagePreview(message: BitchatMessage): String {
- return try {
- when (message.type) {
- BitchatMessageType.Image -> "📷 sent an image"
- BitchatMessageType.Audio -> "🎤 sent a voice message"
- BitchatMessageType.File -> {
- // Show just the filename (not the full path)
- val name = try { java.io.File(message.content).name } catch (_: Exception) { null }
- if (!name.isNullOrBlank()) {
- val lower = name.lowercase()
- val icon = when {
- lower.endsWith(".pdf") -> "📄"
- lower.endsWith(".zip") || lower.endsWith(".rar") || lower.endsWith(".7z") -> "🗜️"
- lower.endsWith(".doc") || lower.endsWith(".docx") -> "📄"
- lower.endsWith(".xls") || lower.endsWith(".xlsx") -> "📊"
- lower.endsWith(".ppt") || lower.endsWith(".pptx") -> "📈"
- else -> "📎"
- }
- "$icon $name"
- } else {
- "📎 sent a file"
- }
- }
- else -> message.content
- }
- } catch (_: Exception) {
- // Fallback to original content on any error
- message.content
- }
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/SidebarComponents.kt b/app/src/main/java/com/bitchat/android/ui/SidebarComponents.kt
index b33a73301..973a817b3 100644
--- a/app/src/main/java/com/bitchat/android/ui/SidebarComponents.kt
+++ b/app/src/main/java/com/bitchat/android/ui/SidebarComponents.kt
@@ -123,7 +123,6 @@ fun SidebarOverlay(
else -> {
// Show mesh peer list when in mesh channel (default)
PeopleSection(
- modifier = modifier.padding(bottom = 16.dp),
connectedPeers = connectedPeers,
peerNicknames = peerNicknames,
peerRSSI = peerRSSI,
@@ -249,7 +248,6 @@ fun ChannelsSection(
@Composable
fun PeopleSection(
- modifier: Modifier = Modifier,
connectedPeers: List,
peerNicknames: Map,
peerRSSI: Map,
@@ -259,7 +257,7 @@ fun PeopleSection(
viewModel: ChatViewModel,
onPrivateChatStart: (String) -> Unit
) {
- Column(modifier = modifier) {
+ Column {
Row(
modifier = Modifier
.fillMaxWidth()
@@ -330,6 +328,8 @@ fun PeopleSection(
return if (key == nickname) "You" else (peerNicknames[key] ?: (privateChats[key]?.lastOrNull()?.sender ?: key.take(12)))
}
+
+
val baseNameCounts = mutableMapOf()
// Connected peers
diff --git a/app/src/main/java/com/bitchat/android/ui/VoiceInputComponents.kt b/app/src/main/java/com/bitchat/android/ui/VoiceInputComponents.kt
deleted file mode 100644
index 03ab53aa8..000000000
--- a/app/src/main/java/com/bitchat/android/ui/VoiceInputComponents.kt
+++ /dev/null
@@ -1,137 +0,0 @@
-package com.bitchat.android.ui
-
-import android.Manifest
-import androidx.compose.foundation.background
-import androidx.compose.foundation.gestures.detectTapGestures
-import androidx.compose.foundation.layout.Box
-import androidx.compose.foundation.layout.size
-import androidx.compose.foundation.shape.CircleShape
-import androidx.compose.material.icons.Icons
-import androidx.compose.material.icons.filled.Mic
-import androidx.compose.material3.Icon
-import androidx.compose.runtime.*
-import androidx.compose.ui.Alignment
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.graphics.Color
-import androidx.compose.ui.input.pointer.pointerInput
-import androidx.compose.ui.platform.LocalContext
-import androidx.compose.ui.platform.LocalHapticFeedback
-import androidx.compose.ui.hapticfeedback.HapticFeedbackType
-import androidx.compose.ui.unit.dp
-import com.bitchat.android.features.voice.VoiceRecorder
-import com.google.accompanist.permissions.ExperimentalPermissionsApi
-import com.google.accompanist.permissions.PermissionStatus
-import com.google.accompanist.permissions.rememberPermissionState
-import kotlinx.coroutines.Job
-import kotlinx.coroutines.delay
-import kotlinx.coroutines.isActive
-import kotlinx.coroutines.launch
-
-@OptIn(ExperimentalPermissionsApi::class)
-@Composable
-fun VoiceRecordButton(
- modifier: Modifier = Modifier,
- backgroundColor: Color,
- onStart: () -> Unit,
- onAmplitude: (amplitude: Int, elapsedMs: Long) -> Unit,
- onFinish: (filePath: String) -> Unit
-) {
- val context = LocalContext.current
- val haptic = LocalHapticFeedback.current
- val micPermission = rememberPermissionState(Manifest.permission.RECORD_AUDIO)
-
- var isRecording by remember { mutableStateOf(false) }
- var recorder by remember { mutableStateOf(null) }
- var recordedFilePath by remember { mutableStateOf(null) }
- var recordingStart by remember { mutableStateOf(0L) }
-
- val scope = rememberCoroutineScope()
- var ampJob by remember { mutableStateOf(null) }
-
- // Ensure latest callbacks are used inside gesture coroutine
- val latestOnStart = rememberUpdatedState(onStart)
- val latestOnAmplitude = rememberUpdatedState(onAmplitude)
- val latestOnFinish = rememberUpdatedState(onFinish)
-
- Box(
- modifier = modifier
- .size(32.dp)
- .background(backgroundColor, CircleShape)
- .pointerInput(Unit) {
- detectTapGestures(
- onPress = {
- if (!isRecording) {
- if (micPermission.status !is PermissionStatus.Granted) {
- micPermission.launchPermissionRequest()
- return@detectTapGestures
- }
- val rec = VoiceRecorder(context)
- val f = rec.start()
- recorder = rec
- isRecording = f != null
- recordedFilePath = f?.absolutePath
- recordingStart = System.currentTimeMillis()
- if (isRecording) {
- latestOnStart.value()
- // Haptic "knock" when recording starts
- try { haptic.performHapticFeedback(HapticFeedbackType.LongPress) } catch (_: Exception) {}
- // Start amplitude polling loop
- ampJob?.cancel()
- ampJob = scope.launch {
- while (isActive && isRecording) {
- val amp = recorder?.pollAmplitude() ?: 0
- val elapsedMs = (System.currentTimeMillis() - recordingStart).coerceAtLeast(0L)
- latestOnAmplitude.value(amp, elapsedMs)
- // Auto-stop after 10 seconds
- if (elapsedMs >= 10_000 && isRecording) {
- val file = recorder?.stop()
- isRecording = false
- recorder = null
- val path = file?.absolutePath
- if (!path.isNullOrBlank()) {
- // Haptic "knock" on auto stop
- try { haptic.performHapticFeedback(HapticFeedbackType.LongPress) } catch (_: Exception) {}
- latestOnFinish.value(path)
- }
- break
- }
- delay(80)
- }
- }
- }
- }
- try {
- awaitRelease()
- } finally {
- if (isRecording) {
- // Extend recording for 500ms after release to avoid clipping
- delay(500)
- }
- if (isRecording) {
- val file = recorder?.stop()
- isRecording = false
- recorder = null
- val path = (file?.absolutePath ?: recordedFilePath)
- recordedFilePath = null
- if (!path.isNullOrBlank()) {
- // Haptic "knock" when recording stops
- try { haptic.performHapticFeedback(HapticFeedbackType.LongPress) } catch (_: Exception) {}
- latestOnFinish.value(path)
- }
- }
- ampJob?.cancel()
- ampJob = null
- }
- }
- )
- },
- contentAlignment = Alignment.Center
- ) {
- Icon(
- imageVector = Icons.Filled.Mic,
- contentDescription = "Record voice note",
- tint = Color.Black,
- modifier = Modifier.size(20.dp)
- )
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/debug/DebugPreferenceManager.kt b/app/src/main/java/com/bitchat/android/ui/debug/DebugPreferenceManager.kt
index e2f9d966e..84b624f7d 100644
--- a/app/src/main/java/com/bitchat/android/ui/debug/DebugPreferenceManager.kt
+++ b/app/src/main/java/com/bitchat/android/ui/debug/DebugPreferenceManager.kt
@@ -16,10 +16,6 @@ object DebugPreferenceManager {
private const val KEY_MAX_CONN_OVERALL = "max_connections_overall"
private const val KEY_MAX_CONN_SERVER = "max_connections_server"
private const val KEY_MAX_CONN_CLIENT = "max_connections_client"
- private const val KEY_SEEN_PACKET_CAP = "seen_packet_capacity"
- // GCS keys (no migration/back-compat)
- private const val KEY_GCS_MAX_BYTES = "gcs_max_filter_bytes"
- private const val KEY_GCS_FPR = "gcs_filter_fpr_percent"
private lateinit var prefs: SharedPreferences
@@ -78,26 +74,4 @@ object DebugPreferenceManager {
fun setMaxConnectionsClient(value: Int) {
if (ready()) prefs.edit().putInt(KEY_MAX_CONN_CLIENT, value).apply()
}
-
- // Sync/GCS settings
- fun getSeenPacketCapacity(default: Int = 500): Int =
- if (ready()) prefs.getInt(KEY_SEEN_PACKET_CAP, default) else default
-
- fun setSeenPacketCapacity(value: Int) {
- if (ready()) prefs.edit().putInt(KEY_SEEN_PACKET_CAP, value).apply()
- }
-
- fun getGcsMaxFilterBytes(default: Int = 400): Int =
- if (ready()) prefs.getInt(KEY_GCS_MAX_BYTES, default) else default
-
- fun setGcsMaxFilterBytes(value: Int) {
- if (ready()) prefs.edit().putInt(KEY_GCS_MAX_BYTES, value).apply()
- }
-
- fun getGcsFprPercent(default: Double = 1.0): Double =
- if (ready()) java.lang.Double.longBitsToDouble(prefs.getLong(KEY_GCS_FPR, java.lang.Double.doubleToRawLongBits(default))) else default
-
- fun setGcsFprPercent(value: Double) {
- if (ready()) prefs.edit().putLong(KEY_GCS_FPR, java.lang.Double.doubleToRawLongBits(value)).apply()
- }
}
diff --git a/app/src/main/java/com/bitchat/android/ui/debug/DebugSettingsManager.kt b/app/src/main/java/com/bitchat/android/ui/debug/DebugSettingsManager.kt
index 6e37286fb..81538058f 100644
--- a/app/src/main/java/com/bitchat/android/ui/debug/DebugSettingsManager.kt
+++ b/app/src/main/java/com/bitchat/android/ui/debug/DebugSettingsManager.kt
@@ -201,37 +201,6 @@ class DebugSettingsManager private constructor() {
fun updateRelayStats(stats: PacketRelayStats) {
_relayStats.value = stats
}
-
- // Sync/GCS settings (UI-configurable)
- private val _seenPacketCapacity = MutableStateFlow(DebugPreferenceManager.getSeenPacketCapacity(500))
- val seenPacketCapacity: StateFlow = _seenPacketCapacity.asStateFlow()
-
- private val _gcsMaxBytes = MutableStateFlow(DebugPreferenceManager.getGcsMaxFilterBytes(400))
- val gcsMaxBytes: StateFlow = _gcsMaxBytes.asStateFlow()
-
- private val _gcsFprPercent = MutableStateFlow(DebugPreferenceManager.getGcsFprPercent(1.0))
- val gcsFprPercent: StateFlow = _gcsFprPercent.asStateFlow()
-
- fun setSeenPacketCapacity(value: Int) {
- val clamped = value.coerceIn(10, 1000)
- DebugPreferenceManager.setSeenPacketCapacity(clamped)
- _seenPacketCapacity.value = clamped
- addDebugMessage(DebugMessage.SystemMessage("🧩 max packets per sync set to $clamped"))
- }
-
- fun setGcsMaxBytes(value: Int) {
- val clamped = value.coerceIn(128, 1024)
- DebugPreferenceManager.setGcsMaxFilterBytes(clamped)
- _gcsMaxBytes.value = clamped
- addDebugMessage(DebugMessage.SystemMessage("🌸 max GCS filter size set to $clamped bytes"))
- }
-
- fun setGcsFprPercent(value: Double) {
- val clamped = value.coerceIn(0.1, 5.0)
- DebugPreferenceManager.setGcsFprPercent(clamped)
- _gcsFprPercent.value = clamped
- addDebugMessage(DebugMessage.SystemMessage("🎯 GCS FPR set to ${String.format("%.2f", clamped)}%"))
- }
// MARK: - Debug Message Creation Helpers
@@ -257,10 +226,11 @@ class DebugSettingsManager private constructor() {
val who = if (!senderNickname.isNullOrBlank()) "$senderNickname ($senderPeerID)" else senderPeerID
val routeInfo = if (!viaDeviceId.isNullOrBlank()) " via $viaDeviceId" else " (direct)"
addDebugMessage(DebugMessage.PacketEvent(
- "📦 Received $messageType from $who$routeInfo"
+ "📥 Received $messageType from $who$routeInfo"
))
}
}
+
fun logPacketRelay(
packetType: String,
originalPeerID: String,
@@ -278,11 +248,9 @@ class DebugSettingsManager private constructor() {
toPeerID = null,
toNickname = null,
toDeviceAddress = null,
- ttl = null,
- isRelay = true
+ ttl = null
)
}
-
// New, more detailed relay logger used by the mesh/broadcaster
fun logPacketRelayDetailed(
@@ -295,8 +263,7 @@ class DebugSettingsManager private constructor() {
toPeerID: String?,
toNickname: String?,
toDeviceAddress: String?,
- ttl: UByte?,
- isRelay: Boolean = true
+ ttl: UByte?
) {
// Build message only if verbose logging is enabled, but always update stats
val senderLabel = when {
@@ -321,26 +288,16 @@ class DebugSettingsManager private constructor() {
val ttlStr = ttl?.toString() ?: "?"
if (verboseLoggingEnabled.value) {
- if (isRelay) {
- addDebugMessage(
- DebugMessage.RelayEvent(
- "♻️ Relayed $packetType by $senderLabel from $fromName (${fromPeerID ?: "?"}, $fromAddr) to $toName (${toPeerID ?: "?"}, $toAddr) with TTL $ttlStr"
- )
+ addDebugMessage(
+ DebugMessage.RelayEvent(
+ "♻️ Relayed $packetType by $senderLabel from $fromName (${fromPeerID ?: "?"}, $fromAddr) to $toName (${toPeerID ?: "?"}, $toAddr) with TTL $ttlStr"
)
- } else {
- addDebugMessage(
- DebugMessage.PacketEvent(
- "📤 Sent $packetType by $senderLabel to $toName (${toPeerID ?: "?"}, $toAddr) with TTL $ttlStr"
- )
- )
- }
+ )
}
- // Update rolling statistics only for relays
- if (isRelay) {
- relayTimestamps.offer(System.currentTimeMillis())
- updateRelayStatsFromTimestamps()
- }
+ // Update rolling statistics
+ relayTimestamps.offer(System.currentTimeMillis())
+ updateRelayStatsFromTimestamps()
}
// MARK: - Clear Data
diff --git a/app/src/main/java/com/bitchat/android/ui/debug/DebugSettingsSheet.kt b/app/src/main/java/com/bitchat/android/ui/debug/DebugSettingsSheet.kt
index 23bfc5245..cdaeee53a 100644
--- a/app/src/main/java/com/bitchat/android/ui/debug/DebugSettingsSheet.kt
+++ b/app/src/main/java/com/bitchat/android/ui/debug/DebugSettingsSheet.kt
@@ -24,7 +24,92 @@ import androidx.compose.ui.unit.dp
import androidx.compose.ui.unit.sp
import androidx.compose.ui.draw.rotate
import com.bitchat.android.mesh.BluetoothMeshService
+import com.bitchat.android.services.meshgraph.MeshGraphService
import kotlinx.coroutines.launch
+import androidx.compose.ui.graphics.toArgb
+import androidx.compose.ui.graphics.drawscope.drawIntoCanvas
+import androidx.compose.ui.graphics.nativeCanvas
+
+@Composable
+fun MeshTopologySection() {
+ val colorScheme = MaterialTheme.colorScheme
+ val graphService = remember { MeshGraphService.getInstance() }
+ val snapshot by graphService.graphState.collectAsState()
+
+ Surface(shape = RoundedCornerShape(12.dp), color = colorScheme.surfaceVariant.copy(alpha = 0.2f)) {
+ Column(Modifier.padding(16.dp), verticalArrangement = Arrangement.spacedBy(8.dp)) {
+ Row(verticalAlignment = Alignment.CenterVertically, horizontalArrangement = Arrangement.spacedBy(8.dp)) {
+ Icon(Icons.Filled.SettingsEthernet, contentDescription = null, tint = Color(0xFF8E8E93))
+ Text("mesh topology", fontFamily = FontFamily.Monospace, fontSize = 14.sp, fontWeight = FontWeight.Medium)
+ }
+ val nodes = snapshot.nodes
+ val edges = snapshot.edges
+ val empty = nodes.isEmpty()
+ if (empty) {
+ Text("no gossip yet", fontFamily = FontFamily.Monospace, fontSize = 11.sp, color = colorScheme.onSurface.copy(alpha = 0.6f))
+ } else {
+ androidx.compose.foundation.Canvas(Modifier.fillMaxWidth().height(220.dp).background(colorScheme.surface.copy(alpha = 0.4f))) {
+ val w = size.width
+ val h = size.height
+ val cx = w / 2f
+ val cy = h / 2f
+ val radius = (minOf(w, h) * 0.36f)
+ val n = nodes.size
+ if (n == 1) {
+ // Single node centered
+ drawCircle(color = Color(0xFF00C851), radius = 12f, center = androidx.compose.ui.geometry.Offset(cx, cy))
+ } else {
+ // Circular layout
+ val positions = nodes.mapIndexed { i, node ->
+ val angle = (2 * Math.PI * i.toDouble()) / n
+ val x = cx + (radius * Math.cos(angle)).toFloat()
+ val y = cy + (radius * Math.sin(angle)).toFloat()
+ node.peerID to androidx.compose.ui.geometry.Offset(x, y)
+ }.toMap()
+
+ // Draw edges
+ edges.forEach { e ->
+ val p1 = positions[e.a]
+ val p2 = positions[e.b]
+ if (p1 != null && p2 != null) {
+ drawLine(color = Color(0xFF4A90E2), start = p1, end = p2, strokeWidth = 2f)
+ }
+ }
+
+ // Draw nodes
+ nodes.forEach { node ->
+ val pos = positions[node.peerID] ?: androidx.compose.ui.geometry.Offset(cx, cy)
+ drawCircle(color = Color(0xFF00C851), radius = 10f, center = pos)
+ }
+
+ // Draw labels near nodes (nickname or short ID)
+ val labelColor = colorScheme.onSurface.toArgb()
+ val textSizePx = 10.sp.toPx()
+ drawIntoCanvas { canvas ->
+ val paint = android.graphics.Paint().apply {
+ isAntiAlias = true
+ color = labelColor
+ textSize = textSizePx
+ }
+ nodes.forEach { node ->
+ val pos = positions[node.peerID] ?: androidx.compose.ui.geometry.Offset(cx, cy)
+ val label = (node.nickname?.takeIf { it.isNotBlank() } ?: node.peerID.take(8))
+ canvas.nativeCanvas.drawText(label, pos.x + 12f, pos.y - 12f, paint)
+ }
+ }
+ }
+ }
+ // Label list for clarity under the canvas
+ LazyColumn(modifier = Modifier.fillMaxWidth().heightIn(max = 140.dp)) {
+ items(nodes) { node ->
+ val label = "${node.peerID.take(8)} • ${node.nickname ?: "unknown"}"
+ Text(label, fontFamily = FontFamily.Monospace, fontSize = 11.sp, color = colorScheme.onSurface.copy(alpha = 0.85f))
+ }
+ }
+ }
+ }
+ }
+}
@OptIn(ExperimentalMaterial3Api::class)
@Composable
@@ -48,9 +133,6 @@ fun DebugSettingsSheet(
val scanResults by manager.scanResults.collectAsState()
val connectedDevices by manager.connectedDevices.collectAsState()
val relayStats by manager.relayStats.collectAsState()
- val seenCapacity by manager.seenPacketCapacity.collectAsState()
- val gcsMaxBytes by manager.gcsMaxBytes.collectAsState()
- val gcsFpr by manager.gcsFprPercent.collectAsState()
// Push live connected devices from mesh service whenever sheet is visible
LaunchedEffect(isPresented) {
@@ -127,6 +209,11 @@ fun DebugSettingsSheet(
}
}
+ // Mesh topology visualization (moved below verbose logging)
+ item {
+ MeshTopologySection()
+ }
+
// GATT controls
item {
Surface(shape = RoundedCornerShape(12.dp), color = colorScheme.surfaceVariant.copy(alpha = 0.2f)) {
@@ -253,60 +340,82 @@ fun DebugSettingsSheet(
}
}
}
- // Left gutter layout: unit + ticks neatly aligned
- Row(Modifier.fillMaxSize()) {
- Box(Modifier.width(leftGutter).fillMaxHeight()) {
- // Unit label on the far left, centered vertically
- Text(
- "p/s",
- fontFamily = FontFamily.Monospace,
- fontSize = 10.sp,
- color = colorScheme.onSurface.copy(alpha = 0.7f),
- modifier = Modifier.align(Alignment.CenterStart).padding(start = 2.dp).rotate(-90f)
- )
- // Tick labels right-aligned in gutter, top and bottom aligned
- Text(
- "${maxVal.toInt()}",
- fontFamily = FontFamily.Monospace,
- fontSize = 10.sp,
- color = colorScheme.onSurface.copy(alpha = 0.7f),
- modifier = Modifier.align(Alignment.TopEnd).padding(end = 4.dp, top = 0.dp)
- )
- Text(
- "0",
- fontFamily = FontFamily.Monospace,
- fontSize = 10.sp,
- color = colorScheme.onSurface.copy(alpha = 0.7f),
- modifier = Modifier.align(Alignment.BottomEnd).padding(end = 4.dp, bottom = 0.dp)
- )
- }
- Spacer(Modifier.weight(1f))
+ // Y-axis ticks (min/max) in the left margin
+ Text("0", fontFamily = FontFamily.Monospace, fontSize = 10.sp, color = colorScheme.onSurface.copy(alpha = 0.7f), modifier = Modifier.align(Alignment.BottomStart).padding(start = 4.dp, bottom = 2.dp))
+ Text("${maxVal.toInt()}", fontFamily = FontFamily.Monospace, fontSize = 10.sp, color = colorScheme.onSurface.copy(alpha = 0.7f), modifier = Modifier.align(Alignment.TopStart).padding(start = 4.dp, top = 2.dp))
+ // Y-axis unit label (vertical)
+ Text("p/s", fontFamily = FontFamily.Monospace, fontSize = 9.sp, color = colorScheme.onSurface.copy(alpha = 0.7f), modifier = Modifier.align(Alignment.CenterStart).padding(start = 2.dp).rotate(-90f))
+ }
+ }
+ }
+}
+
+@Composable
+fun MeshTopologySection() {
+ val colorScheme = MaterialTheme.colorScheme
+ val graphService = remember { MeshGraphService.getInstance() }
+ val snapshot by graphService.graphState.collectAsState()
+
+ Surface(shape = RoundedCornerShape(12.dp), color = colorScheme.surfaceVariant.copy(alpha = 0.2f)) {
+ Column(Modifier.padding(16.dp), verticalArrangement = Arrangement.spacedBy(8.dp)) {
+ Row(verticalAlignment = Alignment.CenterVertically, horizontalArrangement = Arrangement.spacedBy(8.dp)) {
+ Icon(Icons.Filled.SettingsEthernet, contentDescription = null, tint = Color(0xFF8E8E93))
+ Text("mesh topology", fontFamily = FontFamily.Monospace, fontSize = 14.sp, fontWeight = FontWeight.Medium)
+ }
+ val nodes = snapshot.nodes
+ val edges = snapshot.edges
+ val empty = nodes.isEmpty()
+ if (empty) {
+ Text("no gossip yet", fontFamily = FontFamily.Monospace, fontSize = 11.sp, color = colorScheme.onSurface.copy(alpha = 0.6f))
+ } else {
+ androidx.compose.foundation.Canvas(Modifier.fillMaxWidth().height(220.dp).background(colorScheme.surface.copy(alpha = 0.4f))) {
+ val w = size.width
+ val h = size.height
+ val cx = w / 2f
+ val cy = h / 2f
+ val radius = (minOf(w, h) * 0.36f)
+ val n = nodes.size
+ if (n == 1) {
+ // Single node centered
+ drawCircle(color = Color(0xFF00C851), radius = 12f, center = androidx.compose.ui.geometry.Offset(cx, cy))
+ } else {
+ // Circular layout
+ val positions = nodes.mapIndexed { i, node ->
+ val angle = (2 * Math.PI * i.toDouble()) / n
+ val x = cx + (radius * Math.cos(angle)).toFloat()
+ val y = cy + (radius * Math.sin(angle)).toFloat()
+ node.peerID to androidx.compose.ui.geometry.Offset(x, y)
+ }.toMap()
+
+ // Draw edges
+ edges.forEach { e ->
+ val p1 = positions[e.a]
+ val p2 = positions[e.b]
+ if (p1 != null && p2 != null) {
+ drawLine(color = Color(0xFF4A90E2), start = p1, end = p2, strokeWidth = 2f)
}
}
- }
- }
- }
- // Connected devices
- item {
- Surface(shape = RoundedCornerShape(12.dp), color = colorScheme.surfaceVariant.copy(alpha = 0.2f)) {
- Column(Modifier.padding(16.dp), verticalArrangement = Arrangement.spacedBy(10.dp)) {
- Row(verticalAlignment = Alignment.CenterVertically, horizontalArrangement = Arrangement.spacedBy(8.dp)) {
- Icon(Icons.Filled.SettingsEthernet, contentDescription = null, tint = Color(0xFF9C27B0))
- Text("sync settings", fontFamily = FontFamily.Monospace, fontSize = 14.sp, fontWeight = FontWeight.Medium)
+ // Draw nodes
+ nodes.forEach { node ->
+ val pos = positions[node.peerID] ?: androidx.compose.ui.geometry.Offset(cx, cy)
+ drawCircle(color = Color(0xFF00C851), radius = 10f, center = pos)
}
- Text("max packets per sync: $seenCapacity", fontFamily = FontFamily.Monospace, fontSize = 11.sp, color = colorScheme.onSurface.copy(alpha = 0.7f))
- Slider(value = seenCapacity.toFloat(), onValueChange = { manager.setSeenPacketCapacity(it.toInt()) }, valueRange = 10f..1000f, steps = 99)
- Text("max GCS filter size: $gcsMaxBytes bytes (128–1024)", fontFamily = FontFamily.Monospace, fontSize = 11.sp, color = colorScheme.onSurface.copy(alpha = 0.7f))
- Slider(value = gcsMaxBytes.toFloat(), onValueChange = { manager.setGcsMaxBytes(it.toInt()) }, valueRange = 128f..1024f, steps = 0)
- Text("target FPR: ${String.format("%.2f", gcsFpr)}%", fontFamily = FontFamily.Monospace, fontSize = 11.sp, color = colorScheme.onSurface.copy(alpha = 0.7f))
- Slider(value = gcsFpr.toFloat(), onValueChange = { manager.setGcsFprPercent(it.toDouble()) }, valueRange = 0.1f..5.0f, steps = 49)
- val p = remember(gcsFpr) { com.bitchat.android.sync.GCSFilter.deriveP(gcsFpr / 100.0) }
- val nmax = remember(gcsFpr, gcsMaxBytes) { com.bitchat.android.sync.GCSFilter.estimateMaxElementsForSize(gcsMaxBytes, p) }
- Text("derived P: $p • est. max elements: $nmax", fontFamily = FontFamily.Monospace, fontSize = 11.sp, color = colorScheme.onSurface.copy(alpha = 0.7f))
+ }
+ }
+ // Label list for clarity under the canvas
+ LazyColumn(modifier = Modifier.fillMaxWidth().heightIn(max = 140.dp)) {
+ items(nodes) { node ->
+ val label = "${node.peerID.take(8)} • ${node.nickname ?: "unknown"}"
+ Text(label, fontFamily = FontFamily.Monospace, fontSize = 11.sp, color = colorScheme.onSurface.copy(alpha = 0.85f))
}
}
}
+ }
+ }
+}
+
+
// Connected devices
item {
diff --git a/app/src/main/java/com/bitchat/android/ui/events/FileShareDispatcher.kt b/app/src/main/java/com/bitchat/android/ui/events/FileShareDispatcher.kt
deleted file mode 100644
index 13bda8d7e..000000000
--- a/app/src/main/java/com/bitchat/android/ui/events/FileShareDispatcher.kt
+++ /dev/null
@@ -1,17 +0,0 @@
-package com.bitchat.android.ui.events
-
-/**
- * Lightweight dispatcher so lower-level UI (MessageInput) can trigger
- * file sending without holding a direct reference to ChatViewModel.
- */
-object FileShareDispatcher {
- @Volatile private var handler: ((String?, String?, String) -> Unit)? = null
-
- fun setHandler(h: ((String?, String?, String) -> Unit)?) {
- handler = h
- }
-
- fun dispatch(peerIdOrNull: String?, channelOrNull: String?, path: String) {
- handler?.invoke(peerIdOrNull, channelOrNull, path)
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/media/AudioMessageItem.kt b/app/src/main/java/com/bitchat/android/ui/media/AudioMessageItem.kt
deleted file mode 100644
index d01e7a30d..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/AudioMessageItem.kt
+++ /dev/null
@@ -1,99 +0,0 @@
-package com.bitchat.android.ui.media
-
-import androidx.compose.foundation.background
-import androidx.compose.foundation.clickable
-import androidx.compose.foundation.gestures.detectTapGestures
-import androidx.compose.foundation.layout.*
-import androidx.compose.foundation.shape.CircleShape
-import androidx.compose.material.icons.Icons
-import androidx.compose.material.icons.filled.Close
-import androidx.compose.material3.Icon
-import androidx.compose.material3.Text
-import androidx.compose.runtime.*
-import androidx.compose.ui.Alignment
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.graphics.Color
-import androidx.compose.ui.hapticfeedback.HapticFeedbackType
-import androidx.compose.ui.input.pointer.pointerInput
-import androidx.compose.ui.platform.LocalHapticFeedback
-import androidx.compose.ui.text.TextLayoutResult
-import androidx.compose.ui.text.font.FontFamily
-import androidx.compose.ui.unit.dp
-import com.bitchat.android.mesh.BluetoothMeshService
-import com.bitchat.android.model.BitchatMessage
-import androidx.compose.material3.ColorScheme
-import java.text.SimpleDateFormat
-
-@Composable
-fun AudioMessageItem(
- message: BitchatMessage,
- currentUserNickname: String,
- meshService: BluetoothMeshService,
- colorScheme: ColorScheme,
- timeFormatter: SimpleDateFormat,
- onNicknameClick: ((String) -> Unit)?,
- onMessageLongPress: ((BitchatMessage) -> Unit)?,
- onCancelTransfer: ((BitchatMessage) -> Unit)?,
- modifier: Modifier = Modifier
-) {
- val path = message.content.trim()
- // Derive sending progress if applicable
- val (overrideProgress, overrideColor) = when (val st = message.deliveryStatus) {
- is com.bitchat.android.model.DeliveryStatus.PartiallyDelivered -> {
- if (st.total > 0 && st.reached < st.total) {
- (st.reached.toFloat() / st.total.toFloat()) to Color(0xFF1E88E5) // blue while sending
- } else null to null
- }
- else -> null to null
- }
- Column(modifier = modifier.fillMaxWidth()) {
- // Header: nickname + timestamp line above the audio note, identical styling to text messages
- val headerText = com.bitchat.android.ui.formatMessageHeaderAnnotatedString(
- message = message,
- currentUserNickname = currentUserNickname,
- meshService = meshService,
- colorScheme = colorScheme,
- timeFormatter = timeFormatter
- )
- val haptic = LocalHapticFeedback.current
- var headerLayout by remember { mutableStateOf(null) }
- Text(
- text = headerText,
- fontFamily = FontFamily.Monospace,
- color = colorScheme.onSurface,
- modifier = Modifier.pointerInput(message.id) {
- detectTapGestures(onTap = { pos ->
- val layout = headerLayout ?: return@detectTapGestures
- val offset = layout.getOffsetForPosition(pos)
- val ann = headerText.getStringAnnotations("nickname_click", offset, offset)
- if (ann.isNotEmpty() && onNicknameClick != null) {
- haptic.performHapticFeedback(HapticFeedbackType.TextHandleMove)
- onNicknameClick.invoke(ann.first().item)
- }
- }, onLongPress = { onMessageLongPress?.invoke(message) })
- },
- onTextLayout = { headerLayout = it }
- )
-
- Row(verticalAlignment = Alignment.CenterVertically) {
- VoiceNotePlayer(
- path = path,
- progressOverride = overrideProgress,
- progressColor = overrideColor
- )
- val showCancel = message.sender == currentUserNickname && (message.deliveryStatus is com.bitchat.android.model.DeliveryStatus.PartiallyDelivered)
- if (showCancel) {
- Spacer(Modifier.width(8.dp))
- Box(
- modifier = Modifier
- .size(26.dp)
- .background(Color.Gray.copy(alpha = 0.6f), CircleShape)
- .clickable { onCancelTransfer?.invoke(message) },
- contentAlignment = Alignment.Center
- ) {
- Icon(imageVector = Icons.Filled.Close, contentDescription = "Cancel", tint = Color.White, modifier = Modifier.size(16.dp))
- }
- }
- }
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/media/BlockRevealImage.kt b/app/src/main/java/com/bitchat/android/ui/media/BlockRevealImage.kt
deleted file mode 100644
index e0f08ccc1..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/BlockRevealImage.kt
+++ /dev/null
@@ -1,95 +0,0 @@
-package com.bitchat.android.ui.media
-
-import androidx.compose.foundation.Canvas
-import androidx.compose.foundation.layout.fillMaxWidth
-import androidx.compose.runtime.Composable
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.geometry.Rect
-import androidx.compose.ui.graphics.ImageBitmap
-import androidx.compose.ui.graphics.drawscope.DrawScope
-import androidx.compose.ui.graphics.drawscope.drawIntoCanvas
-import androidx.compose.ui.unit.IntOffset
-import androidx.compose.ui.unit.IntSize
-
-/**
- * Draws an image progressively, revealing it block-by-block based on progress [0f..1f].
- * blocksX * blocksY defines the grid density; higher numbers look more "modem-era".
- */
-@Composable
-fun BlockRevealImage(
- bitmap: ImageBitmap,
- progress: Float,
- blocksX: Int = 24,
- blocksY: Int = 16,
- modifier: Modifier = Modifier
-) {
- val frac = progress.coerceIn(0f, 1f)
- Canvas(modifier = modifier.fillMaxWidth()) {
- drawProgressive(bitmap, frac, blocksX, blocksY)
- }
-}
-
-private fun DrawScope.drawProgressive(
- bitmap: ImageBitmap,
- progress: Float,
- blocksX: Int,
- blocksY: Int
-) {
- val canvasW = size.width
- val canvasH = size.height
- if (canvasW <= 0f || canvasH <= 0f) return
-
- val totalBlocks = (blocksX * blocksY).coerceAtLeast(1)
- val toShow = (totalBlocks * progress).toInt().coerceIn(0, totalBlocks)
- if (toShow <= 0) return
-
- val imgW = bitmap.width
- val imgH = bitmap.height
- if (imgW <= 0 || imgH <= 0) return
-
- // Compute scaled destination rect maintaining aspect fit
- val canvasRatio = canvasW / canvasH
- val imageRatio = imgW.toFloat() / imgH.toFloat()
- val dstW: Float
- val dstH: Float
- if (imageRatio >= canvasRatio) {
- dstW = canvasW
- dstH = canvasW / imageRatio
- } else {
- dstH = canvasH
- dstW = canvasH * imageRatio
- }
- val left = 0f
- val top = (canvasH - dstH) / 2f
-
- // Precompute integer edges to avoid 1px gaps due to rounding
- val xDstEdges = IntArray(blocksX + 1) { i -> (left + (dstW * i / blocksX)).toInt().coerceAtLeast(0) }
- val yDstEdges = IntArray(blocksY + 1) { i -> (top + (dstH * i / blocksY)).toInt().coerceAtLeast(0) }
- val xSrcEdges = IntArray(blocksX + 1) { i -> (imgW * i / blocksX) }
- val ySrcEdges = IntArray(blocksY + 1) { i -> (imgH * i / blocksY) }
-
- var shown = 0
- outer@ for (by in 0 until blocksY) {
- for (bx in 0 until blocksX) {
- if (shown >= toShow) break@outer
- val sx = xSrcEdges[bx]
- val sy = ySrcEdges[by]
- val sw = xSrcEdges[bx + 1] - xSrcEdges[bx]
- val sh = ySrcEdges[by + 1] - ySrcEdges[by]
- val dx = xDstEdges[bx]
- val dy = yDstEdges[by]
- val dw = xDstEdges[bx + 1] - xDstEdges[bx]
- val dh = yDstEdges[by + 1] - yDstEdges[by]
-
- drawImage(
- image = bitmap,
- srcOffset = IntOffset(sx, sy),
- srcSize = IntSize(sw, sh),
- dstOffset = IntOffset(dx, dy),
- dstSize = IntSize(dw.coerceAtLeast(1), dh.coerceAtLeast(1)),
- alpha = 1f
- )
- shown++
- }
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/media/FileMessageItem.kt b/app/src/main/java/com/bitchat/android/ui/media/FileMessageItem.kt
deleted file mode 100644
index 8d7318af9..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/FileMessageItem.kt
+++ /dev/null
@@ -1,154 +0,0 @@
-package com.bitchat.android.ui.media
-
-import androidx.compose.foundation.clickable
-import androidx.compose.foundation.layout.Arrangement
-import androidx.compose.foundation.layout.Box
-import androidx.compose.foundation.layout.Column
-import androidx.compose.foundation.layout.Row
-import androidx.compose.foundation.layout.Spacer
-import androidx.compose.foundation.layout.fillMaxWidth
-import androidx.compose.foundation.layout.height
-import androidx.compose.foundation.layout.padding
-import androidx.compose.foundation.layout.size
-import androidx.compose.foundation.layout.width
-import androidx.compose.foundation.shape.RoundedCornerShape
-import androidx.compose.material.icons.Icons
-import androidx.compose.material.icons.filled.Description
-import androidx.compose.material3.Card
-import androidx.compose.material3.CardDefaults
-import androidx.compose.material3.Icon
-import androidx.compose.material3.MaterialTheme
-import androidx.compose.material3.Text
-import androidx.compose.runtime.Composable
-import androidx.compose.runtime.getValue
-import androidx.compose.runtime.mutableStateOf
-import androidx.compose.runtime.remember
-import androidx.compose.runtime.setValue
-import androidx.compose.ui.Alignment
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.graphics.Color
-import androidx.compose.ui.text.style.TextOverflow
-import androidx.compose.ui.unit.dp
-import com.bitchat.android.features.file.FileUtils
-import com.bitchat.android.model.BitchatFilePacket
-
-/**
- * Modern chat-style file message display
- */
-@Composable
-fun FileMessageItem(
- packet: BitchatFilePacket,
- onFileClick: () -> Unit,
- modifier: Modifier = Modifier
-) {
- var showDialog by remember { mutableStateOf(false) }
-
- Card(
- modifier = modifier
- .fillMaxWidth(0.8f)
- .clickable { showDialog = true },
- shape = RoundedCornerShape(12.dp),
- colors = CardDefaults.cardColors(
- containerColor = MaterialTheme.colorScheme.surfaceVariant.copy(alpha = 0.8f)
- )
- ) {
- Row(
- modifier = Modifier.padding(16.dp),
- verticalAlignment = Alignment.CenterVertically,
- horizontalArrangement = Arrangement.spacedBy(12.dp)
- ) {
- // File icon
- Icon(
- imageVector = Icons.Filled.Description,
- contentDescription = "File",
- tint = getFileIconColor(packet.fileName),
- modifier = Modifier.size(32.dp)
- )
-
- Column(
- modifier = Modifier.weight(1f),
- verticalArrangement = Arrangement.spacedBy(4.dp)
- ) {
- // File name
- Text(
- text = packet.fileName,
- style = MaterialTheme.typography.bodyLarge,
- fontWeight = androidx.compose.ui.text.font.FontWeight.Medium,
- maxLines = 1,
- overflow = TextOverflow.Ellipsis
- )
-
- // File details
- Row(
- verticalAlignment = Alignment.CenterVertically,
- horizontalArrangement = Arrangement.spacedBy(8.dp)
- ) {
- Text(
- text = FileUtils.formatFileSize(packet.fileSize),
- style = MaterialTheme.typography.bodySmall,
- color = MaterialTheme.colorScheme.onSurfaceVariant
- )
-
- // File type indicator
- FileTypeBadge(mimeType = packet.mimeType)
- }
- }
- }
- }
-
- // File viewer dialog
- if (showDialog) {
- FileViewerDialog(
- packet = packet,
- onDismiss = { showDialog = false },
- onSaveToDevice = { content, fileName ->
- // In a real implementation, this would save to Downloads
- // For now, just log that file was "saved"
- android.util.Log.d("FileSharing", "Would save file: $fileName")
- }
- )
- }
-}
-
-/**
- * Small badge showing file type
- */
-@Composable
-private fun FileTypeBadge(mimeType: String) {
- val (text, color) = when {
- mimeType.startsWith("application/pdf") -> "PDF" to Color(0xFFDC2626)
- mimeType.startsWith("text/") -> "TXT" to Color(0xFF059669)
- mimeType.startsWith("image/") -> "IMG" to Color(0xFF7C3AED)
- mimeType.startsWith("audio/") -> "AUD" to Color(0xFFEA580C)
- mimeType.startsWith("video/") -> "VID" to Color(0xFF2563EB)
- mimeType.contains("document") -> "DOC" to Color(0xFF1D4ED8)
- mimeType.contains("zip") || mimeType.contains("rar") -> "ZIP" to Color(0xFF7C2D12)
- else -> "FILE" to MaterialTheme.colorScheme.onSurfaceVariant
- }
-
- Text(
- text = text,
- style = MaterialTheme.typography.labelSmall,
- color = color,
- fontWeight = androidx.compose.ui.text.font.FontWeight.Bold
- )
-}
-
-/**
- * Get appropriate icon color based on file extension
- */
-private fun getFileIconColor(fileName: String): Color {
- val extension = fileName.substringAfterLast(".", "").lowercase()
- return when (extension) {
- "pdf" -> Color(0xFFDC2626) // Red
- "doc", "docx" -> Color(0xFF1D4ED8) // Blue
- "xls", "xlsx" -> Color(0xFF059669) // Green
- "ppt", "pptx" -> Color(0xFFEA580C) // Orange
- "txt", "json", "xml" -> Color(0xFF7C3AED) // Purple
- "jpg", "png", "gif", "webp" -> Color(0xFF2563EB) // Blue
- "mp3", "wav", "m4a" -> Color(0xFFEA580C) // Orange
- "mp4", "avi", "mov" -> Color(0xFFDC2626) // Red
- "zip", "rar", "7z" -> Color(0xFF7C2D12) // Brown
- else -> Color(0xFF6B7280) // Gray
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/media/FilePickerButton.kt b/app/src/main/java/com/bitchat/android/ui/media/FilePickerButton.kt
deleted file mode 100644
index 384e9c9d0..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/FilePickerButton.kt
+++ /dev/null
@@ -1,52 +0,0 @@
-package com.bitchat.android.ui.media
-
-import android.net.Uri
-import androidx.activity.compose.rememberLauncherForActivityResult
-import androidx.activity.result.contract.ActivityResultContracts
-import androidx.compose.foundation.layout.size
-import androidx.compose.material.icons.Icons
-import androidx.compose.material.icons.filled.Attachment
-import androidx.compose.material3.Icon
-import androidx.compose.material3.IconButton
-import androidx.compose.runtime.Composable
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.draw.rotate
-import androidx.compose.ui.graphics.Color
-import androidx.compose.ui.platform.LocalContext
-import androidx.compose.ui.unit.dp
-import com.bitchat.android.features.file.FileUtils
-
-@Composable
-fun FilePickerButton(
- modifier: Modifier = Modifier,
- onFileReady: (String) -> Unit
-) {
- val context = LocalContext.current
-
- // Use SAF - supports all file types
- val filePicker = rememberLauncherForActivityResult(
- contract = ActivityResultContracts.OpenDocument()
- ) { uri: Uri? ->
- if (uri != null) {
- // Persist temporary read permission so we can copy
- try { context.contentResolver.takePersistableUriPermission(uri, android.content.Intent.FLAG_GRANT_READ_URI_PERMISSION) } catch (_: Exception) {}
- val path = FileUtils.copyFileForSending(context, uri)
- if (!path.isNullOrBlank()) onFileReady(path)
- }
- }
-
- IconButton(
- onClick = {
- // Allow any MIME type; user asked to choose between image or file at higher level UI
- filePicker.launch(arrayOf("*/*"))
- },
- modifier = modifier.size(32.dp)
- ) {
- Icon(
- imageVector = Icons.Filled.Attachment,
- contentDescription = "Pick file",
- tint = Color.Gray,
- modifier = Modifier.size(20.dp).rotate(90f)
- )
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/media/FileSendingAnimation.kt b/app/src/main/java/com/bitchat/android/ui/media/FileSendingAnimation.kt
deleted file mode 100644
index a41a7551a..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/FileSendingAnimation.kt
+++ /dev/null
@@ -1,152 +0,0 @@
-package com.bitchat.android.ui.media
-
-import androidx.compose.animation.core.LinearEasing
-import androidx.compose.animation.core.animateFloatAsState
-import androidx.compose.animation.core.tween
-import androidx.compose.foundation.Canvas
-import androidx.compose.foundation.layout.Arrangement
-import androidx.compose.foundation.layout.Column
-import androidx.compose.foundation.layout.Row
-import androidx.compose.foundation.layout.fillMaxWidth
-import androidx.compose.foundation.layout.height
-import androidx.compose.foundation.layout.padding
-import androidx.compose.foundation.layout.size
-import androidx.compose.material.icons.Icons
-import androidx.compose.material.icons.filled.Description
-import androidx.compose.material3.Icon
-import androidx.compose.material3.MaterialTheme
-import androidx.compose.runtime.Composable
-import androidx.compose.runtime.LaunchedEffect
-import androidx.compose.runtime.getValue
-import androidx.compose.runtime.mutableFloatStateOf
-import androidx.compose.runtime.mutableStateOf
-import androidx.compose.runtime.remember
-import androidx.compose.runtime.setValue
-import androidx.compose.ui.Alignment
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.geometry.Offset
-import androidx.compose.ui.graphics.Color
-import androidx.compose.ui.graphics.drawscope.Stroke
-import androidx.compose.ui.unit.dp
-import kotlinx.coroutines.delay
-
-/**
- * Matrix-style file sending animation with character-by-character reveal
- * Shows a file icon with filename being "typed" out character by character
- * and progress visualization
- */
-@Composable
-fun FileSendingAnimation(
- modifier: Modifier = Modifier,
- fileName: String,
- progress: Float = 0f
-) {
- var revealedChars by remember(fileName) { mutableFloatStateOf(0f) }
- var showCursor by remember { mutableStateOf(true) }
-
- // Animate character reveal
- val animatedChars by animateFloatAsState(
- targetValue = revealedChars,
- animationSpec = tween(
- durationMillis = 50 * fileName.length,
- easing = LinearEasing
- ),
- label = "fileNameReveal"
- )
-
- // Cursor blinking
- LaunchedEffect(Unit) {
- while (true) {
- delay(500)
- showCursor = !showCursor
- }
- }
-
- // Trigger reveal animation
- LaunchedEffect(fileName) {
- revealedChars = fileName.length.toFloat()
- }
-
- Row(
- modifier = modifier
- .fillMaxWidth()
- .padding(16.dp),
- verticalAlignment = Alignment.CenterVertically,
- horizontalArrangement = Arrangement.spacedBy(12.dp)
- ) {
- // File icon
- Icon(
- imageVector = Icons.Filled.Description,
- contentDescription = "File",
- tint = Color(0xFF00C851), // Green like app theme
- modifier = Modifier.size(32.dp)
- )
-
- Column(
- modifier = Modifier.weight(1f),
- verticalArrangement = Arrangement.spacedBy(8.dp)
- ) {
- // Filename reveal animation (Matrix-style)
- Row(verticalAlignment = Alignment.Bottom) {
- // Revealed part of filename
- val revealedText = fileName.substring(0, animatedChars.toInt())
- androidx.compose.material3.Text(
- text = revealedText,
- style = MaterialTheme.typography.bodyMedium.copy(
- fontFamily = androidx.compose.ui.text.font.FontFamily.Monospace,
- color = Color.White
- ),
- modifier = Modifier.padding(end = 2.dp)
- )
-
- // Blinking cursor (only if not fully revealed)
- if (animatedChars < fileName.length && showCursor) {
- androidx.compose.material3.Text(
- text = "_",
- style = MaterialTheme.typography.bodyMedium.copy(
- fontFamily = androidx.compose.ui.text.font.FontFamily.Monospace,
- color = Color.White
- )
- )
- }
- }
-
- // Progress visualization
- FileProgressBars(
- progress = progress,
- modifier = Modifier.fillMaxWidth().height(20.dp)
- )
- }
- }
-}
-
-/**
- * ASCII-style progress bars for file transfer
- */
-@Composable
-private fun FileProgressBars(
- progress: Float,
- modifier: Modifier = Modifier
-) {
- val bars = 12
- val filledBars = (progress * bars).toInt()
-
- // Create a matrix-style progress bar string
- val progressString = buildString {
- append("[")
- for (i in 0 until bars) {
- append(if (i < filledBars) "█" else "░")
- }
- append("] ")
- append("${(progress * 100).toInt()}%")
- }
-
- androidx.compose.material3.Text(
- text = progressString,
- style = MaterialTheme.typography.bodySmall.copy(
- fontFamily = androidx.compose.ui.text.font.FontFamily.Monospace,
- color = Color(0xFF00FF7F) // Matrix green
- ),
- modifier = modifier
- )
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/media/FileViewerDialog.kt b/app/src/main/java/com/bitchat/android/ui/media/FileViewerDialog.kt
deleted file mode 100644
index 0293eabd6..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/FileViewerDialog.kt
+++ /dev/null
@@ -1,161 +0,0 @@
-package com.bitchat.android.ui.media
-
-import android.content.ActivityNotFoundException
-import android.content.Context
-import android.content.Intent
-import android.net.Uri
-import androidx.compose.foundation.layout.Arrangement
-import androidx.compose.foundation.layout.Column
-import androidx.compose.foundation.layout.Row
-import androidx.compose.foundation.layout.Spacer
-import androidx.compose.foundation.layout.fillMaxWidth
-import androidx.compose.foundation.layout.height
-import androidx.compose.foundation.layout.padding
-import androidx.compose.foundation.shape.RoundedCornerShape
-import androidx.compose.material3.Button
-import androidx.compose.material3.ButtonDefaults
-import androidx.compose.material3.MaterialTheme
-import androidx.compose.material3.Text
-import androidx.compose.runtime.Composable
-import androidx.compose.runtime.rememberCoroutineScope
-import androidx.compose.ui.Alignment
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.platform.LocalContext
-import androidx.compose.ui.unit.dp
-import androidx.compose.ui.window.Dialog
-import com.bitchat.android.features.file.FileUtils
-import com.bitchat.android.model.BitchatFilePacket
-import kotlinx.coroutines.launch
-import java.io.File
-
-/**
- * Dialog for handling received file messages in modern chat style
- */
-@Composable
-fun FileViewerDialog(
- packet: BitchatFilePacket,
- onDismiss: () -> Unit,
- onSaveToDevice: (ByteArray, String) -> Unit
-) {
- val context = LocalContext.current
- val coroutineScope = rememberCoroutineScope()
-
- Dialog(onDismissRequest = onDismiss) {
- androidx.compose.material3.Card(
- modifier = Modifier.fillMaxWidth(),
- shape = RoundedCornerShape(12.dp)
- ) {
- Column(
- modifier = Modifier
- .fillMaxWidth()
- .padding(24.dp),
- horizontalAlignment = Alignment.CenterHorizontally,
- verticalArrangement = Arrangement.spacedBy(16.dp)
- ) {
- // File received header
- Text(
- text = "📎 File Received",
- style = MaterialTheme.typography.headlineSmall,
- color = MaterialTheme.colorScheme.primary
- )
-
- // File info
- Column(
- verticalArrangement = Arrangement.spacedBy(8.dp),
- horizontalAlignment = Alignment.Start
- ) {
- Text(
- text = "📄 ${packet.fileName}",
- style = MaterialTheme.typography.bodyLarge,
- fontWeight = androidx.compose.ui.text.font.FontWeight.Medium
- )
- Text(
- text = "📏 Size: ${FileUtils.formatFileSize(packet.fileSize)}",
- style = MaterialTheme.typography.bodyMedium,
- color = MaterialTheme.colorScheme.onSurfaceVariant
- )
- Text(
- text = "🏷️ Type: ${packet.mimeType}",
- style = MaterialTheme.typography.bodyMedium,
- color = MaterialTheme.colorScheme.onSurfaceVariant
- )
- }
-
- Spacer(modifier = Modifier.height(8.dp))
-
- // Action buttons
- Row(
- modifier = Modifier.fillMaxWidth(),
- horizontalArrangement = Arrangement.spacedBy(12.dp)
- ) {
- // Open/Save button
- Button(
- onClick = {
- coroutineScope.launch {
- // Try to save to Downloads first
- try {
- onSaveToDevice(packet.content, packet.fileName)
- onDismiss()
- } catch (e: Exception) {
- // If save fails, try to open directly
- tryOpenFile(context, packet)
- onDismiss()
- }
- }
- },
- modifier = Modifier.weight(1f),
- colors = ButtonDefaults.buttonColors(
- containerColor = MaterialTheme.colorScheme.primary
- )
- ) {
- Text("📂 Open / Save")
- }
-
- // Dismiss button
- Button(
- onClick = onDismiss,
- modifier = Modifier.weight(1f),
- colors = ButtonDefaults.buttonColors(
- containerColor = MaterialTheme.colorScheme.secondary
- )
- ) {
- Text("❌ Close")
- }
- }
- }
- }
- }
-}
-
-/**
- * Attempts to open a file using system viewers or save to device
- */
-private fun tryOpenFile(context: Context, packet: BitchatFilePacket) {
- try {
- // First try to save to temp file and open
- val tempFile = File.createTempFile("bitchat_", ".${packet.fileName.substringAfterLast(".")}", context.cacheDir)
- tempFile.writeBytes(packet.content)
- tempFile.deleteOnExit()
-
- val uri = androidx.core.content.FileProvider.getUriForFile(
- context,
- "${context.packageName}.fileprovider",
- tempFile
- )
-
- val intent = Intent(Intent.ACTION_VIEW).apply {
- setDataAndType(uri, packet.mimeType)
- addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION)
- addFlags(Intent.FLAG_ACTIVITY_NEW_TASK)
- }
-
- try {
- context.startActivity(intent)
- } catch (e: ActivityNotFoundException) {
- // No app can handle this file type - just show a message
- // In a real app, you'd show a toast or snackbar
- }
- } catch (e: Exception) {
- // Handle any errors gracefully
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/media/FullScreenImageViewer.kt b/app/src/main/java/com/bitchat/android/ui/media/FullScreenImageViewer.kt
deleted file mode 100644
index 24e2fa070..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/FullScreenImageViewer.kt
+++ /dev/null
@@ -1,170 +0,0 @@
-package com.bitchat.android.ui.media
-
-import android.content.ContentValues
-import android.os.Build
-import android.provider.MediaStore
-import android.widget.Toast
-import androidx.compose.foundation.background
-import androidx.compose.foundation.clickable
-import androidx.compose.foundation.layout.*
-import androidx.compose.foundation.pager.HorizontalPager
-import androidx.compose.foundation.pager.rememberPagerState
-import androidx.compose.foundation.shape.CircleShape
-import androidx.compose.material.icons.Icons
-import androidx.compose.material.icons.filled.Close
-import androidx.compose.material.icons.filled.Download
-import androidx.compose.material3.Icon
-import androidx.compose.material3.MaterialTheme
-import androidx.compose.material3.Surface
-import androidx.compose.material3.Text
-import androidx.compose.runtime.Composable
-import androidx.compose.runtime.mutableStateOf
-import androidx.compose.runtime.remember
-import androidx.compose.ui.Alignment
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.graphics.Color
-import androidx.compose.ui.graphics.asImageBitmap
-import androidx.compose.ui.layout.ContentScale
-import androidx.compose.ui.platform.LocalContext
-import androidx.compose.ui.unit.dp
-import androidx.compose.ui.unit.sp
-import androidx.compose.foundation.Image
-import androidx.compose.foundation.shape.RoundedCornerShape
-import androidx.compose.ui.window.Dialog
-import androidx.compose.ui.window.DialogProperties
-import java.io.File
-
-/**
- * Fullscreen image viewer with swipe navigation between multiple images
- * @param imagePaths List of all image file paths in the current chat
- * @param initialIndex Starting index of the current image in the list
- * @param onClose Callback when the viewer should be dismissed
- */
-// Backward compatibility for single image (can be removed after updating all callers)
-@Composable
-fun FullScreenImageViewer(path: String, onClose: () -> Unit) {
- FullScreenImageViewer(listOf(path), 0, onClose)
-}
-
-/**
- * Fullscreen image viewer with swipe navigation between multiple images
- * @param imagePaths List of all image file paths in the current chat
- * @param initialIndex Starting index of the current image in the list
- * @param onClose Callback when the viewer should be dismissed
- */
-@Composable
-fun FullScreenImageViewer(imagePaths: List, initialIndex: Int = 0, onClose: () -> Unit) {
- val context = LocalContext.current
- val pagerState = rememberPagerState(initialPage = initialIndex, pageCount = imagePaths::size)
-
- if (imagePaths.isEmpty()) {
- onClose()
- return
- }
-
- Dialog(onDismissRequest = onClose, properties = DialogProperties(usePlatformDefaultWidth = false)) {
- Surface(color = Color.Black) {
- Box(modifier = Modifier.fillMaxSize()) {
- HorizontalPager(
- state = pagerState,
- modifier = Modifier.fillMaxSize()
- ) { page ->
- val currentPath = imagePaths[page]
- val bmp = remember(currentPath) { try { android.graphics.BitmapFactory.decodeFile(currentPath) } catch (_: Exception) { null } }
-
- bmp?.let {
- androidx.compose.foundation.Image(
- bitmap = it.asImageBitmap(),
- contentDescription = "Image ${page + 1} of ${imagePaths.size}",
- modifier = Modifier.fillMaxSize(),
- contentScale = ContentScale.Fit
- )
- } ?: run {
- Box(modifier = Modifier.fillMaxSize(), contentAlignment = Alignment.Center) {
- Text(text = "Image unavailable", color = Color.White)
- }
- }
- }
-
- // Image counter
- if (imagePaths.size > 1) {
- Box(
- modifier = Modifier
- .padding(horizontal = 16.dp, vertical = 8.dp)
- .align(Alignment.TopCenter)
- .background(Color(0x66000000), androidx.compose.foundation.shape.RoundedCornerShape(12.dp))
- .padding(horizontal = 12.dp, vertical = 4.dp)
- ) {
- Text(
- text = "${(pagerState.currentPage ?: 0) + 1} / ${imagePaths.size}",
- color = Color.White,
- fontSize = 14.sp,
- fontFamily = androidx.compose.ui.text.font.FontFamily.Monospace
- )
- }
- }
-
- Row(
- modifier = Modifier
- .fillMaxWidth()
- .padding(12.dp)
- .align(Alignment.TopEnd),
- horizontalArrangement = Arrangement.End
- ) {
- Box(
- modifier = Modifier
- .size(36.dp)
- .background(Color(0x66000000), CircleShape)
- .clickable { saveToDownloads(context, imagePaths[pagerState.currentPage].toString()) },
- contentAlignment = Alignment.Center
- ) {
- androidx.compose.material3.Icon(Icons.Filled.Download, "Save current image", tint = Color.White)
- }
- Spacer(Modifier.width(12.dp))
- Box(
- modifier = Modifier
- .size(36.dp)
- .background(Color(0x66000000), CircleShape)
- .clickable { onClose() },
- contentAlignment = Alignment.Center
- ) {
- androidx.compose.material3.Icon(Icons.Filled.Close, "Close", tint = Color.White)
- }
- }
- }
- }
- }
-}
-
-private fun saveToDownloads(context: android.content.Context, path: String) {
- runCatching {
- val name = File(path).name
- val mime = when {
- name.endsWith(".png", true) -> "image/png"
- name.endsWith(".webp", true) -> "image/webp"
- else -> "image/jpeg"
- }
- val values = ContentValues().apply {
- put(MediaStore.Downloads.DISPLAY_NAME, name)
- put(MediaStore.Downloads.MIME_TYPE, mime)
- if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.Q) {
- put(MediaStore.Downloads.IS_PENDING, 1)
- }
- }
- val uri = context.contentResolver.insert(MediaStore.Downloads.EXTERNAL_CONTENT_URI, values)
- if (uri != null) {
- context.contentResolver.openOutputStream(uri)?.use { out ->
- File(path).inputStream().use { it.copyTo(out) }
- }
- if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.Q) {
- val v2 = ContentValues().apply { put(MediaStore.Downloads.IS_PENDING, 0) }
- context.contentResolver.update(uri, v2, null, null)
- }
- // Show toast message indicating the image has been saved
- Toast.makeText(context, "Image saved to Downloads", Toast.LENGTH_SHORT).show()
- }
- }.onFailure {
- // Optionally handle failure case (e.g., show error toast)
- Toast.makeText(context, "Failed to save image", Toast.LENGTH_SHORT).show()
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/media/ImageMessageItem.kt b/app/src/main/java/com/bitchat/android/ui/media/ImageMessageItem.kt
deleted file mode 100644
index a2206594f..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/ImageMessageItem.kt
+++ /dev/null
@@ -1,149 +0,0 @@
-package com.bitchat.android.ui.media
-
-import androidx.compose.foundation.Image
-import androidx.compose.foundation.background
-import androidx.compose.foundation.clickable
-import androidx.compose.foundation.gestures.detectTapGestures
-import androidx.compose.foundation.layout.*
-import androidx.compose.foundation.shape.CircleShape
-import androidx.compose.material.icons.Icons
-import androidx.compose.material.icons.filled.Close
-import androidx.compose.material3.Icon
-import androidx.compose.material3.MaterialTheme
-import androidx.compose.material3.Text
-import androidx.compose.runtime.*
-import androidx.compose.ui.Alignment
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.graphics.Color
-import androidx.compose.ui.graphics.asImageBitmap
-import androidx.compose.ui.hapticfeedback.HapticFeedbackType
-import androidx.compose.ui.layout.ContentScale
-import androidx.compose.ui.draw.clip
-import androidx.compose.ui.input.pointer.pointerInput
-import androidx.compose.ui.platform.LocalContext
-import androidx.compose.ui.platform.LocalHapticFeedback
-import androidx.compose.ui.text.TextLayoutResult
-import androidx.compose.ui.text.font.FontFamily
-import androidx.compose.ui.unit.dp
-import com.bitchat.android.mesh.BluetoothMeshService
-import com.bitchat.android.model.BitchatMessage
-import com.bitchat.android.model.BitchatMessageType
-import androidx.compose.material3.ColorScheme
-import java.text.SimpleDateFormat
-import java.util.*
-
-@Composable
-fun ImageMessageItem(
- message: BitchatMessage,
- messages: List,
- currentUserNickname: String,
- meshService: BluetoothMeshService,
- colorScheme: ColorScheme,
- timeFormatter: SimpleDateFormat,
- onNicknameClick: ((String) -> Unit)?,
- onMessageLongPress: ((BitchatMessage) -> Unit)?,
- onCancelTransfer: ((BitchatMessage) -> Unit)?,
- onImageClick: ((String, List, Int) -> Unit)?,
- modifier: Modifier = Modifier
-) {
- val path = message.content.trim()
- Column(modifier = modifier.fillMaxWidth()) {
- val headerText = com.bitchat.android.ui.formatMessageHeaderAnnotatedString(
- message = message,
- currentUserNickname = currentUserNickname,
- meshService = meshService,
- colorScheme = colorScheme,
- timeFormatter = timeFormatter
- )
- val haptic = LocalHapticFeedback.current
- var headerLayout by remember { mutableStateOf(null) }
- Text(
- text = headerText,
- fontFamily = FontFamily.Monospace,
- color = colorScheme.onSurface,
- modifier = Modifier.pointerInput(message.id) {
- detectTapGestures(onTap = { pos ->
- val layout = headerLayout ?: return@detectTapGestures
- val offset = layout.getOffsetForPosition(pos)
- val ann = headerText.getStringAnnotations("nickname_click", offset, offset)
- if (ann.isNotEmpty() && onNicknameClick != null) {
- haptic.performHapticFeedback(HapticFeedbackType.TextHandleMove)
- onNicknameClick.invoke(ann.first().item)
- }
- }, onLongPress = { onMessageLongPress?.invoke(message) })
- },
- onTextLayout = { headerLayout = it }
- )
-
- val context = LocalContext.current
- val bmp = remember(path) { try { android.graphics.BitmapFactory.decodeFile(path) } catch (_: Exception) { null } }
-
- // Collect all image paths from messages for swipe navigation
- val imagePaths = remember(messages) {
- messages.filter { it.type == BitchatMessageType.Image }
- .map { it.content.trim() }
- }
-
- if (bmp != null) {
- val img = bmp.asImageBitmap()
- val aspect = (bmp.width.toFloat() / bmp.height.toFloat()).takeIf { it.isFinite() && it > 0 } ?: 1f
- val progressFraction: Float? = when (val st = message.deliveryStatus) {
- is com.bitchat.android.model.DeliveryStatus.PartiallyDelivered -> if (st.total > 0) st.reached.toFloat() / st.total.toFloat() else 0f
- else -> null
- }
- Row(modifier = Modifier.fillMaxWidth(), horizontalArrangement = Arrangement.Start) {
- Box {
- if (progressFraction != null && progressFraction < 1f && message.sender == currentUserNickname) {
- // Cyberpunk block-reveal while sending
- BlockRevealImage(
- bitmap = img,
- progress = progressFraction,
- blocksX = 24,
- blocksY = 16,
- modifier = Modifier
- .widthIn(max = 300.dp)
- .aspectRatio(aspect)
- .clip(androidx.compose.foundation.shape.RoundedCornerShape(10.dp))
- .clickable {
- val currentIndex = imagePaths.indexOf(path)
- onImageClick?.invoke(path, imagePaths, currentIndex)
- }
- )
- } else {
- // Fully revealed image
- Image(
- bitmap = img,
- contentDescription = "Image",
- modifier = Modifier
- .widthIn(max = 300.dp)
- .aspectRatio(aspect)
- .clip(androidx.compose.foundation.shape.RoundedCornerShape(10.dp))
- .clickable {
- val currentIndex = imagePaths.indexOf(path)
- onImageClick?.invoke(path, imagePaths, currentIndex)
- },
- contentScale = ContentScale.Fit
- )
- }
- // Cancel button overlay during sending
- val showCancel = message.sender == currentUserNickname && (message.deliveryStatus is com.bitchat.android.model.DeliveryStatus.PartiallyDelivered)
- if (showCancel) {
- Box(
- modifier = Modifier
- .align(Alignment.TopEnd)
- .padding(4.dp)
- .size(22.dp)
- .background(Color.Gray.copy(alpha = 0.6f), CircleShape)
- .clickable { onCancelTransfer?.invoke(message) },
- contentAlignment = Alignment.Center
- ) {
- Icon(imageVector = Icons.Filled.Close, contentDescription = "Cancel", tint = Color.White, modifier = Modifier.size(14.dp))
- }
- }
- }
- }
- } else {
- Text(text = "[image unavailable]", fontFamily = FontFamily.Monospace, color = Color.Gray)
- }
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/media/ImagePickerButton.kt b/app/src/main/java/com/bitchat/android/ui/media/ImagePickerButton.kt
deleted file mode 100644
index aa3a0b7c7..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/ImagePickerButton.kt
+++ /dev/null
@@ -1,44 +0,0 @@
-package com.bitchat.android.ui.media
-
-import androidx.activity.compose.rememberLauncherForActivityResult
-import androidx.activity.result.contract.ActivityResultContracts
-import androidx.compose.foundation.layout.size
-import androidx.compose.material.icons.Icons
-import androidx.compose.material.icons.filled.Photo
-import androidx.compose.material3.Icon
-import androidx.compose.material3.IconButton
-import androidx.compose.runtime.Composable
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.graphics.Color
-import androidx.compose.ui.platform.LocalContext
-import androidx.compose.ui.unit.dp
-import com.bitchat.android.features.media.ImageUtils
-
-@Composable
-fun ImagePickerButton(
- modifier: Modifier = Modifier,
- onImageReady: (String) -> Unit
-) {
- val context = LocalContext.current
- val imagePicker = rememberLauncherForActivityResult(
- contract = ActivityResultContracts.GetContent()
- ) { uri: android.net.Uri? ->
- if (uri != null) {
- val outPath = ImageUtils.downscaleAndSaveToAppFiles(context, uri)
- if (!outPath.isNullOrBlank()) onImageReady(outPath)
- }
- }
-
- IconButton(
- onClick = { imagePicker.launch("image/*") },
- modifier = modifier.size(32.dp)
- ) {
- Icon(
- imageVector = Icons.Filled.Photo,
- contentDescription = "Pick image",
- tint = Color.Gray,
- modifier = Modifier.size(20.dp)
- )
- }
-}
-
diff --git a/app/src/main/java/com/bitchat/android/ui/media/MediaPickerOptions.kt b/app/src/main/java/com/bitchat/android/ui/media/MediaPickerOptions.kt
deleted file mode 100644
index e638512c7..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/MediaPickerOptions.kt
+++ /dev/null
@@ -1,149 +0,0 @@
-package com.bitchat.android.ui.media
-
-import androidx.compose.foundation.background
-import androidx.compose.foundation.clickable
-import androidx.compose.foundation.layout.Arrangement
-import androidx.compose.foundation.layout.Box
-import androidx.compose.foundation.layout.Column
-import androidx.compose.foundation.layout.Row
-import androidx.compose.foundation.layout.padding
-import androidx.compose.foundation.layout.size
-import androidx.compose.foundation.shape.RoundedCornerShape
-import androidx.compose.material.icons.Icons
-import androidx.compose.material.icons.filled.Add
-import androidx.compose.material.icons.filled.Description
-import androidx.compose.material3.Icon
-import androidx.compose.material3.MaterialTheme
-import androidx.compose.runtime.Composable
-import androidx.compose.runtime.getValue
-import androidx.compose.runtime.mutableStateOf
-import androidx.compose.runtime.remember
-import androidx.compose.runtime.setValue
-import androidx.compose.ui.Alignment
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.draw.clip
-import androidx.compose.ui.graphics.Color
-import androidx.compose.ui.graphics.graphicsLayer
-import androidx.compose.ui.unit.dp
-import androidx.compose.ui.zIndex
-
-/**
- * Media picker that offers image and file options
- * Clicking opens a quick selection menu
- */
-@Composable
-fun MediaPickerOptions(
- modifier: Modifier = Modifier,
- onImagePick: (() -> Unit)? = null,
- onFilePick: (() -> Unit)? = null
-) {
- var showOptions by remember { mutableStateOf(false) }
-
- Box(modifier = modifier) {
- // Main button
- Box(
- modifier = Modifier
- .size(32.dp)
- .clip(RoundedCornerShape(4.dp))
- .background(color = Color.Gray.copy(alpha = 0.5f))
- .clickable {
- showOptions = true
- },
- contentAlignment = Alignment.Center
- ) {
- Icon(
- imageVector = Icons.Filled.Add,
- contentDescription = "Pick media",
- tint = Color.Black,
- modifier = Modifier.size(20.dp)
- )
- }
-
- // Options menu (shown when clicked)
- if (showOptions) {
- Column(
- modifier = Modifier
- .graphicsLayer {
- translationY = -120f // Position above the button
- scaleX = 0.8f
- scaleY = 0.8f
- }
- .zIndex(1f)
- .clip(RoundedCornerShape(8.dp))
- .background(color = MaterialTheme.colorScheme.surface)
- .clickable {
- showOptions = false
- }
- .padding(8.dp),
- verticalArrangement = Arrangement.spacedBy(4.dp)
- ) {
- // Image option
- onImagePick?.let { imagePick ->
- Row(
- modifier = Modifier
- .clip(RoundedCornerShape(4.dp))
- .background(color = MaterialTheme.colorScheme.primaryContainer)
- .clickable {
- showOptions = false
- imagePick()
- }
- .padding(horizontal = 12.dp, vertical = 8.dp),
- verticalAlignment = Alignment.CenterVertically,
- horizontalArrangement = Arrangement.spacedBy(8.dp)
- ) {
- Icon(
- imageVector = Icons.Default.Add,
- contentDescription = null,
- tint = MaterialTheme.colorScheme.onPrimaryContainer,
- modifier = Modifier.size(16.dp)
- )
- androidx.compose.material3.Text(
- text = "Image",
- style = MaterialTheme.typography.bodySmall,
- color = MaterialTheme.colorScheme.onPrimaryContainer
- )
- }
- }
-
- // File option
- onFilePick?.let { filePick ->
- Row(
- modifier = Modifier
- .clip(RoundedCornerShape(4.dp))
- .background(color = MaterialTheme.colorScheme.secondaryContainer)
- .clickable {
- showOptions = false
- filePick()
- }
- .padding(horizontal = 12.dp, vertical = 8.dp),
- verticalAlignment = Alignment.CenterVertically,
- horizontalArrangement = Arrangement.spacedBy(8.dp)
- ) {
- Icon(
- imageVector = Icons.Default.Description,
- contentDescription = null,
- tint = MaterialTheme.colorScheme.onSecondaryContainer,
- modifier = Modifier.size(16.dp)
- )
- androidx.compose.material3.Text(
- text = "File",
- style = MaterialTheme.typography.bodySmall,
- color = MaterialTheme.colorScheme.onSecondaryContainer
- )
- }
- }
- }
- }
-
- // Clickable overlay to dismiss options
- if (showOptions) {
- Box(
- modifier = Modifier
- .size(400.dp)
- .clickable {
- showOptions = false
- }
- )
- }
- }
-}
diff --git a/app/src/main/java/com/bitchat/android/ui/media/RealtimeScrollingWaveform.kt b/app/src/main/java/com/bitchat/android/ui/media/RealtimeScrollingWaveform.kt
deleted file mode 100644
index 484c18b74..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/RealtimeScrollingWaveform.kt
+++ /dev/null
@@ -1,79 +0,0 @@
-package com.bitchat.android.ui.media
-
-import androidx.compose.foundation.Canvas
-import androidx.compose.foundation.layout.fillMaxWidth
-import androidx.compose.runtime.Composable
-import androidx.compose.runtime.LaunchedEffect
-import androidx.compose.runtime.getValue
-import androidx.compose.runtime.mutableStateListOf
-import androidx.compose.runtime.remember
-import androidx.compose.runtime.rememberUpdatedState
-import androidx.compose.runtime.snapshots.SnapshotStateList
-import androidx.compose.runtime.withFrameNanos
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.geometry.Offset
-import androidx.compose.ui.graphics.Color
-import androidx.compose.ui.graphics.StrokeCap
-import androidx.compose.ui.unit.dp
-
-/**
- * Real-time scrolling waveform for recording: maintains a dense sliding window of bars.
- * Pass in normalized amplitude [0f..1f]; the component handles sampling and drawing.
- */
-@Composable
-fun RealtimeScrollingWaveform(
- modifier: Modifier = Modifier,
- amplitudeNorm: Float,
- bars: Int = 240,
- barColor: Color = Color(0xFF00FF7F),
- baseColor: Color = Color(0xFF444444)
-) {
- val latestAmp by rememberUpdatedState(amplitudeNorm)
- val samples: SnapshotStateList = remember {
- mutableStateListOf().also { list -> repeat(bars) { list.add(0f) } }
- }
-
- // Append samples on a steady cadence to create a smooth scroll
- LaunchedEffect(bars) {
- while (true) {
- withFrameNanos { _: Long -> }
- val v = latestAmp.coerceIn(0f, 1f)
- samples.add(v)
- val overflow = samples.size - bars
- if (overflow > 0) repeat(overflow) { if (samples.isNotEmpty()) samples.removeAt(0) }
- kotlinx.coroutines.delay(20)
- }
- }
-
- Canvas(modifier = modifier.fillMaxWidth()) {
- val w = size.width
- val h = size.height
- if (w <= 0f || h <= 0f) return@Canvas
- val n = samples.size
- if (n <= 0) return@Canvas
- val stepX = w / n
- val midY = h / 2f
- val stroke = .5f.dp.toPx()
-
- // Optional faint base to match chat density
- // Draw bars with heavy dynamic range compression: quiet sounds almost at zero, loud sounds still prominent
- for (i in 0 until n) {
- val amp = samples[i].coerceIn(0f, 1f)
- // Use squared amplitude to heavily compress small values while preserving high amplitudes
- // This makes quiet sounds almost invisible but loud sounds still show prominently
- val compressedAmp = amp * amp // amp^2
- val lineH = (compressedAmp * (h * 0.9f)).coerceAtLeast(1f)
- val x = i * stepX + stepX / 2f
- val yTop = midY - lineH / 2f
- val yBot = midY + lineH / 2f
- drawLine(
- color = barColor,
- start = Offset(x, yTop),
- end = Offset(x, yBot),
- strokeWidth = stroke,
- cap = StrokeCap.Round
- )
- }
- }
-}
-
diff --git a/app/src/main/java/com/bitchat/android/ui/media/VoiceNotePlayer.kt b/app/src/main/java/com/bitchat/android/ui/media/VoiceNotePlayer.kt
deleted file mode 100644
index 67719d87d..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/VoiceNotePlayer.kt
+++ /dev/null
@@ -1,116 +0,0 @@
-package com.bitchat.android.ui.media
-
-import android.media.MediaPlayer
-import androidx.compose.foundation.background
-import androidx.compose.foundation.clickable
-import androidx.compose.foundation.layout.*
-import androidx.compose.foundation.shape.CircleShape
-import androidx.compose.material.icons.Icons
-import androidx.compose.material.icons.filled.Pause
-import androidx.compose.material.icons.filled.PlayArrow
-import androidx.compose.material3.FilledTonalIconButton
-import androidx.compose.material3.Icon
-import androidx.compose.material3.MaterialTheme
-import androidx.compose.material3.Text
-import androidx.compose.runtime.*
-import androidx.compose.ui.Alignment
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.graphics.Color
-import androidx.compose.ui.unit.dp
-import androidx.compose.ui.unit.sp
-import androidx.compose.ui.text.font.FontFamily
-
-@Composable
-fun VoiceNotePlayer(
- path: String,
- progressOverride: Float? = null,
- progressColor: Color? = null
-) {
- var isPlaying by remember { mutableStateOf(false) }
- var isPrepared by remember { mutableStateOf(false) }
- var isError by remember { mutableStateOf(false) }
- var progress by remember { mutableStateOf(0f) }
- var durationMs by remember { mutableStateOf(0) }
- val player = remember { MediaPlayer() }
-
- // Seek function - position is a fraction from 0.0 to 1.0
- val seekTo: (Float) -> Unit = { position ->
- if (isPrepared && durationMs > 0) {
- val seekMs = (position * durationMs).toInt().coerceIn(0, durationMs)
- try {
- player.seekTo(seekMs)
- progress = position // Update progress immediately for UI responsiveness
- } catch (_: Exception) {}
- }
- }
-
- LaunchedEffect(path) {
- isPrepared = false
- isError = false
- progress = 0f
- durationMs = 0
- isPlaying = false
- try {
- player.reset()
- player.setOnPreparedListener {
- isPrepared = true
- durationMs = try { player.duration } catch (_: Exception) { 0 }
- }
- player.setOnCompletionListener {
- isPlaying = false
- progress = 1f
- }
- player.setOnErrorListener { _, _, _ ->
- isError = true
- isPlaying = false
- true
- }
- player.setDataSource(path)
- player.prepareAsync()
- } catch (_: Exception) {
- isError = true
- }
- }
-
- LaunchedEffect(isPlaying, isPrepared) {
- try {
- if (isPlaying && isPrepared) player.start() else if (isPrepared && player.isPlaying) player.pause()
- } catch (_: Exception) {}
- }
- LaunchedEffect(isPlaying, isPrepared) {
- while (isPlaying && isPrepared) {
- progress = try { player.currentPosition.toFloat() / (player.duration.toFloat().coerceAtLeast(1f)) } catch (_: Exception) { 0f }
- kotlinx.coroutines.delay(100)
- }
- }
- DisposableEffect(Unit) { onDispose { try { player.release() } catch (_: Exception) {} } }
-
- Row(
- modifier = Modifier.fillMaxWidth(),
- verticalAlignment = Alignment.CenterVertically,
- horizontalArrangement = Arrangement.spacedBy(8.dp)
- ) {
- // Disable play/pause while showing send progress override (optional UX choice)
- val controlsEnabled = isPrepared && !isError && progressOverride == null
- FilledTonalIconButton(onClick = { if (controlsEnabled) isPlaying = !isPlaying }, enabled = controlsEnabled, modifier = Modifier.size(28.dp)) {
- Icon(
- imageVector = if (isPlaying) Icons.Filled.Pause else Icons.Filled.PlayArrow,
- contentDescription = if (isPlaying) "Pause" else "Play"
- )
- }
- val progressBarColor = progressColor ?: MaterialTheme.colorScheme.primary
- com.bitchat.android.ui.media.WaveformPreview(
- modifier = Modifier
- .height(24.dp)
- .weight(1f)
- .padding(horizontal = 8.dp, vertical = 4.dp),
- path = path,
- sendProgress = progressOverride,
- playbackProgress = if (progressOverride == null) progress else null,
- onSeek = seekTo
- )
- val durText = if (durationMs > 0) String.format("%02d:%02d", (durationMs / 1000) / 60, (durationMs / 1000) % 60) else "--:--"
- Text(text = durText, fontFamily = FontFamily.Monospace, fontSize = 12.sp)
- }
-}
-
diff --git a/app/src/main/java/com/bitchat/android/ui/media/WaveformViews.kt b/app/src/main/java/com/bitchat/android/ui/media/WaveformViews.kt
deleted file mode 100644
index 64261d47a..000000000
--- a/app/src/main/java/com/bitchat/android/ui/media/WaveformViews.kt
+++ /dev/null
@@ -1,134 +0,0 @@
-package com.bitchat.android.ui.media
-
-import androidx.compose.foundation.Canvas
-import androidx.compose.foundation.layout.fillMaxWidth
-import androidx.compose.runtime.Composable
-import androidx.compose.runtime.LaunchedEffect
-import androidx.compose.runtime.snapshots.SnapshotStateList
-import androidx.compose.runtime.mutableStateListOf
-import androidx.compose.runtime.remember
-import androidx.compose.runtime.withFrameNanos
-import androidx.compose.runtime.getValue
-import androidx.compose.runtime.rememberUpdatedState
-import androidx.compose.foundation.gestures.detectTapGestures
-import androidx.compose.ui.input.pointer.pointerInput
-import androidx.compose.ui.Modifier
-import androidx.compose.ui.geometry.Offset
-import androidx.compose.ui.graphics.Color
-import androidx.compose.ui.graphics.StrokeCap
-import androidx.compose.ui.graphics.drawscope.Stroke
-import androidx.compose.ui.unit.dp
-import com.bitchat.android.features.voice.AudioWaveformExtractor
-import com.bitchat.android.features.voice.VoiceWaveformCache
-import com.bitchat.android.features.voice.resampleWave
-
-@Composable
-fun ScrollingWaveformRecorder(
- modifier: Modifier = Modifier,
- currentAmplitude: Float,
- samples: SnapshotStateList,
- maxSamples: Int = 120
-) {
- // Append samples at a fixed cadence while visible
- val latestAmp by rememberUpdatedState(currentAmplitude)
- LaunchedEffect(Unit) {
- while (true) {
- withFrameNanos { _: Long -> }
- val v = latestAmp.coerceIn(0f, 1f)
- samples.add(v)
- val overflow = samples.size - maxSamples
- if (overflow > 0) repeat(overflow) { if (samples.isNotEmpty()) samples.removeAt(0) }
- kotlinx.coroutines.delay(80)
- }
- }
- WaveformCanvas(modifier = modifier, samples = samples, fillProgress = 1f, baseColor = Color(0xFF444444), fillColor = Color(0xFF00FF7F))
-}
-
-@Composable
-fun WaveformPreview(
- modifier: Modifier = Modifier,
- path: String,
- sendProgress: Float?,
- playbackProgress: Float?,
- onLoaded: ((FloatArray) -> Unit)? = null,
- onSeek: ((Float) -> Unit)? = null
-) {
- val cached = remember(path) { VoiceWaveformCache.get(path) }
- val stateSamples = remember { mutableStateListOf() }
- val progress = (sendProgress ?: playbackProgress)?.coerceIn(0f, 1f) ?: 0f
- LaunchedEffect(cached) {
- if (cached != null) {
- val normalized = if (cached.size != 120) resampleWave(cached, 120) else cached
- stateSamples.clear(); stateSamples.addAll(normalized.toList())
- } else {
- AudioWaveformExtractor.extractAsync(path, sampleCount = 120) { arr ->
- if (arr != null) {
- VoiceWaveformCache.put(path, arr)
- stateSamples.clear(); stateSamples.addAll(arr.toList())
- onLoaded?.invoke(arr)
- }
- }
- }
- }
- WaveformCanvas(
- modifier = modifier,
- samples = stateSamples,
- fillProgress = if (stateSamples.isEmpty()) 0f else progress,
- baseColor = Color(0x2200FF7F),
- fillColor = when {
- sendProgress != null -> Color(0xFF1E88E5) // blue while sending
- else -> Color(0xFF00C851) // green during playback
- },
- onSeek = onSeek
- )
-}
-
-@Composable
-private fun WaveformCanvas(
- modifier: Modifier,
- samples: List,
- fillProgress: Float,
- baseColor: Color,
- fillColor: Color,
- onSeek: ((Float) -> Unit)? = null
-) {
- val seekModifier = if (onSeek != null) {
- modifier.pointerInput(onSeek) {
- detectTapGestures { offset ->
- // Calculate the seek position as a fraction (0.0 to 1.0)
- val position = offset.x / size.width.toFloat()
- val clampedPosition = position.coerceIn(0f, 1f)
- onSeek(clampedPosition)
- }
- }
- } else {
- modifier
- }
-
- Canvas(modifier = seekModifier.fillMaxWidth()) {
- val w = size.width
- val h = size.height
- if (w <= 0f || h <= 0f) return@Canvas
- val n = samples.size
- if (n <= 0) return@Canvas
- val stepX = w / n
- val midY = h / 2f
- val radius = 2.dp.toPx()
- val stroke = Stroke(width = 2.dp.toPx(), cap = StrokeCap.Round)
- val filledUntil = (n * fillProgress).toInt()
- for (i in 0 until n) {
- val amp = samples[i].coerceIn(0f, 1f)
- val lineH = (amp * (h * 0.8f)).coerceAtLeast(2f)
- val x = i * stepX + stepX / 2f
- val yTop = midY - lineH / 2f
- val yBot = midY + lineH / 2f
- drawLine(
- color = if (i <= filledUntil) fillColor else baseColor,
- start = Offset(x, yTop),
- end = Offset(x, yBot),
- strokeWidth = stroke.width,
- cap = StrokeCap.Round
- )
- }
- }
-}
diff --git a/app/src/main/res/xml/file_paths.xml b/app/src/main/res/xml/file_paths.xml
deleted file mode 100644
index 725040b71..000000000
--- a/app/src/main/res/xml/file_paths.xml
+++ /dev/null
@@ -1,9 +0,0 @@
-
-
-
-
-
diff --git a/app/src/test/java/com/bitchat/android/ui/CommandProcessorTest.kt b/app/src/test/java/com/bitchat/android/ui/CommandProcessorTest.kt
index 6afdf6d60..5d8388934 100644
--- a/app/src/test/java/com/bitchat/android/ui/CommandProcessorTest.kt
+++ b/app/src/test/java/com/bitchat/android/ui/CommandProcessorTest.kt
@@ -5,32 +5,41 @@ import androidx.test.core.app.ApplicationProvider
import com.bitchat.android.mesh.BluetoothMeshService
import com.bitchat.android.model.BitchatMessage
import junit.framework.TestCase.assertEquals
-
+import kotlinx.coroutines.CoroutineScope
+import kotlinx.coroutines.test.StandardTestDispatcher
import org.junit.Before
-import org.junit.Ignore
import org.junit.Test
import org.junit.runner.RunWith
import org.mockito.Mockito
+import org.mockito.Spy
+import org.mockito.kotlin.anyOrNull
+import org.mockito.kotlin.eq
import org.mockito.kotlin.mock
+import org.mockito.kotlin.never
+import org.mockito.kotlin.refEq
+import org.mockito.kotlin.verify
import org.robolectric.RobolectricTestRunner
import java.util.Date
@RunWith(RobolectricTestRunner::class)
class CommandProcessorTest() {
private val context: Context = ApplicationProvider.getApplicationContext()
+ private val meshService = BluetoothMeshService(context = context)
private val chatState = ChatState()
private lateinit var commandProcessor: CommandProcessor
+ @Spy
+ val messageManager: MessageManager = Mockito.spy(MessageManager(state = chatState))
- val messageManager: MessageManager = MessageManager(state = chatState)
- val channelManager: ChannelManager = ChannelManager(
- state = chatState,
- messageManager = messageManager,
- dataManager = DataManager(context = context),
- coroutineScope = kotlinx.coroutines.CoroutineScope(kotlinx.coroutines.Dispatchers.Main.immediate)
+ @Spy
+ val channelManager: ChannelManager = Mockito.spy(
+ ChannelManager(
+ state = chatState,
+ messageManager = messageManager,
+ dataManager = DataManager(context = context),
+ coroutineScope = CoroutineScope(StandardTestDispatcher())
+ )
)
- private val meshService: BluetoothMeshService = mock()
-
@Before
fun setup() {
commandProcessor = CommandProcessor(
@@ -46,10 +55,15 @@ class CommandProcessorTest() {
)
}
- @Ignore // Temporarily disabled due to Mockito final class issues
@Test
- fun `when using lower case join command, command returns true`() {
+ fun `when using lower case join command, user is correctly added to channel`() {
val channel = "channel-1"
+ val expectedMessage = BitchatMessage(
+ sender = "system",
+ content = "joined channel #$channel",
+ timestamp = Date(),
+ isRelay = false
+ )
val result = commandProcessor.processCommand(
command = "/j $channel",
@@ -60,12 +74,18 @@ class CommandProcessorTest() {
)
assertEquals(result, true)
+ verify(messageManager).addMessage(refEq(expectedMessage, "timestamp", "id"))
}
- @Ignore // Temporarily disabled due to Mockito final class issues
@Test
- fun `when using upper case join command, command returns true`() {
+ fun `when using upper case join command, user is correctly added to channel`() {
val channel = "channel-1"
+ val expectedMessage = BitchatMessage(
+ sender = "system",
+ content = "joined channel #$channel",
+ timestamp = Date(),
+ isRelay = false
+ )
val result = commandProcessor.processCommand(
command = "/JOIN $channel",
@@ -76,11 +96,11 @@ class CommandProcessorTest() {
)
assertEquals(result, true)
+ verify(messageManager).addMessage(refEq(expectedMessage, "timestamp", "id"))
}
- @Ignore // Temporarily disabled due to Mockito final class issues
@Test
- fun `when unknown command lower case is given, command returns true but does not process special handling`() {
+ fun `when unknown command lower case is given, channel is not joined`() {
val channel = "channel-1"
val result = commandProcessor.processCommand(
@@ -89,5 +109,6 @@ class CommandProcessorTest() {
)
assertEquals(result, true)
+ verify(channelManager, never()).joinChannel(eq("#$channel"), anyOrNull(), eq("peer-id"))
}
}
diff --git a/app/src/test/kotlin/com/bitchat/FileTransferTest.kt b/app/src/test/kotlin/com/bitchat/FileTransferTest.kt
deleted file mode 100644
index 1798f5fe7..000000000
--- a/app/src/test/kotlin/com/bitchat/FileTransferTest.kt
+++ /dev/null
@@ -1,263 +0,0 @@
-package com.bitchat
-
-import com.bitchat.android.model.BitchatFilePacket
-import com.bitchat.android.model.BitchatMessage
-import com.bitchat.android.model.BitchatMessageType
-import org.junit.Assert.assertEquals
-import org.junit.Assert.assertNotNull
-import org.junit.Test
-import org.junit.runner.RunWith
-import org.robolectric.RobolectricTestRunner
-import java.io.File
-import java.nio.ByteBuffer
-import java.nio.ByteOrder
-import java.util.Date
-
-@RunWith(RobolectricTestRunner::class)
-class FileTransferTest {
-
- @Test
- fun `encode and decode file packet with all fields should preserve data`() {
- // Given: Complete file packet
- val contentArray = ByteArray(1024) { (it % 256).toByte() }
- val originalPacket = BitchatFilePacket(
- fileName = "test.png",
- mimeType = "image/png",
- fileSize = 1024000,
- content = contentArray
- )
-
- // When: Encode and decode
- val encoded = originalPacket.encode()
- val decoded = BitchatFilePacket.decode(encoded!!)
-
- // Then: Data should be preserved
- assertNotNull(decoded)
- assertEquals(originalPacket.fileName, decoded!!.fileName)
- assertEquals(originalPacket.mimeType, decoded.mimeType)
- assertEquals(originalPacket.fileSize, decoded.fileSize)
- assertEquals(originalPacket.content.size, decoded.content.size)
- for (i in 0 until originalPacket.content.size) {
- assertEquals(originalPacket.content[i], decoded.content[i])
- }
- }
-
- @Test
- fun `encode file packet with filename should include filename TLV`() {
- // Given: Packet with filename
- val packet = BitchatFilePacket(
- fileName = "myimage.jpg",
- mimeType = "image/jpeg",
- fileSize = 2048,
- content = ByteArray(256) { 0xFF.toByte() }
- )
-
- // When: Encode
- val encoded = packet.encode()
- assertNotNull(encoded)
-
- // Then: Should contain filename TLV
- // FILE_NAME type (0x01) + length (11) + "myimage.jpg" (UTF-8 with null terminator might add 1 byte)
- val expectedType = 0x01.toByte()
- val expectedFilename = "myimage.jpg".toByteArray(Charsets.UTF_8)
- val expectedLength = expectedFilename.size // Should be 10 for UTF-8 "myimage.jpg"
-
-
-
- assertEquals(expectedType, encoded!![0])
- // Calculate the actual length from little-endian encoded data
- val actualLength = (encoded[2].toInt() and 0xFF) or ((encoded[1].toInt() and 0xFF) shl 8)
- // The encoding seems to be including a null terminator or extended bytes
- assertEquals(11, actualLength) // The encoding produces 11 bytes for "myimage.jpg"
-
- val actualFilename = encoded!!.sliceArray(3 until 3 + expectedLength)
- for (i in expectedFilename.indices) {
- assertEquals(expectedFilename[i], actualFilename[i])
- }
- }
-
- @Test
- fun `encode file size should use big endian byte order for file size`() {
- // Given: File with specific size
- val fileSize = 0x12345678L
- val packet = BitchatFilePacket(
- fileName = "test.bin",
- mimeType = "application/octet-stream",
- fileSize = fileSize,
- content = ByteArray(10)
- )
-
- // When: Encode
- val encoded = packet.encode()
- assertNotNull(encoded)
-
- // Then: File size should be in big endian order
- // Find FILE_SIZE TLV (type 0x02)
- var offset = 0
- while (offset < encoded!!.size - 1) {
- if (encoded!![offset] == 0x02.toByte()) {
- // This is FILE_SIZE TLV
- offset += 1 // Skip type byte
- val length = (encoded!![offset].toInt() and 0xFF) or ((encoded[offset + 1].toInt() and 0xFF) shl 8)
- offset += 2 // Skip length bytes
- if (length == 4) { // FILE_SIZE always has 4 bytes
- val decodedFileSize = ByteBuffer.wrap(encoded!!.sliceArray(offset until offset + 4))
- .order(ByteOrder.BIG_ENDIAN)
- .int.toLong()
- assertEquals(fileSize, decodedFileSize)
- break
- }
- }
- offset += 1
- }
- }
-
- @Test
- fun `decode minimal file packet should handle defaults correctly`() {
- // Given: Minimal valid packet (the constructor requires non-null values)
- val originalPacket = BitchatFilePacket(
- fileName = "test",
- mimeType = "application/octet-stream",
- fileSize = 32, // Matches content size
- content = ByteArray(32) { 0xAA.toByte() }
- )
-
- // When: Encode and decode
- val encoded = originalPacket.encode()
- val decoded = BitchatFilePacket.decode(encoded!!)
-
- // Then: Data should be preserved completely
- assertNotNull(decoded)
- assertEquals(32, decoded!!.content.size)
- for (i in 0 until 32) {
- assertEquals(0xAA.toByte(), decoded.content[i])
- }
- assertEquals("test", decoded.fileName)
- assertEquals("application/octet-stream", decoded.mimeType)
- assertEquals(32L, decoded.fileSize)
- }
-
- @Test
- fun `replaceFilePathInContent should correctly format content markers for different file types`() {
- // Given: Different file types
- val imageMessage = BitchatMessage(
- id = "test1",
- sender = "alice",
- senderPeerID = "12345678",
- content = "/data/user/0/com.bitchat.android/files/images/photo.jpg",
- type = BitchatMessageType.Image,
- timestamp = Date(System.currentTimeMillis()),
- isPrivate = false
- )
-
- val audioMessage = BitchatMessage(
- id = "test2",
- sender = "bob",
- senderPeerID = "87654321",
- content = "/data/user/0/com.bitchat.android/files/audio/voice.amr",
- type = BitchatMessageType.Audio,
- timestamp = Date(System.currentTimeMillis()),
- isPrivate = false
- )
-
- val fileMessage = BitchatMessage(
- id = "test3",
- sender = "charlie",
- senderPeerID = "11223344",
- content = "/data/user/0/com.bitchat.android/files/documents/document.pdf",
- type = BitchatMessageType.File,
- timestamp = Date(System.currentTimeMillis()),
- isPrivate = false
- )
-
- // When: Converting to display format (this would be done in MessageMutable)
- var result = imageMessage.content
- result = result.replace(
- "/data/user/0/com.bitchat.android/files/images/photo.jpg",
- "[image] photo.jpg"
- )
-
- // Then: Should match expected pattern
- assertEquals("[image] photo.jpg", result)
-
- // Similar pattern for audio and file would be used in the actual implementation
- }
-
- @Test
- fun `buildPrivateMessagePreview should generate user-friendly notifications for file types`() {
- // Note: This test is for the NotificationTextUtils.buildPrivateMessagePreview function
- // The actual function is in a separate utility file as part of the refactoring
-
- // Given: Incoming image message
- val imageMessage = BitchatMessage(
- id = "test1",
- sender = "alice",
- senderPeerID = "1234abcd",
- content = "📷 sent an image", // This would be the result of the utility function
- type = BitchatMessageType.Image,
- timestamp = Date(System.currentTimeMillis()),
- isPrivate = true
- )
-
- // When: Building preview (this would call NotificationTextUtils.buildPrivateMessagePreview)
- val preview = imageMessage.content // In actual code, this would be generated
-
- // Then: Should provide user-friendly preview
- assertEquals("📷 sent an image", preview)
-
- // Additional assertions would test different file types
- // Audio: "🎤 sent a voice message"
- // File with specific extension: "📄 document.pdf"
- // Generic file: "📎 sent a file"
- }
-
- @Test
- fun `waveform extraction should handle empty audio data gracefully`() {
- // This test would verify that empty or very short audio files
- // don't cause crashes in waveform extraction
-
- // Given: Empty audio data
- val emptyAudioData = ByteArray(0)
-
- // When: Attempting to extract waveform
- // Note: Actual waveform extraction would be tested in the Waveform class
- // This is a unit test placeholder
-
- // Then: Should not crash and should return reasonable result
- // For empty data, waveform might be empty array or default values
- assertEquals(0, emptyAudioData.size)
- }
-
- @Test
- fun `media picker should handle file size limits correctly`() {
- // This test would verify that media file selection
- // respects size limits before attempting transfer
-
- // Given: Large file size (simulated)
- val largeFileSize = 100L * 1024 * 1024 // 100MB
- val maxAllowedSize = 50L * 1024 * 1024 // 50MB
-
- // When: Checking if file can be transferred
- val isAllowed = largeFileSize <= maxAllowedSize
-
- // Then: Should be rejected
- assert(!isAllowed)
- }
-
- @Test
- fun `transfer cancellation should cleanup resources properly`() {
- // This test would verify that when a file transfer is cancelled,
- // all associated resources are cleaned up
-
- // Given: Active transfer in progress
- val transferId = "test_transfer_123"
-
- // When: Transfer is cancelled
- // In the actual implementation, this would call cancellation logic
- val cancelled = true // Simulated cancellation
-
- // Then: Resources should be cleaned up
- // This would verify temp files are deleted, progress tracking is cleared, etc.
- assert(cancelled)
- }
-}
diff --git a/app/src/test/kotlin/com/bitchat/NotificationManagerTest.kt b/app/src/test/kotlin/com/bitchat/NotificationManagerTest.kt
index cfe8e5b46..9f821fcb6 100644
--- a/app/src/test/kotlin/com/bitchat/NotificationManagerTest.kt
+++ b/app/src/test/kotlin/com/bitchat/NotificationManagerTest.kt
@@ -6,7 +6,6 @@ import androidx.test.core.app.ApplicationProvider
import com.bitchat.android.ui.NotificationManager
import com.bitchat.android.util.NotificationIntervalManager
import org.junit.Before
-import org.junit.Ignore
import org.junit.Test
import org.junit.runner.RunWith
import org.mockito.Mockito
@@ -24,7 +23,10 @@ class NotificationManagerTest {
private val context: Context = ApplicationProvider.getApplicationContext()
private val notificationIntervalManager = NotificationIntervalManager()
lateinit var notificationManager: NotificationManager
- private val notificationManagerCompat: NotificationManagerCompat = Mockito.mock(NotificationManagerCompat::class.java)
+
+ @Spy
+ val notificationManagerCompat: NotificationManagerCompat =
+ Mockito.spy(NotificationManagerCompat.from(context))
@Before
fun setup() {
@@ -36,7 +38,6 @@ class NotificationManagerTest {
)
}
- @Ignore // Temporarily disabled due to Mockito final class issues
@Test
fun `when there are no active peers, do not send active peer notification`() {
notificationManager.setAppBackgroundState(true)
@@ -44,7 +45,6 @@ class NotificationManagerTest {
verify(notificationManagerCompat, never()).notify(any(), any())
}
- @Ignore // Temporarily disabled due to Mockito final class issues
@Test
fun `when app is in foreground, do not send active peer notification`() {
notificationManager.setAppBackgroundState(false)
@@ -52,7 +52,6 @@ class NotificationManagerTest {
verify(notificationManagerCompat, never()).notify(any(), any())
}
- @Ignore // Temporarily disabled due to Mockito final class issues
@Test
fun `when there is an active peer, send notification`() {
notificationManager.setAppBackgroundState(true)
@@ -60,7 +59,6 @@ class NotificationManagerTest {
verify(notificationManagerCompat, times(1)).notify(any(), any())
}
- @Ignore // Temporarily disabled due to Mockito final class issues
@Test
fun `when there is an active peer but less than 5 minutes have passed since last notification, do not send notification`() {
notificationManager.setAppBackgroundState(true)
@@ -69,7 +67,6 @@ class NotificationManagerTest {
verify(notificationManagerCompat, times(1)).notify(any(), any())
}
- @Ignore // Temporarily disabled due to Mockito final class issues
@Test
fun `when there is an active peer and more than 5 minutes have passed since last notification, send notification`() {
notificationManager.setAppBackgroundState(true)
@@ -79,7 +76,6 @@ class NotificationManagerTest {
verify(notificationManagerCompat, times(2)).notify(any(), any())
}
- @Ignore // Temporarily disabled due to Mockito final class issues
@Test
fun `when there is a recently seen peer but no new active peers, no notification is sent`() {
notificationManager.setAppBackgroundState(true)
@@ -88,7 +84,6 @@ class NotificationManagerTest {
verify(notificationManagerCompat, times(0)).notify(any(), any())
}
- @Ignore // Temporarily disabled due to Mockito final class issues
@Test
fun `when an active peer is a recently seen peer, do not send notification`() {
notificationManager.setAppBackgroundState(true)
@@ -97,7 +92,6 @@ class NotificationManagerTest {
verify(notificationManagerCompat, times(0)).notify(any(), any())
}
- @Ignore // Temporarily disabled due to Mockito final class issues
@Test
fun `when an active peer is a new peer, send notification`() {
notificationManager.setAppBackgroundState(true)
@@ -106,7 +100,6 @@ class NotificationManagerTest {
verify(notificationManagerCompat, times(1)).notify(any(), any())
}
- @Ignore // Temporarily disabled due to Mockito final class issues
@Test
fun `when an active peer is a new peer and there are already multiple recently seen peers, send notification`() {
notificationManager.setAppBackgroundState(true)
diff --git a/app/src/test/kotlin/com/bitchat/android/mesh/PacketRelayManagerTest.kt b/app/src/test/kotlin/com/bitchat/android/mesh/PacketRelayManagerTest.kt
new file mode 100644
index 000000000..ae896e530
--- /dev/null
+++ b/app/src/test/kotlin/com/bitchat/android/mesh/PacketRelayManagerTest.kt
@@ -0,0 +1,117 @@
+
+package com.bitchat.android.mesh
+
+import com.bitchat.android.model.RoutedPacket
+import com.bitchat.android.protocol.BitchatPacket
+import com.bitchat.android.protocol.MessageType
+import com.bitchat.android.util.toHexString
+import kotlinx.coroutines.ExperimentalCoroutinesApi
+import kotlinx.coroutines.test.runTest
+import org.junit.Before
+import org.junit.Test
+import org.mockito.kotlin.any
+import org.mockito.kotlin.mock
+import org.mockito.kotlin.never
+import org.mockito.kotlin.verify
+import org.mockito.kotlin.whenever
+
+@ExperimentalCoroutinesApi
+class PacketRelayManagerTest {
+
+ private lateinit var packetRelayManager: PacketRelayManager
+ private val delegate: PacketRelayManagerDelegate = mock()
+
+ private val myPeerID = "1111111111111111"
+ private val otherPeerID = "2222222222222222"
+ private val nextHopPeerID = "3333333333333333"
+ private val finalRecipientID = "4444444444444444"
+
+ @Before
+ fun setUp() {
+ packetRelayManager = PacketRelayManager(myPeerID)
+ packetRelayManager.delegate = delegate
+ whenever(delegate.getNetworkSize()).thenReturn(10)
+ whenever(delegate.getBroadcastRecipient()).thenReturn(byteArrayOf(0,0,0,0,0,0,0,0))
+ }
+
+ private fun createPacket(route: List?, recipient: String? = null): BitchatPacket {
+ return BitchatPacket(
+ type = MessageType.MESSAGE.value,
+ senderID = hexStringToPeerBytes(otherPeerID),
+ recipientID = recipient?.let { hexStringToPeerBytes(it) },
+ timestamp = System.currentTimeMillis().toULong(),
+ payload = "hello".toByteArray(),
+ ttl = 5u,
+ route = route
+ )
+ }
+
+ @Test
+ fun `packet with duplicate hops is dropped`() = runTest {
+ val route = listOf(
+ hexStringToPeerBytes(nextHopPeerID),
+ hexStringToPeerBytes(nextHopPeerID)
+ )
+ val packet = createPacket(route)
+ val routedPacket = RoutedPacket(packet, otherPeerID)
+
+ packetRelayManager.handlePacketRelay(routedPacket)
+
+ verify(delegate, never()).sendToPeer(any(), any())
+ verify(delegate, never()).broadcastPacket(any())
+ }
+
+ @Test
+ fun `valid source-routed packet is relayed to next hop`() = runTest {
+ val route = listOf(
+ hexStringToPeerBytes(myPeerID),
+ hexStringToPeerBytes(nextHopPeerID)
+ )
+ val packet = createPacket(route, finalRecipientID)
+ val routedPacket = RoutedPacket(packet, otherPeerID)
+ whenever(delegate.sendToPeer(any(), any())).thenReturn(true)
+
+ packetRelayManager.handlePacketRelay(routedPacket)
+
+ verify(delegate).sendToPeer(org.mockito.kotlin.eq(nextHopPeerID), any())
+ verify(delegate, never()).broadcastPacket(any())
+ }
+
+ @Test
+ fun `last hop does not relay further`() = runTest {
+ val route = listOf(
+ hexStringToPeerBytes(myPeerID)
+ )
+ val packet = createPacket(route, finalRecipientID)
+ val routedPacket = RoutedPacket(packet, otherPeerID)
+ whenever(delegate.sendToPeer(any(), any())).thenReturn(true)
+
+ packetRelayManager.handlePacketRelay(routedPacket)
+
+ verify(delegate).sendToPeer(org.mockito.kotlin.eq(finalRecipientID), any())
+ verify(delegate, never()).broadcastPacket(any())
+ }
+
+ @Test
+ fun `packet with empty route is broadcast`() = runTest {
+ val packet = createPacket(null)
+ val routedPacket = RoutedPacket(packet, otherPeerID)
+
+ packetRelayManager.handlePacketRelay(routedPacket)
+
+ verify(delegate, never()).sendToPeer(any(), any())
+ verify(delegate).broadcastPacket(any())
+ }
+
+ private fun hexStringToPeerBytes(hex: String): ByteArray {
+ val result = ByteArray(8)
+ var idx = 0
+ var out = 0
+ while (idx + 1 < hex.length && out < 8) {
+ val b = hex.substring(idx, idx + 2).toIntOrNull(16)?.toByte() ?: 0
+ result[out++] = b
+ idx += 2
+ }
+ return result
+ }
+}
diff --git a/docs/SOURCE_ROUTING.md b/docs/SOURCE_ROUTING.md
index f6d101e25..9bb4529b6 100644
--- a/docs/SOURCE_ROUTING.md
+++ b/docs/SOURCE_ROUTING.md
@@ -30,7 +30,7 @@ Unknown flags are ignored by older implementations (they will simply not see a r
## Sender Behavior
- Applicability: Intended for addressed packets (i.e., where `recipientID` is set and is not the broadcast ID). For broadcast packets, omit the route.
-- Path computation: Use Dijkstra’s shortest path (unit weights) on your internal mesh topology to find a route from `src` (your peerID) to `dst` (recipient peerID). The hop list SHOULD include the full path `[src, ..., dst]`.
+- Path computation: Use Dijkstra’s shortest path (unit weights) on your internal mesh topology to find a route from the sender (your peerID) to the recipient (the destination peerID). The `BitchatPacket` already contains dedicated `senderID` and `recipientID` fields. The `Route` field's `hops` list **SHOULD** contain the sequence of intermediate peer IDs that the packet should traverse. It **SHOULD NOT** duplicate the `senderID` or `recipientID` if they are already present in the `BitchatPacket`'s dedicated fields. Instead, the `hops` list represents the explicit path *between* the sender and recipient, starting from the first relay and ending with the last relay before the recipient.
- Encoding: Set `HAS_ROUTE`, write `count = path.length`, then the 8‑byte hop IDs in order. Keep `count <= 255`.
- Signing: The route is covered by the Ed25519 signature (recommended):
- Signature input is the canonical encoding with `signature` omitted and `ttl = 0` (TTL excluded to allow relay decrement) — same rule as base protocol.
@@ -40,11 +40,13 @@ Unknown flags are ignored by older implementations (they will simply not see a r
When receiving a packet that is not addressed to you:
1) If `HAS_ROUTE` is not set, or the route is empty, relay using your normal broadcast logic (subject to TTL/probability policies).
-2) If `HAS_ROUTE` is set and your peer ID appears at index `i` in the hop list:
- - If there is a next hop at `i+1`, attempt a targeted unicast to that next hop if you have a direct connection to it.
- - If successful, do NOT broadcast this packet further.
- - If not directly connected (or the send fails), fall back to broadcast relaying.
- - If you are the last hop (no `i+1`), proceed with standard handling (e.g., if not addressed to you, do not relay further).
+2) If `HAS_ROUTE` is set:
+ - **Route Sanity Check**: Before processing, the relay **MUST** validate the route. If the route contains duplicate hops (i.e., the same peer ID appears more than once), the packet **MUST** be dropped to prevent loops.
+ - If your peer ID appears at index `i` in the hop list:
+ - If there is a next hop at `i+1`, attempt a targeted unicast to that next hop if you have a direct connection to it.
+ - If successful, do NOT broadcast this packet further.
+ - If not directly connected (or the send fails), fall back to broadcast relaying.
+ - If you are the last hop (no `i+1`), the packet has reached the end of its explicit route. The relay should then attempt to deliver it to the final `recipientID` if directly connected, but SHOULD NOT relay it further as a broadcast.
TTL handling remains unchanged: relays decrement TTL by 1 before forwarding (whether targeted or broadcast). If TTL reaches 0, do not relay.
@@ -64,11 +66,11 @@ TTL handling remains unchanged: relays decrement TTL by 1 before forwarding (whe
- Variable sections (ordered):
- `SenderID(8)`
- `RecipientID(8)` (if present)
- - `HAS_ROUTE` set → `count=3`, `hops = [H0 H1 H2]` where each `Hk` is 8 bytes
+ - `HAS_ROUTE` set → `count=1`, `hops = [H1]` where `H1` is 8 bytes
- Payload (optionally compressed)
- Signature (64)
-Where `H0` is the sender’s peer ID, `H2` is the recipient’s peer ID, and `H1` is an intermediate relay. The receiver verifies the signature over the packet encoding (with `ttl = 0` and `signature` omitted), which includes the `hops` when `HAS_ROUTE` is set.
+In this example, `SENDER_ID` is the sender, `RECIPIENT_ID` is the final recipient, and `H1` is the single intermediate relay. The `hops` list explicitly defines the path *between* the sender and recipient. The receiver verifies the signature over the packet encoding (with `ttl = 0` and `signature` omitted), which includes the `hops` when `HAS_ROUTE` is set.
## Operational Notes
diff --git a/docs/device_manager.md b/docs/device_manager.md
deleted file mode 100644
index 092403b04..000000000
--- a/docs/device_manager.md
+++ /dev/null
@@ -1,114 +0,0 @@
-# Device Monitoring Manager — Design and Integration
-
-This change introduces a lean DeviceMonitoringManager to strictly manage BLE device connections while keeping the existing code structure intact.
-
-## Goals
-
-- Maintain a blocklist of device MAC addresses to deny incoming/outgoing connections.
-- Drop and block connections that never ANNOUNCE within 15 seconds of establishment.
-- Drop and block connections that go silent (no packets) for over 60 seconds.
-- Block devices that experience 5 error disconnects within a 5-minute window.
-- Auto-unblock devices after 15 minutes.
-
-## Implementation Overview
-
-File: `app/src/main/java/com/bitchat/android/mesh/DeviceMonitoringManager.kt`
-
-- Thread-safe maps with coroutine-based timers.
-- Minimal surface area: a few clearly named entry points to hook into existing flows.
-- Callbacks to perform disconnects without coupling to GATT APIs.
-
-Key logic:
-- `isBlocked(address)`: check if a MAC is blocked (auto-clears on expiry).
-- `block(address, reason)`: add MAC to blocklist (15m), disconnect via callback, auto-unblock later.
-- `onConnectionEstablished(address)`: start 15s “first ANNOUNCE” timer and a 60s inactivity timer.
-- `onAnnounceReceived(address)`: cancel the 15s ANNOUNCE timer for that device.
-- `onAnyPacketReceived(address)`: refresh 60s inactivity timer.
-- `onDeviceDisconnected(address, status)`: track error disconnects and block on 5 within 5 minutes.
-
-Timers:
-- ANNOUNCE timer: 15 seconds from connection establishment.
-- Inactivity timer: resets on any packet; fires after 60 seconds of silence.
-- Blocklist TTL: 15 minutes per device (auto-unblock job per entry).
-
-## Wiring Points (Minimal Changes)
-
-1) Connection Manager
-- File: `BluetoothConnectionManager.kt`
-- Added a `DeviceMonitoringManager` instance and provided a `disconnectCallback` that:
- - disconnects client GATT connections via `BluetoothConnectionTracker`.
- - cancels server connections via `BluetoothGattServer.cancelConnection`.
-- Exposed `noteAnnounceReceived(address)` as a small helper for higher layers.
-- Updated `componentDelegate.onPacketReceived` to notify per-device activity to the monitor.
-
-2) GATT Client
-- File: `BluetoothGattClientManager.kt`
-- Constructor now receives `deviceMonitor`.
-- Before attempting any outgoing connection (from scan or direct connect), deny if blocked.
-- On connection setup complete (after CCCD enable), call `deviceMonitor.onConnectionEstablished(addr)`.
-- On incoming packet (`onCharacteristicChanged`), call `deviceMonitor.onAnyPacketReceived(addr)`.
-- On disconnect, call `deviceMonitor.onDeviceDisconnected(addr, status)` to track error bursts.
-
-3) GATT Server
-- File: `BluetoothGattServerManager.kt`
-- Constructor now receives `deviceMonitor`.
-- On incoming connection, immediately deny (cancelConnection) if blocked, before tracking it.
-- On connection setup complete (descriptor enable) and also after initial connect, start monitoring via `onConnectionEstablished(addr)`.
-- On packet write, call `deviceMonitor.onAnyPacketReceived(addr)`.
-- On disconnect, call `deviceMonitor.onDeviceDisconnected(addr, status)`.
-
-4) ANNOUNCE Binding
-- File: `BluetoothMeshService.kt` (in the ANNOUNCE handler where we first map device → peer)
-- After mapping a device address to a peer on first verified ANNOUNCE, call `connectionManager.noteAnnounceReceived(address)` to cancel the 15s timer for that device.
-
-## Behavior Summary
-
-- Blocked devices:
- - Outgoing: client will not initiate connections.
- - Incoming: server cancels the connection immediately.
- - Existing connection: monitor disconnects instantly and blocks for 15 minutes.
-
-- No ANNOUNCE within 15s of connection:
- - Connection is dropped and device is blocked for 15 minutes.
-
-- No packets for >60s:
- - Connection is dropped and device is blocked for 15 minutes.
-
-- >=5 error disconnects within 5 minutes:
- - Device is blocked for 15 minutes.
-
-- Auto-unblock:
- - Every block entry automatically expires after 15 minutes.
-
-## Debug Logging
-
-- The manager emits chat-visible debug messages through `DebugSettingsManager` (SystemMessage), e.g.:
- - Blocking decisions and reasons
- - Auto-unblock events
- - ANNOUNCE wait start/cancel
- - Inactivity timer set and inactivity-triggered blocks
- - Burst error disconnect threshold reached
-- Additional enforcement logs are added in GATT client/server when a blocked device is denied.
-- Logs appear in the chat when verbose logging is enabled in Debug settings.
-
-## Panic Triple-Tap
-
-- Triple-tapping the title now also clears the device blocklist and all device tracking:
- - Calls `BluetoothMeshService.clearAllInternalData()` which triggers `BluetoothConnectionManager.clearDeviceMonitoringAndTracking()`.
- - This disconnects active connections, clears the monitor’s blocklist and timers, and resets the `BluetoothConnectionTracker` state.
-
-## Notes and Rationale
-
-- The monitoring manager is intentionally decoupled from GATT specifics via a disconnect callback. This keeps responsibilities separate and avoids plumbing GATT instances through unrelated classes.
-- Packet activity is captured in both client and server data paths as early as possible to ensure the inactivity timer is accurate even before higher-level processing.
-- The “first ANNOUNCE” check uses the same mapping event that sets `addressPeerMap` to avoid false positives on unverified announces.
-
-## Touched Files
-
-- Added: `mesh/DeviceMonitoringManager.kt`
-- Updated: `mesh/BluetoothConnectionManager.kt`
-- Updated: `mesh/BluetoothGattClientManager.kt`
-- Updated: `mesh/BluetoothGattServerManager.kt`
-- Updated: `mesh/BluetoothMeshService.kt`
-
-These changes are small, local, and respect existing structure without broad refactors.
diff --git a/docs/file_transfer.md b/docs/file_transfer.md
deleted file mode 100644
index 01b3e6f72..000000000
--- a/docs/file_transfer.md
+++ /dev/null
@@ -1,442 +0,0 @@
-# Bitchat Bluetooth File Transfer: Images, Audio, and Generic Files (with Interactive Features)
-
-This document is the exhaustive implementation guide for Bitchat’s Bluetooth file transfer protocol for voice notes (audio) and images, including interactive features like waveform seeking. It describes the on‑wire packet format (both v1 and v2), fragmentation/progress/cancellation, sender/receiver behaviors, and the complete UX we implemented in the Android client so that other implementers can interoperate and match the user experience precisely.
-
-**Protocol Versions:**
-- **v1**: Original protocol with 2‑byte payload length (≤ 64 KiB files)
-- **v2**: Extended protocol with 4-byte payload length (≤ 4 GiB files) - use for all file transfers
-- File transfer packets use v2 format by default for optimal compatibility
-
-**Interactive Features:**
-- **Waveform Seeking**: Tap anywhere on audio waveforms to jump to that playback position
-- **Large File Support**: v2 protocol enables multi-GiB file transfers through fragmentation
-- **Unified Experience**: Identical UX between platforms with enhanced user control
-
-The guide is organized into:
-
-- Protocol overview (BitchatPacket + File Transfer payload)
-- Fragmentation, progress reporting, and cancellation
-- Receive path, validation, and persistence
-- Sender path (audio + images)
-- Interactive features (audio waveform seeking)
-- UI/UX behavior (recording, sending, playback, image rendering)
-- File inventory (source files and their roles)
-
-
----
-
-## 1) Protocol Overview
-
-Bitchat BLE transport carries application messages inside the common `BitchatPacket` envelope. File transfer reuses the same envelope as public and private messages, with a distinct `type` and a TLV‑encoded payload.
-
-### 1.1 BitchatPacket envelope
-
-Fields (subset relevant to file transfer):
-
-- `version: UByte` — protocol version (`1` for v1, `2` for v2 with extended payload length).
-- `type: UByte` — message type. File transfer uses `MessageType.FILE_TRANSFER (0x22)`.
-- `senderID: ByteArray (8)` — 8‑byte binary peer ID.
-- `recipientID: ByteArray (8)` — 8‑byte recipient. For public: `SpecialRecipients.BROADCAST (0xFF…FF)`; for private: the target peer’s 8‑byte ID.
-- `timestamp: ULong` — milliseconds since epoch.
-- `payload: ByteArray` — TLV file payload (see below).
-- `signature: ByteArray?` — optional signature (present for private sends in our implementation, to match iOS integrity path).
-- `ttl: UByte` — hop TTL (we use `MAX_TTL` for broadcast, `7` for private).
-
-Envelope creation and broadcast paths are implemented in:
-
-- `app/src/main/java/com/bitchat/android/mesh/BluetoothMeshService.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/BluetoothMeshService.kt)
-- `app/src/main/java/com/bitchat/android/mesh/BluetoothConnectionManager.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/BluetoothConnectionManager.kt)
-- `app/src/main/java/com/bitchat/android/mesh/PacketProcessor.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/PacketProcessor.kt)
-
-Private sends are additionally encrypted at the higher layer (Noise) for text messages, but file transfers use the `FILE_TRANSFER` message type in the clear at the envelope level with content carried inside a TLV. See code for any deployment‑specific enforcement.
-
-### 1.2 Binary Protocol Extensions (v2)
-
-#### v2 Header Format Changes
-
-**v1 Format (original):**
-```
-Header (13 bytes):
-Version: 1 byte
-Type: 1 byte
-TTL: 1 byte
-Timestamp: 8 bytes
-Flags: 1 byte
-PayloadLength: 2 bytes (big-endian, max 64 KiB)
-```
-
-**v2 Format (extended):**
-```
-Header (15 bytes):
-Version: 1 byte (set to 2 for v2 packets)
-Type: 1 byte
-TTL: 1 byte
-Timestamp: 8 bytes
-Flags: 1 byte
-PayloadLength: 4 bytes (big-endian, max ~4 GiB)
-```
-
-- **Header Size**: Increased from 13 to 15 bytes.
-- **Payload Length Field**: Extended from 16 bits (2 bytes) to 32 bits (4 bytes), allowing file transfers up to ~4 GiB.
-- **Backward Compatibility**: Clients must support both v1 and v2 decoding. File transfer packets always use v2.
-- **Implementation**: See `BinaryProtocol.kt` with `getHeaderSize(version)` logic.
-
-#### Use Cases for v2
-- **Large Audio Files**: Professional recordings, podcasts, or music samples.
-- **High-Resolution Images**: Full-resolution photos from modern smartphones.
-- **Future File Types**: PDFs, documents, archives, or other large media.
-
-#### Interoperability Requirements
-- Clients receiving v2 packets must decode 4-byte `PayloadLength` fields.
-- Clients sending file transfers should preferentially use v2 format.
-- Fragmentation still applies: large files are split into fragments that fit within BLE MTU constraints (~128 KiB per fragment).
-
-### 1.3 File Transfer TLV payload (BitchatFilePacket)
-
-The file payload is a TLV structure with mixed length field sizes to support large contents efficiently.
-
-- Defined in `app/src/main/java/com/bitchat/android/model/BitchatFilePacket.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/model/BitchatFilePacket.kt)
-
-Canonical TLVs (v2 spec):
-
-- `0x01 FILE_NAME` — UTF‑8 bytes
- - Encoding: `type(1) + len(2) + value`
-- `0x02 FILE_SIZE` — 4 bytes (UInt32, big‑endian)
- - Encoding: `type(1) + len(2=4) + value(4)`
- - Note: v1 used 8 bytes (UInt64). v2 standardizes to 4 bytes. See Legacy Compatibility below.
-- `0x03 MIME_TYPE` — UTF‑8 bytes (e.g., `image/jpeg`, `audio/mp4`, `application/pdf`)
- - Encoding: `type(1) + len(2) + value`
-- `0x04 CONTENT` — raw file bytes
- - Encoding: `type(1) + len(4) + value(len)`
- - Exactly one CONTENT TLV per file payload in v2 (no TLV‑level chunking); overall packet fragmentation happens at the transport layer.
-
-Encoding rules:
-
-- Standard TLVs use `1 byte type + 2 bytes big‑endian length + value`.
-- CONTENT uses a 4‑byte big‑endian length to allow payloads well beyond 64 KiB.
-- With the v2 envelope (4‑byte payload length), CONTENT can be large; transport still fragments oversize packets to fit BLE MTU.
-- Implementations should validate TLV boundaries; decoding should fail fast on malformed structures.
-
-Decoding rules (v2):
-
-- Accept the canonical TLVs above. Unknown TLVs should be ignored or cause failure per implementation policy (current Android rejects unknown types).
-- FILE_SIZE expects `len=4` and is parsed as UInt32; receivers may upcast to 64‑bit internally.
-- CONTENT expects a 4‑byte length field and a single occurrence; if multiple CONTENT TLVs are present, concatenate in order (defensive tolerance).
-- If FILE_SIZE is missing, receivers may fall back to `content.size`.
-- If MIME_TYPE is missing, default to `application/octet-stream`.
-
-Legacy Compatibility (optional, for mixed‑version meshes):
-
-- FILE_SIZE (0x02): Some legacy senders used 8‑byte UInt64. Decoders MAY accept `len=8` and clamp to 32‑bit if needed.
-- CONTENT (0x04): Legacy payloads might have used a 2‑byte TLV length with multiple CONTENT chunks. Decoders MAY support concatenating multiple CONTENT TLVs with 2‑byte lengths if encountered.
-
-
----
-
-## 2) Fragmentation, Progress, and Cancellation
-
-### 2.1 Fragmentation
-
-File transfers reuse the mesh broadcaster’s fragmentation logic:
-
-- `BluetoothPacketBroadcaster` checks if the serialized envelope exceeds the configured MTU and splits it into fragments via `FragmentManager`.
-- Fragments are sent with a short inter‑fragment delay (currently ~200 ms; matches iOS/Rust behavior notes in code).
-- When only one fragment is needed, send as a single packet.
-
-### 2.2 Transfer ID and progress events
-
-We derive a deterministic transfer ID to track progress:
-
-- `transferId = sha256Hex(packet.payload)` (hex string of the file TLV payload).
-
-The broadcaster emits progress events to a shared flow:
-
-- `TransferProgressManager.start(id, totalFragments)`
-- `TransferProgressManager.progress(id, sent, totalFragments)`
-- `TransferProgressManager.complete(id, totalFragments)`
-
-The UI maps `transferId → messageId`, then updates `DeliveryStatus.PartiallyDelivered(sent, total)` as events arrive; when `complete`, switches to `Delivered`.
-
-### 2.3 Cancellation
-
-Transfers are cancellable mid‑flight:
-
-- The broadcaster keeps a `transferId → Job` map and cancels the job to stop sending remaining fragments.
-- API path:
- - `BluetoothPacketBroadcaster.cancelTransfer(transferId)`
- - Exposed via `BluetoothConnectionManager.cancelTransfer` and `BluetoothMeshService.cancelFileTransfer`.
- - `ChatViewModel.cancelMediaSend(messageId)` resolves `messageId → transferId` and cancels.
-- UX: tapping the “X” on a sending media removes the message from the timeline immediately.
-
-Implementation files:
-
-- `app/src/main/java/com/bitchat/android/mesh/BluetoothPacketBroadcaster.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/BluetoothPacketBroadcaster.kt)
-- `app/src/main/java/com/bitchat/android/mesh/BluetoothConnectionManager.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/BluetoothConnectionManager.kt)
-- `app/src/main/java/com/bitchat/android/mesh/BluetoothMeshService.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/BluetoothMeshService.kt)
-- `app/src/main/java/com/bitchat/android/ui/ChatViewModel.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/ChatViewModel.kt)
-
-
----
-
-## 3) Receive Path and Persistence
-
-Receiver dispatch is in `MessageHandler`:
-
-- For both broadcast and private paths we try `BitchatFilePacket.decode(payload)`. If it decodes:
- - The file is persisted under app files with type‑specific subfolders:
- - Audio: `files/voicenotes/incoming/`
- - Image: `files/images/incoming/`
- - Other files: `files/files/incoming/`
- - Filename strategy:
- - Prefer the transmitted `fileName` when present; sanitize path separators.
- - Ensure uniqueness by appending `" (n)"` before the extension when a name exists already.
- - If `fileName` is absent, derive from MIME with a sensible default extension.
- - MIME determines extension hints (`.m4a`, `.mp3`, `.wav`, `.ogg` for audio; `.jpg`, `.png`, `.webp` for images; otherwise based on MIME or `.bin`).
-- A synthetic chat message is created with content markers pointing to the local path:
- - Audio: `"[voice] /abs/path/to/file"`
- - Image: `"[image] /abs/path/to/file"`
- - Other: `"[file] /abs/path/to/file"`
- - `senderPeerID` is set to the origin, `isPrivate` set appropriately.
-
-Files:
-
-- `app/src/main/java/com/bitchat/android/mesh/MessageHandler.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/MessageHandler.kt)
-
-
----
-
-## 4) Sender Path
-
-### 4.1 Audio (Voice Notes)
-
-1) Capture
- - Hold‑to‑record mic button starts `MediaRecorder` with AAC in MP4 (`audio/mp4`).
- - Sample rate: 44100 Hz, channels: mono, bitrate: ~32 kbps (to reduce payload size for BLE).
- - On release, we pad 500 ms before stopping to avoid clipping endings.
- - Files saved under `files/voicenotes/outgoing/voice_YYYYMMDD_HHMMSS.m4a`.
-
-2) Local echo
- - We create a `BitchatMessage` with content `"[voice] "` and add to the appropriate timeline (public/channel/private).
- - For private: `messageManager.addPrivateMessage(peerID, message)`. For public/channel: `messageManager.addMessage(message)` or add to channel.
-
-3) Packet creation
- - Build a `BitchatFilePacket`:
- - `fileName`: basename (e.g., `voice_… .m4a`)
- - `fileSize`: file length
- - `mimeType`: `audio/mp4`
- - `content`: full bytes (ensure content ≤ 64 KiB; with chosen codec params typical short notes fit fragmentation constraints)
- - Encode TLV; compute `transferId = sha256Hex(payload)`.
- - Map `transferId → messageId` for UI progress.
-
-4) Send
- - Public: `BluetoothMeshService.sendFileBroadcast(filePacket)`.
- - Private: `BluetoothMeshService.sendFilePrivate(peerID, filePacket)`.
- - Broadcaster handles fragmentation and progress emission.
-
-5) Waveform
- - We extract a 120‑bin waveform from the recorded file (the same extractor used for the receiver) and cache by file path, so sender and receiver waveforms are identical.
-
-Core files:
-
-- `app/src/main/java/com/bitchat/android/ui/ChatViewModel.kt` (sendVoiceNote) (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/ChatViewModel.kt)
-- `app/src/main/java/com/bitchat/android/model/BitchatFilePacket.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/model/BitchatFilePacket.kt)
-- `app/src/main/java/com/bitchat/android/mesh/BluetoothMeshService.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/BluetoothMeshService.kt)
-- `app/src/main/java/com/bitchat/android/features/voice/VoiceRecorder.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/features/voice/VoiceRecorder.kt)
-- `app/src/main/java/com/bitchat/android/features/voice/Waveform.kt` (cache + extractor) (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/features/voice/Waveform.kt)
-
-### 4.2 Images
-
-1) Selection and processing
- - System picker (Storage Access Framework) with `GetContent()` (`image/*`). No storage permission required.
- - Selected image is downscaled so longest edge is 512 px; saved as JPEG (85% quality) under `files/images/outgoing/img_.jpg`.
- - Helper: `ImageUtils.downscaleAndSaveToAppFiles(context, uri, maxDim=512)`.
-
-2) Local echo
- - Insert a message with `"[image] "` in the current context (public/channel/private).
-
-3) Packet creation
- - Build `BitchatFilePacket` with mime `image/jpeg` and file content.
- - Encode TLV + compute `transferId` and map to `messageId`.
-
-4) Send
- - Same paths as audio (broadcast/private), including fragmentation and progress emission.
-
-Core files:
-
-- `app/src/main/java/com/bitchat/android/features/media/ImageUtils.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/features/media/ImageUtils.kt)
-- `app/src/main/java/com/bitchat/android/ui/ChatViewModel.kt` (sendImageNote) (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/ChatViewModel.kt)
-- `app/src/main/java/com/bitchat/android/mesh/BluetoothMeshService.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/BluetoothMeshService.kt)
-
-
----
-
-## 5) UI / UX Details
-
-This section specifies exactly what users see and how inputs behave, so alternative clients can match the experience.
-
-### 5.1 Message input area
-
-- The input field remains mounted at all times to prevent the IME (keyboard) from collapsing during long‑press interactions (recording). We overlay recording UI atop the text field rather than replacing it.
-- While recording, the text caret (cursor) is hidden by setting a transparent cursor brush.
-- Mentions and slash commands are styled with a monospace look and color coding.
-
-Files:
-
-- `app/src/main/java/com/bitchat/android/ui/InputComponents.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/InputComponents.kt)
-
-### 5.2 Recording UX
-
-- Hold the mic button to start recording. Recording runs until release, then we pad 500 ms and stop.
-- While recording, a dense, real‑time scrolling waveform overlays the input showing live audio; a timer is shown to the right.
- - Component: `RealtimeScrollingWaveform` (dense bars, ~240 columns, ~20 FPS) in `app/src/main/java/com/bitchat/android/ui/media/RealtimeScrollingWaveform.kt`.
- - The keyboard stays visible; the caret is hidden.
-- On release, we immediately show a local echo message for the voice note and start sending.
-
-### 5.3 Voice note rendering
-
-- Displayed with a header (nickname + timestamp) then the waveform + controls row.
-- Waveform
- - A 120‑bin static waveform is rendered per file, identical for sender and receiver, extracted from the actual audio file.
- - During send, the waveform fills left→right in blue based on fragment progress.
- - During playback, the waveform fills left→right in green based on player progress.
-- Controls
- - Play/Pause toggle to the left of the waveform; duration text to the right.
-- Cancel sending
- - While sending a voice note, a round “X” cancel button appears to the right of the controls. Tapping cancels the transfer mid‑flight.
-
-Files:
-
-- `app/src/main/java/com/bitchat/android/ui/MessageComponents.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/MessageComponents.kt)
-- `app/src/main/java/com/bitchat/android/ui/media/WaveformViews.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/media/WaveformViews.kt)
-- `app/src/main/java/com/bitchat/android/features/voice/Waveform.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/features/voice/Waveform.kt)
-
-### 5.4 Image sending UX
-
-- A circular “+” button next to the mic opens the system image picker. After selection, we downscale to 512 px longest edge and show a local echo; the send begins immediately.
-- Progress visualization
- - Instead of a linear progress bar, we reveal the image block‑by‑block (modem‑era homage).
- - The image is divided into a constant grid (default 24×16), and the blocks are rendered in order based on fragment progress; there are no gaps between tiles.
- - The cancel “X” button overlays the top‑right corner during sending.
-- On cancel, the message is removed from the chat immediately.
-
-Files:
-
-- `app/src/main/java/com/bitchat/android/ui/media/ImagePickerButton.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/media/ImagePickerButton.kt)
-- `app/src/main/java/com/bitchat/android/features/media/ImageUtils.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/features/media/ImageUtils.kt)
-- `app/src/main/java/com/bitchat/android/ui/media/BlockRevealImage.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/media/BlockRevealImage.kt)
-- `app/src/main/java/com/bitchat/android/ui/MessageComponents.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/MessageComponents.kt)
-
-### 5.5 Image receiving UX
-
-- Received images render fully with rounded corners and are left‑aligned like text messages.
-- Tapping an image opens a fullscreen viewer with an option to save to the device Downloads via `MediaStore`.
-
-Files:
-
-- `app/src/main/java/com/bitchat/android/ui/media/FullScreenImageViewer.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/media/FullScreenImageViewer.kt)
-
-
----
-
-## 5.6 Interactive Audio Features
-
-### 5.6.1 Waveform Seeking
-
-- Audio waveforms in chat messages are fully interactive: users can tap anywhere on the waveform to jump to that position in the audio playback.
-- On tap, the seek position is calculated as a fraction of the waveform width (0.0 = beginning, 1.0 = end).
-- This works for both playing and paused audio states.
-- The MediaPlayer is seeked to the calculated position immediately, with visual feedback via progress bar update.
-- Tapping provides precise control - e.g., tap 25% through waveform jumps to 25% through audio.
-- No haptic feedback or visual indicator; the progress bar update serves as immediate feedback.
-
-Waveform Canvas Implementation:
-- `WaveformCanvas` uses `pointerInput` with `detectTapGestures` to capture tap events.
-- Tap position is converted to a fraction: `position.x / size.width.toFloat()`.
-- Clamped to 0.0-1.0 range for safety.
-- `onSeek` callback is invoked with the calculated position fraction.
-- Only enabled when `onSeek` is provided (disabled for sending in progress).
-
-VoiceNotePlayer Seeking:
-- Accepts position fraction (0.0-1.0) and converts to milliseconds: `seekMs = (position * durationMs).toInt()`.
-- Calls `MediaPlayer.seekTo(seekMs)` to jump to the exact position.
-- Updates progress state immediately for UI responsiveness even before playback reaches the new position.
-
-Files:
-- `app/src/main/java/com/bitchat/android/ui/MessageComponents.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/MessageComponents.kt) — VoiceNotePlayer with seekTo function
-- `app/src/main/java/com/bitchat/android/ui/media/WaveformViews.kt` (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/media/WaveformViews.kt) — Interactive WaveformCanvas with tap handling
-
----
-
-## 6) Edge Cases and Notes
-
-- Filename collisions on receiver: prefer the sender‑supplied name if present; always uniquify with a ` (n)` suffix before the extension to prevent overwrites.
-- Path markers in messages
- - We use simple content markers: `"[voice] ", "[image] ", "[file] "` for local rendering. These are not sent on the wire; the actual file bytes are inside the TLV payload.
-- Progress math for images relies on `(sent / total)` from `TransferProgressManager` (fragment‑level granularity). The block grid density can be tuned; currently 24×16.
-- Private vs public: both use the same file TLV; only the envelope `recipientID` differs. Private may have signatures; code shows a signing step consistent with iOS behavior prior to broadcast to ensure integrity.
-- BLE timing: there is a 200 ms inter‑fragment delay for stability. Adjust as needed for your radio stack while maintaining compatibility.
-
-
----
-
-## 7) File Inventory (Added/Changed)
-
-Core protocol and transport:
-
-- `app/src/main/java/com/bitchat/android/model/BitchatFilePacket.kt` — TLV payload model + encode/decode. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/model/BitchatFilePacket.kt)
-- `app/src/main/java/com/bitchat/android/mesh/BluetoothMeshService.kt` — packet creation and broadcast for file messages. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/BluetoothMeshService.kt)
-- `app/src/main/java/com/bitchat/android/mesh/BluetoothPacketBroadcaster.kt` — fragmentation, progress, cancellation via transfer jobs. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/BluetoothPacketBroadcaster.kt)
-- `app/src/main/java/com/bitchat/android/mesh/TransferProgressManager.kt` — progress events bus. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/TransferProgressManager.kt)
-- `app/src/main/java/com/bitchat/android/mesh/MessageHandler.kt` — receive path: decode, persist to files, create chat messages. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/mesh/MessageHandler.kt)
-
-Audio capture and waveform:
-
-- `app/src/main/java/com/bitchat/android/features/voice/VoiceRecorder.kt` — MediaRecorder wrapper. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/features/voice/VoiceRecorder.kt)
-- `app/src/main/java/com/bitchat/android/features/voice/Waveform.kt` — cache + extractor + resampler. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/features/voice/Waveform.kt)
-- `app/src/main/java/com/bitchat/android/ui/media/WaveformViews.kt` — Compose waveform preview components. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/media/WaveformViews.kt)
-
-Image pipeline:
-
-- `app/src/main/java/com/bitchat/android/features/media/ImageUtils.kt` — downscale and save to app files. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/features/media/ImageUtils.kt)
-- `app/src/main/java/com/bitchat/android/ui/media/ImagePickerButton.kt` — SAF picker button. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/media/ImagePickerButton.kt)
-- `app/src/main/java/com/bitchat/android/ui/media/BlockRevealImage.kt` — block‑reveal progress renderer (no gaps, dense grid). (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/media/BlockRevealImage.kt)
-
-Recording overlay:
-
-- `app/src/main/java/com/bitchat/android/ui/media/RealtimeScrollingWaveform.kt` — dense, real‑time scrolling waveform during recording. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/media/RealtimeScrollingWaveform.kt)
-
-UI composition and view model coordination:
-
-- `app/src/main/java/com/bitchat/android/ui/InputComponents.kt` — input field, overlays (recording), picker button, mic. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/InputComponents.kt)
-- `app/src/main/java/com/bitchat/android/ui/MessageComponents.kt` — message rendering for text/audio/images including progress UIs and cancel overlays. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/MessageComponents.kt)
-- `app/src/main/java/com/bitchat/android/ui/ChatViewModel.kt` — sendVoiceNote/sendImageNote, progress mapping, cancelMediaSend. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/ChatViewModel.kt)
-- `app/src/main/java/com/bitchat/android/ui/MessageManager.kt` — add/remove/update messages across main, private, and channels. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/MessageManager.kt)
-
-Fullscreen image:
-
-- `app/src/main/java/com/bitchat/android/ui/media/FullScreenImageViewer.kt` — fullscreen viewer + save to Downloads. (/Users/cc/git/bitchat-android/app/src/main/java/com/bitchat/android/ui/media/FullScreenImageViewer.kt)
-
-
----
-
-## 8) Implementation Checklist for Other Clients
-
-1. **Implement v2 protocol support**: Support both v1 (2-byte payload length) and v2 (4-byte payload length) packet decoding. Use v2 format for file transfer packets to enable large file transfers.
-2. Implement `BitchatFilePacket` TLV exactly as specified:
- - FILE_NAME and MIME_TYPE: `type(1) + len(2) + value`
- - FILE_SIZE: `type(1) + len(2=4) + value(4, UInt32 BE)`
- - CONTENT: `type(1) + len(4) + value`
-3. Embed the TLV into a `BitchatPacket` envelope with `type = FILE_TRANSFER (0x22)` and the correct `recipientID` (broadcast vs private).
-4. Fragment, send, and report progress using a transfer ID derived from `sha256(payload)` so the UI can map progress to a message.
-5. Support cancellation at the fragment sender: stop sending remaining fragments and propagate a cancel to the UI (we remove the message).
-6. On receive, decode TLV, persist to an app directory (separate audio/images/other), and create a chat message with content marker `"[voice] path"`, `"[image] path"`, or `"[file] path"` for local rendering.
-7. Audio sender and receiver should use the same waveform extractor so visuals match; a 120‑bin histogram is a good balance.
-8. **Implement interactive waveform seeking**: Tap waveforms to jump to that audio position. Calculate tap position as fraction (0.0-1.0) of waveform width.
-9. For images, optionally downscale to keep TLV small; JPEG 85% at 512 px longest edge is a good baseline.
-10. Mirror the UX:
- - Recording overlay that does not collapse the IME; hide the caret while recording; add 500 ms end padding.
- - Voice: waveform fill for send/playback; cancel overlay; **tap-to-seek support**.
- - Images: dense block‑reveal with no gaps during sending; cancel overlay; fullscreen viewer with save.
- - Generic files: render as a file pill with icon + filename; support open/save via the host OS.
-
-Following the above should produce an interoperable and matching experience across platforms.
diff --git a/docs/sync.md b/docs/sync.md
deleted file mode 100644
index 0bbd0735b..000000000
--- a/docs/sync.md
+++ /dev/null
@@ -1,149 +0,0 @@
-# GCS Filter Sync (REQUEST_SYNC)
-
-This document specifies the gossip-based synchronization feature for BitChat, inspired by Plumtree. It ensures eventual consistency of public packets (ANNOUNCE and broadcast MESSAGE) across nodes via periodic sync requests containing a compact Golomb‑Coded Set (GCS) of recently seen packets.
-
-## Overview
-
-- Each node maintains a rolling set of public BitChat packets it has seen recently:
- - Broadcast messages (MessageType.MESSAGE where recipient is broadcast)
- - Identity announcements (MessageType.ANNOUNCE)
- - Default retention is 100 recent packets (configurable in the debug sheet). This value is the maximum number of packets that are synchronized per request (across both types combined).
-- Nodes do not maintain a rolling Bloom filter. Instead, they compute a GCS filter on demand when sending a REQUEST_SYNC.
-- Every 30 seconds, a node sends a REQUEST_SYNC packet to all immediate neighbors (local only; not relayed).
-- Additionally, 5 seconds after the first announcement from a newly directly connected peer is detected, a node sends a REQUEST_SYNC only to that peer (unicast; local only).
-- The receiver checks which packets are not in the sender’s filter and sends those packets back. For announcements, only the latest announcement per peerID is sent; for broadcast messages, all missing ones are sent.
-
-This synchronization is strictly local (not relayed), ensuring only immediate neighbors participate and preventing wide-area flooding while converging content across the mesh.
-
-## Packet ID
-
-To compare packets across peers, a deterministic packet ID is used:
-
-- ID = first 16 bytes of SHA-256 over: [type | senderID | timestamp | payload]
-- This yields a 128-bit ID used in the filter.
-
-Implementation: `com.bitchat.android.sync.PacketIdUtil`.
-
-## GCS Filter (On-demand)
-
-Implementation: `com.bitchat.android.sync.GCSFilter`.
-
-- Parameters (configurable):
- - size: 128–1024 bytes (default 256)
- - target false positive rate (FPR): default 1% (range 0.1%–5%)
-- Derivations:
- - P = ceil(log2(1/FPR))
- - Maximum number of elements that fit into the filter is estimated as: N_max ≈ floor((8 * sizeBytes) / (P + 2))
- - This estimate is used to cap the set; the actual encoder will trim further if needed to stay within the configured size.
-- What goes into the set:
- - Combine the following and sort by packet timestamp (descending):
- - Broadcast messages (MessageType 1)
- - The most recent ANNOUNCE per peer
- - Take at most `min(N_max, maxPacketsPerSync)` items from this ordered list.
- - Compute the 16-byte Packet ID (see below), then for hashing use the first 8 bytes of SHA‑256 over the 16‑byte ID.
- - Map each hash to [0, M) with M = N * 2^P; sort ascending and encode deltas with Golomb‑Rice parameter P.
-
-Hashing scheme (fixed for cross‑impl compatibility):
-- Packet ID: first 16 bytes of SHA‑256 over [type | senderID | timestamp | payload].
-- GCS hash: h64 = first 8 bytes of SHA‑256 over the 16‑byte Packet ID, interpreted as an unsigned 64‑bit integer. Value = h64 % M.
-
-## REQUEST_SYNC Packet
-
-MessageType: `REQUEST_SYNC (0x21)`
-
-- Header: normal BitChat header with TTL indicating “local-only” semantics. Implementations SHOULD set TTL=0 to prevent any relay; neighbors still receive the packet over the direct link-layer. For periodic sync, recipient is broadcast; for per-peer initial sync, recipient is the specific peer.
-- Payload: TLV with 16‑bit big‑endian length fields (type, length16, value)
- - 0x01: P (uint8) — Golomb‑Rice parameter
- - 0x02: M (uint32) — hash range N * 2^P
- - 0x03: data (opaque) — GCS bitstream (MSB‑first bit packing)
-
-Notes:
-- The GCS bitstream uses MSB‑first packing (bit 7 is the first bit in each byte).
-- Receivers MUST reject filters with data length exceeding the local maximum (default 1024 bytes) to avoid DoS.
-
-Encode/Decode implementation: `com.bitchat.android.model.RequestSyncPacket`.
-
-## Behavior
-
-Sender behavior:
-- Periodic: every 30 seconds, send REQUEST_SYNC with a freshly computed GCS snapshot, broadcast to immediate neighbors, and mark as local‑only (TTL=0 recommended; do not relay).
-- Initial per-peer: upon receiving the first ANNOUNCE from a new directly connected peer, send a REQUEST_SYNC only to that peer after ~5 seconds (unicast; TTL=0 recommended; do not relay).
-
-Receiver behavior:
-- Decode the REQUEST_SYNC payload and reconstruct the sorted set of mapped values using the provided P, M, and bitstream.
-- For each locally stored public packet ID:
- - Compute h64(ID) % M and check if it is in the reconstructed set; if NOT present, send the original packet back with `ttl=0` to the requester only.
- - For announcements, send only the latest announcement per (sender peerID).
- - For broadcast messages, send all missing ones.
-
-Announcement retention and pruning (consensus):
-- Store only the most recent announcement per peerID for sync purposes.
-- Age-out policy: announcements older than 60 seconds MUST be removed from the sync candidate set.
-- Pruning cadence: run pruning every 15 seconds to drop expired announcements.
-- LEAVE handling: upon receiving a LEAVE message from a peer, immediately remove that peer’s stored announcement from the sync candidate set.
-- Stale/offline peer handling: when a peer is considered stale/offline (e.g., last announcement older than 60 seconds), immediately remove that peer’s stored announcement from the sync candidate set.
-
-Important: original packets are sent unmodified to preserve original signatures (e.g., ANNOUNCE). They MUST NOT be relayed beyond immediate neighbors. Implementations SHOULD send these response packets with TTL=0 (local-only) and, when possible, route them only to the requesting peer without altering the original packet contents.
-
-## Scope and Types Included
-
-Included in sync:
-- Public broadcast messages: `MessageType.MESSAGE` with BROADCAST recipient (or null recipient).
-- Identity announcements: `MessageType.ANNOUNCE`.
-- Both packets produced by other peers and packets produced by the requester itself MUST be represented in the requester’s GCS; the responder MUST track and consider its own produced public packets as candidates to return when they are missing on the requester.
-- Announcements included in the GCS MUST be at most 60 seconds old at the time of filter construction; older announcements are excluded by pruning.
-
-Not included:
-- Private messages and any packets addressed to a non-broadcast recipient.
-
-## Configuration (Debug Sheet)
-
-Exposed under “sync settings” in the debug settings sheet:
-- Max packets per sync (default 100)
-- Max GCS filter size in bytes (default 256, min 128, max 1024)
-- GCS target FPR in percent (default 1%, 0.1%–5%)
-- Derived values (display only): P and the estimated maximum number of elements that fit into the filter.
-
-Backed by `DebugPreferenceManager` getters and setters:
-- `getSeenPacketCapacity` / `setSeenPacketCapacity`
-- `getGcsMaxFilterBytes` / `setGcsMaxFilterBytes`
-- `getGcsFprPercent` / `setGcsFprPercent`
-
-## Android Integration
-
-- New/updated types and classes:
- - `MessageType.REQUEST_SYNC` (0x21) in `BinaryProtocol.kt`
- - `RequestSyncPacket` in `model/RequestSyncPacket.kt`
- - `GCSFilter` and `PacketIdUtil` in `sync/`
- - `GossipSyncManager` in `sync/`
-- `BluetoothMeshService` wires and starts the sync manager, schedules per-peer initial (unicast) and periodic (broadcast) syncs, and forwards seen public packets (including our own) to the manager.
-- `PacketProcessor` handles REQUEST_SYNC and forwards to `BluetoothMeshService` which responds via the sync manager with responses targeted only to the requester.
-
-## Compatibility Notes
-
-- GCS hashing and TLV structures are fully specified above; other implementations should use the same hashing scheme and payload layout for interoperability.
-- REQUEST_SYNC and responses are local-only and MUST NOT be relayed. Implementations SHOULD use TTL=0 to prevent relaying. If an implementation requires TTL>0 for local delivery, it MUST still ensure that REQUEST_SYNC and responses are not relayed beyond direct neighbors (e.g., by special-casing these types in relay logic).
-
-## Consensus vs. Configurable
-
-The following items require consensus across all implementations to ensure interoperability:
-
-- Packet ID recipe: first 16 bytes of SHA‑256(type | senderID | timestamp | payload).
-- GCS hashing function and mapping to [0, M) as specified above (v1), and MSB‑first bit packing for the bitstream.
-- Payload encoding: TLV with 16‑bit big‑endian lengths; TLV types 0x01 = P (uint8), 0x02 = M (uint32), 0x03 = data (opaque).
-- Packet type and scope: REQUEST_SYNC = 0x21; local-only (not relayed); only ANNOUNCE and broadcast MESSAGE are synchronized; ANNOUNCE de‑dupe is “latest per sender peerID”.
-
-The following are requester‑defined and communicated or local policy (no global agreement required):
-
-- GCS parameters: P and M are carried in the REQUEST_SYNC and must be used by the receiver for membership tests. The sender chooses size and FPR; receivers MUST cap accepted data length for DoS protection.
-- Local storage policy: how many packets to consider and how you determine the “latest” announcement per peer.
-- Sync cadence: how often to send REQUEST_SYNC and initial delay after new neighbor connection; whether to use unicast for initial per-peer sync versus broadcast for periodic sync. The number of packets included is bounded by the debug setting and filter capacity.
-
-Validation and limits (recommended):
-
-- Reject malformed REQUEST_SYNC payloads (e.g., P < 1, M <= 0, or data length too large for local limits).
-- Practical bounds: data length in [0, 1024]; P in [1, 24]; M up to 2^32‑1.
-
-Versioning:
-
-- This document defines a fixed GCS hashing scheme (“v1”) with no explicit version field in the payload. Changing the hashing or ID recipe would require a new message or an additional TLV in a future revision; current deployments must adhere to the constants above.