我写了一个小程序:
void showrecord()
{
char *a[]={ "O_BILLABLE_ACCOUNT","O_CUSTOMER_TYPE_INDICATOR",
"O_A_PARTY_MSISDN_ID","O_A_PARTY_EQUIPMENT_NUMBER",
"O_A_PARTY_IMSI","O_A_PARTY_LOCATION_INFO_CELL_ID",
...
};
vector<std::string> fields(a,a+75);
cout<<"done!!!"<<endl;
}
int main()
{
showrecord();
}
我有一些字符串文字,我希望它们被复制到一个向量中。 我没有找到任何其他简单的方法:(。或者如果有任何直接的方法来初始化矢量而不使用数组,那将非常有帮助。 这是在我在unix上运行可执行文件后转储核心。 它给了我一个警告,但是:
Warning 829: "test.cpp", line 12
# Implicit conversion of string literal to 'char *' is deprecated.
D_TYPE","O_VARCHAR_5","O_VARCHAR_6","O_VARCHAR_7","O_VARCHAR_8","O_VARCHAR_9"};
但是相同的代码在Windows上正常运行没有任何问题。 我在HPUX上使用编译器aCC。
请帮忙! 的修改 下面是转储的堆栈跟踪。
(gdb) where
#0 0x6800ad94 in strlen+0xc () from /usr/lib/libc.2
#1 0xabc0 in std::basic_string<char,std::char_traits<char>,std::allocator<char>>::basic_string<char,std::char_traits<char>,std::allocator<char>>+0x20 ()
#2 0xae9c in std<char const **,std::basic_string<char,std::char_traits<char>,std::allocator<char>> *,std::allocator<std::basic_string<char,std::char_traits<char>,std::allocator<char>>>>::uninitialized_copy+0x60 ()
#3 0x9ccc in _C_init_aux__Q2_3std6vectorXTQ2_3std12basic_stringXTcTQ2_3std11char_traitsXTc_TQ2_3std9allocatorXTc__TQ2_3std9allocatorXTQ2_3std12basic_stringXTcTQ2_3std11char_traitsXTc_TQ2_3std9allocatorXTc____XTPPCc_FPPCcT118_RW_is_not_integer+0x2d8
()
#4 0x9624 in showrecord () at test.cpp:13
#5 0xdbd8 in main () at test.cpp:21
答案 0 :(得分:5)
为什么选择75?
更改
vector<std::string> fields(a,a+75);
到
vector<std::string> fields(a, a + sizeof a / sizeof *a);
为C ++ 03初始化矢量没有可能有“更好”的方法,但是对于C ++ 0x,你可以使用更方便的语法,省去了C数组:
std::vector<std::string> fields {
"O_BILLABLE_ACCOUNT",
// ...
};
答案 1 :(得分:4)
尝试使用const char* a[]
代替char* a[]
。字符串文字的类型为const char*
,而不是char*
,因此您会收到警告。
答案 2 :(得分:2)
这是IMO更通用的可能解决方案 - 使用适用于任何大小的字符串数组的可重用函数:
#include <algorithm>
#include <iostream>
#include <iterator>
#include <string>
#include <vector>
template <typename Array, std::size_t Size>
std::vector<std::string> make_vector(Array (&ar)[Size])
{
std::vector<std::string> v(ar, ar + Size);
return v;
}
int main()
{
char const* a[] = { "Aa","Bb", "Cc","Dd", "Ee","Ff" };
// copy C-array to vector
std::vector<std::string> fields = make_vector(a);
// test
std::copy(fields.begin(), fields.end(),
std::ostream_iterator<std::string>(std::cout, "\n"));
}