python100例详解python100例乘法python100例分解质因数
下载地址 https://share.weiyun.com/Fz43Qnru
资料目录 Python练习集100题 100道Python面试题 Python100经典练习题 Python经典题目100道题 Python题库(已收录100道真题) Python100例视频讲解课程 菜鸟教程Python教程100例 130道python练习题,涵盖基础内容的方方面面
举例 float 题目要求 为了降低难度,本题目只要求你将字符串转换成float类型的数据,且字符串都是符合”xx.xx“格式的字符串,例如"34.22" def my_float(string): """ 将字符串string转换成float类型数据 :param string: :return: """ pass 题目分析 使用split函数,以"."做分隔符,可以将字符串分割为两部分,整数部分和小数部分,这两个部分可以分别用3.5 中的my_int 函数进行处理,以"34.22"为例,分别得到整数34 和22,对于22,不停的乘以0.1,知道它的数值小于1,就得到了小数部分 示例代码 str_int_dic = { '0': 0, '1': 1, '2': 2, '3': 3, '4': 4, '5': 5, '6': 6, '7': 7, '8': 8, '9': 9 }
def my_int(string): """ 将字符串string转成int类型数据 不考虑string的类型,默认就是符合要求的字符串 传入字符串"432" 返回整数432 :param string: :return: """ res = 0 for item in string: int_value = str_int_dic[item] res = res*10 + int_value
return res
def my_float(string): """ 将字符串string转换成float类型数据 :param string: :return: """ arrs = string.split('.') int_value = my_int(arrs[0]) float_value = my_int(arrs[1]) while float_value > 1: float_value *= 0.1
return int_value + float_value
if __name__ == '__main__': print(my_float("34.22"))
|