我是靠谱客的博主 温柔猫咪,最近开发中收集的这篇文章主要介绍python 100题练习记录(三),觉得挺不错的,现在分享给大家,希望可以做个参考。

概述

Question 13
Level 2

Question:
Write a program that accepts a sentence and calculate the number of letters and digits.
Suppose the following input is supplied to the program:
hello world! 123
Then, the output should be:
LETTERS 10
DIGITS 3

Hints:
In case of input data being supplied to the question, it should be assumed to be a console input.

方法一

str = input("请输入字符串内容:")
dig,let = 0,0
for i in str:
if i.isdigit():
dig += 1
if i.isalpha():
let += 1
print("LETTERS %d"%let)
print("DIGITS %d"%dig)

方法二-字典

dic = {'LETTERS':0,'DIGITS':0}
str = input("请输入字符串:")
for i in str:
if i.isalpha():
dic['LETTERS'] += 1
if i.isdigit():
dic['DIGITS'] += 1
print("LETTERS %d"%dic['LETTERS'])
print("LETTERS %d"%dic['DIGITS'])

Question 14
Level 2

Question:
Write a program that accepts a sentence and calculate the number of upper case letters and lower case letters.
Suppose the following input is supplied to the program:
Hello world!
Then, the output should be:
UPPER CASE 1
LOWER CASE 9

Hints:
In case of input data being supplied to the question, it should be assumed to be a console input.

dic = {"UPPER CASE":0,"LOWER CASE":0}
str = input("请输入字符串:")
for s in str:
if s.isupper():
dic['UPPER CASE'] += 1
if s.islower():
dic['LOWER CASE'] += 1
print("UPPER CASE %d"%dic['UPPER CASE'])
print("LOWER CASE %d"%dic['LOWER CASE'])

Question 15
Level 2

Question:
Write a program that computes the value of a+aa+aaa+aaaa with a given digit as the value of a.
Suppose the following input is supplied to the program:
9
Then, the output should be:
11106

Hints:
In case of input data being supplied to the question, it should be assumed to be a console input.
方法一

i = int(input("请输入数值‘0-9’:"))
r = i+(i*10+i)+(i*100+i*10+i)+(i*1000+i*100+i*10+i)
print(r)

方法二

i = int(input("请输入数值‘0-9’:"))
n1 = int("%d"%i)
n2 = int("%d%d"%(i,i))
n3 = int("%d%d%d"%(i,i,i))
n4 = int("%d%d%d%d"%(i,i,i,i))
print(n1+n2+n3+n4)

Question 16
Level 2

Question:
Use a list comprehension to square each odd number in a list. The list is input by a sequence of comma-separated numbers.
Suppose the following input is supplied to the program:
1,2,3,4,5,6,7,8,9
Then, the output should be:
1,3,5,7,9

Hints:
In case of input data being supplied to the question, it should be assumed to be a console input.

list = input("请输入数值,以','分割:").split(',')
for i in list:
if int(i)%2 == 0:
list.remove(i)
print(",".join(list))

Question 17
Level 2

Question:
Write a program that computes the net amount of a bank account based a transaction log from console input. The transaction log format is shown as following:
D 100
W 200

D means deposit while W means withdrawal.
Suppose the following input is supplied to the program:
D 300
D 300
W 200
D 100
Then, the output should be:
500

Hints:
In case of input data being supplied to the question, it should be assumed to be a console input.

total = 0
while True:
s = input("请输入数值,以D/W进行前置标识,以空格做分割:").split(" ")
count = s[1].strip()
if s[0].upper() == "D":
if int(count) > 0:
total += int(count)
print(total)
else:
print("输入的值必须大于0")
if s[0].upper() == "W":
if int(count) > 0 :
total -= int(count)
print(total)
else:
print("输入有误")

Question 18
Level 3

Question:
A website requires the users to input username and password to register. Write a program to check the validity of password input by users.
Following are the criteria for checking the password:

  1. At least 1 letter between [a-z]
  2. At least 1 number between [0-9]
  3. At least 1 letter between [A-Z]
  4. At least 1 character from [$#@]
  5. Minimum length of transaction password: 6
  6. Maximum length of transaction password: 12
    Your program should accept a sequence of comma separated passwords and will check them according to the above criteria. Passwords that match the criteria are to be printed, each separated by a comma.
    Example
    If the following passwords are given as input to the program:
    ABd1234@1,a F1#,2w3E*,2We3345
    Then, the output of the program should be:
    ABd1234@1

Hints:
In case of input data being supplied to the question, it should be assumed to be a console input.

name = input("请输入账号信息:")
p = input("请输入密码信息,以逗号分割:").split(',')
def check_pwd(p):
for pwd in p:
up_count, low_count, num_count, ts_count = 0, 0, 0, 0
if len(pwd) in range(6, 13):
for i in pwd:
if str(i).isupper():
up_count += 1
elif str(i).islower():
low_count += 1
elif str(i).isdigit():
num_count += 1
elif str(i) in ("$#@"):
ts_count += 1
else:
pass
if (up_count > 0) and (low_count > 0) and (num_count > 0) and (ts_count > 0):
print(pwd)
else:
print("密码必须取6-12位,包含字母大小写、特殊符号、数字")
check_pwd(p)

Question 19
Level 3

Question:
You are required to write a program to sort the (name, age, score) tuples by ascending order where name is string, age and score are numbers. The tuples are input by console. The sort criteria is:
1: Sort based on name;
2: Then sort based on age;
3: Then sort by score.
The priority is that name > age > score.
If the following tuples are given as input to the program:
Tom,19,80
John,20,90
Jony,17,91
Jony,17,93
Json,21,85
Then, the output of the program should be:
[(‘John’, ‘20’, ‘90’), (‘Jony’, ‘17’, ‘91’), (‘Jony’, ‘17’, ‘93’), (‘Json’, ‘21’, ‘85’), (‘Tom’, ‘19’, ‘80’)]

Hints:
In case of input data being supplied to the question, it should be assumed to be a console input.
We use itemgetter to enable multiple sort keys.

import operator
l = []
while True:
s = input()
if not s:
break
l.append(tuple(s.split(",")))
print(sorted(l, key=operator.itemgetter(0,1,2)) )

Question 20
Level 3

Question:
Define a class with a generator which can iterate the numbers, which are divisible by 7, between a given range 0 and n.

Hints:
Consider use yield

class Num_7(object):
def __init__(self,n):
self.min = 0
self.max = n
def check_7(self):
for i in range(0,self.max):
if i%7 == 0 :
print(i,end=" ")
if __name__ == '__main__':
num = Num_7(89)
num.check_7()

最后

以上就是温柔猫咪为你收集整理的python 100题练习记录(三)的全部内容,希望文章能够帮你解决python 100题练习记录(三)所遇到的程序开发问题。

如果觉得靠谱客网站的内容还不错,欢迎将靠谱客网站推荐给程序员好友。

本图文内容来源于网友提供,作为学习参考使用,或来自网络收集整理,版权属于原作者所有。
点赞(40)

评论列表共有 0 条评论

立即
投稿
返回
顶部