Operators overloading for enums

前端 未结 2 1994
囚心锁ツ
囚心锁ツ 2020-12-09 18:04

Is it possible to define operators for enums? For example I have enum Month in my class and I would like to be able to write ++my_month.
Thanks
P.S.
In order to

相关标签:
2条回答
  • 2020-12-09 18:34

    Yes, you can:

    enum Month
    {
      January,
      February,
      // ... snip ...
      December
    };
    
    // prefix (++my_month)
    Month& operator++(Month& orig)
    {
      orig = static_cast<Month>(orig + 1); // static_cast required because enum + int -> int
      //!!!!!!!!!!!
      // TODO : See rest of answer below
      //!!!!!!!!!!!
      return orig;
    }
    
    // postfix (my_month++)
    Month operator++(Month& orig, int)
    {
      Month rVal = orig;
      ++orig;
      return rVal;
    }
    

    However, you have to make a decision about how to handle "overflowing" your enum. If my_month is equal to December, and you execute the statement ++my_month, my_month will still become numerically equivalent to December + 1 and have no corresponding named value in the enum. If you choose to allow this you have to assume that instances of the enum could be out of bounds. If you choose to check for orig == December before you increment it, you can wrap the value back to January and eliminate this concern. Then, however, you've lost the information that you've rolled-over into a new year.

    The implementation (or lack thereof) of the TODO section is going to depend heavily on your individual use case.

    0 讨论(0)
  • 2020-12-09 18:55

    Yes it is. Operator overloading can be done for all user defined types. That includes enums.

    0 讨论(0)
提交回复
热议问题