Home > database >  How to write a statement and an array to individual lines on a text file? Python
How to write a statement and an array to individual lines on a text file? Python

Time:09-28

a = str(mergeSort(lines))
nlines = ['Sorted Numbers',a]
with open('SortedNumbers.txt', 'w') as f:
    f.writelines(nlines)enter code here

mergeSort(lines) is my array of a few numbers. With this code above, the text file it creates does everything I want except all of it is on one line. How do I get it so the text file it produces will be

Sorted Numbers
1
3
5
8
10

CodePudding user response:

a = "\n".join(mergeSort(lines));

Should put a newline after each of the numbers of your array.

It should print properly afterwards

CodePudding user response:

Don't convert the array to a string. And also write the text separately rather than trying to build an array with the title.

a = mergeSort(lines)
with open('SortedNumbers.txt', 'w') as f:
    f.write("Sorted Numbers")
    f.writelines(a)

CodePudding user response:

This should work.

a = mergeSort(lines)
nlines = "Sorted Numbers\n"   "\n".join([str(i) for i in a])
with open('SortedNumbers.txt', 'w') as f:
    f.write(nlines)

or


a = mergeSort(lines)
nlines = ["Sorted Numbers"]   [str(i) for i in a]  # if lines are integers
# nlines = ["Sorted Numbers"]   a               # if lines are strings
with open('SortedNumbers.txt', 'w') as f:
    f.writelines(nlines)
  • Related