Since I've seen this asked several times now, I'll blog the answer:
You are using wxWidgets XRC Resources and compile a Unicode application (which is default on Visual Studio 8.0 Express) and are getting an error similar to
xrcdemo.cpp:63:1: pasting "LL" and "L"UsernameField"" does not give a valid preprocessing token
xrcdemo.cpp: In member function `void LoginDialog::InitWidgetsFromXRC()':
The error is in how you are using the XRC macros. XRC macros don't accept string constants enclosed in _T(). Use string contants without _T(), even in Unicode builds.
Summary: Use _T() with XRC methods, do not use _T() with XRC macros.
Suppose you have
wxXmlResource::Get()->LoadDialog(this, NULL, _T("LoginDialog"));
UsernameField = XRCCTRL(*this, _T("UsernameField"), wxTextCtrl);
You must enclose strings in _T(), if you want to be able to compile your application in both, ANSI and Unicode builds. So
LoadDialog(this, NULL, _T("LoginDialog")); is the correct way to specify 'LoginDialog' as the XRC resource.
But, the XRC macros that take a string use _T() internally already. So
XRCCTRL(*this, _T("UsernameField"), wxTextCtrl) is wrong, because XRCCTRL is a macro and it adds _T() to the 'UsernameField' parameter itself. The compiler then sees something like
xrcctrl_function(*this, _T( _T("UsernameField") ), wxTextCtrl)
and prints an error.
The correct use of the XRCCTRL and similar macros is to pass in strings without _T(), even in Unicode builds.
UsernameField = XRCCTRL(*this, "UsernameField"), wxTextCtrl);
Some more background for the interested: _T() is a simple macro that simply adds the literal 'L' in front of a quoted string in Unicode builds and does nothing in ANSI builds. Unicode strings are wide-character strings (wchar_t). Wide-character string constants must be preceded by an L in C++.
"This is a char string (1byte), or ANSI string"
L"This is a wide-char string (2byte/4byte under linux), or Unicode string"
Using
XRCCTRL(*this, _T("UsernameField"), wxTextCtrl) would expand to
xrcctrl_function(*this, LL"UsernameField", wxTextCtrl), which is what the compiler error message says.
Best regards
Hajo Kirchhoff
P.S. Please have a look at
wxVisualSetup for Visual Studio 2002/2003 or 2005 to support this blog.