Reputation: 169
There are 2 types of errors in the code based on vector > vg(n) which i am unable to rectify
#include <utility>
#include <cmath>
#include<cstdio>
#include <vector>
using namespace std
#define COMP(a,b,xx,yy)(sqrt(((a-xx)*(a- xx)) + ((b-yy)*(b-yy))))
double radius ( vector<pair<(int, int)> > vk, int ii, int n)
{ //error:template argument 1,2 is invalid
int d=n;
int xx=vk[ii].first;
int yy=vk[ii].second;
int k = ii==0? 1:0;
double small=COMP(vk[k].first,vk[k].second,xx,yy);
double dd;
for (int i=0;i<d; i++)
{
if (i!=ii)
dd=COMP(vk[i].first,vk[i].second,xx,yy);
{
if (small>dd)
small=dd;
}
}
return small;
}
int main()
{
int t,n=1;
int k=0;
double r,l;
//Enter the value of t
scanf("%d",&t);
while (t--)
{
scanf("%d",&n);// Enter the value of n
vector <pair <int, int> > vg(n);
for (int i=0; i<n; i++)
{
scanf("%i %i",&vg[i].first,&vg[i].second);
//Enter the value of x and y co-odinates
}
for (int i=0; i<n; i++)
{
r=radius(vg,i,n);
l= (round(r*100.00))/100.00;
printf("%g\t%i\n",l);
}
}
return 0;
/* Error: wrong number of template arguments (1, should be 2)|
provided for ‘template<class _T1, class _T2> struct
std::pair’|*/
}
Upvotes: 1
Views: 1963
Reputation: 206607
I see the following problems:
One
using namespace std
There's a missing ;
. It should be
using namespace std;
Two
double radius ( vector<pair<(int, int)> > vk, int ii, int n)
should be
double radius ( vector<pair<int, int> > vk, int ii, int n)
Three
printf("%g\t%i\n",l);
You have two format specifiers but only one value is being passed to the function.
Upvotes: 0
Reputation: 23793
In your function declaration, remove the parenthesis around the vector
template type:
double radius ( vector<pair<int, int> > vk, int ii, int n)
A few notes :
vectors
by value aroundCOMP
macro by an inline functionUpvotes: 0
Reputation: 1243
It should be std::vector<std::pair<int, int> >
, although I don't see why you are passing it by value instead of by const reference.
Upvotes: 0