In this tutorial, we will look at how to convert a tuple to a string in Python with the help of some examples.
How to convert a tuple to a string?

You can use the Python string join()
function to convert a tuple to a string. Alternatively, you can also iterate through the elements in the tuple and add them to your result string.
Let’s look at both the methods with the help of some examples.
Using string join()
The string join()
function is used to join strings together with a custom string in between them. To join concatenate strings, you can use an empty string, ""
to join two strings or strings in an iterable.
Let’s look at an example.
Highlighted programs for you
Flatiron School
Flatiron School
University of Maryland Global Campus
University of Maryland Global Campus
Creighton University
Creighton University
# tuple of strings t = ("a", "p", "p", "l", "e") # get string from tuple print("".join(t))
Output:
apple
We get the string resulting from joining the characters in the tuple.
In the above example, we used a tuple that contained only string values. What would happen if our tuple contains non-string values? Let’s find out.
# tuple of strings t = ("a", "p", "p", "l", "e", 2) # get string from tuple print("".join(t))
Output:
--------------------------------------------------------------------------- TypeError Traceback (most recent call last) Input In [2], in <module> 2 t = ("a", "p", "p", "l", "e", 2) 3 # get string from tuple ----> 4 print("".join(t)) TypeError: sequence item 5: expected str instance, int found
We get an error. This is because the string join()
function only works on strings (the element 2
is not a string). If you’re not sure above the type of element in the tuple, you can convert them to string before you apply the join()
function.
# tuple of strings t = ("a", "p", "p", "l", "e", 2) # get string from tuple print("".join(str(i) for i in t))
Output:
apple2
We now get the results without any errors. Here, we use the str()
function to convert each element in the tuple to a string before applying the string join()
.
Using a loop
You can also iterate through the elements in a tuple and add them to a result string. Let’s look at an example.
# tuple of strings t = ("a", "p", "p", "l", "e") # get string from tuple result = "" for c in t: result = result + c print(result)
Output:
apple
We get the string resulting from the tuple elements.
Again, if the tuple has non-string elements, convert them to string before concatenating them.
# tuple of strings t = ("a", "p", "p", "l", "e", 2) # get string from tuple result = "" for c in t: result = result + str(c) print(result)
Output:
apple2
We get the correct result.
You might also be interested in –
Subscribe to our newsletter for more informative guides and tutorials.
We do not spam and you can opt out any time.