This article is a stub. You can help RoboWiki by expanding it.
Code Size Cheat sheet
Do and Don't
Do
Don't
class Robot
extends AdvancedRobot
{
static double varname;
public void run() {
LinkedList list;
try{
someFunction
(list.getFirst());
} catch(Exception ex){}
int i = 1;
if (j > 2) {
i = -1;
}
}
public void
onScannedRobot
(ScannedRobotEvent e)
double a;
double t = getEnergy()
* (a = e.getBearing());
}
}
class Robot
extends AdvancedRobot
{
double varname = 0;
public void run() {
LinkedList list;
if(list.size() != 0){
someFunction
(list.getFirst());
}
int i;
if (j > 2) {
i = -1;
} else {
i = 1;
}
}
public void
onScannedRobot
(ScannedRobotEvent e)
double a = e.getBearing();
double t = a * getEnergy();
}
}
A magic of register
Every operation to anything must be done from register. Java has 4 registers to hold variable. If the method is not static, the first one is this reference. The remaining registers will be use for each parameter and variable inside method. Every type of variable use 1 register, except double use 2. When 3 registers are already used by other variable, a double value will then be assigned an extra register (and the codesize is as if there was only 1 used). If you do any operation on any variable that is not on the register, Java will need to move that variable to the register before doing any of your operation, which costs codesize. This mean you should define most-used variables before any other variables.
Do this:
public void onScannedRobot(ScannedRobotEvent e) {
int int_variable_if_you_want;
double bearing =
e.getBearingRadians() + getHadingRadians();
double distance = e.getDistance();
// ...
}
Don't do this:
public void onScannedRobot(ScannedRobotEvent e) {
double distance = e.getDistance();
int int_variable_if_you_want;
double bearing =
e.getBearingRadians() + getHadingRadians();
// ...
}