]> icculus.org git repositories - divverent/darkplaces.git/blob - cmd.c
even nicer :P
[divverent/darkplaces.git] / cmd.c
1 /*
2 Copyright (C) 1996-1997 Id Software, Inc.
3
4 This program is free software; you can redistribute it and/or
5 modify it under the terms of the GNU General Public License
6 as published by the Free Software Foundation; either version 2
7 of the License, or (at your option) any later version.
8
9 This program is distributed in the hope that it will be useful,
10 but WITHOUT ANY WARRANTY; without even the implied warranty of
11 MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
12
13 See the GNU General Public License for more details.
14
15 You should have received a copy of the GNU General Public License
16 along with this program; if not, write to the Free Software
17 Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA  02111-1307, USA.
18
19 */
20 // cmd.c -- Quake script command processing module
21
22 #include "quakedef.h"
23
24 #define MAX_ALIAS_NAME  32
25 // this is the largest script file that can be executed in one step
26 // LordHavoc: inreased this from 8192 to 32768
27 // div0: increased this from 32k to 128k
28 #define CMDBUFSIZE 131072
29 // maximum number of parameters to a command
30 #define MAX_ARGS 80
31 // maximum tokenizable commandline length (counting NUL terminations)
32 #define CMD_TOKENIZELENGTH (MAX_INPUTLINE + MAX_ARGS)
33
34 typedef struct cmdalias_s
35 {
36         struct cmdalias_s *next;
37         char name[MAX_ALIAS_NAME];
38         char *value;
39 } cmdalias_t;
40
41 static cmdalias_t *cmd_alias;
42
43 static qboolean cmd_wait;
44
45 static mempool_t *cmd_mempool;
46
47 static char cmd_tokenizebuffer[CMD_TOKENIZELENGTH];
48 static int cmd_tokenizebufferpos = 0;
49
50 //=============================================================================
51
52 /*
53 ============
54 Cmd_Wait_f
55
56 Causes execution of the remainder of the command buffer to be delayed until
57 next frame.  This allows commands like:
58 bind g "impulse 5 ; +attack ; wait ; -attack ; impulse 2"
59 ============
60 */
61 static void Cmd_Wait_f (void)
62 {
63         cmd_wait = true;
64 }
65
66 typedef struct cmddeferred_s
67 {
68         struct cmddeferred_s *next;
69         char *value;
70         double time;
71 } cmddeferred_t;
72
73 static cmddeferred_t *cmd_deferred_list = NULL;
74
75 /*
76 ============
77 Cmd_Defer_f
78
79 Cause a command to be executed after a delay.
80 ============
81 */
82 static void Cmd_Defer_f (void)
83 {
84         if(Cmd_Argc() == 1)
85         {
86                 double time = Sys_DoubleTime();
87                 cmddeferred_t *next = cmd_deferred_list;
88                 if(!next)
89                         Con_Printf("No commands are pending.\n");
90                 while(next)
91                 {
92                         Con_Printf("-> In %9.2f: %s\n", next->time-time, next->value);
93                         next = next->next;
94                 }
95         } else if(Cmd_Argc() == 2 && !strcasecmp("clear", Cmd_Argv(1)))
96         {
97                 while(cmd_deferred_list)
98                 {
99                         cmddeferred_t *cmd = cmd_deferred_list;
100                         cmd_deferred_list = cmd->next;
101                         Mem_Free(cmd->value);
102                         Mem_Free(cmd);
103                 }
104         } else if(Cmd_Argc() == 3)
105         {
106                 const char *value = Cmd_Argv(2);
107                 cmddeferred_t *defcmd = (cmddeferred_t*)Mem_Alloc(tempmempool, sizeof(*defcmd));
108                 size_t len = strlen(value);
109
110                 defcmd->time = Sys_DoubleTime() + atof(Cmd_Argv(1));
111                 defcmd->value = (char*)Mem_Alloc(tempmempool, len+1);
112                 memcpy(defcmd->value, value, len+1);
113                 defcmd->next = NULL;
114
115                 if(cmd_deferred_list)
116                 {
117                         cmddeferred_t *next = cmd_deferred_list;
118                         while(next->next)
119                                 next = next->next;
120                         next->next = defcmd;
121                 } else
122                         cmd_deferred_list = defcmd;
123                 /* Stupid me... this changes the order... so commands with the same delay go blub :S
124                   defcmd->next = cmd_deferred_list;
125                   cmd_deferred_list = defcmd;*/
126         } else {
127                 Con_Printf("usage: defer <seconds> <command>\n"
128                            "       defer clear\n");
129                 return;
130         }
131 }
132
133 /*
134 ============
135 Cmd_Centerprint_f
136
137 Print something to the center of the screen using SCR_Centerprint
138 ============
139 */
140 static void Cmd_Centerprint_f (void)
141 {
142         char msg[MAX_INPUTLINE];
143         unsigned int i, c, p;
144         c = Cmd_Argc();
145         if(c >= 2)
146         {
147                 strlcpy(msg, Cmd_Argv(1), sizeof(msg));
148                 for(i = 2; i < c; ++i)
149                 {
150                         strlcat(msg, " ", sizeof(msg));
151                         strlcat(msg, Cmd_Argv(i), sizeof(msg));
152                 }
153                 c = strlen(msg);
154                 for(p = 0, i = 0; i < c; ++i)
155                 {
156                         if(msg[i] == '\\')
157                         {
158                                 if(msg[i+1] == 'n')
159                                         msg[p++] = '\n';
160                                 else if(msg[i+1] == '\\')
161                                         msg[p++] = '\\';
162                                 else {
163                                         msg[p++] = '\\';
164                                         msg[p++] = msg[i+1];
165                                 }
166                                 ++i;
167                         } else {
168                                 msg[p++] = msg[i];
169                         }
170                 }
171                 msg[p] = '\0';
172                 SCR_CenterPrint(msg);
173         }
174 }
175
176 /*
177 =============================================================================
178
179                                                 COMMAND BUFFER
180
181 =============================================================================
182 */
183
184 static sizebuf_t        cmd_text;
185 static unsigned char            cmd_text_buf[CMDBUFSIZE];
186
187 /*
188 ============
189 Cbuf_AddText
190
191 Adds command text at the end of the buffer
192 ============
193 */
194 void Cbuf_AddText (const char *text)
195 {
196         int             l;
197
198         l = (int)strlen (text);
199
200         if (cmd_text.cursize + l >= cmd_text.maxsize)
201         {
202                 Con_Print("Cbuf_AddText: overflow\n");
203                 return;
204         }
205
206         SZ_Write (&cmd_text, (const unsigned char *)text, (int)strlen (text));
207 }
208
209
210 /*
211 ============
212 Cbuf_InsertText
213
214 Adds command text immediately after the current command
215 Adds a \n to the text
216 FIXME: actually change the command buffer to do less copying
217 ============
218 */
219 void Cbuf_InsertText (const char *text)
220 {
221         char    *temp;
222         int             templen;
223
224         // copy off any commands still remaining in the exec buffer
225         templen = cmd_text.cursize;
226         if (templen)
227         {
228                 temp = (char *)Mem_Alloc (tempmempool, templen);
229                 memcpy (temp, cmd_text.data, templen);
230                 SZ_Clear (&cmd_text);
231         }
232         else
233                 temp = NULL;
234
235         // add the entire text of the file
236         Cbuf_AddText (text);
237
238         // add the copied off data
239         if (temp != NULL)
240         {
241                 SZ_Write (&cmd_text, (const unsigned char *)temp, templen);
242                 Mem_Free (temp);
243         }
244 }
245
246 /*
247 ============
248 Cbuf_Execute_Deferred --blub
249 ============
250 */
251 void Cbuf_Execute_Deferred (void)
252 {
253         cmddeferred_t *cmd, *prev;
254         double time = Sys_DoubleTime();
255         prev = NULL;
256         cmd = cmd_deferred_list;
257         while(cmd)
258         {
259                 if(cmd->time <= time)
260                 {
261                         Cbuf_AddText(cmd->value);
262                         Cbuf_AddText(";\n");
263                         Mem_Free(cmd->value);
264
265                         if(prev) {
266                                 prev->next = cmd->next;
267                                 Mem_Free(cmd);
268                                 cmd = prev->next;
269                         } else {
270                                 cmd_deferred_list = cmd->next;
271                                 Mem_Free(cmd);
272                                 cmd = cmd_deferred_list;
273                         }
274                         continue;
275                 }
276                 prev = cmd;
277                 cmd = cmd->next;
278         }
279 }
280
281 /*
282 ============
283 Cbuf_Execute
284 ============
285 */
286 static void Cmd_PreprocessString( const char *intext, char *outtext, unsigned maxoutlen, cmdalias_t *alias );
287 void Cbuf_Execute (void)
288 {
289         int i;
290         char *text;
291         char line[MAX_INPUTLINE];
292         char preprocessed[MAX_INPUTLINE];
293         char *firstchar;
294         qboolean quotes, comment;
295
296         // LordHavoc: making sure the tokenizebuffer doesn't get filled up by repeated crashes
297         cmd_tokenizebufferpos = 0;
298
299         Cbuf_Execute_Deferred();
300         while (cmd_text.cursize)
301         {
302 // find a \n or ; line break
303                 text = (char *)cmd_text.data;
304
305                 quotes = false;
306                 comment = false;
307                 for (i=0 ; i < cmd_text.cursize ; i++)
308                 {
309                         if(!comment)
310                         {
311                                 if (text[i] == '"')
312                                         quotes = !quotes;
313
314                                 if(quotes)
315                                 {
316                                         // make sure i doesn't get > cursize which causes a negative
317                                         // size in memmove, which is fatal --blub
318                                         if (i < (cmd_text.cursize-1) && (text[i] == '\\' && (text[i+1] == '"' || text[i+1] == '\\')))
319                                                 i++;
320                                 }
321                                 else
322                                 {
323                                         if(text[i] == '/' && text[i + 1] == '/')
324                                                 comment = true;
325                                         if(text[i] == ';')
326                                                 break;  // don't break if inside a quoted string or comment
327                                 }
328                         }
329
330                         if (text[i] == '\r' || text[i] == '\n')
331                                 break;
332                 }
333
334                 // better than CRASHING on overlong input lines that may SOMEHOW enter the buffer
335                 if(i >= MAX_INPUTLINE)
336                 {
337                         Con_Printf("Warning: console input buffer had an overlong line. Ignored.\n");
338                         line[0] = 0;
339                 }
340                 else
341                 {
342                         memcpy (line, text, i);
343                         line[i] = 0;
344                 }
345
346 // delete the text from the command buffer and move remaining commands down
347 // this is necessary because commands (exec, alias) can insert data at the
348 // beginning of the text buffer
349
350                 if (i == cmd_text.cursize)
351                         cmd_text.cursize = 0;
352                 else
353                 {
354                         i++;
355                         cmd_text.cursize -= i;
356                         memmove (cmd_text.data, text+i, cmd_text.cursize);
357                 }
358
359 // execute the command line
360                 firstchar = line + strspn(line, " \t");
361                 if(
362                         (strncmp(firstchar, "alias", 5) || (firstchar[5] != ' ' && firstchar[5] != '\t'))
363                         &&
364                         (strncmp(firstchar, "bind", 4) || (firstchar[4] != ' ' && firstchar[4] != '\t'))
365                         &&
366                         (strncmp(firstchar, "in_bind", 7) || (firstchar[7] != ' ' && firstchar[7] != '\t'))
367                 )
368                 {
369                         Cmd_PreprocessString( line, preprocessed, sizeof(preprocessed), NULL );
370                         Cmd_ExecuteString (preprocessed, src_command);
371                 }
372                 else
373                 {
374                         Cmd_ExecuteString (line, src_command);
375                 }
376
377                 if (cmd_wait)
378                 {       // skip out while text still remains in buffer, leaving it
379                         // for next frame
380                         cmd_wait = false;
381                         break;
382                 }
383         }
384 }
385
386 /*
387 ==============================================================================
388
389                                                 SCRIPT COMMANDS
390
391 ==============================================================================
392 */
393
394 /*
395 ===============
396 Cmd_StuffCmds_f
397
398 Adds command line parameters as script statements
399 Commands lead with a +, and continue until a - or another +
400 quake +prog jctest.qp +cmd amlev1
401 quake -nosound +cmd amlev1
402 ===============
403 */
404 qboolean host_stuffcmdsrun = false;
405 void Cmd_StuffCmds_f (void)
406 {
407         int             i, j, l;
408         // this is for all commandline options combined (and is bounds checked)
409         char    build[MAX_INPUTLINE];
410
411         if (Cmd_Argc () != 1)
412         {
413                 Con_Print("stuffcmds : execute command line parameters\n");
414                 return;
415         }
416
417         // no reason to run the commandline arguments twice
418         if (host_stuffcmdsrun)
419                 return;
420
421         host_stuffcmdsrun = true;
422         build[0] = 0;
423         l = 0;
424         for (i = 0;i < com_argc;i++)
425         {
426                 if (com_argv[i] && com_argv[i][0] == '+' && (com_argv[i][1] < '0' || com_argv[i][1] > '9') && l + strlen(com_argv[i]) - 1 <= sizeof(build) - 1)
427                 {
428                         j = 1;
429                         while (com_argv[i][j])
430                                 build[l++] = com_argv[i][j++];
431                         i++;
432                         for (;i < com_argc;i++)
433                         {
434                                 if (!com_argv[i])
435                                         continue;
436                                 if ((com_argv[i][0] == '+' || com_argv[i][0] == '-') && (com_argv[i][1] < '0' || com_argv[i][1] > '9'))
437                                         break;
438                                 if (l + strlen(com_argv[i]) + 4 > sizeof(build) - 1)
439                                         break;
440                                 build[l++] = ' ';
441                                 if (strchr(com_argv[i], ' '))
442                                         build[l++] = '\"';
443                                 for (j = 0;com_argv[i][j];j++)
444                                         build[l++] = com_argv[i][j];
445                                 if (strchr(com_argv[i], ' '))
446                                         build[l++] = '\"';
447                         }
448                         build[l++] = '\n';
449                         i--;
450                 }
451         }
452         // now terminate the combined string and prepend it to the command buffer
453         // we already reserved space for the terminator
454         build[l++] = 0;
455         Cbuf_InsertText (build);
456 }
457
458
459 /*
460 ===============
461 Cmd_Exec_f
462 ===============
463 */
464 static void Cmd_Exec_f (void)
465 {
466         char *f;
467
468         if (Cmd_Argc () != 2)
469         {
470                 Con_Print("exec <filename> : execute a script file\n");
471                 return;
472         }
473
474         f = (char *)FS_LoadFile (Cmd_Argv(1), tempmempool, false, NULL);
475         if (!f)
476         {
477                 Con_Printf("couldn't exec %s\n",Cmd_Argv(1));
478                 return;
479         }
480         Con_Printf("execing %s\n",Cmd_Argv(1));
481
482         // if executing default.cfg for the first time, lock the cvar defaults
483         // it may seem backwards to insert this text BEFORE the default.cfg
484         // but Cbuf_InsertText inserts before, so this actually ends up after it.
485         if (!strcmp(Cmd_Argv(1), "default.cfg"))
486                 Cbuf_InsertText("\ncvar_lockdefaults\n");
487
488         // insert newline after the text to make sure the last line is terminated (some text editors omit the trailing newline)
489         // (note: insertion order here is backwards from execution order, so this adds it after the text, by calling it before...)
490         Cbuf_InsertText ("\n");
491         Cbuf_InsertText (f);
492         Mem_Free(f);
493 }
494
495
496 /*
497 ===============
498 Cmd_Echo_f
499
500 Just prints the rest of the line to the console
501 ===============
502 */
503 static void Cmd_Echo_f (void)
504 {
505         int             i;
506
507         for (i=1 ; i<Cmd_Argc() ; i++)
508                 Con_Printf("%s ",Cmd_Argv(i));
509         Con_Print("\n");
510 }
511
512 // DRESK - 5/14/06
513 // Support Doom3-style Toggle Console Command
514 /*
515 ===============
516 Cmd_Toggle_f
517
518 Toggles a specified console variable amongst the values specified (default is 0 and 1)
519 ===============
520 */
521 static void Cmd_Toggle_f(void)
522 {
523         // Acquire Number of Arguments
524         int nNumArgs = Cmd_Argc();
525
526         if(nNumArgs == 1)
527                 // No Arguments Specified; Print Usage
528                 Con_Print("Toggle Console Variable - Usage\n  toggle <variable> - toggles between 0 and 1\n  toggle <variable> <value> - toggles between 0 and <value>\n  toggle <variable> [string 1] [string 2]...[string n] - cycles through all strings\n");
529         else
530         { // Correct Arguments Specified
531                 // Acquire Potential CVar
532                 cvar_t* cvCVar = Cvar_FindVar( Cmd_Argv(1) );
533
534                 if(cvCVar != NULL)
535                 { // Valid CVar
536                         if(nNumArgs == 2)
537                         { // Default Usage
538                                 if(cvCVar->integer)
539                                         Cvar_SetValueQuick(cvCVar, 0);
540                                 else
541                                         Cvar_SetValueQuick(cvCVar, 1);
542                         }
543                         else
544                         if(nNumArgs == 3)
545                         { // 0 and Specified Usage
546                                 if(cvCVar->integer == atoi(Cmd_Argv(2) ) )
547                                         // CVar is Specified Value; // Reset to 0
548                                         Cvar_SetValueQuick(cvCVar, 0);
549                                 else
550                                 if(cvCVar->integer == 0)
551                                         // CVar is 0; Specify Value
552                                         Cvar_SetQuick(cvCVar, Cmd_Argv(2) );
553                                 else
554                                         // CVar does not match; Reset to 0
555                                         Cvar_SetValueQuick(cvCVar, 0);
556                         }
557                         else
558                         { // Variable Values Specified
559                                 int nCnt;
560                                 int bFound = 0;
561
562                                 for(nCnt = 2; nCnt < nNumArgs; nCnt++)
563                                 { // Cycle through Values
564                                         if( strcmp(cvCVar->string, Cmd_Argv(nCnt) ) == 0)
565                                         { // Current Value Located; Increment to Next
566                                                 if( (nCnt + 1) == nNumArgs)
567                                                         // Max Value Reached; Reset
568                                                         Cvar_SetQuick(cvCVar, Cmd_Argv(2) );
569                                                 else
570                                                         // Next Value
571                                                         Cvar_SetQuick(cvCVar, Cmd_Argv(nCnt + 1) );
572
573                                                 // End Loop
574                                                 nCnt = nNumArgs;
575                                                 // Assign Found
576                                                 bFound = 1;
577                                         }
578                                 }
579                                 if(!bFound)
580                                         // Value not Found; Reset to Original
581                                         Cvar_SetQuick(cvCVar, Cmd_Argv(2) );
582                         }
583
584                 }
585                 else
586                 { // Invalid CVar
587                         Con_Printf("ERROR : CVar '%s' not found\n", Cmd_Argv(1) );
588                 }
589         }
590 }
591
592 /*
593 ===============
594 Cmd_Alias_f
595
596 Creates a new command that executes a command string (possibly ; seperated)
597 ===============
598 */
599 static void Cmd_Alias_f (void)
600 {
601         cmdalias_t      *a;
602         char            cmd[MAX_INPUTLINE];
603         int                     i, c;
604         const char              *s;
605         size_t          alloclen;
606
607         if (Cmd_Argc() == 1)
608         {
609                 Con_Print("Current alias commands:\n");
610                 for (a = cmd_alias ; a ; a=a->next)
611                         Con_Printf("%s : %s", a->name, a->value);
612                 return;
613         }
614
615         s = Cmd_Argv(1);
616         if (strlen(s) >= MAX_ALIAS_NAME)
617         {
618                 Con_Print("Alias name is too long\n");
619                 return;
620         }
621
622         // if the alias already exists, reuse it
623         for (a = cmd_alias ; a ; a=a->next)
624         {
625                 if (!strcmp(s, a->name))
626                 {
627                         Z_Free (a->value);
628                         break;
629                 }
630         }
631
632         if (!a)
633         {
634                 cmdalias_t *prev, *current;
635
636                 a = (cmdalias_t *)Z_Malloc (sizeof(cmdalias_t));
637                 strlcpy (a->name, s, sizeof (a->name));
638                 // insert it at the right alphanumeric position
639                 for( prev = NULL, current = cmd_alias ; current && strcmp( current->name, a->name ) < 0 ; prev = current, current = current->next )
640                         ;
641                 if( prev ) {
642                         prev->next = a;
643                 } else {
644                         cmd_alias = a;
645                 }
646                 a->next = current;
647         }
648
649
650 // copy the rest of the command line
651         cmd[0] = 0;             // start out with a null string
652         c = Cmd_Argc();
653         for (i=2 ; i< c ; i++)
654         {
655                 strlcat (cmd, Cmd_Argv(i), sizeof (cmd));
656                 if (i != c)
657                         strlcat (cmd, " ", sizeof (cmd));
658         }
659         strlcat (cmd, "\n", sizeof (cmd));
660
661         alloclen = strlen (cmd) + 1;
662         if(alloclen >= 2)
663                 cmd[alloclen - 2] = '\n'; // to make sure a newline is appended even if too long
664         a->value = (char *)Z_Malloc (alloclen);
665         memcpy (a->value, cmd, alloclen);
666 }
667
668 /*
669 =============================================================================
670
671                                         COMMAND EXECUTION
672
673 =============================================================================
674 */
675
676 typedef struct cmd_function_s
677 {
678         struct cmd_function_s *next;
679         const char *name;
680         const char *description;
681         xcommand_t consolefunction;
682         xcommand_t clientfunction;
683         qboolean csqcfunc;
684 } cmd_function_t;
685
686 static int cmd_argc;
687 static const char *cmd_argv[MAX_ARGS];
688 static const char *cmd_null_string = "";
689 static const char *cmd_args;
690 cmd_source_t cmd_source;
691
692
693 static cmd_function_t *cmd_functions;           // possible commands to execute
694
695 static const char *Cmd_GetDirectCvarValue(const char *varname, cmdalias_t *alias, qboolean *is_multiple)
696 {
697         cvar_t *cvar;
698         long argno;
699         char *endptr;
700
701         if(is_multiple)
702                 *is_multiple = false;
703
704         if(!varname || !*varname)
705                 return NULL;
706
707         if(alias)
708         {
709                 if(!strcmp(varname, "*"))
710                 {
711                         if(is_multiple)
712                                 *is_multiple = true;
713                         return Cmd_Args();
714                 }
715                 else if(varname[strlen(varname) - 1] == '-')
716                 {
717                         argno = strtol(varname, &endptr, 10);
718                         if(endptr == varname + strlen(varname) - 1)
719                         {
720                                 // whole string is a number, apart from the -
721                                 const char *p = Cmd_Args();
722                                 for(; argno > 1; --argno)
723                                         if(!COM_ParseToken_Console(&p))
724                                                 break;
725                                 if(p)
726                                 {
727                                         if(is_multiple)
728                                                 *is_multiple = true;
729
730                                         // kill pre-argument whitespace
731                                         for (;*p && ISWHITESPACE(*p);p++)
732                                                 ;
733
734                                         return p;
735                                 }
736                         }
737                 }
738                 else
739                 {
740                         argno = strtol(varname, &endptr, 10);
741                         if(*endptr == 0)
742                         {
743                                 // whole string is a number
744                                 // NOTE: we already made sure we don't have an empty cvar name!
745                                 if(argno >= 0 && argno < Cmd_Argc())
746                                         return Cmd_Argv(argno);
747                         }
748                 }
749         }
750
751         if((cvar = Cvar_FindVar(varname)) && !(cvar->flags & CVAR_PRIVATE))
752                 return cvar->string;
753
754         return NULL;
755 }
756
757 qboolean Cmd_QuoteString(char *out, size_t outlen, const char *in, const char *quoteset)
758 {
759         qboolean quote_quot = !!strchr(quoteset, '"');
760         qboolean quote_backslash = !!strchr(quoteset, '\\');
761         qboolean quote_dollar = !!strchr(quoteset, '$');
762
763         while(*in)
764         {
765                 if(*in == '"' && quote_quot)
766                 {
767                         if(outlen <= 2)
768                         {
769                                 *out++ = 0;
770                                 return false;
771                         }
772                         *out++ = '\\'; --outlen;
773                         *out++ = '"'; --outlen;
774                 }
775                 else if(*in == '\\' && quote_backslash)
776                 {
777                         if(outlen <= 2)
778                         {
779                                 *out++ = 0;
780                                 return false;
781                         }
782                         *out++ = '\\'; --outlen;
783                         *out++ = '\\'; --outlen;
784                 }
785                 else if(*in == '$' && quote_dollar)
786                 {
787                         if(outlen <= 2)
788                         {
789                                 *out++ = 0;
790                                 return false;
791                         }
792                         *out++ = '$'; --outlen;
793                         *out++ = '$'; --outlen;
794                 }
795                 else
796                 {
797                         if(outlen <= 1)
798                         {
799                                 *out++ = 0;
800                                 return false;
801                         }
802                         *out++ = *in; --outlen;
803                 }
804                 ++in;
805         }
806         *out++ = 0;
807         return true;
808 }
809
810 static const char *Cmd_GetCvarValue(const char *var, size_t varlen, cmdalias_t *alias)
811 {
812         static char varname[MAX_INPUTLINE];
813         static char varval[MAX_INPUTLINE];
814         const char *varstr;
815         char *varfunc;
816
817         if(varlen >= MAX_INPUTLINE)
818                 varlen = MAX_INPUTLINE - 1;
819         memcpy(varname, var, varlen);
820         varname[varlen] = 0;
821         varfunc = strchr(varname, ' ');
822
823         if(varfunc)
824         {
825                 *varfunc = 0;
826                 ++varfunc;
827         }
828
829         if(*var == 0)
830         {
831                 // empty cvar name?
832                 return NULL;
833         }
834
835         varstr = NULL;
836
837         if(varname[0] == '$')
838                 varstr = Cmd_GetDirectCvarValue(Cmd_GetDirectCvarValue(varname + 1, alias, NULL), alias, NULL);
839         else
840         {
841                 qboolean is_multiple = false;
842                 // Exception: $* and $n- don't use the quoted form by default
843                 varstr = Cmd_GetDirectCvarValue(varname, alias, &is_multiple);
844                 if(is_multiple)
845                         if(!varfunc)
846                                 varfunc = "asis";
847         }
848
849         if(!varstr)
850         {
851                 if(alias)
852                         Con_Printf("Warning: Could not expand $%s in alias %s\n", varname, alias->name);
853                 else
854                         Con_Printf("Warning: Could not expand $%s\n", varname);
855                 return NULL;
856         }
857
858         if(!varfunc || !strcmp(varfunc, "q")) // note: quoted form is default, use "asis" to override!
859         {
860                 // quote it so it can be used inside double quotes
861                 // we just need to replace " by \", and of course, double backslashes
862                 Cmd_QuoteString(varval, sizeof(varval), varstr, "\"\\");
863                 return varval;
864         }
865         else if(!strcmp(varfunc, "asis"))
866         {
867                 return varstr;
868         }
869         else
870                 Con_Printf("Unknown variable function %s\n", varfunc);
871
872         return varstr;
873 }
874
875 /*
876 Cmd_PreprocessString
877
878 Preprocesses strings and replaces $*, $param#, $cvar accordingly
879 */
880 static void Cmd_PreprocessString( const char *intext, char *outtext, unsigned maxoutlen, cmdalias_t *alias ) {
881         const char *in;
882         size_t eat, varlen;
883         unsigned outlen;
884         const char *val;
885
886         // don't crash if there's no room in the outtext buffer
887         if( maxoutlen == 0 ) {
888                 return;
889         }
890         maxoutlen--; // because of \0
891
892         in = intext;
893         outlen = 0;
894
895         while( *in && outlen < maxoutlen ) {
896                 if( *in == '$' ) {
897                         // this is some kind of expansion, see what comes after the $
898                         in++;
899
900                         // The console does the following preprocessing:
901                         //
902                         // - $$ is transformed to a single dollar sign.
903                         // - $var or ${var} are expanded to the contents of the named cvar,
904                         //   with quotation marks and backslashes quoted so it can safely
905                         //   be used inside quotation marks (and it should always be used
906                         //   that way)
907                         // - ${var asis} inserts the cvar value as is, without doing this
908                         //   quoting
909                         // - prefix the cvar name with a dollar sign to do indirection;
910                         //   for example, if $x has the value timelimit, ${$x} will return
911                         //   the value of $timelimit
912                         // - when expanding an alias, the special variable name $* refers
913                         //   to all alias parameters, and a number refers to that numbered
914                         //   alias parameter, where the name of the alias is $0, the first
915                         //   parameter is $1 and so on; as a special case, $* inserts all
916                         //   parameters, without extra quoting, so one can use $* to just
917                         //   pass all parameters around. All parameters starting from $n
918                         //   can be referred to as $n- (so $* is equivalent to $1-).
919                         //
920                         // Note: when expanding an alias, cvar expansion is done in the SAME step
921                         // as alias expansion so that alias parameters or cvar values containing
922                         // dollar signs have no unwanted bad side effects. However, this needs to
923                         // be accounted for when writing complex aliases. For example,
924                         //   alias foo "set x NEW; echo $x"
925                         // actually expands to
926                         //   "set x NEW; echo OLD"
927                         // and will print OLD! To work around this, use a second alias:
928                         //   alias foo "set x NEW; foo2"
929                         //   alias foo2 "echo $x"
930                         //
931                         // Also note: lines starting with alias are exempt from cvar expansion.
932                         // If you want cvar expansion, write "alias" instead:
933                         //
934                         //   set x 1
935                         //   alias foo "echo $x"
936                         //   "alias" bar "echo $x"
937                         //   set x 2
938                         //
939                         // foo will print 2, because the variable $x will be expanded when the alias
940                         // gets expanded. bar will print 1, because the variable $x was expanded
941                         // at definition time. foo can be equivalently defined as
942                         //
943                         //   "alias" foo "echo $$x"
944                         //
945                         // because at definition time, $$ will get replaced to a single $.
946
947                         if( *in == '$' ) {
948                                 val = "$";
949                                 eat = 1;
950                         } else if(*in == '{') {
951                                 varlen = strcspn(in + 1, "}");
952                                 if(in[varlen + 1] == '}')
953                                 {
954                                         val = Cmd_GetCvarValue(in + 1, varlen, alias);
955                                         eat = varlen + 2;
956                                 }
957                                 else
958                                 {
959                                         // ran out of data?
960                                         val = NULL;
961                                         eat = varlen + 1;
962                                 }
963                         } else {
964                                 varlen = strspn(in, "*0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ_-");
965                                 val = Cmd_GetCvarValue(in, varlen, alias);
966                                 eat = varlen;
967                         }
968                         if(val)
969                         {
970                                 // insert the cvar value
971                                 while(*val && outlen < maxoutlen)
972                                         outtext[outlen++] = *val++;
973                                 in += eat;
974                         }
975                         else
976                         {
977                                 // copy the unexpanded text
978                                 outtext[outlen++] = '$';
979                                 while(eat && outlen < maxoutlen)
980                                 {
981                                         outtext[outlen++] = *in++;
982                                         --eat;
983                                 }
984                         }
985                 } else {
986                         outtext[outlen++] = *in++;
987                 }
988         }
989         outtext[outlen] = 0;
990 }
991
992 /*
993 ============
994 Cmd_ExecuteAlias
995
996 Called for aliases and fills in the alias into the cbuffer
997 ============
998 */
999 static void Cmd_ExecuteAlias (cmdalias_t *alias)
1000 {
1001         static char buffer[ MAX_INPUTLINE ];
1002         static char buffer2[ MAX_INPUTLINE ];
1003         Cmd_PreprocessString( alias->value, buffer, sizeof(buffer) - 2, alias );
1004         // insert at start of command buffer, so that aliases execute in order
1005         // (fixes bug introduced by Black on 20050705)
1006
1007         // Note: Cbuf_PreprocessString will be called on this string AGAIN! So we
1008         // have to make sure that no second variable expansion takes place, otherwise
1009         // alias parameters containing dollar signs can have bad effects.
1010         Cmd_QuoteString(buffer2, sizeof(buffer2), buffer, "$");
1011         Cbuf_InsertText( buffer2 );
1012 }
1013
1014 /*
1015 ========
1016 Cmd_List
1017
1018         CmdList Added by EvilTypeGuy eviltypeguy@qeradiant.com
1019         Thanks to Matthias "Maddes" Buecher, http://www.inside3d.com/qip/
1020
1021 ========
1022 */
1023 static void Cmd_List_f (void)
1024 {
1025         cmd_function_t *cmd;
1026         const char *partial;
1027         size_t len;
1028         int count;
1029         qboolean ispattern;
1030
1031         if (Cmd_Argc() > 1)
1032         {
1033                 partial = Cmd_Argv (1);
1034                 len = strlen(partial);
1035         }
1036         else
1037         {
1038                 partial = NULL;
1039                 len = 0;
1040         }
1041
1042         ispattern = partial && (strchr(partial, '*') || strchr(partial, '?'));
1043
1044         count = 0;
1045         for (cmd = cmd_functions; cmd; cmd = cmd->next)
1046         {
1047                 if (partial && (ispattern ? !matchpattern_with_separator(cmd->name, partial, false, "", false) : strncmp(partial, cmd->name, len)))
1048                         continue;
1049                 Con_Printf("%s : %s\n", cmd->name, cmd->description);
1050                 count++;
1051         }
1052
1053         if (len)
1054         {
1055                 if(ispattern)
1056                         Con_Printf("%i Command%s matching \"%s\"\n\n", count, (count > 1) ? "s" : "", partial);
1057                 else
1058                         Con_Printf("%i Command%s beginning with \"%s\"\n\n", count, (count > 1) ? "s" : "", partial);
1059         }
1060         else
1061                 Con_Printf("%i Command%s\n\n", count, (count > 1) ? "s" : "");
1062 }
1063
1064 static void Cmd_Apropos_f(void)
1065 {
1066         cmd_function_t *cmd;
1067         cvar_t *cvar;
1068         cmdalias_t *alias;
1069         const char *partial;
1070         size_t len;
1071         int count;
1072         qboolean ispattern;
1073
1074         if (Cmd_Argc() > 1)
1075         {
1076                 partial = Cmd_Args();
1077                 len = strlen(partial);
1078         }
1079         else
1080         {
1081                 Con_Printf("usage: apropos <string>\n");
1082                 return;
1083         }
1084
1085         ispattern = partial && (strchr(partial, '*') || strchr(partial, '?'));
1086         if(!ispattern)
1087         {
1088                 partial = va("*%s*", partial);
1089                 len += 2;
1090         }
1091
1092         count = 0;
1093         for (cvar = cvar_vars; cvar; cvar = cvar->next)
1094         {
1095                 if (!matchpattern_with_separator(cvar->name, partial, true, "", false))
1096                 if (!matchpattern_with_separator(cvar->description, partial, true, "", false))
1097                         continue;
1098                 Con_Printf ("cvar ^3%s^7 is \"%s\" [\"%s\"] %s\n", cvar->name, cvar->string, cvar->defstring, cvar->description);
1099                 count++;
1100         }
1101         for (cmd = cmd_functions; cmd; cmd = cmd->next)
1102         {
1103                 if (!matchpattern_with_separator(cmd->name, partial, true, "", false))
1104                 if (!matchpattern_with_separator(cmd->description, partial, true, "", false))
1105                         continue;
1106                 Con_Printf("command ^2%s^7: %s\n", cmd->name, cmd->description);
1107                 count++;
1108         }
1109         for (alias = cmd_alias; alias; alias = alias->next)
1110         {
1111                 if (!matchpattern_with_separator(alias->name, partial, true, "", false))
1112                 if (!matchpattern_with_separator(alias->value, partial, true, "", false))
1113                         continue;
1114                 Con_Printf("alias ^5%s^7: %s", alias->name, alias->value);
1115                 count++;
1116         }
1117         Con_Printf("%i result%s\n\n", count, (count > 1) ? "s" : "");
1118 }
1119
1120 /*
1121 ============
1122 Cmd_Init
1123 ============
1124 */
1125 void Cmd_Init (void)
1126 {
1127         cmd_mempool = Mem_AllocPool("commands", 0, NULL);
1128         // space for commands and script files
1129         cmd_text.data = cmd_text_buf;
1130         cmd_text.maxsize = sizeof(cmd_text_buf);
1131         cmd_text.cursize = 0;
1132 }
1133
1134 void Cmd_Init_Commands (void)
1135 {
1136 //
1137 // register our commands
1138 //
1139         Cmd_AddCommand ("stuffcmds",Cmd_StuffCmds_f, "execute commandline parameters (must be present in quake.rc script)");
1140         Cmd_AddCommand ("exec",Cmd_Exec_f, "execute a script file");
1141         Cmd_AddCommand ("echo",Cmd_Echo_f, "print a message to the console (useful in scripts)");
1142         Cmd_AddCommand ("alias",Cmd_Alias_f, "create a script function (parameters are passed in as $1 through $9, and $* for all parameters)");
1143         Cmd_AddCommand ("cmd", Cmd_ForwardToServer, "send a console commandline to the server (used by some mods)");
1144         Cmd_AddCommand ("wait", Cmd_Wait_f, "make script execution wait for next rendered frame");
1145         Cmd_AddCommand ("set", Cvar_Set_f, "create or change the value of a console variable");
1146         Cmd_AddCommand ("seta", Cvar_SetA_f, "create or change the value of a console variable that will be saved to config.cfg");
1147
1148         // 2000-01-09 CmdList, CvarList commands By Matthias "Maddes" Buecher
1149         // Added/Modified by EvilTypeGuy eviltypeguy@qeradiant.com
1150         Cmd_AddCommand ("cmdlist", Cmd_List_f, "lists all console commands beginning with the specified prefix");
1151         Cmd_AddCommand ("cvarlist", Cvar_List_f, "lists all console variables beginning with the specified prefix");
1152         Cmd_AddCommand ("apropos", Cmd_Apropos_f, "lists all console variables/commands/aliases containing the specified string in the name or description");
1153
1154         Cmd_AddCommand ("cvar_lockdefaults", Cvar_LockDefaults_f, "stores the current values of all cvars into their default values, only used once during startup after parsing default.cfg");
1155         Cmd_AddCommand ("cvar_resettodefaults_all", Cvar_ResetToDefaults_All_f, "sets all cvars to their locked default values");
1156         Cmd_AddCommand ("cvar_resettodefaults_nosaveonly", Cvar_ResetToDefaults_NoSaveOnly_f, "sets all non-saved cvars to their locked default values (variables that will not be saved to config.cfg)");
1157         Cmd_AddCommand ("cvar_resettodefaults_saveonly", Cvar_ResetToDefaults_SaveOnly_f, "sets all saved cvars to their locked default values (variables that will be saved to config.cfg)");
1158
1159         Cmd_AddCommand ("cprint", Cmd_Centerprint_f, "print something at the screen center");
1160         Cmd_AddCommand ("defer", Cmd_Defer_f, "execute a command in the future");
1161
1162         // DRESK - 5/14/06
1163         // Support Doom3-style Toggle Command
1164         Cmd_AddCommand( "toggle", Cmd_Toggle_f, "toggles a console variable's values (use for more info)");
1165 }
1166
1167 /*
1168 ============
1169 Cmd_Shutdown
1170 ============
1171 */
1172 void Cmd_Shutdown(void)
1173 {
1174         Mem_FreePool(&cmd_mempool);
1175 }
1176
1177 /*
1178 ============
1179 Cmd_Argc
1180 ============
1181 */
1182 int             Cmd_Argc (void)
1183 {
1184         return cmd_argc;
1185 }
1186
1187 /*
1188 ============
1189 Cmd_Argv
1190 ============
1191 */
1192 const char *Cmd_Argv (int arg)
1193 {
1194         if (arg >= cmd_argc )
1195                 return cmd_null_string;
1196         return cmd_argv[arg];
1197 }
1198
1199 /*
1200 ============
1201 Cmd_Args
1202 ============
1203 */
1204 const char *Cmd_Args (void)
1205 {
1206         return cmd_args;
1207 }
1208
1209
1210 /*
1211 ============
1212 Cmd_TokenizeString
1213
1214 Parses the given string into command line tokens.
1215 ============
1216 */
1217 // AK: This function should only be called from ExcuteString because the current design is a bit of an hack
1218 static void Cmd_TokenizeString (const char *text)
1219 {
1220         int l;
1221
1222         cmd_argc = 0;
1223         cmd_args = NULL;
1224
1225         while (1)
1226         {
1227                 // skip whitespace up to a /n
1228                 while (*text && ISWHITESPACE(*text) && *text != '\r' && *text != '\n')
1229                         text++;
1230
1231                 // line endings:
1232                 // UNIX: \n
1233                 // Mac: \r
1234                 // Windows: \r\n
1235                 if (*text == '\n' || *text == '\r')
1236                 {
1237                         // a newline separates commands in the buffer
1238                         if (*text == '\r' && text[1] == '\n')
1239                                 text++;
1240                         text++;
1241                         break;
1242                 }
1243
1244                 if (!*text)
1245                         return;
1246
1247                 if (cmd_argc == 1)
1248                         cmd_args = text;
1249
1250                 if (!COM_ParseToken_Console(&text))
1251                         return;
1252
1253                 if (cmd_argc < MAX_ARGS)
1254                 {
1255                         l = (int)strlen(com_token) + 1;
1256                         if (cmd_tokenizebufferpos + l > CMD_TOKENIZELENGTH)
1257                         {
1258                                 Con_Printf("Cmd_TokenizeString: ran out of %i character buffer space for command arguements\n", CMD_TOKENIZELENGTH);
1259                                 break;
1260                         }
1261                         memcpy (cmd_tokenizebuffer + cmd_tokenizebufferpos, com_token, l);
1262                         cmd_argv[cmd_argc] = cmd_tokenizebuffer + cmd_tokenizebufferpos;
1263                         cmd_tokenizebufferpos += l;
1264                         cmd_argc++;
1265                 }
1266         }
1267 }
1268
1269
1270 /*
1271 ============
1272 Cmd_AddCommand
1273 ============
1274 */
1275 void Cmd_AddCommand_WithClientCommand (const char *cmd_name, xcommand_t consolefunction, xcommand_t clientfunction, const char *description)
1276 {
1277         cmd_function_t *cmd;
1278         cmd_function_t *prev, *current;
1279
1280 // fail if the command is a variable name
1281         if (Cvar_FindVar( cmd_name ))
1282         {
1283                 Con_Printf("Cmd_AddCommand: %s already defined as a var\n", cmd_name);
1284                 return;
1285         }
1286
1287 // fail if the command already exists
1288         for (cmd=cmd_functions ; cmd ; cmd=cmd->next)
1289         {
1290                 if (!strcmp (cmd_name, cmd->name))
1291                 {
1292                         if (consolefunction || clientfunction)
1293                         {
1294                                 Con_Printf("Cmd_AddCommand: %s already defined\n", cmd_name);
1295                                 return;
1296                         }
1297                         else    //[515]: csqc
1298                         {
1299                                 cmd->csqcfunc = true;
1300                                 return;
1301                         }
1302                 }
1303         }
1304
1305         cmd = (cmd_function_t *)Mem_Alloc(cmd_mempool, sizeof(cmd_function_t));
1306         cmd->name = cmd_name;
1307         cmd->consolefunction = consolefunction;
1308         cmd->clientfunction = clientfunction;
1309         cmd->description = description;
1310         if(!consolefunction && !clientfunction)                 //[515]: csqc
1311                 cmd->csqcfunc = true;
1312         cmd->next = cmd_functions;
1313
1314 // insert it at the right alphanumeric position
1315         for( prev = NULL, current = cmd_functions ; current && strcmp( current->name, cmd->name ) < 0 ; prev = current, current = current->next )
1316                 ;
1317         if( prev ) {
1318                 prev->next = cmd;
1319         } else {
1320                 cmd_functions = cmd;
1321         }
1322         cmd->next = current;
1323 }
1324
1325 void Cmd_AddCommand (const char *cmd_name, xcommand_t function, const char *description)
1326 {
1327         Cmd_AddCommand_WithClientCommand (cmd_name, function, NULL, description);
1328 }
1329
1330 /*
1331 ============
1332 Cmd_Exists
1333 ============
1334 */
1335 qboolean Cmd_Exists (const char *cmd_name)
1336 {
1337         cmd_function_t  *cmd;
1338
1339         for (cmd=cmd_functions ; cmd ; cmd=cmd->next)
1340                 if (!strcmp (cmd_name,cmd->name))
1341                         return true;
1342
1343         return false;
1344 }
1345
1346
1347 /*
1348 ============
1349 Cmd_CompleteCommand
1350 ============
1351 */
1352 const char *Cmd_CompleteCommand (const char *partial)
1353 {
1354         cmd_function_t *cmd;
1355         size_t len;
1356
1357         len = strlen(partial);
1358
1359         if (!len)
1360                 return NULL;
1361
1362 // check functions
1363         for (cmd = cmd_functions; cmd; cmd = cmd->next)
1364                 if (!strncasecmp(partial, cmd->name, len))
1365                         return cmd->name;
1366
1367         return NULL;
1368 }
1369
1370 /*
1371         Cmd_CompleteCountPossible
1372
1373         New function for tab-completion system
1374         Added by EvilTypeGuy
1375         Thanks to Fett erich@heintz.com
1376         Thanks to taniwha
1377
1378 */
1379 int Cmd_CompleteCountPossible (const char *partial)
1380 {
1381         cmd_function_t *cmd;
1382         size_t len;
1383         int h;
1384
1385         h = 0;
1386         len = strlen(partial);
1387
1388         if (!len)
1389                 return 0;
1390
1391         // Loop through the command list and count all partial matches
1392         for (cmd = cmd_functions; cmd; cmd = cmd->next)
1393                 if (!strncasecmp(partial, cmd->name, len))
1394                         h++;
1395
1396         return h;
1397 }
1398
1399 /*
1400         Cmd_CompleteBuildList
1401
1402         New function for tab-completion system
1403         Added by EvilTypeGuy
1404         Thanks to Fett erich@heintz.com
1405         Thanks to taniwha
1406
1407 */
1408 const char **Cmd_CompleteBuildList (const char *partial)
1409 {
1410         cmd_function_t *cmd;
1411         size_t len = 0;
1412         size_t bpos = 0;
1413         size_t sizeofbuf = (Cmd_CompleteCountPossible (partial) + 1) * sizeof (const char *);
1414         const char **buf;
1415
1416         len = strlen(partial);
1417         buf = (const char **)Mem_Alloc(tempmempool, sizeofbuf + sizeof (const char *));
1418         // Loop through the alias list and print all matches
1419         for (cmd = cmd_functions; cmd; cmd = cmd->next)
1420                 if (!strncasecmp(partial, cmd->name, len))
1421                         buf[bpos++] = cmd->name;
1422
1423         buf[bpos] = NULL;
1424         return buf;
1425 }
1426
1427 // written by LordHavoc
1428 void Cmd_CompleteCommandPrint (const char *partial)
1429 {
1430         cmd_function_t *cmd;
1431         size_t len = strlen(partial);
1432         // Loop through the command list and print all matches
1433         for (cmd = cmd_functions; cmd; cmd = cmd->next)
1434                 if (!strncasecmp(partial, cmd->name, len))
1435                         Con_Printf("^2%s^7: %s\n", cmd->name, cmd->description);
1436 }
1437
1438 /*
1439         Cmd_CompleteAlias
1440
1441         New function for tab-completion system
1442         Added by EvilTypeGuy
1443         Thanks to Fett erich@heintz.com
1444         Thanks to taniwha
1445
1446 */
1447 const char *Cmd_CompleteAlias (const char *partial)
1448 {
1449         cmdalias_t *alias;
1450         size_t len;
1451
1452         len = strlen(partial);
1453
1454         if (!len)
1455                 return NULL;
1456
1457         // Check functions
1458         for (alias = cmd_alias; alias; alias = alias->next)
1459                 if (!strncasecmp(partial, alias->name, len))
1460                         return alias->name;
1461
1462         return NULL;
1463 }
1464
1465 // written by LordHavoc
1466 void Cmd_CompleteAliasPrint (const char *partial)
1467 {
1468         cmdalias_t *alias;
1469         size_t len = strlen(partial);
1470         // Loop through the alias list and print all matches
1471         for (alias = cmd_alias; alias; alias = alias->next)
1472                 if (!strncasecmp(partial, alias->name, len))
1473                         Con_Printf("^5%s^7: %s", alias->name, alias->value);
1474 }
1475
1476
1477 /*
1478         Cmd_CompleteAliasCountPossible
1479
1480         New function for tab-completion system
1481         Added by EvilTypeGuy
1482         Thanks to Fett erich@heintz.com
1483         Thanks to taniwha
1484
1485 */
1486 int Cmd_CompleteAliasCountPossible (const char *partial)
1487 {
1488         cmdalias_t      *alias;
1489         size_t          len;
1490         int                     h;
1491
1492         h = 0;
1493
1494         len = strlen(partial);
1495
1496         if (!len)
1497                 return 0;
1498
1499         // Loop through the command list and count all partial matches
1500         for (alias = cmd_alias; alias; alias = alias->next)
1501                 if (!strncasecmp(partial, alias->name, len))
1502                         h++;
1503
1504         return h;
1505 }
1506
1507 /*
1508         Cmd_CompleteAliasBuildList
1509
1510         New function for tab-completion system
1511         Added by EvilTypeGuy
1512         Thanks to Fett erich@heintz.com
1513         Thanks to taniwha
1514
1515 */
1516 const char **Cmd_CompleteAliasBuildList (const char *partial)
1517 {
1518         cmdalias_t *alias;
1519         size_t len = 0;
1520         size_t bpos = 0;
1521         size_t sizeofbuf = (Cmd_CompleteAliasCountPossible (partial) + 1) * sizeof (const char *);
1522         const char **buf;
1523
1524         len = strlen(partial);
1525         buf = (const char **)Mem_Alloc(tempmempool, sizeofbuf + sizeof (const char *));
1526         // Loop through the alias list and print all matches
1527         for (alias = cmd_alias; alias; alias = alias->next)
1528                 if (!strncasecmp(partial, alias->name, len))
1529                         buf[bpos++] = alias->name;
1530
1531         buf[bpos] = NULL;
1532         return buf;
1533 }
1534
1535 void Cmd_ClearCsqcFuncs (void)
1536 {
1537         cmd_function_t *cmd;
1538         for (cmd=cmd_functions ; cmd ; cmd=cmd->next)
1539                 cmd->csqcfunc = false;
1540 }
1541
1542 qboolean CL_VM_ConsoleCommand (const char *cmd);
1543 /*
1544 ============
1545 Cmd_ExecuteString
1546
1547 A complete command line has been parsed, so try to execute it
1548 FIXME: lookupnoadd the token to speed search?
1549 ============
1550 */
1551 void Cmd_ExecuteString (const char *text, cmd_source_t src)
1552 {
1553         int oldpos;
1554         int found;
1555         cmd_function_t *cmd;
1556         cmdalias_t *a;
1557
1558         oldpos = cmd_tokenizebufferpos;
1559         cmd_source = src;
1560         found = false;
1561
1562         Cmd_TokenizeString (text);
1563
1564 // execute the command line
1565         if (!Cmd_Argc())
1566         {
1567                 cmd_tokenizebufferpos = oldpos;
1568                 return;         // no tokens
1569         }
1570
1571 // check functions
1572         for (cmd=cmd_functions ; cmd ; cmd=cmd->next)
1573         {
1574                 if (!strcasecmp (cmd_argv[0],cmd->name))
1575                 {
1576                         if (cmd->csqcfunc && CL_VM_ConsoleCommand (text))       //[515]: csqc
1577                                 return;
1578                         switch (src)
1579                         {
1580                         case src_command:
1581                                 if (cmd->consolefunction)
1582                                         cmd->consolefunction ();
1583                                 else if (cmd->clientfunction)
1584                                 {
1585                                         if (cls.state == ca_connected)
1586                                         {
1587                                                 // forward remote commands to the server for execution
1588                                                 Cmd_ForwardToServer();
1589                                         }
1590                                         else
1591                                                 Con_Printf("Can not send command \"%s\", not connected.\n", Cmd_Argv(0));
1592                                 }
1593                                 else
1594                                         Con_Printf("Command \"%s\" can not be executed\n", Cmd_Argv(0));
1595                                 found = true;
1596                                 goto command_found;
1597                                 break;
1598                         case src_client:
1599                                 if (cmd->clientfunction)
1600                                 {
1601                                         cmd->clientfunction ();
1602                                         cmd_tokenizebufferpos = oldpos;
1603                                         return;
1604                                 }
1605                                 break;
1606                         }
1607                         break;
1608                 }
1609         }
1610 command_found:
1611
1612         // if it's a client command and no command was found, say so.
1613         if (cmd_source == src_client)
1614         {
1615                 Con_Printf("player \"%s\" tried to %s\n", host_client->name, text);
1616                 cmd_tokenizebufferpos = oldpos;
1617                 return;
1618         }
1619
1620 // check alias
1621         for (a=cmd_alias ; a ; a=a->next)
1622         {
1623                 if (!strcasecmp (cmd_argv[0], a->name))
1624                 {
1625                         Cmd_ExecuteAlias(a);
1626                         cmd_tokenizebufferpos = oldpos;
1627                         return;
1628                 }
1629         }
1630
1631         if(found) // if the command was hooked and found, all is good
1632         {
1633                 cmd_tokenizebufferpos = oldpos;
1634                 return;
1635         }
1636
1637 // check cvars
1638         if (!Cvar_Command () && host_framecount > 0)
1639                 Con_Printf("Unknown command \"%s\"\n", Cmd_Argv(0));
1640
1641         cmd_tokenizebufferpos = oldpos;
1642 }
1643
1644
1645 /*
1646 ===================
1647 Cmd_ForwardStringToServer
1648
1649 Sends an entire command string over to the server, unprocessed
1650 ===================
1651 */
1652 void Cmd_ForwardStringToServer (const char *s)
1653 {
1654         char temp[128];
1655         if (cls.state != ca_connected)
1656         {
1657                 Con_Printf("Can't \"%s\", not connected\n", s);
1658                 return;
1659         }
1660
1661         if (!cls.netcon)
1662                 return;
1663
1664         // LordHavoc: thanks to Fuh for bringing the pure evil of SZ_Print to my
1665         // attention, it has been eradicated from here, its only (former) use in
1666         // all of darkplaces.
1667         if (cls.protocol == PROTOCOL_QUAKEWORLD)
1668                 MSG_WriteByte(&cls.netcon->message, qw_clc_stringcmd);
1669         else
1670                 MSG_WriteByte(&cls.netcon->message, clc_stringcmd);
1671         if ((!strncmp(s, "say ", 4) || !strncmp(s, "say_team ", 9)) && cl_locs_enable.integer)
1672         {
1673                 // say/say_team commands can replace % character codes with status info
1674                 while (*s)
1675                 {
1676                         if (*s == '%' && s[1])
1677                         {
1678                                 // handle proquake message macros
1679                                 temp[0] = 0;
1680                                 switch (s[1])
1681                                 {
1682                                 case 'l': // current location
1683                                         CL_Locs_FindLocationName(temp, sizeof(temp), cl.movement_origin);
1684                                         break;
1685                                 case 'h': // current health
1686                                         dpsnprintf(temp, sizeof(temp), "%i", cl.stats[STAT_HEALTH]);
1687                                         break;
1688                                 case 'a': // current armor
1689                                         dpsnprintf(temp, sizeof(temp), "%i", cl.stats[STAT_ARMOR]);
1690                                         break;
1691                                 case 'x': // current rockets
1692                                         dpsnprintf(temp, sizeof(temp), "%i", cl.stats[STAT_ROCKETS]);
1693                                         break;
1694                                 case 'c': // current cells
1695                                         dpsnprintf(temp, sizeof(temp), "%i", cl.stats[STAT_CELLS]);
1696                                         break;
1697                                 // silly proquake macros
1698                                 case 'd': // loc at last death
1699                                         CL_Locs_FindLocationName(temp, sizeof(temp), cl.lastdeathorigin);
1700                                         break;
1701                                 case 't': // current time
1702                                         dpsnprintf(temp, sizeof(temp), "%.0f:%.0f", floor(cl.time / 60), cl.time - floor(cl.time / 60) * 60);
1703                                         break;
1704                                 case 'r': // rocket launcher status ("I have RL", "I need rockets", "I need RL")
1705                                         if (!(cl.stats[STAT_ITEMS] & IT_ROCKET_LAUNCHER))
1706                                                 dpsnprintf(temp, sizeof(temp), "I need RL");
1707                                         else if (!cl.stats[STAT_ROCKETS])
1708                                                 dpsnprintf(temp, sizeof(temp), "I need rockets");
1709                                         else
1710                                                 dpsnprintf(temp, sizeof(temp), "I have RL");
1711                                         break;
1712                                 case 'p': // powerup status (outputs "quad" "pent" and "eyes" according to status)
1713                                         if (cl.stats[STAT_ITEMS] & IT_QUAD)
1714                                         {
1715                                                 if (temp[0])
1716                                                         strlcat(temp, " ", sizeof(temp));
1717                                                 strlcat(temp, "quad", sizeof(temp));
1718                                         }
1719                                         if (cl.stats[STAT_ITEMS] & IT_INVULNERABILITY)
1720                                         {
1721                                                 if (temp[0])
1722                                                         strlcat(temp, " ", sizeof(temp));
1723                                                 strlcat(temp, "pent", sizeof(temp));
1724                                         }
1725                                         if (cl.stats[STAT_ITEMS] & IT_INVISIBILITY)
1726                                         {
1727                                                 if (temp[0])
1728                                                         strlcat(temp, " ", sizeof(temp));
1729                                                 strlcat(temp, "eyes", sizeof(temp));
1730                                         }
1731                                         break;
1732                                 case 'w': // weapon status (outputs "SSG:NG:SNG:GL:RL:LG" with the text between : characters omitted if you lack the weapon)
1733                                         if (cl.stats[STAT_ITEMS] & IT_SUPER_SHOTGUN)
1734                                                 strlcat(temp, "SSG", sizeof(temp));
1735                                         strlcat(temp, ":", sizeof(temp));
1736                                         if (cl.stats[STAT_ITEMS] & IT_NAILGUN)
1737                                                 strlcat(temp, "NG", sizeof(temp));
1738                                         strlcat(temp, ":", sizeof(temp));
1739                                         if (cl.stats[STAT_ITEMS] & IT_SUPER_NAILGUN)
1740                                                 strlcat(temp, "SNG", sizeof(temp));
1741                                         strlcat(temp, ":", sizeof(temp));
1742                                         if (cl.stats[STAT_ITEMS] & IT_GRENADE_LAUNCHER)
1743                                                 strlcat(temp, "GL", sizeof(temp));
1744                                         strlcat(temp, ":", sizeof(temp));
1745                                         if (cl.stats[STAT_ITEMS] & IT_ROCKET_LAUNCHER)
1746                                                 strlcat(temp, "RL", sizeof(temp));
1747                                         strlcat(temp, ":", sizeof(temp));
1748                                         if (cl.stats[STAT_ITEMS] & IT_LIGHTNING)
1749                                                 strlcat(temp, "LG", sizeof(temp));
1750                                         break;
1751                                 default:
1752                                         // not a recognized macro, print it as-is...
1753                                         temp[0] = s[0];
1754                                         temp[1] = s[1];
1755                                         temp[2] = 0;
1756                                         break;
1757                                 }
1758                                 // write the resulting text
1759                                 SZ_Write(&cls.netcon->message, (unsigned char *)temp, strlen(temp));
1760                                 s += 2;
1761                                 continue;
1762                         }
1763                         MSG_WriteByte(&cls.netcon->message, *s);
1764                         s++;
1765                 }
1766                 MSG_WriteByte(&cls.netcon->message, 0);
1767         }
1768         else // any other command is passed on as-is
1769                 SZ_Write(&cls.netcon->message, (const unsigned char *)s, (int)strlen(s) + 1);
1770 }
1771
1772 /*
1773 ===================
1774 Cmd_ForwardToServer
1775
1776 Sends the entire command line over to the server
1777 ===================
1778 */
1779 void Cmd_ForwardToServer (void)
1780 {
1781         const char *s;
1782         if (!strcasecmp(Cmd_Argv(0), "cmd"))
1783         {
1784                 // we want to strip off "cmd", so just send the args
1785                 s = Cmd_Argc() > 1 ? Cmd_Args() : "";
1786         }
1787         else
1788         {
1789                 // we need to keep the command name, so send Cmd_Argv(0), a space and then Cmd_Args()
1790                 s = va("%s %s", Cmd_Argv(0), Cmd_Argc() > 1 ? Cmd_Args() : "");
1791         }
1792         // don't send an empty forward message if the user tries "cmd" by itself
1793         if (!s || !*s)
1794                 return;
1795         Cmd_ForwardStringToServer(s);
1796 }
1797
1798
1799 /*
1800 ================
1801 Cmd_CheckParm
1802
1803 Returns the position (1 to argc-1) in the command's argument list
1804 where the given parameter apears, or 0 if not present
1805 ================
1806 */
1807
1808 int Cmd_CheckParm (const char *parm)
1809 {
1810         int i;
1811
1812         if (!parm)
1813         {
1814                 Con_Printf ("Cmd_CheckParm: NULL");
1815                 return 0;
1816         }
1817
1818         for (i = 1; i < Cmd_Argc (); i++)
1819                 if (!strcasecmp (parm, Cmd_Argv (i)))
1820                         return i;
1821
1822         return 0;
1823 }
1824