GM0's Odometry Page - Must Read! (Explains deadwheel configurations and provides easy to implement pseudocode + a overview behind the for 3 wheel odometry)
Deadwheel odometry makes use of unpowered wheels connected to encoders to track the robot's current position. Essentially, a deadwheel odometry algorithm converts the returned encoder measurements into useful values.
For maximized accuracy, most teams make use of three deadwheel setups. However if a team needs an extra encoder slot, some will make do with a two-deadwheel setup and the IMU for angle calculation.
Intuitively speaking, we know that a mecanum drive train can move both forward and sideways. Therefore when making use of a two-wheel odometry setup we can see that you only need to use one of the parallel wheels.
Note that because we are removing one of the parallel wheels, you cannot calculate the robot's current angle through odometry alone. Instead, you must make use of the IMU.
public class Odometry {
// Constants
public final double ENCODER_WHEEL_DIAMETER = 1.37795; // diameter of the deadwheel
private final double ENCODER_TICKS_PER_REVOLUTION = 8154; // ticks measured after
// one full revolution of the deadwheel
private final double ENCODER_WHEEL_CIRCUMFERENCE = Math.PI * 2.0 * (ENCODER_WHEEL_DIAMETER * 0.5);
// Variables
private double xPos, yPos;
public double angle;
private double lastLeftEnc = 0, lastNormalEnc = 0;
public Odometry(double xPos, double yPos) {
this.xPos = xPos;
this.yPos = yPos;
}
// Two Deadwheel Odo
/*
l = ticks from the parallel odometry wheel
r = ticks from the perpendicular odometry wheel
ang = robot's angle (in degrees)
*/
public void updatePosition(double l, double n, double ang) {
double dL = l - lastLeftEnc;
double dN = n - lastNormalEnc;
lastNormalEnc = n;
lastLeftEnc = l;
double leftDist = -dL * ENCODER_WHEEL_CIRCUMFERENCE / ENCODER_TICKS_PER_REVOLUTION;
double dyR = leftDist;
double dxR = -dN * ENCODER_WHEEL_CIRCUMFERENCE / ENCODER_TICKS_PER_REVOLUTION;
double cos = Math.cos((Angle.degrees_to_radians(ang)));
double sin = Math.sin((Angle.degrees_to_radians(ang)));
double dx = (dxR * sin) + (dyR * cos);
double dy = (-dxR * cos) + (dyR * sin);
angle = ang;
xPos += dx;
yPos += dy;
}
public double getX() {
return xPos;
}
public double getY() {
return yPos;
}
}
3 Deadwheel Odometry
Due to the extensive explanations written in the links provided at the top of the module, we feel that it would be redundant to provide our own. Instead, we will just give you an implementation.