I want to convert an integer to a string in Python. I am typecasting it in vain:
d = 15
d.str()
When I try to convert it to string, it's showing an error like int
doesn't have any attribute called str
.
>>> str(10)
'10'
>>> int('10')
10
Links to the documentation:
The problem seems to come from this line: d.str()
.
Conversion to a string is done with the builtin str()
function, which basically calls the __str__()
method of its parameter.
Try this:
str(i)
There is not typecast and no type coercion in Python. You have to convert your variable in an explicit way.
To convert an object in string you use the str()
function. It works with any object that has a method called __str__()
defined. In fact
str(a)
is equivalent to
a.__str__()
The same if you want to convert something to int, float, etc.
To manage non-integer inputs:
number = raw_input()
try:
value = int(number)
except ValueError:
value = 0
Ok, if I take your latest code and rewrite a bit to get it working with Python:
t=raw_input()
c=[]
for j in range(0,int(t)):
n=raw_input()
a=[]
a,b= (int(i) for i in n.split(' '))
d=pow(a,b)
d2=str(d)
c.append(d2[0])
for j in c:
print j
It gives me something like:
>>> 2
>>> 8 2
>>> 2 3
6
8
Which is the first characters of the string result pow(a,b)
.
What are we trying to do here?
>>> i = 5
>>> print "Hello, world the number is " + i
TypeError: must be str, not int
>>> s = str(i)
>>> print "Hello, world the number is " + s
Hello, world the number is 5
In Python => 3.6 you can use f
formatting:
>>> int_value = 10
>>> f'{int_value}'
'10'
>>>
The most decent way in my opinion is ``.
i = 32 --> `i` == '32'
repr(i)
, so it will be weird for longs. (Try i = `2 ** 32`; print i
- NoName 2015-05-19 15:46
Can use %s
or .format
>>> "%s" % 10
'10'
>>>
(OR)
>>> '{}'.format(10)
'10'
>>>
For someone who wants to convert int to string in specific digits, the below method is recommended.
month = "{0:04d}".format(localtime[1])
For more details, you can refer to Stack Overflow question Display number with leading zeros.
is that what you want - nik 2009-06-07 10:43