On Nov 25, 11:08 pm, mike3 <mike4...@yahoo.com> wrote:
On Nov 25, 5:37 am, terminator <farid.mehr...@gmail.com> wrote:
<snip>
turninng debug switch off I found the following two sequences almost
equivalent in time:
1.vector buf ; swap ;
2. array buf ; fill ; result.reserve ; copy ;
#include <iostream>
#include <conio.h>
#include <vector>
#include <string>
#include <Ctime>
using namespace std;
enum {sz=1000,loop=100*1000};
void vec1(){
vector <int> v(sz),dest;
v.swap(dest);
}
void vec0(){
vector <int> v,dest;
v.reserve(sz);
fill(v.begin(),v.begin()+v.capacity(),0);
v.swap(dest);
}
void vec2(){
vector <int> v(sz),dest;
swap(dest,v);
}
void arr(){
int arr[sz];
vector <int> dest;
fill(arr,&(arr[sz]),0);
dest.reserve(sz);
copy(arr,&arr[sz],dest.begin());
}
template <typename pred>
void test(pred f,string txt){
cout<<("testing:"+txt)<<endl;
const clock_t c=clock();
for(int i=0;i<loop;i++)
f();
cout<<clock()-c<<" ms"<<endl;
}
int main()
{
vector<A> v1(sz);
cout << "\nvector * i=" << A::get() << endl ;
A::get()=0;
vector<A> v2;
v2.reserve(sz);
cout << "reserve * i=" << A::get() << endl ;
test(vec0,"reserve");
test(vec1,"vector");
test(vec2,"std::swap");
test(arr,"array");
getch();
return 0;
}
output:
testing:reserve
1172 ms
testing:vector
1141 ms
testing:std::swap
1125 ms
testing:array
1141 ms
regards,
FM.
I noticed however in even the "array" routine
a vector is created. Have you tried one where
there are _no_ vectors created in the routines?- Hide quoted text -
later I added:
void arr3(){
int *arr=new int[sz];
fill(arr,&(arr[sz]),0);
//delete arr; //wrong
/*that was wrong.this I meant:*/
delete[] arr;
};
void vec4(){
vector <int> v;
v.reserve(sz);
};
void vec5(){
vector <int> v;
v.reserve(sz);
v.insert(v.begin(),sz,0);
};
void vec6(){
vector <int> v;
v.insert(v.begin(),sz,0);
};
void vec7(){
vector <int> v;
v.resize(sz);
};
ps:
reserve dose not add elements to vector,it just increase current
capacity, so use insert or resize to add elements to the vector.
If you test the above functions you can see that using a vector is
equivalent to dynamically allocating and deallocating an array.Thus if
you do not perform an in-place calculation ,sooner or later you would
need to store the result in a somewhat dynamically allocated array
object.No matter when the dynamic allocation happens it always
increase runtime dramatically in an OS-dependent(unforcastable but
estimatable) manor and it is inevitable.So except for the case of in-
place calculation I would just start with a vector and finish with a
swap that takes place in no time.
regards,
FM.