python零基础入门教程5小时完整版下载python零基础自学教材推荐
下载地址 https://share.weiyun.com/S11bpehi
资料目录 小甲鱼零基础学python视频全套96集 小甲鱼零基础入门学习Python pdf 小甲鱼零基础学python第二版 pdf 小甲鱼零基础入门学习Python全套课件+源码 鱼c小甲鱼零基础学python全套课后题及答案 零基础学Python张志强 赵越等编著7小时多媒体视频教程 极客尹会生零基础学python教程视频1-71集 零基础学python 老齐pdf电子书 零基础学python全彩版pdf电子书 零基础学python全彩版实战与答案 黑马程序员python零基础教程(附带教学课件+开发工具+环境配置) 零基础Python实战 四周实现爬虫网站 Python零基础入门动画课 刘金玉零基础python入门到精通教程100集全套VIP精选 《21天学通Python》刘凌霞,郝宁波,吴海涛编著 电子工业出版社 《从零开始学Python网络爬虫》罗攀 将仟 编著 机械工业出版社 《零基础搭建量化投资系统——以Python为工具》何战军等编著 电子工业出版社 《零基础轻松学Python》小码哥著 电子工业出版社 《零基础学Python》张志强等编著 机械工业出版社 《零起点Python大数据与量化交易》何海群著 电子工业出版社 《零起点Python机器学习快速入门》何海群著 电子工业出版社 《零起点Python足彩大数据与机器学习实盘分析》何海群著 电子工业出版社 Python3.5从零开始学(2017v3.x) 刘宇宙编著 清华大学出版社 Python机器学习及实践——从零开始通往Kaggle竞赛之路 by 范淼,李超编著 Python练习集100题 从零开始学Python第二版 极客学院出版 零基础入门学习Python 小甲鱼编著 清华大学出版社 零基础学python 老齐著 零起点Python大数据与量化交易 何海群著 电子工业出版社 跟老齐学Python从入门到精通 电子工业出版社
举例 add和update >>> help(set.add) Help on method_descriptor: add(...) Add an element to a set. This has no effect if the element is already present. 在交互模式中,可以看到: >>> a_set = {} #我想当然地认为这样也可以建立一个set >>> a_set.add("qiwsir") #报错!看错误信息。 Traceback (most recent call last): File "<stdin>", line 1, in <module> AttributeError: 'dict' object has no attribute 'add' >>> type(a_set) #Python认为我建立的是一个dict <type 'dict'> {}这个东西在dict和set中都有用,但是,若按照上面的方法则建立的是dict,而不是set。这是Python规定的,要建立set,只能用前面已经看到的创建方法了。 >>> a_set = {'a','i'} >>> type(a_set) <type 'set'> >>> a_set.add("qiwsir") #增加一个元素 >>> a_set #原地修改 set(['i', 'a', 'qiwsir']) >>> b_set = set("python") >>> type(b_set) <type 'set'> >>> b_set set(['h', 'o', 'n', 'p', 't', 'y']) >>> b_set.add("qiwsir") >>> b_set set(['h', 'o', 'n', 'p', 't', 'qiwsir', 'y']) >>> b_set.add([1,2,3]) #列表是不可哈希的,集合中的元素应该是hashable类型。 Traceback (most recent call last): File "<stdin>", line 1, in <module> TypeError: unhashable type: 'list' >>> b_set.add('[1,2,3]') #可以这样! >>> b_set set(['[1,2,3]', 'h', 'o', 'n', 'p', 't', 'qiwsir', 'y']) 除了add()之外,还能够从另外一个集合中合并过来元素,方法是set.update(s2)。 >>> help(set.update) update(...) Update a set with the union of itself and others. >>> s1 set(['a', 'b']) >>> s2 set(['github', 'qiwsir']) >>> s1.update(s2) >>> s1 set(['a', 'qiwsir', 'b', 'github']) >>> s2 set(['github', 'qiwsir'])
|