133

非常基本的问题:如何short在 C++ 中编写文字?

我知道以下内容:

  • 2是一个int
  • 2U是一个unsigned int
  • 2L是一个long
  • 2LL是一个long long
  • 2.0f是一个float
  • 2.0是一个double
  • '\2'是一个char

但是我将如何写一个short文字?我试过2S了,但这给出了编译器警告。

4

7 回答 7

92
((short)2)

是的,它不是严格意义上的简短文字,更像是一个强制转换,但行为是相同的,我认为没有直接的方法。

这就是我一直在做的事情,因为我找不到任何关于它的东西。我猜编译器会足够聪明地编译它,就好像它是一个短文字(即它实际上不会分配一个 int 然后每次都强制转换它)。

以下说明了您应该对此担心多少:

a = 2L;
b = 2.0;
c = (short)2;
d = '\2';

编译->反汇编->

movl    $2, _a
movl    $2, _b
movl    $2, _c
movl    $2, _d
于 2008-10-16T13:01:35.547 回答
54

C++11 让你非常接近你想要的。(搜索“用户定义的文字”以了解更多信息。)

#include <cstdint>

inline std::uint16_t operator "" _u(unsigned long long value)
{
    return static_cast<std::uint16_t>(value);
}

void func(std::uint32_t value); // 1
void func(std::uint16_t value); // 2

func(0x1234U); // calls 1
func(0x1234_u); // calls 2

// also
inline std::int16_t operator "" _s(unsigned long long value)
{
    return static_cast<std::int16_t>(value);
}
于 2012-08-28T03:12:14.887 回答
33

甚至 C99 标准的编写者也被这一点所吸引。这是 Danny Smith 的公共领域stdint.h实现的一个片段:

/* 7.18.4.1  Macros for minimum-width integer constants

    Accoding to Douglas Gwyn <gwyn@arl.mil>:
    "This spec was changed in ISO/IEC 9899:1999 TC1; in ISO/IEC
    9899:1999 as initially published, the expansion was required
    to be an integer constant of precisely matching type, which
    is impossible to accomplish for the shorter types on most
    platforms, because C99 provides no standard way to designate
    an integer constant with width less than that of type int.
    TC1 changed this to require just an integer constant
    *expression* with *promoted* type."
*/
于 2008-10-16T16:25:35.260 回答
25

如果您使用 Microsoft Visual C++,则每种整数类型都有可用的文字后缀:

auto var1 = 10i8;  // char
auto var2 = 10ui8; // unsigned char

auto var3 = 10i16;  // short
auto var4 = 10ui16; // unsigned short

auto var5 = 10i32;  // int
auto var6 = 10ui32; // unsigned int

auto var7 = 10i64;  // long long
auto var8 = 10ui64; // unsigned long long

请注意,这些是非标准扩展不可移植。事实上,我什至无法在 MSDN 上找到有关这些后缀的任何信息。

于 2015-06-03T17:36:55.253 回答
13

您还可以使用伪构造函数语法。

short(2)

我发现它比强制转换更具可读性。

于 2015-04-19T21:05:59.953 回答
8

据我所知,你没有,没有这样的后缀。但是,如果整数文字太大而无法放入您尝试存储它的任何变量,大多数编译器都会发出警告。

于 2008-10-16T13:00:41.197 回答
8

一种可能性是为此目的使用 C++11“列表初始化”,例如:

short{42};

此解决方案的优点(与当前接受的答案中的强制转换相比)是它不允许缩小转换:

auto number1 = short(100000); // Oops: Stores -31072, you may get a warning
auto number2 = short{100000}; // Compiler error. Value too large for type short

请参阅https://en.cppreference.com/w/cpp/language/list_initialization#Narrowing_conversions以了解禁止使用 list-init 进行的缩小转换

于 2020-11-25T12:27:34.127 回答