[Python] loop statement ③ ( case of while nested loop - print multiplication table | print print without line break | tab tab )





1. Print without wrapping



Use the print function to print a string, and it will automatically wrap;

The prototype of the print function in Python is as follows:

def print(self, *args, sep=' ', end='\n', file=None): 

By default, when print prints a string, it will automatically add the value of the end parameter, and the default value of the end parameter is end='\n'a newline character ;

If you want to shield the automatic line break, in the print function, set the second parameter end='', and set the ending '\n'line break character to empty;


Code example:

"""
print 不换行打印 代码示例
"""

# 默认的换行打印
print("Hello ")
print("World")

# 不换行打印
print("Hello ", end='')
print("World")

Results of the :

Hello 
World
Hello World




Two, tab tab



tab tab, used in the string '\t'can be printed out;

Multi-line strings can be aligned using tab tabs;

Print multi-line strings at the same time, and use tab tabs to automatically align multi-line strings;


In the following code, two words are printed per line, if separated by spaces, the strings cannot be aligned;

If tabs are used to separate words, several lines of strings and two columns of words can be aligned separately;


Code example:

"""
tab 制表符自动对齐 代码示例
"""

# 直接使用空格输出无法对齐
print("Tom Jerry")
print("18 16")
print("猫 老鼠")

print("")

# 使用 tab 制表符可对齐字符串
print("Tom\tJerry")
print("18\t16")
print("猫\t老鼠")

Results of the :

Tom Jerry
18 16
猫 老鼠

Tom	Jerry
18	16
猫	老鼠

insert image description here





3. While nested loop case - print multiplication table



Code example:

"""
while 嵌套循环案例 - 打印乘法表
"""

# 外层循环控制变量 1 ~ 9
i = 1
while i <= 9:
    # 内层循环控制变量 1 ~ i
    j = 1
    while j <= i:
        # 打印乘法式子
        print(f"{
      
      j} * {
      
      i} = {
      
      j * i}\t", end='')
        # 每生成一个乘法式子 自增 1
        j += 1
    # 内循环完毕后 i 自增
    # 继续执行下一次外层循环
    i += 1
    # 输入空内容, 主要是换行
    print("")

Results of the :

1 * 1 = 1	
1 * 2 = 2	2 * 2 = 4	
1 * 3 = 3	2 * 3 = 6	3 * 3 = 9	
1 * 4 = 4	2 * 4 = 8	3 * 4 = 12	4 * 4 = 16	
1 * 5 = 5	2 * 5 = 10	3 * 5 = 15	4 * 5 = 20	5 * 5 = 25	
1 * 6 = 6	2 * 6 = 12	3 * 6 = 18	4 * 6 = 24	5 * 6 = 30	6 * 6 = 36	
1 * 7 = 7	2 * 7 = 14	3 * 7 = 21	4 * 7 = 28	5 * 7 = 35	6 * 7 = 42	7 * 7 = 49	
1 * 8 = 8	2 * 8 = 16	3 * 8 = 24	4 * 8 = 32	5 * 8 = 40	6 * 8 = 48	7 * 8 = 56	8 * 8 = 64	
1 * 9 = 9	2 * 9 = 18	3 * 9 = 27	4 * 9 = 36	5 * 9 = 45	6 * 9 = 54	7 * 9 = 63	8 * 9 = 72	9 * 9 = 81	

insert image description here

Guess you like

Origin blog.csdn.net/han1202012/article/details/130889407