This wiki is static and therefore read-only as of August 2011. More information here.
Hosted by NexuizNinjaz.com

This is an old revision of the document!


QuakeC


QuakeC is a very simplified dialect of the well-known C programming language, as used by Quake. Nexuiz uses the FTEQCC dialect of QuakeC, so only this one will be described (as well as some common extensions among Quake engines).

Data types


Quake only knows four elementary data types: the basic types float, vector, string, and the object type entity. Also, there is a very special type of types, fields, and of course functions. FTEQCC also adds arrays, although these are slow and a bit buggy. Note that there are no pointers!

float


This is the basic numeric type in QuakeC. It represents the standard 32bit floating point type as known from C. It has 23 bits of mantissa, 8 bits of exponent, and one sign bit. The numeric range goes from about 1.175e-38 to about 3.403e+38, and the number of significant decimal digits is about six.

As float has 23 bits of mantissa, it can also be used to safely represent integers in the range from -8388608 to 8388608. 8388609 is the first integer float can not represent.

Common functions for float are especially ceil, floor (working just like in C, rounding up/down to the next integer), and random, which yields a random number r with 0 <= r < 1.

vector


This type is basically three floats together. By declaring a vector v, you also create three floats v_x, v_y and v_z (note the underscore) that contain the components of the vector.

Vectors can be used with the usual mathematical operators in the usual way used in mathematics. For example, vector + vector simply returns the sum of the vectors, and vector * float scales the vector by the given factor. Note however that dividing a vector by a float is NOT supported, one has to use vector * (1 / float) instead. Multiplying two vectors yields their dot product of type float.

Common functions to be used on vectors are vlen (vector length), normalize (vector divided by its length, i.e. a unit vector).

Vector literals are written like '1 0 0'.

COMPILER BUG: always use vector = vector * float instead of vector *= float, as the latter creates incorrect code.

string


A string in QuakeC is an immutable reference to a null-terminated character string stored in the engine. It is not possible to change a character in a string, but there are various functions to create new strings:

ftos and vtos convert floats and vectors to strings. Their inverses are, of course, stof and stov, which parse a string into a float or a vector.

strcat concatenates 2 to 8 strings together, as in strcat(“a”, “b”, “c”) == “abc”

strstrofs(haystack, needle, offset) searches for an occurence of one string in another, as in strstrofs(“haystack”, “ac”, 0) == 5. The offset defines from which starting position to search, and the return value is -1 if no match is found.

substring(string, startpos, length) returns part of a string.

Note that there are different kinds of strings, regarding memory management:

  • Temporary strings are strings returned by built-in string handling functions such as substring, strcat. They last only for the duration of the function call from the engine. That means it is safe to return a temporary string in a function you wrote, but not to store them in global variables or objects as their storage will be overwritten soon.
  • Allocated strings are strings that are explicitly allocated. They are returned by strzone and persist until they are freed (using strunzone). Note that strzone does not change the string given as a parameter, but returns the newly allocated string and keeps the passed temporary string the same way! That means:
    • To allocate a string, do for example myglobal = strzone(strcat(“hello ”, “world”));
    • To free the string when it is no longer needed, do: strunzone(myglobal);
  • Engine owned strings, such as netname. These should be treated just like temporary strings: if you want to keep them in your own variables, strzone them.
  • Constant strings. A string literal like “foo” gets permanent storage assigned by the compiler. There is no need to strzone such strings.
  • The null string. A global uninitialized string variable has the special property that is is usually treated like the constant, empty, string ”” (so using it does not constitute an error), but it is the only string that evaluates to FALSE in an if expression (but not in the ! operator - in boolean context, the string ”” counts as FALSE too). As this is a useful property, Nexuiz code declares such a string variable of the name string_null. That means that the following patterns are commonly used for allocating strings:
    • Assigning to a global string variable: if(myglobal) strunzone(myglobal); myglobal = strzone(...);
    • Freeing the global string variable: if(myglobal) strunzone(myglobal); myglobal = string_null;
    • Checking if a global string value has been set: if(myglobal) { value has been set; } else { string has not yet been set; }

entity


The main object type in QuakeC is entity, a reference to an engine internal object. An entity can be imagined as a huge struct, containing many fields. This is the only object type in the language. However, fields can be added to the entity type by the following syntax:

.float myfield;

and then all objects e get a field that can be accessed like in e.myfield.

The special entity world also doubles as the null reference. It can not be written to other than in the spawnfunc_worldspawn function that is run when the map is loaded, and is the only entity value that counts as false in an if expression. Thus, functions that return entities tend to return world to indicate failure (e.g. find returns world to indicate no more entity can be found).

If a field has not been set, it gets the usual zero value of the type when the object is created (i.e. 0 for float, string_null for string, '0 0 0' for vector, and world for entity).

fields


A reference to such a field can be stored too, in a field variable. It is declared and used like

var .float myfieldvar; myfieldvar = myfield; e.myfieldvar = 42;

Field variables can be used as function parameters too - in that case you leave the var keyword out, as it is not needed for disambiguation.

functions


Functions work just like in C:

float sum3(float a, float b, float c)
{
  return a + b + c;
}


