往期传送门:
《C++ Primer Plus 第六版 中文版》的研读与学习(五)
《C++ Primer Plus 第六版 中文版》的研读与学习(四)
《C++ Primer Plus 第六版 中文版》的研读与学习(三)
《C++ Primer Plus 第六版 中文版》的研读与学习(二)
《C++ Primer Plus 第六版 中文版》的研读与学习(一)
上期我们讲到C++中的程序声明和赋值语句,今天,我们谈谈关于cout的输出语句。
先来看看我们所要探讨的程序:
#include <iostream>
int main()
{
using namespace std;
int carrot,a; // declare an integer variable 定义一个整型变量
carrot = a = 25; // assign a value to the variable 给该变量赋值
cout << "I have ";
cout << carrot; // display the value of the variable 输出该变量的值
cout << " carrots.";
cout << endl;
carrot = carrot - 1;
cout << "Crunch, crunch. Now I have " << carrot << " carrots." << endl;
return 0;
}
在《C++ Primer Plus 第六版 中文版》的研读与学习(四)中,我们介绍了cout
函数输出字符串的用法,在本程序中,即本程序中第8、10、13行的语句:
cout << "I have ";
cout << " carrots.";
cout << "Crunch, crunch. Now I have " << carrot << " carrots." << endl;
在第四期中我们提到,cout
是一个预定义的对象,只需要知道对象的接口,不需知道其具体内容即可使用。本程序中就用到了接口输出的方法:
cout << carrot;
对比C语言中的输出:
printf("%d",carrot);
C++中cout
的使用显然更加简洁,具体地,我们可以再看看以下的对比:
printf("%s" , "25");
printf("\n");
printf("%d" , 25);
printf("\n");
cout << "25";
cout << endl;
cout << 25;
cout << endl;
可以看出,C++的输出更为简洁。
好了,本期的分享就到此结束,下期我们将分析如下的程序中的内容。提前透露一下下一期的代码:
#include <iostream>
int main()
{
using namespace std;
int carrot;
cout << "How many carrots do you have?" << endl;
cin >> carrot; // C++output C++的输出
cout << "Here are two more." << endl;
carrot = carrot+2;
// The next line concatenates output
cout << "Now you have " << carrot << " carrots." << endl;
return 0;
}