今回は、私がとあるハッカソンに出た時に作る必要が出たので作ってみた話です。
wifiのssidとpassを送信します。
androidアプリとして作りました。
なお私はJAVAを触ったことがなく、「重複部分のコピペ」と「勘」で進んでいるのでこれが正解とはわからないのでそこはお願いします。
作ったもの
↑のような感じです。ESP32に、ssid,パスワード,モード(1か2)を送信するアプリにしました。
使い方
- スマホの設定でペアリングする
- アプリを開く
- 選択する
- 内容を入力して送信!
手順
準備
今回使ったもの↓
- IntelliJ IDEA
- スマホ
- SimpleBluetoothTerminal
また、Gradleなどのプロジェクトを読み込み&ビルドしたことがない人は↓の記事を見てみてください。
既存のアプリの読み込み
今回は、SimpleBluetoothTerminal というgithubに上がっているアプリをベースに作成しました。
BT経由のシリアル通信ができる最低限の機能がついていました。
単純にシリアル通信だけしたい場合はこれをそのまま使えばいいと思います。
MITライセンスですしね、
ちょっと改造する
今回は、ESP32にWI-FI接続のための設定と1か2のモード選択を送信するアプリを作りたいので、同時に送信できるようにしたいと思います。
デザイン
res/layout/fragment_terminal.xml を新しいコードにします。ここで入力欄を増やします。
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout
xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical">
<!-- 受信欄 -->
<TextView
android:id="@+id/receive_text"
android:layout_width="match_parent"
android:layout_height="0dp"
android:layout_weight="1"
android:gravity="bottom"
android:scrollbars="vertical"
android:textAppearance="@style/TextAppearance.AppCompat.Medium" />
<!-- 横線 -->
<View
android:layout_width="match_parent"
android:layout_height="2dp"
android:background="?android:attr/listDivider" />
<!-- 入力欄と送信ボタン -->
<LinearLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:orientation="vertical"
android:padding="16dp">
<!-- SSID入力欄 -->
<EditText
android:id="@+id/ssid_input"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:hint="SSID"
android:inputType="text" />
<!-- Password入力欄 -->
<EditText
android:id="@+id/password_input"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:hint="Password"
android:inputType="textPassword" />
<!-- モード入力欄 -->
<EditText
android:id="@+id/line_token_input"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:hint="Mode"
android:inputType="text" />
<!-- 送信ボタン -->
<Button
android:id="@+id/send_btn"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="送信"
android:layout_gravity="end"
android:layout_marginTop="16dp" />
</LinearLayout>
</LinearLayout>
送信部分
app/src/main/java/de/kai_morich/simple_bluetooth_terminal/TerminalFragment.java です。
日本語のコメントがあるところが僕が変えたところです(たぶん)
※modeが、ここではline tokenと表記されています。途中の仕様変更でこうなったのですみません。
直すのがめんどくさかったです。
package de.kai_morich.simple_bluetooth_terminal;
import android.Manifest;
import android.app.Activity;
import android.app.AlertDialog;
import android.bluetooth.BluetoothAdapter;
import android.bluetooth.BluetoothDevice;
import android.content.ComponentName;
import android.content.Context;
import android.content.Intent;
import android.content.ServiceConnection;
import android.os.Build;
import android.os.Bundle;
import android.os.IBinder;
import android.text.Editable;
import android.text.Spannable;
import android.text.SpannableStringBuilder;
import android.text.method.ScrollingMovementMethod;
import android.text.style.ForegroundColorSpan;
import android.view.LayoutInflater;
import android.view.Menu;
import android.view.MenuInflater;
import android.view.MenuItem;
import android.view.View;
import android.view.ViewGroup;
import android.widget.TextView;
import android.widget.Toast;
import androidx.annotation.NonNull;
import androidx.annotation.Nullable;
import androidx.fragment.app.Fragment;
import java.util.ArrayDeque;
import java.util.Arrays;
public class TerminalFragment extends Fragment implements ServiceConnection, SerialListener {
private enum Connected { False, Pending, True }
private String deviceAddress;
private SerialService service;
private TextView receiveText;
private TextView ssid_input;
private TextView password_input;
private TextView line_token_input;
private TextUtil.HexWatcher hexWatcher;
private Connected connected = Connected.False;
private boolean initialStart = true;
private boolean hexEnabled = false;
private boolean pendingNewline = false;
private String newline = TextUtil.newline_crlf;
/*
* Lifecycle
*/
@Override
public void onCreate(@Nullable Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setHasOptionsMenu(true);
setRetainInstance(true);
deviceAddress = getArguments().getString("device");
}
@Override
public void onDestroy() {
if (connected != Connected.False)
disconnect();
getActivity().stopService(new Intent(getActivity(), SerialService.class));
super.onDestroy();
}
@Override
public void onStart() {
super.onStart();
if(service != null)
service.attach(this);
else
getActivity().startService(new Intent(getActivity(), SerialService.class)); // prevents service destroy on unbind from recreated activity caused by orientation change
}
@Override
public void onStop() {
if(service != null && !getActivity().isChangingConfigurations())
service.detach();
super.onStop();
}
@SuppressWarnings("deprecation") // onAttach(context) was added with API 23. onAttach(activity) works for all API versions
@Override
public void onAttach(@NonNull Activity activity) {
super.onAttach(activity);
getActivity().bindService(new Intent(getActivity(), SerialService.class), this, Context.BIND_AUTO_CREATE);
}
@Override
public void onDetach() {
try { getActivity().unbindService(this); } catch(Exception ignored) {}
super.onDetach();
}
@Override
public void onResume() {
super.onResume();
if(initialStart && service != null) {
initialStart = false;
getActivity().runOnUiThread(this::connect);
}
}
@Override
public void onServiceConnected(ComponentName name, IBinder binder) {
service = ((SerialService.SerialBinder) binder).getService();
service.attach(this);
if(initialStart && isResumed()) {
initialStart = false;
getActivity().runOnUiThread(this::connect);
}
}
@Override
public void onServiceDisconnected(ComponentName name) {
service = null;
}
/*
* UI
*/
@Override
public View onCreateView(@NonNull LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) {
View view = inflater.inflate(R.layout.fragment_terminal, container, false);
receiveText = view.findViewById(R.id.receive_text); // TextView performance decreases with number of spans
receiveText.setTextColor(getResources().getColor(R.color.colorRecieveText)); // set as default color to reduce number of spans
receiveText.setMovementMethod(ScrollingMovementMethod.getInstance());
//ここらへん
ssid_input = view.findViewById(R.id.ssid_input);
hexWatcher = new TextUtil.HexWatcher(ssid_input);
hexWatcher.enable(hexEnabled);
ssid_input.addTextChangedListener(hexWatcher);
ssid_input.setHint(hexEnabled ? "HEX mode" : "");
password_input = view.findViewById(R.id.password_input);
hexWatcher = new TextUtil.HexWatcher(password_input);
hexWatcher.enable(hexEnabled);
password_input.addTextChangedListener(hexWatcher);
password_input.setHint(hexEnabled ? "HEX mode" : "");
line_token_input = view.findViewById(R.id.line_token_input);
hexWatcher = new TextUtil.HexWatcher(line_token_input);
hexWatcher.enable(hexEnabled);
line_token_input.addTextChangedListener(hexWatcher);
line_token_input.setHint(hexEnabled ? "HEX mode" : "");
View sendBtn = view.findViewById(R.id.send_btn);
sendBtn.setOnClickListener(v -> {
// ここに複数の文を追加
String ssid = ssid_input.getText().toString();
send(ssid); // 既存の処理
try {
Thread.sleep(500); // 500ミリ秒 = 0.5秒
} catch (InterruptedException e) {
}
String password = password_input.getText().toString();
send(password);
try {
Thread.sleep(500); // 500ミリ秒 = 0.5秒
} catch (InterruptedException e) {
}
String token = line_token_input.getText().toString();
// 1秒後にトークンを送信
send(token);
});
return view;
}
@Override
public void onCreateOptionsMenu(@NonNull Menu menu, MenuInflater inflater) {
inflater.inflate(R.menu.menu_terminal, menu);
}
public void onPrepareOptionsMenu(@NonNull Menu menu) {
menu.findItem(R.id.hex).setChecked(hexEnabled);
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
menu.findItem(R.id.backgroundNotification).setChecked(service != null && service.areNotificationsEnabled());
} else {
menu.findItem(R.id.backgroundNotification).setChecked(true);
menu.findItem(R.id.backgroundNotification).setEnabled(false);
}
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
int id = item.getItemId();
if (id == R.id.clear) {
receiveText.setText("");
return true;
} else if (id == R.id.newline) {
String[] newlineNames = getResources().getStringArray(R.array.newline_names);
String[] newlineValues = getResources().getStringArray(R.array.newline_values);
int pos = java.util.Arrays.asList(newlineValues).indexOf(newline);
AlertDialog.Builder builder = new AlertDialog.Builder(getActivity());
builder.setTitle("Newline");
builder.setSingleChoiceItems(newlineNames, pos, (dialog, item1) -> {
newline = newlineValues[item1];
dialog.dismiss();
});
builder.create().show();
return true;
} else if (id == R.id.hex) {
hexEnabled = !hexEnabled;
line_token_input.setText("");
hexWatcher.enable(hexEnabled);
line_token_input.setHint(hexEnabled ? "HEX mode" : "");
item.setChecked(hexEnabled);
return true;
} else if (id == R.id.backgroundNotification) {
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
if (!service.areNotificationsEnabled() && Build.VERSION.SDK_INT >= Build.VERSION_CODES.TIRAMISU) {
requestPermissions(new String[]{Manifest.permission.POST_NOTIFICATIONS}, 0);
} else {
showNotificationSettings();
}
}
return true;
} else {
return super.onOptionsItemSelected(item);
}
}
/*
* Serial + UI
*/
private void connect() {
try {
BluetoothAdapter bluetoothAdapter = BluetoothAdapter.getDefaultAdapter();
BluetoothDevice device = bluetoothAdapter.getRemoteDevice(deviceAddress);
status("connecting...");
connected = Connected.Pending;
SerialSocket socket = new SerialSocket(getActivity().getApplicationContext(), device);
service.connect(socket);
} catch (Exception e) {
onSerialConnectError(e);
}
}
private void disconnect() {
connected = Connected.False;
service.disconnect();
}
private void send(String str) {
if(connected != Connected.True) {
Toast.makeText(getActivity(), "not connected", Toast.LENGTH_SHORT).show();
return;
}
try {
String msg;
byte[] data;
if(hexEnabled) {
StringBuilder sb = new StringBuilder();
TextUtil.toHexString(sb, TextUtil.fromHexString(str));
TextUtil.toHexString(sb, newline.getBytes());
msg = sb.toString();
data = TextUtil.fromHexString(msg);
} else {
msg = str;
data = (str + newline).getBytes();
}
SpannableStringBuilder spn = new SpannableStringBuilder(msg + '\n');
spn.setSpan(new ForegroundColorSpan(getResources().getColor(R.color.colorSendText)), 0, spn.length(), Spannable.SPAN_EXCLUSIVE_EXCLUSIVE);
receiveText.append(spn);
service.write(data);
} catch (Exception e) {
onSerialIoError(e);
}
}
private void receive(ArrayDeque<byte[]> datas) {
SpannableStringBuilder spn = new SpannableStringBuilder();
for (byte[] data : datas) {
if (hexEnabled) {
spn.append(TextUtil.toHexString(data)).append('\n');
} else {
String msg = new String(data);
if (newline.equals(TextUtil.newline_crlf) && msg.length() > 0) {
// don't show CR as ^M if directly before LF
msg = msg.replace(TextUtil.newline_crlf, TextUtil.newline_lf);
// special handling if CR and LF come in separate fragments
if (pendingNewline && msg.charAt(0) == '\n') {
if(spn.length() >= 2) {
spn.delete(spn.length() - 2, spn.length());
} else {
Editable edt = receiveText.getEditableText();
if (edt != null && edt.length() >= 2)
edt.delete(edt.length() - 2, edt.length());
}
}
pendingNewline = msg.charAt(msg.length() - 1) == '\r';
}
spn.append(TextUtil.toCaretString(msg, newline.length() != 0));
}
}
receiveText.append(spn);
}
private void status(String str) {
SpannableStringBuilder spn = new SpannableStringBuilder(str + '\n');
spn.setSpan(new ForegroundColorSpan(getResources().getColor(R.color.colorStatusText)), 0, spn.length(), Spannable.SPAN_EXCLUSIVE_EXCLUSIVE);
receiveText.append(spn);
}
/*
* starting with Android 14, notifications are not shown in notification bar by default when App is in background
*/
private void showNotificationSettings() {
Intent intent = new Intent();
intent.setAction("android.settings.APP_NOTIFICATION_SETTINGS");
intent.putExtra("android.provider.extra.APP_PACKAGE", getActivity().getPackageName());
startActivity(intent);
}
@Override
public void onRequestPermissionsResult(int requestCode, @NonNull String[] permissions, @NonNull int[] grantResults) {
if(Arrays.equals(permissions, new String[]{Manifest.permission.POST_NOTIFICATIONS}) &&
Build.VERSION.SDK_INT >= Build.VERSION_CODES.O && !service.areNotificationsEnabled())
showNotificationSettings();
}
/*
* SerialListener
*/
@Override
public void onSerialConnect() {
status("connected");
connected = Connected.True;
}
@Override
public void onSerialConnectError(Exception e) {
status("connection failed: " + e.getMessage());
disconnect();
}
@Override
public void onSerialRead(byte[] data) {
ArrayDeque<byte[]> datas = new ArrayDeque<>();
datas.add(data);
receive(datas);
}
public void onSerialRead(ArrayDeque<byte[]> datas) {
receive(datas);
}
@Override
public void onSerialIoError(Exception e) {
status("connection lost: " + e.getMessage());
disconnect();
}
}
おまけ:ESP32のコード
受信して、WIFIに接続して、LINE notifyで通知を表示するコードです。
#include <WiFi.h>
#include <HTTPClient.h>
#include "BluetoothSerial.h"
BluetoothSerial SerialBT;
String ssid; //SSID
String password;//Wi-Fi-password
int ko;
int dataCount = 0;
String token ="your token"; //LINEのやつ
int nukeru; //送信するときのループ抜け出し用
void setup() {
// シリアル通信を開始
Serial.begin(115200);
SerialBT.begin("leno"); //Bluetooth device name
Serial.println("blutoothの設定を確認して「leno」に接続してください。");
while (SerialBT.available() == 0) {
}
SerialBT.register_callback(BTCallback);
}
// ループ
void loop() {
}
void BTCallback(esp_spp_cb_event_t event, esp_spp_cb_param_t *param) {
if (event == ESP_SPP_DATA_IND_EVT) {
String receivedData = "";
for (int i = 0; i < param->data_ind.len; i++) {
receivedData += (char)param->data_ind.data[i];
}
// 改行を削除
receivedData.replace("\n", "");
receivedData.replace("\r", "");
Serial.print("受信データ: ");
Serial.println(receivedData);
// データ数によって処理を分岐
if (dataCount == 0) {
ssid = receivedData;
Serial.println("SSIDが設定されました: " + ssid);
dataCount++;
} else if (dataCount == 1) {
password = receivedData;
Serial.println("パスワードが設定されました: " + password);
dataCount++;
} else if (dataCount == 2) {
int modeValue = receivedData.toInt();
if (modeValue == 1) {
mode = 1;
Serial.println("モードが設定されました: 1");
} else if (modeValue == 2) {
mode = 2;
Serial.println("モードが設定されました: 2");
} else {
Serial.println("エラー: 無効なモード値");
}
dataCount++;
// Wi-Fi接続の試行
if (mode != -1) {
WiFi.begin(ssid.c_str(), password.c_str());
int attempts = 0;
while (WiFi.status() != WL_CONNECTED && attempts < 20) {
delay(500);
Serial.print(".");
attempts++;
}
if (WiFi.status() == WL_CONNECTED) {
SerialBT.end();
Serial.println("\nWi-Fi接続成功!");
Serial.print("IPアドレス: ");
Serial.println(WiFi.localIP());
if (mode == 1) {
sendMessage("親探知モード起動!");
} else if (mode == 2) {
sendMessage("インターホンモード起動!");
} else {
sendMessage("エラー: 無効なモード値");
}
} else {
Serial.println("\nWi-Fi接続失敗");
}
}
}
}
}
void sendMessage(String message) {
Serial.println("サーバーと接続確立中......");
HTTPClient client;
client.begin("https://notify-api.line.me/api/notify");
client.addHeader("Content-Type", "application/x-www-form-urlencoded");
client.addHeader("Authorization", "Bearer " + token);
Serial.println("データを投げています...");
String query = "message=" + message;
int retryCount = 0;
const int maxRetries = 10;
// const int retryDelay = 200; // リトライ間隔 (ミリ秒)
int httpResponseCode = -1;
// const int TIMEOUT = 2000;
nukeru =0;
while (retryCount < maxRetries && ko ==0) {
client.setTimeout(2000); // タイムアウト設定
httpResponseCode = client.POST(query);
Serial.println("投げました");
if (httpResponseCode > 0) {
String response = client.getString();
Serial.println("LINE通知を送信しました: " + response);
nukeru =1;
} else {
Serial.printf("通知の送信に失敗しました: %d\n", httpResponseCode);
delay(200);
retryCount++;
}
}
Serial.println("抜けたよ!");
if (httpResponseCode <= 0) {
Serial.println("最大リトライ回数を超えました。通知の送信に失敗しました。");
}
client.end();
Serial.println("接続解除しました");
}
以上!
質問等・意見あればdiscordやコメントまで

とある高専生。
AIとネットが好き。
将来はAIの妹と火星に住みたい。
discord : r_nightcore
このサイトの管理者。
コメント