How do I convert hex to decimal in Python?

Question:

I have some Perl code where the hex() function converts hex data to decimal. How can I do it on Python?

Asked By: Sir D

||

Answers:

>>> int("0xff", 16)
255

or

>>> int("FFFF", 16)
65535

Read the docs.

Answered By: Tim Pietzcker

If by “hex data” you mean a string of the form

s = "6a48f82d8e828ce82b82"

you can use

i = int(s, 16)

to convert it to an integer and

str(i)

to convert it to a decimal string.

Answered By: Sven Marnach

You could use a literal eval:

>>> ast.literal_eval('0xdeadbeef')
3735928559

Or just specify the base as argument to int:

>>> int('deadbeef', 16)
3735928559

A trick that is not well known, if you specify the base 0 to int, then Python will attempt to determine the base from the string prefix:

>>> int("0xff", 0)
255
>>> int("0o644", 0)
420
>>> int("0b100", 0)
4
>>> int("100", 0)
100
Answered By: wim
Categories: questions Tags: , ,
Answers are sorted by their score. The answer accepted by the question owner as the best is marked with
at the top-right corner.