However, the syntax to declare function pointers is simplified:

typedef float(float, float, float) op3func_t;
float(float a, float b, float c) f;
op3func_t g;
f = sum3;
g = f;
print(ftos(g(1, 2, 3)), "\n"); // prints 6


In original QuakeC by Id Software, this simplified function pointer syntax also was the only way to define functions (you may still encounter this in Nexuiz code in a few places):

float(float a, float b) sum2 = {
  return a + b;
}


A special kind of functions are built-in functions (defined by the engine). These are imported using so-called built-in numbers, with a syntax like

string strcat(string a, string b, ...) = #115;

arrays


As the QuakeC virtual machine provides no pointers or similar ways to handle arrays, array support is added by FTEQCC and very limited. Arrays can only be global, must have a fixed size (not dynamically allocated), and are a bit buggy and slow. Almost as great as in FORTRAN, except they can't be multidimensional either!

You declare arrays like in C:

#define MAX_ASSASSINS 16
entity assassins[MAX_ASSASSINS];
#define BTREE_MAX_CHILDREN 5
.entity btree_child[BTREE_MAX_CHILDREN];
#define MAX_FLOATFIELDS 3
var .float myfloatfields[MAX_FLOATFIELDS];


The former is a global array of entities and can be used the usual way:

assassins[self.assassin_index] = self;


The middle one is a global array of (allocated and constant) entity fields and not a field of array type (which does not exist), so its usage looks a bit strange:

for(i = 0; i < BTREE_MAX_CHILDREN; ++i)
  self.(btree_child[i]) = world;


Note that this works:

var .entity indexfield;
indexfield = btree_child[i];
self.indexfield = world;


The latter one is a global array of (assignable) entity field variables, and looks very similar:

myfloatfields[3] = health;
self.(myfloatfields[3]) = 0;
// equivalent to self.health = 0;


Do not use arrays when you do not need to - using both arrays and function calls in the same expression can get messed up (COMPILER BUG), and arrays are slowly emulated using functions ArrayGet*myfloatfields and ArraySet*myfloatfields the compiler generates that internally do a binary search for the array index.

Peculiar language constructs


This section deals with language constructs in FTEQCC that are not similar to anything in other languages.

if not


There is a second way to do a negated if:

if not(expression)
  ...


It compiles to slightly more efficient code than

if(!expression)
  ...


and has the notable difference that

if not("")
  ...


will not execute (as ”” counts as true in an if expression), but

if(!"")
  ...


will execute (as both ”” and string_null is false when boolean operators are used on it)..

Common patterns


Some patterns in code that are often encountered in Nexuiz are listed here, in no particular order.

Classes in Quake


The usual way to handle classes in Quake is using fields, function pointers and the special property classname.

But first, let's look at how the engine creates entities when the map is loaded.

Assume you have the following declarations in your code:

entity self;
.string classname;
.vector origin;
.float height;


and the engine encounters the entity

{
"classname" "func_bobbing"
"height" "128"
"origin" "0 32 -64"
}


then it will, during loading the map, behave as if the following QuakeC code was executed:

self = spawn();
self.classname = "func_bobbing";
self.height = 128;
self.origin = '0 32 -64';
spawnfunc_func_bobbing();


We learn from this:
* The special global entity variable self is used when “methods” of an object are called, like - in this case - the “constructor” or spawn function spawnfunc_func_bobbing.
* Before calling the spawn function, the engine sets the mapper specified fields to the values. String values can be treated by the QC code as if they are constant strings, that means there is no need to strzone them.
* Spawn functions always have the spawnfunc_ name prefix and take no arguments.

Methods are represented as fields of function type:

.void() think;


and are assigned to the function to be called in the spawn function, like:

void func_bobbing_think()
{
  // lots of stuff
}
void spawnfunc_func_bobbing()
{
  // ... even more stuff ...
  self.think = func_bobbing_think;
}


To call a method of the same object, you would use

self.think();


but to call an object of another object, you first have to set self to that other object, but you typically need to restore self to its previous value when done:

entity oldself;
// ...
oldself = self;
self.think();
self = oldself;

Think functions


...

Find loops


...

Linked lists


...

Error handling


...

target and targetname

the enemy field and its friends

if-chains


With default compile options (i.e. if the option -flo is not passed to the compiler), boolean expressions are evaluated fully. This means that in

if(!flag && SomeComplexFunction(self))
  ...


SomeCompexFunction is always evaluated, even if flag is true. To avoid this, one can use:

if(!flag)
if(SomeComplexFunction(self))
  ...

Pitfalls, compiler bugs

 
dev/quakec.1224095611.txt.gz · Last modified: 2008/10/15 20:33 by 84.58.11.20
Nexuiz Ninjaz Recent changes RSS feed Creative Commons License Donate Powered by PHP Valid XHTML 1.0 Valid CSS Driven by DokuWiki
GFDL logoGFDLcontent Unless mentioned on the licensing page, the work on this page is licensed under the GNU Free Documentation License. The author states that the text and images can be used within the restrictions of this license (for example, they can be incorporated into certain free encyclopedias such as Wikipedia).
Kindly hosted by NexuizNinjaz.com