• Python中print函数的八重境界


    1. 引言

    在Python语言的学习过程中,print函数可能是我们大多数人学习会的第一个函数。但是该函数有一些特殊的用法,本文重点介绍使用该函数的八重境界。

    闲话少说,我们直接开始吧!

    2. Level1 基础用法

    函数print最最基础的用法就是按照我们的要求,打印相应的内容。如下所示:

    print("hello")
    # hello
    

    上述代码,传入一串字符串,运行后在终端输出显示。

    3. Level2 打印多个参数

    如果我们向print函数传递多个参数,那么在运行时,该函数会在打印的参数之间自动插入空白字符。
    如下所示:

    print("apple", "orange", "pear")
    # apple orange pear
    

    4. Level3 使用end参数

    实质上,函数print的默认参数有结束符end,主要用于分割打印内容。举例如下:

    print("apple", end=" ")
    print("orange", end=" ")
    print("pear", end=" ")
    # apple orange pear
    

    默认情况下,函数print中参数end的默认值为\n。如果我们传入其他值,那么print函数将会使用参数end的字符添加到打印内容的末尾。
    举例如下:

    print("apple", end=";")
    print("orange", end="!!")
    print("pear", end="end")
    # apple;orange!!pearend
    

    5. Level4 使用sep参数

    一般来说,函数print中的参数sep分割符,默认值为空格字符 " ", 参数sep主要用于添加到print函数的多个参数之间。
    举例如下:

    print(1, 2, 3)            # 1 2 3   # default sep is " "
    print(1, 2, 3, sep=";")   # 1;2;3
    print(1, 2, 3, sep="#")   # 1#2#3
    print(1, 2, 3, sep="4")   # 14243
    

    6. Level5 使用pprint

    如果我们有一个具有多层嵌套的复杂数据结构,此时我们可以使用pprint来打印它,而不是编写一个for循环来可视化它。
    举例如下:

    from pprint import pprint
    data = [
        [[1, 2, 3], [1, 2, 3], [1, 2, 3]],
        [[4, 5, 6], [4, 5, 6], [4, 5, 6]],
        [[7, 8, 9], [7, 8, 9], [7, 8, 9]]
    ]
    pprint(data)
    

    输出如下:

    在这里插入图片描述

    7. Level6 彩色输出

    想要在Python中打印彩色输出,我们一般使用第三方库colorama。这意味着我们首先需要使用pip安装它。
    在终端中运行pip install colorama就可以方便地来安装它啦。
    样例如下:

    from colorama import Fore
    print(Fore.RED + "hello world")
    print(Fore.BLUE + "hello world")
    print(Fore.GREEN + "hello world")
    

    输出如下:

    在这里插入图片描述

    8. Level7 输出到文件中

    默认情况下,函数print的参数file的默认值为sys.stdout。这意味着我们可以使用print函数打印的任何内容都会在终端显示。
    当然,我们也可以改变改参数的值,将相应的打印内容输出到文件中,举例如下:

    print("hello", file=open("out.txt", "w"))
    

    9. Level8 输出重定向到文件中

    假设我们运行了一个普通的Python脚本run.py,输出打印一些东西:

    print("hello world")
    print("apple")
    print("orange")
    print("pear")
    

    接着,我们可以改变运行Python脚本的方式,使其输出重定向到文件中,如下:

    python run.py > out.txt
    

    上述命令执行后,输出不是打印显示到终端,而是将Python脚本的所有输出打印重定向到文本文件out.txt中。

    10. 总结

    本文详细的介绍了Python中打印函数print的各个参数的用法,并由浅入深的对其特性进行了相应的讲解,并给出了相应的代码示例。

    您学废了嘛?

  • 相关阅读:
    Spring之IOC容器(依赖注入)&基本介绍&基本配置&多模块化
    牛客 NC208246 胖胖的牛牛
    【17-微服务网关之Spring Cloud Gateway&Spring Cloud Gateway网关服务搭建】
    数字孪生电网解决方案助力智慧电网体系建设
    怎么把两个PDF合并成一个?建议收藏这些合并的方法
    『MySQL 实战 45 讲』17 - 如何正确地显示随机消息?(随机抽取 3 个词)
    jmeter单接口和多接口测试
    React整理总结(二、组件化开发)
    vmware vcenter conventer 可以转换windows2000的版本有下载链接吗
    Nebula Graph + Plato调研总结
  • 原文地址:https://blog.csdn.net/sgzqc/article/details/126961203