第六单元
练习 6.1
编写你自己的fact函数,上机检查是否正确。注:阶乘。
#include <iostream>
int fact(int i)
{
if(i<0)
{
std::runtime_error err("Input cannot be a negative number");
std::cout << err.what() << std::endl;
}
return i > 1 ? i * fact( i - 1 ) : 1;
}
int main()
{
std::cout << std::boolalpha << (120 == fact(5)) << std::endl;
return 0;
}
启用std::boolalpha,可以输出 "true"或者 “false”。
练习 6.2
编写一个与用户交互的函数,要求用户输入一个数字,计算生成该数字的阶乘。在main函数中调用该函数。
#include <iostream>
#include <string>
int fact(int i)
{
return i > 1 ? i * fact(i - 1) : 1;
}
void interactive_fact()
{
std::string const prompt = "Enter a number within [1, 13) :\n";
std::string const out_of_range = "Out of range, please try again.\n";
for (int i; std::cout << prompt, std::cin >> i; )
{
if (i < 1 || i > 12)
{
std::cout << out_of_range;
continue;
}
std::cout << fact(i) << std::endl;
}
}
int main()
{
interactive_fact();
return 0;
}
练习 6.3
编写一个函数输出其实参的绝对值。
#include <iostream>
int abs(int i)
{
return i > 0 ? i : -i;
}
int main()
{
std::cout << abs(-5) << std::endl;
return 0;
}
练习 6.4
说明形参、局部变量以及局部静态变量的区别。编写一个函数,同时达到这三种形式。
解:
形参定义在函数形参列表里面;局部变量定义在代码块里面; 局部静态变量在程序的执行路径第一次经过对象定义语句时初始化,并且直到程序终止时才被销毁。
// 例子
int count_add(int n) // n是形参
{
static int ctr = 0; // ctr 是局部静态变量
ctr += n;
return ctr;
}
int main()
{
for (int i = 0; i != 10; ++i) // i 是局部变量
cout << count_add(i) << endl;
return 0;
}
练习 6.5
编写一个函数,当它第一次被调用时返回0,以后每次被调用返回值加1。
#include <iostream>
int generate()
{
static int ctr = 0;
return</