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
|
#ifdef HAVE_READLINE
#include "debugrl.h"
// A lot of this was ripped straight from the readline fileman.c example.
char *_debugger_commands[] = {
"help",
"quit",
"go",
"actor",
"scripts",
"exit",
(char *)NULL
};
// forwards decls
char **scumm_debugger_completion(const char *text, int start, int end);
char *scumm_debugger_command_generator(const char *text, int state);
void initialize_readline()
{
/* Allow conditional parsing of the ~/.inputrc file. */
rl_readline_name = "scummvm";
/* Tell the completer that we want a crack first. */
rl_attempted_completion_function = scumm_debugger_completion;
}
char **scumm_debugger_completion(const char *text, int start, int end)
{
char **matches;
matches = (char **)NULL;
// If this word is at the start of the line, then it is a command
// to complete.
if (start == 0) {
matches = rl_completion_matches(text, scumm_debugger_command_generator);
} else {
// At some stage it'd be nice to have symbolic actor name completion
// or something similarly groovy. Not right now though.
}
// This just makes sure that readline doesn't try to use its default
// completer, which uses filenames in the current dir, if we can't find
// a match, since filenames don't have much use in the debuger :)
// There's probably a nice way to do this once, rather than every time.
rl_attempted_completion_over = 1;
return (matches);
}
/* Generator function for command completion. STATE lets us know whether
to start from scratch; without any state (i.e. STATE == 0), then we
start at the top of the list. */
char *scumm_debugger_command_generator(const char *text, int state)
{
static int list_index, len;
char *name;
/* If this is a new word to complete, initialize now. This includes
saving the length of TEXT for efficiency, and initializing the index
variable to 0. */
if (!state) {
list_index = 0;
len = strlen(text);
}
/* Return the next name which partially matches from the command list. */
while (name = _debugger_commands[list_index]) {
list_index++;
if (strncmp(name, text, len) == 0)
//return (dupstr(name));
return strdup(name);
}
/* If no names matched, then return NULL. */
return ((char *)NULL);
}
#endif /* HAVE_READLINE */
|