Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

C#: bitwise operator in enum (Custom Authorization in MVC)

I'm currently reading an article , but I do not really understand how this work with the logical operator. Can anyone explain this to me?

eg. If I want to have 4 level securities with customer, employee, supervisor and Admin.

[Serializable]
[Flags]
public enum WebRoles
{             
    customer= 1 << 0,
    employee= 1 << 1,
    supervisor = 1 << 2,
    Admin = 2 << 3
}

and then how I should implement the following logic.

if (Roles != 0 && ((Roles & role) != role))
            return false;

Can anyone provide me some knowledge of this implementation?

Thank you very much.

Daoming

like image 654
Daoming Yang Avatar asked Jan 29 '10 00:01

Daoming Yang


1 Answers

They're using an enum as a bit map: if a specific bit is set, so you have that privilege. They're also using a left shift operator. Let me try to demonstrate all that at once:

Role         Decimal   Binary   Shifted   Decimal
--------     -------   ------   -------   -------
Customer   =    1    = 000001 = 000001  =    1
Employee   =    1    = 000001 = 000010  =    2
Supervisor =    1    = 000001 = 000100  =    4
Admin      =    2    = 000010 = 010000  =   16

This way you can combine two roles. For instance, some user can play Employee and Supervisor at same time, just having correspondent bits set.

And how to check if a bit is set? It's exactly what that (Roles & role) != role) do. For example:

WebRoles user = WebRoles.Employee | WebRoles.Supervisor;
bool isEmployee = (user & WebRoles.Employee) == WebRoles.Employee; // true

If you test user variable to check if that Employee bit is set, that & operator will return all match bits.

Hope this help; feel free to edit this answer

like image 192
Rubens Farias Avatar answered Sep 25 '22 17:09

Rubens Farias