将十进制转换为平衡的 Heptavintimal
Convert decimal to balanced Heptavintimal
我正在尝试制作一个函数,将十进制转换为平衡的 Heptavintimal (0123456789ABCDEFGHKMNPRTVXZ)
其中 0 代表 -13,D : 0 和 Z 13
我已经试过了,但有些情况下无法正常工作:
static const std::string HEPT_CHARS = "0123456789ABCDEFGHKMNPRTVXZ";
std::string heptEnc(int value){
std::string result = "";
do {
int pos = value % 27;
result = std::string(HEPT_CHARS[(pos + 13)%27] + result);
value = value / 27;
} while (value != 0);
return result;
}
这是我在此示例中得到的 -14、-15、14、15 不起作用
call(x) - expect: result
heptEnc(-9841) - 000: 000
heptEnc(-15) - CX:
heptEnc(-14) - CZ:
heptEnc(-13) - 0: 0
heptEnc(-1) - C: C
heptEnc(0) - D: D
heptEnc(1) - E: E
heptEnc(13) - Z: Z
heptEnc(14) - E0: 0
heptEnc(15) - E1: 1
heptEnc(9841) - ZZZ: ZZZ
您使用的 mod (%
) 不正确。 difficult/complicated 知道 signed int
最初会被设置成什么。所以试试这个:
unsigned int uvalue = std::abs(value);
unsigned int upos = uvalue % 27;
int pos = static_cast<int>(upos) - 13;
当然你必须单独处理你的转换标志:
int sign = value >= 0 ? 1 : -1;
刚刚开始工作,这是代码:
static const std::string HEPT_CHARS = "0123456789ABCDEFGHKMNPRTVXZ";
inline int modulo(int a, int b)
{
const int result = a % b;
return result >= 0 ? result : result + b;
}
std::string heptEnc(int value)
{
std::string result = "";
do {
int pos = value%27;
result = std::string(HEPT_CHARS[modulo(pos + 13,27)] + result);
value = (value+pos) / 27;
} while (value != 0);
return result;
}
显然,混合使用数学模、C++ 模和修改更新值的方式可以达到目的。
我正在尝试制作一个函数,将十进制转换为平衡的 Heptavintimal (0123456789ABCDEFGHKMNPRTVXZ) 其中 0 代表 -13,D : 0 和 Z 13
我已经试过了,但有些情况下无法正常工作:
static const std::string HEPT_CHARS = "0123456789ABCDEFGHKMNPRTVXZ";
std::string heptEnc(int value){
std::string result = "";
do {
int pos = value % 27;
result = std::string(HEPT_CHARS[(pos + 13)%27] + result);
value = value / 27;
} while (value != 0);
return result;
}
这是我在此示例中得到的 -14、-15、14、15 不起作用
call(x) - expect: result
heptEnc(-9841) - 000: 000
heptEnc(-15) - CX:
heptEnc(-14) - CZ:
heptEnc(-13) - 0: 0
heptEnc(-1) - C: C
heptEnc(0) - D: D
heptEnc(1) - E: E
heptEnc(13) - Z: Z
heptEnc(14) - E0: 0
heptEnc(15) - E1: 1
heptEnc(9841) - ZZZ: ZZZ
您使用的 mod (%
) 不正确。 difficult/complicated 知道 signed int
最初会被设置成什么。所以试试这个:
unsigned int uvalue = std::abs(value);
unsigned int upos = uvalue % 27;
int pos = static_cast<int>(upos) - 13;
当然你必须单独处理你的转换标志:
int sign = value >= 0 ? 1 : -1;
刚刚开始工作,这是代码:
static const std::string HEPT_CHARS = "0123456789ABCDEFGHKMNPRTVXZ";
inline int modulo(int a, int b)
{
const int result = a % b;
return result >= 0 ? result : result + b;
}
std::string heptEnc(int value)
{
std::string result = "";
do {
int pos = value%27;
result = std::string(HEPT_CHARS[modulo(pos + 13,27)] + result);
value = (value+pos) / 27;
} while (value != 0);
return result;
}
显然,混合使用数学模、C++ 模和修改更新值的方式可以达到目的。