Python – Print list without quotes

Python – Print list without quotes

When you print a list with string elements to console output in Python, quotes appear around string elements in the list.

To print list without quotes in Python, write a custom function that takes a list as argument, converts each of the list element to string, then join all the elements in the list with comma, and enclose the resulting string in square brackets.

For example, consider the following list.

x = ['apple', 'banana', 100, 200]

When you print this list to output using print() built-in function, you would get the following output.

['apple', 'banana', 100, 200]

But, our requirement is that there should not be quotes surrounding the string elements.

[apple, banana, 100, 200]

Just the quotes removed surrounding the string elements in the list. Rest all same.

Steps to print list without quotes in Python

  1. Given a list in x.
  2. Create an iterable which applies str() function to each element in the list x.
map(str, x)
  1. Join the elements in the iterable with the comma character followed by single space ", " as separator string using string join() method.
", ".join(map(str, x))
apple, banana, 100, 200
  1. Now enclose this string between opening and closing square brackets by using string concatenation.
"[" + ", ".join(map(str, x)) + "]"
[apple, banana, 100, 200]

Program

The complete program to print the given list without quotes around any elements in it to standard output is given below.

In the following program, print_list_without_quotes() function takes a list and prints the list without quotes.

Python Program

# Custom function to print list without quotes
def print_list_without_quotes(x):
    print("[" + ", ".join(map(str, x)) + "]")

# Given list
x = ['apple', 'banana', 100, 200]

print_list_without_commas(x)
Run Code Copy

Output

[apple, banana, 100, 200]

There you have it. The list has been printed to output without quotes.

Summary

In this tutorial, we have seen how to print a given list without quotes, to standard output, using str() built-in function, map() built-in function, and string join() method, with example program.

Related Tutorials

Code copied to clipboard successfully 👍