我试图在头文件中以矢量格式定义一个连续的RID范围:
#include<vector>
#include<stdlib.h>
#include<iostream>
#define vector<int> IDM_POPUP_LAST (5);
for(i = 0; i < IDM_POPUP_LAST.size(); i++)
IDM_POPUP_LAST [i] = i + 90;
这里有什么遗漏。我有一组错误:
答案 0 :(得分:0)
您正在尝试使用静态初始化的数据,并希望它位于vector
的对象中(如果我理解正确的话)。不幸的是,用这种方式在C ++中做不到这一点。但是,您可以探索其他选项:
1)使用静态数组,如下所示:
int IDM_POPUP_LAST[] = {1, 2, 3, 4, 5};
2)有一个在main()
早期或虚拟类的构造函数初始化的向量,如下所示:
vector<int> IDM_POPUP_LAST(5);
struct DummyInitializer
{
DummyInitializer()
{
// code to initialize the vector IDM_POPUP_LAST
}
} global_var_so_the_constructor_is_called_before_main;
答案 1 :(得分:0)
你的变量声明是错误的。变量通常使用以下语法声明:
std::vector<int> IDM_POPUP_LAST (5);
除此之外,for
不能简单地放在函数之外。
话虽这么说,这可能是你用作全局变量的东西。解决这个问题的一种方法是使它成为类的静态成员,并具有初始化它的函数。当您决定需要时,您甚至可以在此处添加其他类型的ID,并根据需要将其初始化为函数:
//resource.h
struct ResourceIDs {
static std::vector<int> menus;
static void init();
//Let's add in three cursors
static std::vector<int> cursors;
};
//NOTE - these are all better off in a .cpp
#include "resources.h" //if in the cpp
std::vector<int> ResourceIDs::menus (5); //define the menus member
std::vector<int> ResourceIDs::cursors (3); //define the cursors member
void ResourceIDs::init() {
for (int i = 0; i < menus.size(); ++i) //note the type mismatch since vector
menus[i] = i + 90; //uses size_t, which is unsigned
//let's do cursors starting at 150
for (int i = 0; i < cursors.size(); ++i)
cursors[i] = i + 150;
}
现在您只需要确保初始化它们,然后您可以在任何需要的地方使用它们:
#include <windows.h>
#include "resource.h"
int main() {
ResourceIDs::init();
//create window, message loop, yada yada
}
LRESULT CALLBACK WndProc (HWND hwnd, UINT msg, WPARAM wParam, LPARAM lParam) {
switch (msg) {
case WM_COMMAND:
//check the menu ids using ResourceIDs::menus[x]
default:
return DefWindowProc (hwnd, msg, wParam, lParam);
}
}
唯一不同之处在于定义ID的代码#14应该是ResourceIDs::init()
开头的main
调用,需要ResourceIDs::
和数组语法。