Educoder Python 计算思维训练——文件操作与异常处理

第1关:从文件中读取数据:信息时代已经到来

本关的编程任务是补全 src/Step1/test1.py 文件的代码,实现相应的功能。具体要求如下:

补充代码,功能是输出文本文件 test.txt 的前n行信息,文本文件 test.txt 和测试代码在同一目录下,n由输入指定;
要求:输出的前n行信息中间不能有空行。

#coding=utf-8
#输入n
n = int(input())
# 请在此添加代码,实现编程要求
#********** Begin *********#
with open('src/Step1/test.txt') as file_object:
    lines = file_object.readlines()
    i=0
    for line in lines:
        print(line.rstrip())
        i=i+1
        if i==n:
            break
#********** End **********#

第2关:将信息写入文件:会读会写方为正道

本关的编程任务是补全 src/Step2/test2.py 文件的代码,实现相应的功能。具体要求如下:

补充代码,功能是将通过input()输入的信息传入文本文件 test2.txt 中,文本文件 test2.txt 和测试代码在同一目录下;
要求:将输入信息覆盖原文本文件 test2.txt 中的内容。

#coding=utf-8
#输入字符串
s = input()
# 请在此添加代码,将字符串s输入到test2.txt中
#********** Begin *********#
with open('src/Step2/test2.txt','w') as example:
    example.write(s)
#********** End **********#
#输出test2.txt中的内容
with open('src/Step2/test2.txt') as file_object:
    lines = file_object.readlines()
for line in lines:
    print(line.rstrip())

第3关:异常处理:敢于在错误面前吭声

本关的编程任务是补全 src/Step3/test3.py 文件的代码,实现相应的功能。具体要求如下:

补充代码,体会 try-except-else 代码块编程过程;
要求:对输入的整数进行平方根运算,如果输入的整数是负数,则在except代码块中中输出We can’t take a root by minus;如果输入的是正数,则正常输出平方根值。

#coding=utf-8
import math
#输入整数a
a = int(input())
try:
    answer = math.sqrt(a)
# 请在此添加代码,实现编程要求
#********** Begin *********#
except:
    print("We can't take a root by minus")
else:
    print(answer)
#********** End **********#

你可能感兴趣的:(Python)