rein0421 commited on
Commit
8b37e01
·
verified ·
1 Parent(s): 5730461

Upload 10 files

Browse files
static/feedback.js CHANGED
@@ -15,8 +15,9 @@ async function getAnalysis() {
15
  const loader = document.getElementById("loader");
16
  loader.style.display = "block";
17
  try {
18
- const response = await fetch("/analyze");
19
 
 
20
  if (!response.ok) {
21
  throw new Error(`HTTP error! status: ${response.status}`);
22
  }
 
15
  const loader = document.getElementById("loader");
16
  loader.style.display = "block";
17
  try {
18
+ await getTranscription();
19
 
20
+ const response = await fetch("/analyze");
21
  if (!response.ok) {
22
  throw new Error(`HTTP error! status: ${response.status}`);
23
  }
static/menu.js CHANGED
@@ -3,7 +3,10 @@
3
  fetch("/reset");
4
  window.location.href = "userregister";
5
  }
6
-
 
 
 
7
  // Show recorder page
8
  function showRecorder() {
9
  window.location.href = "index";
 
3
  fetch("/reset");
4
  window.location.href = "userregister";
5
  }
6
+ // メンバー選択画面表示
7
+ function showUserSelect() {
8
+ window.location.href = "/userselect";
9
+ }
10
  // Show recorder page
11
  function showRecorder() {
12
  window.location.href = "index";
static/process1.js ADDED
@@ -0,0 +1,293 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ let allUsers = [];
2
+ let selectedUsers = [];
3
+ let userToDelete = null;
4
+
5
+ // ページ読み込み時にユーザーリストを取得
6
+ document.addEventListener('DOMContentLoaded', fetchUserList);
7
+
8
+ // ユーザーリスト取得
9
+ function fetchUserList() {
10
+ fetch('/list_base_audio')
11
+ .then(response => response.json())
12
+ .then(data => {
13
+ if (data.status === 'success' && data.fileNames) {
14
+ allUsers = data.fileNames;
15
+ renderUserList(allUsers);
16
+ } else {
17
+ showError('メンバーリストの取得に失敗しました');
18
+ }
19
+ })
20
+ .catch(error => {
21
+ console.error('Error fetching user list:', error);
22
+ showError('サーバーとの通信中にエラーが発生しました');
23
+ });
24
+ }
25
+
26
+ // ユーザーリストの表示
27
+ function renderUserList(users) {
28
+ const userListElement = document.getElementById('userList');
29
+
30
+ if (!users || users.length === 0) {
31
+ userListElement.innerHTML = `
32
+ <div class="no-users">
33
+ <p>登録されているメンバーがいません。</p>
34
+ <p>「新規登録」から音声を登録してください。</p>
35
+ </div>
36
+ `;
37
+ return;
38
+ }
39
+
40
+ let html = '';
41
+ users.forEach(user => {
42
+ const firstLetter = user.substr(0, 1).toUpperCase();
43
+ html += `
44
+ <div class="user-item">
45
+ <input type="checkbox" id="user-${user}" value="${user}" onchange="toggleUserSelection('${user}')">
46
+ <label for="user-${user}">${user}</label>
47
+ <div class="user-avatar">${firstLetter}</div>
48
+ <button class="delete-button" onclick="showDeleteModal('${user}')">
49
+ <i class="fas fa-trash"></i>
50
+ </button>
51
+ </div>
52
+ `;
53
+ });
54
+
55
+ userListElement.innerHTML = html;
56
+
57
+ // 既に選択済みのユーザーがあればチェックを入れる
58
+ checkStoredSelections();
59
+ }
60
+
61
+ // ユーザー選択の切り替え
62
+ function toggleUserSelection(username) {
63
+ const index = selectedUsers.indexOf(username);
64
+ if (index === -1) {
65
+ selectedUsers.push(username);
66
+ } else {
67
+ selectedUsers.splice(index, 1);
68
+ }
69
+
70
+ updateSelectedCount();
71
+ updateProceedButton();
72
+ saveSelections();
73
+ }
74
+
75
+ // すべてのユーザーを選択
76
+ function selectAllUsers() {
77
+ selectedUsers = [...allUsers];
78
+
79
+ // チェックボックスを更新
80
+ allUsers.forEach(user => {
81
+ const checkbox = document.getElementById(`user-${user}`);
82
+ if (checkbox) checkbox.checked = true;
83
+ });
84
+
85
+ updateSelectedCount();
86
+ updateProceedButton();
87
+ saveSelections();
88
+ }
89
+
90
+ // すべての選択を解除
91
+ function deselectAllUsers() {
92
+ selectedUsers = [];
93
+
94
+ // チェックボックスを更新
95
+ allUsers.forEach(user => {
96
+ const checkbox = document.getElementById(`user-${user}`);
97
+ if (checkbox) checkbox.checked = false;
98
+ });
99
+
100
+ updateSelectedCount();
101
+ updateProceedButton();
102
+ saveSelections();
103
+ }
104
+
105
+ // 選択数の表示を更新
106
+ function updateSelectedCount() {
107
+ document.getElementById('selectedCount').textContent = `選択中: ${selectedUsers.length}人`;
108
+ }
109
+
110
+ // 進むボタンの有効/無効を更新
111
+ function updateProceedButton() {
112
+ document.getElementById('proceedButton').disabled = selectedUsers.length === 0;
113
+ }
114
+
115
+ // 選択を保存
116
+ function saveSelections() {
117
+ localStorage.setItem('selectedUsers', JSON.stringify(selectedUsers));
118
+ }
119
+
120
+ // 保存されている選択を読み込み
121
+ function checkStoredSelections() {
122
+ const storedSelections = localStorage.getItem('selectedUsers');
123
+ if (storedSelections) {
124
+ try {
125
+ selectedUsers = JSON.parse(storedSelections);
126
+ selectedUsers = selectedUsers.filter(user => allUsers.includes(user)); // 存在するユーザーのみ選択
127
+
128
+ // チェックボックスに反映
129
+ selectedUsers.forEach(user => {
130
+ const checkbox = document.getElementById(`user-${user}`);
131
+ if (checkbox) checkbox.checked = true;
132
+ });
133
+
134
+ updateSelectedCount();
135
+ updateProceedButton();
136
+ } catch (e) {
137
+ console.error('保存された選択の読み込みに失敗しました', e);
138
+ selectedUsers = [];
139
+ }
140
+ }
141
+ }
142
+
143
+ // エラー表示
144
+ function showError(message) {
145
+ const userListElement = document.getElementById('userList');
146
+ userListElement.innerHTML = `
147
+ <div class="no-users">
148
+ <p>${message}</p>
149
+ <button class="select-button" onclick="fetchUserList()">再読み込み</button>
150
+ </div>
151
+ `;
152
+ }
153
+
154
+ // 選択されたユーザーでサーバーに送信して次のページに進む
155
+ function proceedWithSelectedUsers() {
156
+ if (selectedUsers.length === 0) {
157
+ alert('少なくとも1人のメンバーを選択してください');
158
+ return;
159
+ }
160
+
161
+ // 選択したユーザーをサーバーに送信
162
+ fetch('/select_users', {
163
+ method: 'POST',
164
+ headers: {
165
+ 'Content-Type': 'application/json',
166
+ },
167
+ body: JSON.stringify({
168
+ users: selectedUsers
169
+ })
170
+ })
171
+ .then(response => response.json())
172
+ .then(data => {
173
+ if (data.status === 'success') {
174
+ // 成功したらインデックスページに進む
175
+ window.location.href = '/index';
176
+ } else {
177
+ alert('エラーが発生しました: ' + (data.error || 'Unknown error'));
178
+ }
179
+ })
180
+ .catch(error => {
181
+ console.error('Error selecting users:', error);
182
+ alert('サーバーとの通信中にエラーが発生しました');
183
+ });
184
+ }
185
+
186
+ // 削除確認モーダルを表示
187
+ function showDeleteModal(username) {
188
+ userToDelete = username;
189
+ document.getElementById('deleteModalText').textContent = `メンバー「${username}」を削除しますか?削除すると元に戻せません。`;
190
+ document.getElementById('deleteModal').style.display = 'flex';
191
+ }
192
+
193
+ // 削除確認モーダルを非表示
194
+ function hideDeleteModal() {
195
+ document.getElementById('deleteModal').style.display = 'none';
196
+ userToDelete = null;
197
+ }
198
+
199
+ // メンバーの削除を実行
200
+ function confirmDelete() {
201
+ if (!userToDelete) return;
202
+
203
+ // 削除中の表示
204
+ document.getElementById('deleteModalText').innerHTML = `
205
+ <div class="loading">
206
+ <div class="spinner"></div>
207
+ <p>メンバー「${userToDelete}」を削除中...</p>
208
+ </div>
209
+ `;
210
+
211
+ fetch('/reset_member', {
212
+ method: 'POST',
213
+ headers: {
214
+ 'Content-Type': 'application/json',
215
+ },
216
+ body: JSON.stringify({
217
+ names: [userToDelete]
218
+ })
219
+ })
220
+ .then(response => response.json())
221
+ .then(data => {
222
+ if (data.status === 'success') {
223
+ // 選択リストからも削除
224
+ const index = selectedUsers.indexOf(userToDelete);
225
+ if (index !== -1) {
226
+ selectedUsers.splice(index, 1);
227
+ saveSelections();
228
+ }
229
+
230
+ // リストから削除して再表示
231
+ allUsers = allUsers.filter(user => user !== userToDelete);
232
+ renderUserList(allUsers);
233
+
234
+ // モーダルを閉じる
235
+ hideDeleteModal();
236
+
237
+ // 成功メッセージ表示(オプション)
238
+ const successMessage = document.createElement('div');
239
+ successMessage.className = 'success-message';
240
+ successMessage.innerHTML = `<div style="background: rgba(39, 174, 96, 0.2); color: white; padding: 10px; border-radius: 6px; margin-bottom: 10px; text-align: center;">メンバー��削除しました</div>`;
241
+ document.querySelector('.container').prepend(successMessage);
242
+
243
+ // 数秒後にメッセージを消す
244
+ setTimeout(() => {
245
+ successMessage.remove();
246
+ }, 3000);
247
+ } else {
248
+ alert('削除に失敗しました: ' + (data.message || 'Unknown error'));
249
+ hideDeleteModal();
250
+ }
251
+ })
252
+ .catch(error => {
253
+ console.error('Error deleting user:', error);
254
+ alert('サーバーとの通信中にエラーが発生しました');
255
+ hideDeleteModal();
256
+ });
257
+ }
258
+
259
+ // ハンバーガーメニュー表示/非表示の切り替え
260
+ function toggleMenu(event) {
261
+ event.stopPropagation();
262
+ const menu = document.getElementById('menu');
263
+ menu.classList.toggle('open');
264
+ }
265
+
266
+ // メニュー外クリックでメニューを閉じる
267
+ function closeMenu(event) {
268
+ const menu = document.getElementById('menu');
269
+ if (menu.classList.contains('open') && !menu.contains(event.target) && event.target.id !== 'menuButton') {
270
+ menu.classList.remove('open');
271
+ }
272
+ }
273
+
274
+ // 各画面へのナビゲーション関数
275
+ function showUserRegister() {
276
+ window.location.href = '/userregister';
277
+ }
278
+
279
+ function showIndex() {
280
+ window.location.href = '/index';
281
+ }
282
+
283
+ function showResults() {
284
+ window.location.href = '/feedback';
285
+ }
286
+
287
+ function showTalkDetail() {
288
+ window.location.href = '/talk_detail';
289
+ }
290
+
291
+ function resetAction() {
292
+ window.location.href = '/reset_html';
293
+ }
static/register_record.js CHANGED
@@ -1,150 +1,150 @@
1
- let mediaRecorder;
2
- let audioChunks = [];
3
- let userCount = 0; // 追加されたメンバー数を保持
4
- let isRecording = false; // 録音中かどうかを判定するフラグ
5
- let currentRecordingButton = null; // 現在録音中のボタンを保持
6
- let userNames = [];
7
-
8
- function toggleRecording(button) {
9
- button.classList.toggle("recording");
10
- }
11
-
12
- async function startRecording(button) {
13
- if (isRecording && currentRecordingButton !== button) return; // 他の人が録音中なら何もしない
14
- isRecording = true; // 録音中に設定
15
- currentRecordingButton = button; // 録音中のボタンを記録
16
-
17
- try {
18
- const stream = await navigator.mediaDevices.getUserMedia({
19
- audio: true,
20
- });
21
- mediaRecorder = new MediaRecorder(stream, { mimeType: "audio/webm" });
22
- audioChunks = [];
23
- mediaRecorder.ondataavailable = (e) => audioChunks.push(e.data);
24
- mediaRecorder.onstop = () => {
25
- sendAudioChunks(audioChunks, button); // ボタン情報を渡す
26
- audioChunks = [];
27
- isRecording = false; // 録音停止後はフラグを戻す
28
- currentRecordingButton = null; // 録音ボタンを解除
29
- };
30
- mediaRecorder.start();
31
- toggleRecording(button);
32
- } catch (err) {
33
- console.error("マイクアクセスに失敗しました:", err);
34
- isRecording = false; // エラー発生時もフラグを戻す
35
- currentRecordingButton = null;
36
- }
37
- }
38
-
39
- function stopRecording(button) {
40
- if (!isRecording) return; // 録音中でない場合は停止しない
41
- mediaRecorder.stop();
42
- toggleRecording(button);
43
- }
44
-
45
- function handleRecording(e) {
46
- const button = e.target.closest(".record-button");
47
- if (button) {
48
- if (isRecording && currentRecordingButton !== button) {
49
- // 他の人が録音中なら反応しない
50
- return;
51
- }
52
- if (mediaRecorder && mediaRecorder.state === "recording") {
53
- stopRecording(button);
54
- } else {
55
- startRecording(button);
56
- }
57
- }
58
- }
59
-
60
- function sendAudioChunks(chunks, button) {
61
- // 引数に button を追加
62
- const audioBlob = new Blob(chunks, { type: "audio/wav" });
63
- const reader = new FileReader();
64
- reader.onloadend = () => {
65
- const base64String = reader.result.split(",")[1]; // Base64エンコードされた音声データ
66
- // フォームの取得方法を変更
67
- const form = button.closest(".user-item")?.querySelector("form")
68
- const nameInput = form?.querySelector('input[name="name"]');
69
- const name = nameInput ? nameInput.value : "unknown"; // 名前がない
70
- fetch("/upload_base_audio", {
71
- method: "POST",
72
- headers: {
73
- "Content-Type": "application/json",
74
- },
75
- body: JSON.stringify({ audio_data: base64String, name: name }),
76
- })
77
- .then((response) => response.json())
78
- .then((data) => {
79
- // エラー処理のみ残す
80
- if (data.error) {
81
- alert("エラー: " + data.error);
82
- console.error(data.details);
83
- }
84
- // 成功時の処理(ボタンの有効化など)
85
- else {
86
- console.log("音声データ送信成功:", data);
87
- userNames.push(name);
88
- // 必要に応じて、ここでUIの変更(ボタンの有効化など)を行う
89
- // 例: button.disabled = true; // 送信ボタンを無効化
90
- // 例: button.classList.remove("recording"); //録音中のスタイルを解除
91
- }
92
- })
93
- .catch((error) => {
94
- console.error("エラー:", error);
95
- });
96
- };
97
- reader.readAsDataURL(audioBlob);
98
- }
99
-
100
- // 録音画面に移動
101
- function showRecorder() {
102
- window.location.href = "index";
103
- }
104
-
105
- // Add user function
106
- function addUser() {
107
- const userName = prompt("ユーザー名を入力してください");
108
- if (userName) {
109
- const userList = document.getElementById("people-list");
110
- const userDiv = document.createElement("div");
111
- userDiv.classList.add(
112
- "user-item", // 追加
113
- "bg-gray-700",
114
- "p-4",
115
- "rounded-lg",
116
- "text-white",
117
- "flex",
118
- "justify-between",
119
- "items-center",
120
- "flex-wrap", // 追加
121
- "gap-3" // 追加
122
- );
123
- userDiv.innerHTML = `
124
- <form
125
- action="/submit"
126
- method="POST"
127
- class="flex items-center space-x-2 w-full sm:w-auto"
128
- onsubmit="event.preventDefault();"
129
- >
130
- <input
131
- type="text"
132
- name="name"
133
- placeholder="名前を入力"
134
- value="${userName}"
135
- class="flex-1 px-4 py-2 border rounded-lg focus:outline-none focus:ring-2 focus:ring-blue-500 bg-gray-700 text-white"
136
- />
137
- <button type="button" class="record-button" aria-label="音声録音開始">
138
- <div class="record-icon"></div>
139
- </button>
140
- </form>
141
- `;
142
- userDiv
143
- .querySelector(".record-button")
144
- .addEventListener("click", handleRecording);
145
- userList.appendChild(userDiv);
146
- userCount++;
147
- }
148
- }
149
-
150
- document.getElementById("add-btn").addEventListener("click", addUser);
 
1
+ let mediaRecorder;
2
+ let audioChunks = [];
3
+ let userCount = 0; // 追加されたメンバー数を保持
4
+ let isRecording = false; // 録音中かどうかを判定するフラグ
5
+ let currentRecordingButton = null; // 現在録音中のボタンを保持
6
+ let userNames = [];
7
+
8
+ function toggleRecording(button) {
9
+ button.classList.toggle("recording");
10
+ }
11
+
12
+ async function startRecording(button) {
13
+ if (isRecording && currentRecordingButton !== button) return; // 他の人が録音中なら何もしない
14
+ isRecording = true; // 録音中に設定
15
+ currentRecordingButton = button; // 録音中のボタンを記録
16
+
17
+ try {
18
+ const stream = await navigator.mediaDevices.getUserMedia({
19
+ audio: true,
20
+ });
21
+ mediaRecorder = new MediaRecorder(stream, { mimeType: "audio/webm" });
22
+ audioChunks = [];
23
+ mediaRecorder.ondataavailable = (e) => audioChunks.push(e.data);
24
+ mediaRecorder.onstop = () => {
25
+ sendAudioChunks(audioChunks, button); // ボタン情報を渡す
26
+ audioChunks = [];
27
+ isRecording = false; // 録音停止後はフラグを戻す
28
+ currentRecordingButton = null; // 録音ボタンを解除
29
+ };
30
+ mediaRecorder.start();
31
+ toggleRecording(button);
32
+ } catch (err) {
33
+ console.error("マイクアクセスに失敗しました:", err);
34
+ isRecording = false; // エラー発生時もフラグを戻す
35
+ currentRecordingButton = null;
36
+ }
37
+ }
38
+
39
+ function stopRecording(button) {
40
+ if (!isRecording) return; // 録音中でない場合は停止しない
41
+ mediaRecorder.stop();
42
+ toggleRecording(button);
43
+ }
44
+
45
+ function handleRecording(e) {
46
+ const button = e.target.closest(".record-button");
47
+ if (button) {
48
+ if (isRecording && currentRecordingButton !== button) {
49
+ // 他の人が録音中なら反応しない
50
+ return;
51
+ }
52
+ if (mediaRecorder && mediaRecorder.state === "recording") {
53
+ stopRecording(button);
54
+ } else {
55
+ startRecording(button);
56
+ }
57
+ }
58
+ }
59
+
60
+ function sendAudioChunks(chunks, button) {
61
+ // 引数に button を追加
62
+ const audioBlob = new Blob(chunks, { type: "audio/wav" });
63
+ const reader = new FileReader();
64
+ reader.onloadend = () => {
65
+ const base64String = reader.result.split(",")[1]; // Base64エンコードされた音声データ
66
+ // フォームの取得方法を変更
67
+ const form = button.closest(".user-item")?.querySelector("form")
68
+ const nameInput = form?.querySelector('input[name="name"]');
69
+ const name = nameInput ? nameInput.value : "unknown"; // 名前がない
70
+ fetch("/upload_base_audio", {
71
+ method: "POST",
72
+ headers: {
73
+ "Content-Type": "application/json",
74
+ },
75
+ body: JSON.stringify({ audio_data: base64String, name: name }),
76
+ })
77
+ .then((response) => response.json())
78
+ .then((data) => {
79
+ // エラー処理のみ残す
80
+ if (data.error) {
81
+ alert("エラー: " + data.error);
82
+ console.error(data.details);
83
+ }
84
+ // 成功時の処理(ボタンの有効化など)
85
+ else {
86
+ console.log("音声データ送信成功:", data);
87
+ userNames.push(name);
88
+ // 必要に応じて、ここでUIの変更(ボタンの有効化など)を行う
89
+ // 例: button.disabled = true; // 送信ボタンを無効化
90
+ // 例: button.classList.remove("recording"); //録音中のスタイルを解除
91
+ }
92
+ })
93
+ .catch((error) => {
94
+ console.error("エラー:", error);
95
+ });
96
+ };
97
+ reader.readAsDataURL(audioBlob);
98
+ }
99
+
100
+ // 前の画面に戻る
101
+ function goBack() {
102
+ window.location.href = "index";
103
+ }
104
+
105
+ // Add user function
106
+ function addUser() {
107
+ const userName = prompt("ユーザー名を入力してください");
108
+ if (userName) {
109
+ const userList = document.getElementById("people-list");
110
+ const userDiv = document.createElement("div");
111
+ userDiv.classList.add(
112
+ "user-item", // 追加
113
+ "bg-gray-700",
114
+ "p-4",
115
+ "rounded-lg",
116
+ "text-white",
117
+ "flex",
118
+ "justify-between",
119
+ "items-center",
120
+ "flex-wrap", // 追加
121
+ "gap-3" // 追加
122
+ );
123
+ userDiv.innerHTML = `
124
+ <form
125
+ action="/submit"
126
+ method="POST"
127
+ class="flex items-center space-x-2 w-full sm:w-auto"
128
+ onsubmit="event.preventDefault();"
129
+ >
130
+ <input
131
+ type="text"
132
+ name="name"
133
+ placeholder="名前を入力"
134
+ value="${userName}"
135
+ class="flex-1 px-4 py-2 border rounded-lg focus:outline-none focus:ring-2 focus:ring-blue-500 bg-gray-700 text-white"
136
+ />
137
+ <button type="button" class="record-button" aria-label="音声録音開始">
138
+ <div class="record-icon"></div>
139
+ </button>
140
+ </form>
141
+ `;
142
+ userDiv
143
+ .querySelector(".record-button")
144
+ .addEventListener("click", handleRecording);
145
+ userList.appendChild(userDiv);
146
+ userCount++;
147
+ }
148
+ }
149
+
150
+ document.getElementById("add-btn").addEventListener("click", addUser);