Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Why do C and C++ allow the expression (int) + 4*5?

(int) + 4*5;

Why is this (adding a type with a value) possible? (tried with g++ and gcc.)

I know that it doesn't make sense (and has no effect), but I want to know why this is possible.

like image 244
Ernest Bredar Avatar asked Apr 21 '19 14:04

Ernest Bredar


2 Answers

The + here is unary + operator, not the binary addition operator. There's no addition happening here.

Also, the syntax (int) is used for typecasting.

You can re-read that statement as

(int) (+ 4) * 5;    

which is parsed as

((int) (+ 4)) * (5);    

which says,

  1. Apply the unary + operator on the integer constant value 4.
  2. typecast to an int
  3. multiply with operand 5

This is similar to (int) (- 4) * (5);, where the usage of the unary operator is more familiar.

In your case, the unary + and the cast to int - both are redundant.

like image 168
Sourav Ghosh Avatar answered Nov 19 '22 13:11

Sourav Ghosh


This is interpreted as ((int)(+4)) * 5. That is, an expression +4 (a unary plus operator applied to a literal 4), cast to type int with a C-style cast, and the result multiplied by 5.

like image 40
Igor Tandetnik Avatar answered Nov 19 '22 15:11

Igor Tandetnik