This Android app connects to an ESP-32 microcontroller via Classical Bluetooth (SPP) and facilitates message exchange. The ESP-32 acts as a bridge between serial communication and Bluetooth, sending and receiving data as byte streams. This project highlights the use of Jetpack Compose for the UI, Dagger Hilt for dependency injection, and Kotlin Coroutines with StateFlow to handle asynchronous operations and state management.
compileSdk 34
minSdk 26
targetSdk 34
Java version 17
<uses-permission android:name="android.permission.BLUETOOTH" android:maxSdkVersion="30"/>
<uses-permission android:name="android.permission.BLUETOOTH_SCAN" android:usesPermissionFlags="neverForLocation"
tools:targetApi="s" />
<uses-permission android:name="android.permission.BLUETOOTH_ADMIN" />
<uses-permission android:name="android.permission.BLUETOOTH_CONNECT" />
<uses-permission
android:name="android.permission.ACCESS_FINE_LOCATION"
tools:ignore="CoarseFineLocation" />
<uses-feature android:name="android.hardware.bluetooth" />
To run this project, follow these steps:
Arduino IDE was used to program ESP 32 microcontroller
#include "BluetoothSerial.h"
String device_name = "ESP32-BT-Slave";
// Check if Bluetooth is available
#if !defined(CONFIG_BT_ENABLED) || !defined(CONFIG_BLUEDROID_ENABLED)
#error Bluetooth is not enabled! Please run `make menuconfig` to and enable it
#endif
// Check Serial Port Profile
#if !defined(CONFIG_BT_SPP_ENABLED)
#error Serial Port Profile for Bluetooth is not available or not enabled. It is only available for the ESP32 chip.
#endif
BluetoothSerial SerialBT;
void setup() {
Serial.begin(115200);
SerialBT.begin(device_name); //Bluetooth device name
//SerialBT.deleteAllBondedDevices(); // Uncomment this to delete paired devices; Must be called after begin
Serial.printf("The device with name \"%s\" is started.\nNow you can pair it with Bluetooth!\n", device_name.c_str());
}
void loop() {
if (Serial.available()) {
SerialBT.write(Serial.read());
}
if (SerialBT.available()) {
Serial.write(SerialBT.read());
}
delay(20);
}
git clone https://github.com/your-username/esp32-bluetooth-chat-app.git
val bluetoothAdapter: BluetoothAdapter? = BluetoothAdapter.getDefaultAdapter()
val device: BluetoothDevice = bluetoothAdapter.getRemoteDevice(deviceAddress)
val socket = device.createRfcommSocketToServiceRecord(uuid)
val state by viewModel.state.collectAsState()
```Kotlin @Composable fun ChatScreen( state: BluetoothUiState, onDisconnect:()-> Unit, onSendMessage:(String)->Unit ){ var message by rememberSaveable { mutableStateOf(“”) }
val keyboardController = LocalSoftwareKeyboardController.current
Column( modifier = Modifier.fillMaxSize() ) { Row( modifier = Modifier .fillMaxWidth() .padding(16.dp), verticalAlignment = Alignment.CenterVertically ) { Text(text = “Messages”, modifier = Modifier.weight(1f)) IconButton(onClick = onDisconnect) { Icon(imageVector = Icons.Default.Close, contentDescription = “Disconnect”) } }
LazyColumn(
modifier = Modifier
.fillMaxWidth()
.weight(1f),
contentPadding = PaddingValues(16.dp),
verticalArrangement = Arrangement.spacedBy(16.dp)
) {
items(state.messages){ message->
Column(
modifier = Modifier.fillMaxWidth()
) {
ChatMessage(
message = message,
modifier = Modifier.align(
if (message.isFromLocalUser) Alignment.End else Alignment.Start
)
)
}
}
}
Row(
modifier = Modifier
.fillMaxWidth()
.padding(16.dp),
verticalAlignment = Alignment.CenterVertically
) {
TextField(
value = message,
onValueChange = {message = it},
modifier = Modifier.weight(1f),
enabled = state.isConnected,
placeholder = {
Text(text = "Message")
} )
IconButton(
onClick = {
onSendMessage(message)
message = ""
keyboardController?.hide()
},
enabled = state.isConnected,
) {
Icon(imageVector = Icons.AutoMirrored.Default.Send , contentDescription = "send message")
}
}
} } ```
data class BluetoothUiState(
val scannedDevices: List<BluetoothDeviceDomain> = emptyList(),
val pairedDevices: List<BluetoothDeviceDomain> = emptyList(),
val isConnected:Boolean = false,
val isConnecting:Boolean = false,
val errMessage:String? = null,
val messages:List<BluetoothMessage> = emptyList()
)
@HiltViewModel
class BluetoothViewModel @Inject constructor(
private val bluetoothController: BluetoothController
) : ViewModel() {
private val _state = MutableStateFlow(BluetoothUiState())
// val state: State<CoinListState> = _state
val state = combine(
bluetoothController.scannedDevices,
bluetoothController.pairedDevices,
_state
){ scannedDevices, pairedDevices, state ->
state.copy(
scannedDevices = scannedDevices,
pairedDevices = pairedDevices,
messages = if(state.isConnected) state.messages else emptyList()
)
}.stateIn(viewModelScope,SharingStarted.WhileSubscribed(5000),_state.value)
}
The MVVM (Model-View-ViewModel) pattern is used in this project to cleanly separate the user interface (UI) from the business logic, making the app easier to maintain and test. Here’s how each layer contributes to the app:
ViewModel: Acts as the bridge between the Model and the View. It holds UI-related data that survives configuration changes (like screen rotations). In this app, the ViewModel manages:
Device scanning results. The list of paired devices. Connection statuses and messaging logic. The ViewModel uses LiveData to expose data to the View, allowing the app to respond to changes without requiring manual updates.
View: This represents the UI, including the activities and fragments. The View observes the ViewModel for changes and updates the UI accordingly. It doesn’t handle any business logic, making it easier to keep the UI layer clean and focused only on presenting the data. This approach ensures that the app’s business logic is decoupled from the UI, which makes the code more maintainable and testable.
The project is built following Clean Architecture principles, which helps to ensure a clear separation of concerns. Clean Architecture divides the codebase into multiple layers, allowing for a modular and scalable application. Here’s how Clean Architecture is applied in this project:
Domain Layer: This is the core of the application. It contains the business logic, including entities (such as Bluetooth device data) and use cases (e.g., “scan for devices,” “connect to a device”). The domain layer is independent of any frameworks, UI, or data sources, making it reusable and testable.
Data Layer: The data layer contains repositories that implement the business logic defined in the domain layer. It manages data retrieval and communication with external systems (in this case, the Android Bluetooth Adapter API). By using repositories, the data layer abstracts away the details of the data sources, making the domain layer completely unaware of how data is fetched or stored.
Presentation Layer: This includes the ViewModels and UI components. The ViewModel communicates with the domain layer to retrieve or manipulate data and then provides this data to the UI layer. The UI layer (View) observes the ViewModel and updates itself automatically when the data changes, thanks to LiveData.
Contributions are welcome! Please feel free to submit a Pull Request or open an Issue if you find any bugs or have feature requests.