What & How & Why

差别

这里会显示出您选择的修订版和当前版本之间的差别。

到此差别页面的链接

两侧同时换到之前的修订记录前一修订版
后一修订版
前一修订版
cs:programming:cpp:courses:cpp_basic_deep:chpt_4 [2024/10/02 13:14] – [交换两个数] codingharecs:programming:cpp:courses:cpp_basic_deep:chpt_4 [2024/10/03 06:03] (当前版本) – [sizeof] codinghare
行 135: 行 135:
 </code> </code>
 <WRAP center round info 100%> <WRAP center round info 100%>
-entity: unparenthesized id-expression or an unparenthesized class member access expression.+Entity**unparenthesized id-expression** or an **unparenthesized class member access expression**.
 </WRAP> </WRAP>
 ===类型转换=== ===类型转换===
行 340: 行 340:
 x^=y; // 最后结果 x = 3, y =2 x^=y; // 最后结果 x = 3, y =2
 </code> </code>
 +===自增 / 自减操作符=== 
 +  * 后缀 ''i++'':返回 ''i'' (的原始值),再自增 
 +  * 前缀 ''++i'':自增,再返回 ''i'' (运算之后的)值 
 +  * 前缀返回**左值**,后缀返回**右值** 
 +<WRAP center round box 100%> 
 +  * 后缀在返回的时候当前变量已经更新,因此只能返回一个历史内容,属于临时变量,因此是右值 
 +  * 前缀可以视作 x = x + 1; 得到是左值。该左值还可以接着放到等号左边,因此 ++(++x) 也是合法的。 
 +  * 推荐使用前缀:后缀会创造**临时变量**并返回,效率较低。 
 +  * 后缀一般用于需要利用返回值的时候,比如运算符重载时(类)可能会用到 
 +</WRAP> 
 +===其他操作符=== 
 +==成员访问操作符== 
 +  * ''.'' 成员访问操作符 
 +  * 实质是 ''->'' 通过(this)指针访问成员 
 +<code cpp> 
 +struct Str { int x }; 
 +int main() 
 +
 +    Str a; 
 +    // a 是左值,返回左值 
 +    a.x; 
 +    // Str() 是 右值, 返回值为右值引用 
 +    Str().x; 
 +    //(*ptr).x,返回左值 
 +    ptr->x; 
 +
 +</code> 
 +==三元条件操作符== 
 +<code cpp> 
 +// 只会求值一个分支 
 +true ? 3:5; 
 +// 条件表达式返回的类型必须相同 
 +ture ? 1: "hello"; // error 
 +// 都是左值,则返回左值,否则返回右值 
 +int x = 0; 
 +false ? 1 : x; // 返回右值 
 +// 右结合 
 +// 先判断 score == 0 
 +int score = 100; 
 +int res = (score > 0) ? 1: (score == 0) ? 0:-1; 
 +</code> 
 +==逗号操作符== 
 +  * 典型应用: 
 +    * for 循环中可以写出较为复杂的语句 
 +    * 元编程:折叠表达式,包展开 
 +  * 函数的参数表达式不是逗号操作符,参数列表求值顺序不定 
 +<code cpp> 
 +// 确保操作数从左向右求值 
 +// 求值结果为右算子 
 +2, 3; // result is 3 
 +// 左结合 
 +// (2, 3) , 4 
 +2, 3, 4; 
 +</code> 
 +==sizeof== 
 +  * 返回类型 / 对象 / 表达式返回值占用的字节数 
 +<code cpp> 
 +int x; 
 +// 推荐统一使用带括号的形式 
 +sizeof(int); 
 +sizeof(x); 
 +// 对表达式评估时,不会真正执行求值 
 +int* ptr = nullptr; 
 +// 等价 sizeof(int) 
 +sizeof(*ptr); 
 +</code> 
 +==域操作符== 
 +用于访问域内的变量 
 +<code cpp> 
 +int = x; 
 +namspace ABC 
 +
 +   int x; 
 +
 +int main() 
 +
 +   int x; 
 +   int y = x; // local 
 +   int y = ::x; // global 
 +   int y = ABC::x // ABC 
 +
 +</code> 
 +===C++17表达式求值顺序=== 
 +  * 之前的限定求值:逗号,三元条件,逻辑与 / 或(短路) 
 +  * C++17 新引入的限定 
 +<code cpp> 
 +// 先求 e1,再求 e2 
 +e1[e2]; 
 +e1.e2; 
 +e1.*e2; 
 +e1->*e2; 
 +e1<<e2; 
 +e1>>e2; 
 +e2=e1 / e2+=e1/ e2*=e1; 
 +</code> 
 +   * newType(e) 会先分配内存再求值