Consider this example:
#include <iostream>
#include <string>
#include <vector>
#include <iterator>
int main()
{
std::string sen = "abc def ghi jkl";
std::istringstream iss(sen);
std::vector<std::string> // declaration in question
vec(std::istream_iterator<std::string>(iss),
std::istream_iterator<std::string>());
std::copy(vec.begin(), vec.end(),
std::ostream_iterator<std::string>(std::cout, "
"));
}
The compiler throws an error at the call to std::copy
request for member 'begin' in 'vec', which is of non-class type...
I can get around the error like this:
std::istream_iterator<std::string> it_begin(iss);
std::istream_iterator<std::string> it_end;
std::vector<std::string> vec(it_begin, it_end);
or by putting parentheses around each parameter, like this:
std::vector<std::string>
vec((std::istream_iterator<std::string>(iss)),
(std::istream_iterator<std::string>()));
or even with the new uniform initialization in C++11:
std::vector<std::string> vec { /*begin*/, /*end*/ };
Why is compiler parsing the declaration in the example as a function declaration? I know about most vexing parse, but I thought that only happens with empty parameter lists. I also wonder why the second workaround works.
See Question&Answers more detail:os