Python: Write unittest for console print

后端 未结 4 2218
无人及你
无人及你 2020-12-02 11:03

Function foo prints to console. I want to test the console print. How can I achieve this in python?

Need to test this function, has NO return statement

4条回答
  •  醉酒成梦
    2020-12-02 11:52

    You can easily capture standard output by just temporarily redirecting sys.stdout to a StringIO object, as follows:

    import StringIO
    import sys
    
    def foo(inStr):
        print "hi"+inStr
    
    def test_foo():
        capturedOutput = StringIO.StringIO()          # Create StringIO object
        sys.stdout = capturedOutput                   #  and redirect stdout.
        foo('test')                                   # Call unchanged function.
        sys.stdout = sys.__stdout__                   # Reset redirect.
        print 'Captured', capturedOutput.getvalue()   # Now works as before.
    
    test_foo()
    

    The output of this program is:

    Captured hitest
    

    showing that the redirection successfully captured the output and that you were able to restore the output stream to what it was before you began the capture.


    Note that the code above in for Python 2.7, as the question indicates. Python 3 is slightly different:

    import io
    import sys
    
    def foo(inStr):
        print ("hi"+inStr)
    
    def test_foo():
        capturedOutput = io.StringIO()                  # Create StringIO object
        sys.stdout = capturedOutput                     #  and redirect stdout.
        foo('test')                                     # Call function.
        sys.stdout = sys.__stdout__                     # Reset redirect.
        print ('Captured', capturedOutput.getvalue())   # Now works as before.
    
    test_foo()
    

提交回复
热议问题