-
-
Notifications
You must be signed in to change notification settings - Fork 87
/
Copy pathKnowledgeBaseGame.cs
323 lines (287 loc) · 10.7 KB
/
KnowledgeBaseGame.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
using System.Collections.Generic;
using UnityEngine;
using System.IO;
using System.Diagnostics;
using Debug = UnityEngine.Debug;
using UnityEngine.UI;
using LLMUnity;
using System.Threading.Tasks;
using System.Linq;
using System;
namespace LLMUnitySamples
{
public class KnowledgeBaseGame : KnowledgeBaseGameUI
{
[Header("Models")]
public LLMCharacter llmCharacter;
public RAG rag;
public int numRAGResults = 3;
string ragPath = "KnowledgeBaseGame.zip";
Dictionary<string, Dictionary<string, string>> botQuestionAnswers = new Dictionary<string, Dictionary<string, string>>();
Dictionary<string, RawImage> botImages = new Dictionary<string, RawImage>();
string currentBotName;
new async void Start()
{
base.Start();
CheckLLMs(false);
InitElements();
await InitRAG();
InitLLM();
}
void InitElements()
{
PlayerText.interactable = false;
botImages["Butler"] = ButlerImage;
botImages["Maid"] = MaidImage;
botImages["Chef"] = ChefImage;
botQuestionAnswers["Butler"] = LoadQuestionAnswers(ButlerText.text);
botQuestionAnswers["Maid"] = LoadQuestionAnswers(MaidText.text);
botQuestionAnswers["Chef"] = LoadQuestionAnswers(ChefText.text);
}
async Task InitRAG()
{
// create the embeddings
await CreateEmbeddings();
DropdownChange(CharacterSelect.value);
}
void InitLLM()
{
// warm-up the LLM
PlayerText.text += "Warming up the model...";
_ = llmCharacter.Warmup(AIReplyComplete);
}
public Dictionary<string, string> LoadQuestionAnswers(string questionAnswersText)
{
Dictionary<string, string> questionAnswers = new Dictionary<string, string>();
foreach (string line in questionAnswersText.Split("\n"))
{
if (line == "") continue;
string[] lineParts = line.Split("|");
questionAnswers[lineParts[0]] = lineParts[1];
}
return questionAnswers;
}
public async Task CreateEmbeddings()
{
bool loaded = await rag.Load(ragPath);
if (!loaded)
{
#if UNITY_EDITOR
Stopwatch stopwatch = new Stopwatch();
// build the embeddings
foreach ((string botName, Dictionary<string, string> botQuestionAnswers) in botQuestionAnswers)
{
PlayerText.text += $"Creating Embeddings for {botName} (only once)...\n";
List<string> questions = botQuestionAnswers.Keys.ToList();
stopwatch.Start();
foreach (string question in questions) await rag.Add(question, botName);
stopwatch.Stop();
Debug.Log($"embedded {rag.Count()} phrases in {stopwatch.Elapsed.TotalMilliseconds / 1000f} secs");
}
// store the embeddings
rag.Save(ragPath);
#else
// if in play mode throw an error
throw new System.Exception("The embeddings could not be found!");
#endif
}
}
public async Task<List<string>> Retrieval(string question)
{
// find similar questions for the current bot using the RAG
(string[] similarQuestions, _) = await rag.Search(question, numRAGResults, currentBotName);
// get the answers of the similar questions
List<string> similarAnswers = new List<string>();
foreach (string similarQuestion in similarQuestions) similarAnswers.Add(botQuestionAnswers[currentBotName][similarQuestion]);
return similarAnswers;
}
public async Task<string> ConstructPrompt(string question)
{
// get similar answers from the RAG
List<string> similarAnswers = await Retrieval(question);
// create the prompt using the user question and the similar answers
string answers = "";
foreach (string similarAnswer in similarAnswers) answers += $"\n- {similarAnswer}";
// string prompt = $"Robot: {currentBotName}\n\n";
string prompt = $"Question: {question}\n\n";
prompt += $"Possible Answers: {answers}";
return prompt;
}
protected async override void OnInputFieldSubmit(string question)
{
PlayerText.interactable = false;
SetAIText("...");
string prompt = await ConstructPrompt(question);
_ = llmCharacter.Chat(prompt, SetAIText, AIReplyComplete);
}
protected override void DropdownChange(int selection)
{
// select another character
if (!String.IsNullOrEmpty(currentBotName)) botImages[currentBotName].gameObject.SetActive(false);
currentBotName = CharacterSelect.options[selection].text;
botImages[currentBotName].gameObject.SetActive(true);
Debug.Log($"{currentBotName}: {rag.Count(currentBotName)} phrases available");
// set the LLMCharacter name
llmCharacter.AIName = currentBotName;
}
void SetAIText(string text)
{
AIText.text = text;
}
void AIReplyComplete()
{
PlayerText.interactable = true;
PlayerText.Select();
PlayerText.text = "";
}
public void CancelRequests()
{
llmCharacter.CancelRequests();
AIReplyComplete();
}
public void ExitGame()
{
Debug.Log("Exit button clicked");
Application.Quit();
}
void CheckLLM(LLMCaller llmCaller, bool debug)
{
if (!llmCaller.remote && llmCaller.llm != null && llmCaller.llm.model == "")
{
string error = $"Please select a llm model in the {llmCaller.llm.gameObject.name} GameObject!";
if (debug) Debug.LogWarning(error);
else throw new System.Exception(error);
}
}
void CheckLLMs(bool debug)
{
CheckLLM(rag.search.llmEmbedder, debug);
CheckLLM(llmCharacter, debug);
}
bool onValidateWarning = true;
void OnValidate()
{
if (onValidateWarning)
{
CheckLLMs(true);
onValidateWarning = false;
}
}
}
public class KnowledgeBaseGameUI : MonoBehaviour
{
[Header("UI elements")]
public Dropdown CharacterSelect;
public InputField PlayerText;
public Text AIText;
[Header("Bot texts")]
public TextAsset ButlerText;
public TextAsset MaidText;
public TextAsset ChefText;
[Header("Bot images")]
public RawImage ButlerImage;
public RawImage MaidImage;
public RawImage ChefImage;
[Header("Buttons")]
public Button NotesButton;
public Button MapButton;
public Button SolveButton;
public Button HelpButton;
public Button SubmitButton;
[Header("Panels")]
public RawImage NotebookImage;
public GameObject NotesPanel;
public GameObject SolvePanel;
public GameObject HelpPanel;
public RawImage MapImage;
public RawImage SuccessImage;
public Text FailText;
public Dropdown Answer1;
public Dropdown Answer2;
public Dropdown Answer3;
protected void Start()
{
AddListeners();
}
void OnValueChanged(string newText)
{
// Get rid of newline character added when we press enter
if (Input.GetKey(KeyCode.Return))
{
if (PlayerText.text.Trim() == "")
PlayerText.text = "";
}
}
protected virtual void AddListeners()
{
CharacterSelect.onValueChanged.AddListener(DropdownChange);
NotesButton.onClick.AddListener(ShowNotes);
MapButton.onClick.AddListener(ShowMap);
SolveButton.onClick.AddListener(ShowSolve);
HelpButton.onClick.AddListener(ShowHelp);
SubmitButton.onClick.AddListener(SubmitAnswer);
Answer1.onValueChanged.AddListener(HideFail);
Answer2.onValueChanged.AddListener(HideFail);
Answer3.onValueChanged.AddListener(HideFail);
PlayerText.onSubmit.AddListener(OnInputFieldSubmit);
PlayerText.onValueChanged.AddListener(OnValueChanged);
}
protected virtual void DropdownChange(int selection) {}
protected virtual void OnInputFieldSubmit(string question) {}
void ShowNotes()
{
NotesPanel.gameObject.SetActive(true);
HelpPanel.gameObject.SetActive(false);
SolvePanel.gameObject.SetActive(false);
NotebookImage.gameObject.SetActive(true);
}
void ShowMap()
{
MapImage.gameObject.SetActive(true);
}
void HideFail(int selection)
{
FailText.gameObject.SetActive(false);
}
void ShowSolve()
{
HideFail(0);
NotesPanel.gameObject.SetActive(false);
HelpPanel.gameObject.SetActive(false);
SolvePanel.gameObject.SetActive(true);
NotebookImage.gameObject.SetActive(true);
}
void ShowHelp()
{
NotesPanel.gameObject.SetActive(false);
HelpPanel.gameObject.SetActive(true);
SolvePanel.gameObject.SetActive(false);
NotebookImage.gameObject.SetActive(true);
}
void SubmitAnswer()
{
if (Answer1.options[Answer1.value].text == "Professor Pluot" && Answer2.options[Answer2.value].text == "Living Room" && Answer3.options[Answer3.value].text == "A Hollow Bible")
{
NotebookImage.gameObject.SetActive(false);
SuccessImage.gameObject.SetActive(true);
}
else
{
FailText.gameObject.SetActive(true);
}
}
void Update()
{
if (Input.GetMouseButtonDown(0))
{
foreach (RawImage image in new RawImage[] {NotebookImage, MapImage, SuccessImage})
{
if (image.IsActive() && !RectTransformUtility.RectangleContainsScreenPoint(image.rectTransform, Input.mousePosition))
{
image.gameObject.SetActive(false);
}
}
}
}
}
}