How Do I Save Print Statements When Running A Program In Slurm?
Solution 1:
By default, print
in Python is buffered, meaning that it does not write to files or stdout immediately, and needs to be 'flushed' to force the writing to stdout immediately.
See this question for available options.
The simplest option is to start the Python interpreter with the -u
option.
From the python
man page:
-u Force stdin, stdout and stderr to be totally unbuffered. On systems where it matters, also put stdin, stdout and stderr in binary mode. Note that there is internal buffering in xreadlines(), readlines() and file-object iterators ("for line in sys.stdin") which is not influenced by this option. To work around this, you will want to use "sys.stdin.readline()" inside a "while 1:" loop.
Solution 2:
You can use:
python -u program.py > test2.out
And all your output will be saved to test2.out file.
Solution 3:
You can put
sys.stdout.flush()
after the print statements of interest. Or since python 3.3
print("hey", flush=True)
is an option. Using unbuffered IO (with python -u
) could reduce performance if you print frequently, especially on a shared filesystem.
Solution 4:
Above solutions did not yield live output for me. (You need to flush print and sync the file change.) Here is a code that you can simply prepend to your python script.
#!/usr/bin/env python3.7import sys
import builtins
import os
sys.stdout = open("stdout.txt", "w", buffering=1)
defprint(text):
builtins.print(text)
os.fsync(sys.stdout)
print("This is immediately written to stdout.txt")
That's it.
Explanation
Redirect stdout and write the file buffer after every newline.
sys.stdout = open("stdout.txt", "w", buffering=1)
Overwrite the print function and sync the flushed file also on the operating system side.
def print(text):
builtins.print(text)
os.fsync(sys.stdout)
Post a Comment for "How Do I Save Print Statements When Running A Program In Slurm?"