tags:

views:

584

answers:

4

I try to do the following:

QList<QString> a;
foreach(QString& s, a)
{
 s += "s";
}

Which looks like it should be legitimate but I end up with an error complaining that it cannot convert from 'const QString' to 'QString &'.
Why is the QT foreach iterating with a const reference?

+2  A: 

I believe Qt's foreach takes a temporary copy of the original collection before iterating over it, therefore it wouldn't make any sense to have a non-const reference as modifying the temporary copy it would have no effect.

atomice
+4  A: 

As explained on the Qt Generic Containers Documentation:

Qt automatically takes a copy of the container when it enters a foreach loop. If you modify the container as you are iterating, that won't affect the loop. (If you don't modify the container, the copy still takes place, but thanks to implicit sharing copying a container is very fast.) Similarly, declaring the variable to be a non-const reference, in order to modify the current item in the list will not work either.

It makes a copy because you might want to remove an item from the list or add items while you are looping for example. The downside is that your use case will not work. You will have to iterate over the list instead:

for (QList<QString>::iterator i = a.begin(); i != a.end(); ++i) { 
  (*i) += "s";
}

A little more typing, but not too much more.

jamuraa
Minor nitpick: I prefer: for(QList<QString>::iterator i = a.begin(),end=a.end(); i != end; ...)
cheez
+2  A: 

Maybe for your case:

namespace bl = boost::lambda;
std::for_each(a.begin(),a.end(),bl::_1 += "s");
cheez
Using Boost Lambda is always good thing
blwy10
+3  A: 

or you can use

QList<QString> a;
BOOST_FOREACH(QString& s, a)
{
   s += "s";
}
TimW