主な編集:100%解決しました!それはモジュラー算術と呼ばれていますピーターに感謝します!!
最小/最大値が固定された2つの数値を追加する必要があります。数値をjavaのint/byte / shortのように動作させたい(反対の値にオーバーフローして操作を続行する)
System.out.println((byte) (Byte.MAX_VALUE)); // 127
System.out.println((byte)(Byte.MAX_VALUE + 1)); // -128
System.out.println((byte)(Byte.MAX_VALUE + 2)); // -127
System.out.println((byte)(Byte.MAX_VALUE + 3)); // -126
ただし、.MAX_VALUEと.MIN_VALUEは固定されています。数値の値が3で、maxValueが5、minValueが2の場合、それに4を追加すると(3 + 4 = 7である必要があります)、オーバーフローするため、3 + 4:3-> 4-> 5-> 2- > 3例:
int value = 0, minValue = -2, maxValue = 1;
MyNumber n = new MyNumber(value, minValue, maxValue);
// possible values: -2 -1 0 1 -2 -1 0 1 -2 -1 0 1 ..
n.add(2); // 0+2 = -2
n.add(-2); // -2-2 = 0
n.add(5); // 0+5 = 1
n.add(-5); // 1-5 = 0
n.add(-5); // 0-5 = -1
n.add(-1); // -1-1 = -2
n.add(11); // -2+11 = 1
これは私がしたことです:
class MyNumber {
int value;
final int minValue, maxValue;
public MyNumber(int value, int minValue, int maxValue) {
if (value < minValue || value > maxValue || maxValue < minValue) {
throw new RuntimeException();
}
this.value = value;
this.minValue = minValue;
this.maxValue = maxValue;
}
void add(int amount) {
int step = 1;
if (amount < 0) {
step = -1;
amount = -amount;
}
while (amount-- > 0) {
value += step;
if (value < minValue)
value = maxValue; // overflows
if (value > maxValue)
value = minValue; // overflows
}
}
}
それは機能しますが、大きな数値で作業するので、追加全体を繰り返したくありません。MODと関係があると思います...(数学ではひどいです)ほぼランダムにこれを作成しました:
void add(int amount) {
value = (value + amount) % (maxValue - minValue + 1);
}
私はとても近かったが、それは失敗する
n = new MyNumber(-2, -4, -1);
n.add(2); // -2+2 shows 0 instead of -4 (-2.. -1.. *overflow*.. -4)
私は降伏します