Why statements cannot appear at namespace scope?

前端 未结 3 1123
逝去的感伤
逝去的感伤 2020-11-28 15:54

Any idea on which rule in standard states the statements like this:

p++; //where \'p\' is pointer to array

cannot appear in global scope? <

3条回答
  •  离开以前
    2020-11-28 15:56

    The expression p++ which you've written is at namespace scope. It is forbidden by the grammer of namespace-body which is defined in §7.3.1/1 as:

    namespace-body:
         declaration-seqopt

    which says the namespace-body can optionally contain only declaration. And p++ is surely not a declaration, it is an expression, therefore the Standard implicitly forbids it. The Standard might have explicit statement forbidding this, but I think the above should be enough.

    In the same way, you cannot do this:

    namespace sample
    {
      f(10,10); //error
      std::cout << "hello world" << std::endl;//error
    }
    

    But if you somewhow convert expressions into declarations (or rather use expressions in declarations), then you could evaluate the so-called expressions. Here is one trick:

    #include
    
    namespace sample
    {
      struct any { template any(const T&){} };
    
      void f(int a,int b) { std::cout << a * b <<  std::endl; }
    
      any a1= (f(10,10), 0); //ok
      any a2 = std::cout << "hello world" << std::endl;//ok
    }
    
    int main() {}
    

    Output (if you're lucky):

    100
    hello world
    

    Online demo : http://ideone.com/icbhh

    Notice that the return type of f() is void, which means I cannot write the following (see error):

    any a1 = f(10,10); //error
    

    That is why I used comma operator so that the expression could have some value, which evaluates to the last operand in the comma expression. In case of std:cout, since it returns std::ostream&, I don't need to use comma operator; it is fine without it.

    One more interesting thing in the above code: why I defined any and a templated constructor in it? The answer is, I wrote this so that I could assign value of any type (no pun intended), be it int, std::ostream& or whatever. The templated constructor can take argument of any type.

    But don't write such code. They're not guaranteed to work the way you expect.

    Read the answers in this topic where you would see why such coding could be dangerous:

    • Is main() really start of a C++ program?

提交回复
热议问题