Wet Shark asked Rat Kwesh to generate three positive real numbers x, y and z, from 0.1 to 200.0, inclusive. Wet Krash wants to impress Wet Shark, so all generated numbers will have exactly one digit after the decimal point.
Wet Shark knows Rat Kwesh will want a lot of cheese. So he will give the Rat an opportunity to earn a lot of cheese. He will hand the three numbers x, y and z to Rat Kwesh, and Rat Kwesh will pick one of the these twelve options:
- a1 = xyz;
- a2 = xzy;
- a3 = (xy)z;
- a4 = (xz)y;
- a5 = yxz;
- a6 = yzx;
- a7 = (yx)z;
- a8 = (yz)x;
- a9 = zxy;
- a10 = zyx;
- a11 = (zx)y;
- a12 = (zy)x.
Let m be the maximum of all the ai, and c be the smallest index (from 1 to 12) such that ac = m. Rat's goal is to find that c, and he asks you to help him. Rat Kwesh wants to see how much cheese he gets, so he you will have to print the expression corresponding to that ac.
The only line of the input contains three space-separated real numbers x, y and z (0.1 ≤ x, y, z ≤ 200.0). Each of x, y and z is given with exactly one digit after the decimal point.
Find the maximum value of expression among xyz, xzy, (xy)z, (xz)y, yxz, yzx, (yx)z, (yz)x, zxy, zyx, (zx)y, (zy)x and print the corresponding expression. If there are many maximums, print the one that comes first in the list.
xyz should be outputted as x^y^z (without brackets), and (xy)z should be outputted as (x^y)^z (quotes for clarity).
1.1 3.4 2.5
z^y^x
2.0 2.0 2.0
x^y^z
1.9 1.8 1.7
(x^y)^z
【题意】给定公式求值最大中下标最小的公式
【分析】考虑取一个对数的话,值就算用double也是不够的,要用long double。然后将对应的公式取对数就行了。取pow的时候需要使用powl,这是long double版本的pow函数。然后这道题还有一种解法,直接用复数,可以见blog:http://blog.csdn.net/lwt36/article/details/50618702
【AC 代码】
#include <bits/stdc++.h>
using namespace std;
long double a[15];
long double x,y,z;
const long double eps = 1e-8;
char ans[12][15]={"x^y^z","x^z^y","(x^y)^z","(x^z)^y","y^x^z","y^z^x","(y^x)^z","(y^z)^x","z^x^y",
"z^y^x","(z^x)^y","(z^y)^x"};
int main()
{
cin>>x>>y>>z;
long double logx = log(x);
long double logy = log(y);
long double logz = log(z);
a[0] = powl(y,z)*logx;
a[1] = powl(z,y)*logx;
a[2] = y*z*logx;
a[3] = -1;
a[4] = powl(x,z)*logy;
a[5] = powl(z,x)*logy;
a[6] = x*z*logy;
a[7] = -1;
a[8] = powl(x,y)*logz;
a[9] = powl(y,x)*logz;
a[10] = x*y*logz;
a[11] = -1;
long double anss=a[0];
int idx=0;
for(int i=1; i<12; i++){
if(!fabs(anss-a[i])<eps&&a[i]>anss){
anss = a[i];
idx = i;
}
}
printf("%s\n",ans[idx]);
return 0;
}