43

Trying to answer to another post whose solution deals with IP addresses and netmasks, I got stuck with plain bitwise arithmetic.

Is there a standard way, in Python, to carry on bitwise AND, OR, XOR, NOT operations assuming that the inputs are "32 bit" (maybe negative) integers or longs, and that the result must be a long in the range [0, 2**32]?

In other words, I need a working Python counterpart to the C bitwise operations between unsigned longs.

EDIT: the specific issue is this:

>>> m = 0xFFFFFF00   # netmask 255.255.255.0
>>> ~m
-4294967041L         # wtf?! I want 255
2
  • I imagine Pythons loose typing would play hell with any algorithm like this... I want to see one too, just out of curiousity. Commented Oct 16, 2008 at 23:40
  • As of Python 3.3, some users encountering this might be interested in the ipaddress module. Commented Feb 5, 2014 at 9:41

5 Answers 5

64

You can use ctypes and its c_uint32:

>>> import ctypes
>>> m = 0xFFFFFF00
>>> ctypes.c_uint32(~m).value
255L

So what I did here was casting ~m to a C 32-bit unsigned integer and retrieving its value back in Python format.

Sign up to request clarification or add additional context in comments.

Comments

54

You can mask everything by 0xFFFFFFFF:

>>> m = 0xFFFFFF00
>>> allf = 0xFFFFFFFF
>>> ~m & allf
255L

5 Comments

This strategy also helps with bash arithmetic.
You're doing one more operation than necessary. ANDing a NOT is the same as an XOR. So, m ^ allf is what you need.
@mlefavor I don't know where you got the idea that ~a & b is the same as a ^ b. It's not in general.
I guess that was overexuberant of me. But I think it's true in the case of 0xFFFFFFFF.
See this wiki for the reason for needing the mask: wiki.python.org/moin/BitwiseOperators In a nutshell, negative numbers are treated as if they have an infinite number of leading 1s. The bitmask shaves off all but the number of digits that you want.
13
from numpy import uint32

1 Comment

@gerrit Is he referring to the fact that it requires the system to have the numpy module installed whereas ctypes is a part of core python?
6

You could also xor with 0xFFFFFFFF, which is equivalent to the "unsigned complement".

>>> 0xFFFFFF00 ^ 0xFFFFFFFF
255

Comments

1

This is a module that I created a long time ago, and it might be of help to you:

IPv4Utils

It provides at least a CIDR class with subnet arithmetic. Check the test cases at the end of the module for examples.

Comments

Your Answer

By clicking “Post Your Answer”, you agree to our terms of service and acknowledge you have read our privacy policy.

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.