*/-->
pre.src {background-color: Black; color: White;}
pre.src {background-color: Black; color: White;}
pre.src {background-color: Black; color: White;}
大数的实现
struct BigInt { const static int mod = 10000; const static int DLEN = 4; int a[600], len; BigInt() { // len 至少是 1 memset(a, 0, sizeof(a)); len = 1; } BigInt(int v) { // 将整数转化为大整数,没 4 位的整数占了 大整数的 1 位 memset(a,0,sizeof(a)); len = 0; do { a[len++] = v % mod; v = v / mod; } while(v); } BigInt(const char s[]) { memset(a, 0, sizeof(a)); int L = strlen(s); len = L/DLEN; if(L % DLEN != 0) { len++; } // 不够 4 位仍然按长度为 1 的来计算 int index = 0; for(int i = L-1; i >= 0; i -= DLEN) { // 从后面(个位)开始取 int t = 0; // 每 4 位换成 大整数 int k = i - DLEN + 1; // 取 4 位 if(k < 0) { k = 0; } // 不够 4 位 for(int j = k;j <= i;j++) { t = t*10 + s[j] - ‘0‘; } a[index++] = t; } } BigInt operator +(const BigInt &b)const { BigInt res; res.len = max(len,b.len); for(int i = 0; i <= res.len; i++) { // 初始化,也可以使用 memset res.a[i] = 0; } for(int i = 0; i < res.len; i++) { res.a[i] = res.a[i] + ( (i < len)?a[i]:0 ) + ( (i < b.len)?b.a[i]:0 ); // 就是两个数相加,如果 i 比 其中一个的 len 还大,那么这个数的高位全都赋值为 0 res.a[i+1] = res.a[i+1] + res.a[i]/mod; // 是否进向高位 1 res.a[i] = res.a[i] % mod; // 如果进 1,就要减少他的值 } if(res.a[res.len] > 0) { // 如果最高位进 1 res.len++; } return res; } BigInt operator *(const BigInt &b)const { BigInt res; for(int i = 0; i < len; i++) { int up = 0; for(int j = 0; j < b.len; j++) { int temp = this->a[i] * b.a[j] + res.a[i+j] + up; // 相乘的值 res.a[i+j] = temp % mod; // i + j 刚好是他们的进位 up = temp / mod; // 进位 } if(up != 0) { res.a[i + b.len] = up; } } res.len = len + b.len; while(res.a[res.len - 1] == 0 && res.len > 1) { // 减前导 0 res.len--; } return res; } void output() { printf("%d",a[len-1]); for(int i = len-2; i >=0; i--) { printf("%04d", a[i]); } printf("\n"); } };
时间: 2024-10-28 21:57:26