在数学中,矩阵的“谱半径”是指其特征值的模集合的上确界。换言之,对于给定的n个复数空间的特征值{a+bi, ..., a+bi},它们的模为实部与虚部的平方和的开方,而“谱半径”就是最大模。
现在给定一些复数空间的特征值,请你计算并输出这些特征值的谱半径。
输入格式:
输入第一行给出正整数N(<= 10000)是输入的特征值的个数。随后N行,每行给出1个特征值的实部和虚部,其间以空格分隔。注意:题目保证实部和虚部均为绝对值不超过1000的整数。
输出格式:
在一行中输出谱半径,四舍五入保留小数点后2位。
输入样例:
5
0 1
2 0
-1 0
3 3
0 -3
输出样例:
4.24
分析:
幂函数 pow(a,n);
开方函数 double sqrt(double)
别人家的代码
#include<iostream>
#include<math.h>
#include<iomanip>
using namespace std; int main(){
int N;
double a,b;
double max=;
cin>>N;
while(N--){
cin>>a>>b;
double temp=sqrt(pow(a,)+pow(b,));
if(temp>max){
max=temp;
}
}
//max+=0.005;//并不需要这个 自动四舍五入
cout<<fixed<<setprecision()<<max;
}
自己家的代码
#include<iostream>
#include<math.h>
#include<iomanip>
using namespace std;
int main(){
int n;
double a[];
cin >> n;
double n1, n2;
for (int i = ; i < n; i++)
{
cin >> n1 >> n2;
a[i] = sqrt(n1*n1 + n2*n2);
}
double max = -;
for (int i = ; i < n; i++)
{
if (a[i]>max)
max = a[i];
} cout <<fixed<<setprecision()<< max;
return ;
}
最后Emmmm 关于fixed 固定点方式显示
以下是搜索的CSDNget到的答案
#include <iostream>
#include <iomanip>
using namespace std;
int main( void )
{
const double value = 12.3456789;
cout << value << endl; // 默认以6精度,所以输出为 12.3457
cout << setprecision() << value << endl; // 改成4精度,所以输出为12.35
cout << setprecision() << value << endl; // 改成8精度,所以输出为12.345679
cout << fixed << setprecision() << value << endl; // 加了fixed意味着是固定点方式显示,所以这里的精度指的是小数位,输出为12.3457
cout << value << endl; // fixed和setprecision的作用还在,依然显示12.3457
cout.unsetf( ios::fixed ); // 去掉了fixed,所以精度恢复成整个数值的有效位数,显示为12.35
cout << value << endl;
cout.precision( ); // 恢复成原来的样子,输出为12.3457
cout << value << endl;
}