(一)基础篇--要点日记

作者: 过年啦 | 来源:发表于2017-08-25 16:42 被阅读0次

命名空间

使用namespace的时候有四种不同的访问方式的写法:

1)将using namespace std;放在函数的定义之前,这样子做文件中所有的函数都可以使用std空间当中的元素。

2)将using namespace std;放在特定的函数定义当中,让该函数可以使用命名空间std当中的所有元素。

3)在特定的函数中使用using std::cout这样的编译指令,让该函数(注意不是定义)可以使用std空间当中指定的元素。说白了就是在cout前面加using std::。

4)完全不用编译指令using,在需要使用的命名空间std的元素当中使用前缀std::。这种方法很常见,就不举例子了。

就像python当中不要随便import整个包一样,其实常见的在代码一开头using namespace std并不是一个很好的选择。我推介在大型项目中使用第三种方法,也就是using std::cout这样的形式。

习题

输入小时和分钟,输出hours:minutes格式

eg:

Input:

Enter the number of hours : 9

Enter the number of minutes:28

Output:

Time:9:28

My answer:

#includeusing namespace std;

void myTime(int, int);

int main()

{

int hours, minutes = 0;

cout << "Enter the number of hours:";

cin >> hours;

cout << "Enter the number of minutes:";

cin >> minutes;

myTime(hours, minutes);

return 0;

}

void myTime(int hour, int minute)

{

cout << hour << ':' << minute << endl;

}

变量名命名规范

1)名称中只能使用字母字符、数字和下划线。

2)名称的第一个字符不能是数字。

3)区分大小写。

4)不能将C++的关键字用作名称。

5)以两个下划线和大写字母打头的名称被保留给实现(编译器以及其使用的资源)使用。以一个下划线开头的名称被保留给实现,用作全局标识符。

6)C++对名称的长度没有限制,名称中所有字符都有意义,但是某些平台有限制。

eg:

int _Mystars3;//valid but reserved -- starts with underscore

int  __fools;//vaild but reserved -- starts with two underscore

int honky-hot;//invalid 非法字符 -

类型的位数

1)short类型至少16位。

2)int类型至少与short类型一样长。

3)long至少32位,且至少和int类型一样长。

4)long long至少64位,且至少和long一样长。

注:8 bits(位)=1 Byte(字节)

所以说,每个类型的大小还是要看在不同系统当中依赖的实现,比如说我测试了以下的代码:

#include <iostream>

#include <climits>

using namespace std;

int main()

{

int n_int = INT_MAX;

int n_short = SHRT_MAX;

long n_long = LONG_MAX;

long long n_llong = LLONG_MAX;

cout << "Size of int is:" << sizeof(int) << endl;

cout << "Size of short is:" << sizeof(short) << endl;

cout << "Size of long is:" << sizeof(long) << endl;

cout << "Size of long long is:" << sizeof(long long) << endl;

return 0;

}

我的输出是(Ubutunu64位实现下):

Size of int is:4

Size of short is:2

Size of long is:8

Size of long long is:8

此外,我还尝试了char的size显示在我的系统当中是1字节,也就是8位。可以表示-128~127(-2^7~2^8)

但是书中给出的在WIn7 64位下long为4位,这就与我的输出不同了。

既然这么纠结,在代码当中使用sizeof()方法指明内存大小是比较常用的选择。

再者,不是unsiged的情况下,每个类型可以表示的数字最大小使用公式-2^x(bits)~2^x(bits)-1计算,例如short为2*8=16位,那么可以表示的最大的长度就是-32768~32767(2^15=32768)。如果是unsigned就很容易知道表示的数字的最大值位2^16=65536。

相关文章

网友评论

    本文标题:(一)基础篇--要点日记

    本文链接:https://www.haomeiwen.com/subject/eztsdxtx.html