3
#define CONST_FILENAME "okay.dat"
LPCWSTR lpFilename=L CONST_FILENAME; //obviously doesn't work

基本上,我如何获得相当于:

LPCWSTR lpFilename=L"okay.dat";

使用#define

4

3 回答 3

5
#define GLUE(x,y) x##y
#define W(x) GLUE(L,x)

#define CONST_FILENAME "okay.dat"

int main() {
    const wchar_t* lpFilename = W(CONST_FILENAME);
    const wchar_t* lpFilename = W("okay.dat");
    wchar_t one_character = W('?');
}

http://ideone.com/2EzB6上的编译证明。这正是微软_T宏的工作方式,除了我无条件地定义它,因此即使不在 MSVC“Unicode”构建中,您也可以使用它来获取宽字符串。至于为什么需要 GLUE 宏,我从来没有听过对我有意义的解释,但是没有它,宏不会扩展,所以它是必需的。看起来这里有详细信息:## 预处理器运算符的应用和要考虑的问题是什么?

于 2012-09-06T15:53:41.543 回答
3

#define CONST_FILENAME L"okay.dat"

于 2012-04-07T04:11:38.450 回答
2

但是如果我想CONST_FILENAME在 ASCII 上下文中使用 [too] 怎么办?如:

char *something = CONST_FILENAME;

LinL"okay.dat"不能与by"空格分开。宽字符字符串是单个标记,您不能直接“添加L到它”。但是,您可以进行字符串连接:

#include <wchar.h>

#define A_STRING "xyz.txt"

/* MMT - Magical Mystery Tour */
#define MMT(x) L"" x

char a[] = A_STRING;
wchar_t w[] = MMT(A_STRING);

狡猾,但 GCC 可以接受。这很好,因为标准也是如此。这是来自 C99 标准:

§6.4.5 字符串文字

¶4 在翻译阶段 6,由任何相邻字符序列和宽字符串文字标记指定的多字节字符序列连接成单个多字节字符序列。如果任何标记是宽字符串文字标记,则生成的多字节字符序列将被视为宽字符串文字;否则,它被视为字符串文字。


测试代码:

#include <assert.h>
#include <stdio.h>
#include <string.h>
#include <wchar.h>

#define A_STRING "xyz.txt"

/* MMT - Magical Mystery Tour */
#define MMT(x) L"" x

static char a[] = A_STRING;
static wchar_t w[] = MMT(A_STRING);

int main(void)
{
    int len1 = wcslen(w);
    int len2 = sizeof(w) / sizeof(w[0]) - 1;
    int len3 = strlen(a);
    int len4 = sizeof(a) / sizeof(a[0]) - 1;

    assert(len1 == len2);
    assert(len3 == len4);
    assert(len1 == len3);
    printf("sizeof(a) = %zu; sizeof(w) = %zu\n", sizeof(a), sizeof(w));

    for (int i = 0; i < len1; i++)
        printf("%d = %d\n", i, (int)w[i]);

    for (int i = 0; i < len1; i++)
        printf("%d = %d\n", i, (int)a[i]);

    return(0);
}

汇编:

gcc -O3 -g -Wall -Wextra -std=c99  xx.c -o xx  

示例输出:

sizeof(a) = 8; sizeof(w) = 32
0 = 120
1 = 121
2 = 122
3 = 46
4 = 116
5 = 120
6 = 116
0 = 120
1 = 121
2 = 122
3 = 46
4 = 116
5 = 120
6 = 116

测试平台

MacOS X 10.7.3(狮子)。64位编译。

i686-apple-darwin11-llvm-gcc-4.2 (GCC) 4.2.1(基于 Apple Inc. build 5658)(LLVM build 2335.15.00)

于 2012-04-07T05:12:25.663 回答