#include <stdio.h>
int main() {
    unsigned long long int num = 285212672; //FYI: fits in 29 bits
    int normalInt = 5;
    printf("My number is %d bytes wide and its value is %ul. A normal number is %d.\n", sizeof(num), num, normalInt);
    return 0;
}

输出:

My number is 8 bytes wide and its value is 285212672l. A normal number is 0.

我假设这个意外的结果来自于输出unsigned long long int。你如何打印()一个unsigned long long int?


当前回答

使用ll (el-el) long-long修饰符和u (unsigned)转换。(适用于windows, GNU)。

printf("%llu", 285212672);

其他回答

您可能想尝试使用inttypes.h库,它可以为您提供诸如 Int32_t, int64_t, uint64_t等。 然后你可以使用它的宏,如:

#include <inttypes.h>

uint64_t x;
uint32_t y;

printf("x: %"PRIu64", y: %"PRIu32"\n", x, y);

这“保证”不会给您带来与long、unsigned long等相同的麻烦,因为您不必猜测每种数据类型中有多少位。

一种方法是用VS2008将其编译为x64

这运行如你所料:

int normalInt = 5; 
unsigned long long int num=285212672;
printf(
    "My number is %d bytes wide and its value is %ul. 
    A normal number is %d \n", 
    sizeof(num), 
    num, 
    normalInt);

对于32位代码,我们需要使用正确的__int64格式说明符%I64u。所以它变成了。

int normalInt = 5; 
unsigned __int64 num=285212672;
printf(
    "My number is %d bytes wide and its value is %I64u. 
    A normal number is %d", 
    sizeof(num),
    num, normalInt);

这段代码适用于32位和64位VS编译器。

除了人们多年前写的:

你可能会在gcc/mingw上得到这个错误:

main.c:30:3:警告:未知转换类型字符'l'的格式[-Wformat=]

printf(“%llu\n”, k);

那么你的mingw版本不会默认为c99。添加编译器标志:-std=c99。

非标准的东西总是奇怪的:)

对于长而长的部分 在GNU下是L, ll或q

在窗户下,我相信它只是

格式化unsigned long long的一种可能是使用uintmax_t。该类型自C99以来就可用,与stdint.h中发现的其他一些可选的精确宽度类型不同,uintmax_t是标准所要求的(它的带符号的对应对象intmax_t也是如此)。

根据标准,uintmax_t类型可以表示任何无符号整数类型的任何值。

你可以使用%ju转换说明符打印uintmax_t值(并且intmax_t可以使用%jd打印)。要打印一个不是uintmax_t的值,你必须先转换为uintmax_t以避免未定义的行为:

#include <stdio.h>
#include <stdint.h>

int main(void) {
    unsigned long long num = 285212672;
    printf("%ju\n", (uintmax_t)num);

    return 0;
}