1、内置函数

1.1Python的内置函数

abs() dict() help() min() setattr()
all() dir() hex() next() slice()
any() divmod() id() object() sorted()
ascii() enumerate() input() oct() staticmethod()
bin() eval() int() open() str()
bool() exec() isinstance() ord() sum()
bytearray() filter() issubclass() pow() super()
bytes() float() iter() print() tuple()
callable() format() len() property() type()
chr() frozenset() list() range() vars()
classmethod() getattr() locals() repr() zip()
compile() globals() map() reversed() __import__()
complex() hasattr() max() round()  
delattr() hash() memoryview() set()

1.2一阶段需要掌握的函数

2、随机验证码函数:

import random
#assii:大写字母:65~90,小写 97~122 数字48-57
tmp = ""
for i in range(6):
num =random.randrange(1,4)
if num == 1:
rad2 = random.randrange(0,10)
tmp = tmp+str(rad2)
elif num == 2:
rad3 = random.randrange(97, 123)
tmp = tmp + chr(rad3)
else:
rad1 = random.randrange(65,91)
c = chr(rad1)
tmp = tmp + c
print(tmp)

3、文件操作

使用open函数操作,该函数用于文件处理。

操作文件时,一般需要经历如下步骤:
打开文件
操作文件
关闭文件

3.1打开文件

open(文件名,模式,编码)
eg:
f = open("ha.log","a+",encoding="utf-8")
注:默认打开模式r

3.2打开模式:

  基本模式:  

• r:只读模式(不可写)
• w:只写模式(不可读,不存在则创建,存在则清空内容(只要打开就清空))
• x:只写模式(不可读,不存在则创建,存在则报错)
• a:追加模式(不可读,不存在就创建,存在只追加内容)

  二进制模式:rb\wb\xb\ab

    特点:二进制打开,对文件的操作都需以二进制的方式进行操作

  对文件进行读写    

    • r+, 读写【可读,可写】
    • w+,写读【可读,可写】
    • x+ ,写读【可读,可写】
    • a+, 写读【可读,可写】

3.3 文件操作的方法

class TextIOWrapper(_TextIOBase):
"""
Character and line based layer over a BufferedIOBase object, buffer. encoding gives the name of the encoding that the stream will be
decoded or encoded with. It defaults to locale.getpreferredencoding(False). errors determines the strictness of encoding and decoding (see
help(codecs.Codec) or the documentation for codecs.register) and
defaults to "strict". newline controls how line endings are handled. It can be None, '',
'\n', '\r', and '\r\n'. It works as follows: * On input, if newline is None, universal newlines mode is
enabled. Lines in the input can end in '\n', '\r', or '\r\n', and
these are translated into '\n' before being returned to the
caller. If it is '', universal newline mode is enabled, but line
endings are returned to the caller untranslated. If it has any of
the other legal values, input lines are only terminated by the given
string, and the line ending is returned to the caller untranslated. * On output, if newline is None, any '\n' characters written are
translated to the system default line separator, os.linesep. If
newline is '' or '\n', no translation takes place. If newline is any
of the other legal values, any '\n' characters written are translated
to the given string. If line_buffering is True, a call to flush is implied when a call to
write contains a newline character.
"""
def close(self, *args, **kwargs): # real signature unknown
关闭文件
pass def fileno(self, *args, **kwargs): # real signature unknown
文件描述符
pass def flush(self, *args, **kwargs): # real signature unknown
刷新文件内部缓冲区
pass def isatty(self, *args, **kwargs): # real signature unknown
判断文件是否是同意tty设备
pass def read(self, *args, **kwargs): # real signature unknown
读取指定字节数据
pass def readable(self, *args, **kwargs): # real signature unknown
是否可读
pass def readline(self, *args, **kwargs): # real signature unknown
仅读取一行数据
pass def seek(self, *args, **kwargs): # real signature unknown
指定文件中指针位置
pass def seekable(self, *args, **kwargs): # real signature unknown
指针是否可操作
pass def tell(self, *args, **kwargs): # real signature unknown
获取指针位置
pass def truncate(self, *args, **kwargs): # real signature unknown
截断数据,仅保留指定之前数据
pass def writable(self, *args, **kwargs): # real signature unknown
是否可写
pass def write(self, *args, **kwargs): # real signature unknown
写内容
pass def __getstate__(self, *args, **kwargs): # real signature unknown
pass def __init__(self, *args, **kwargs): # real signature unknown
pass @staticmethod # known case of __new__
def __new__(*args, **kwargs): # real signature unknown
""" Create and return a new object. See help(type) for accurate signature. """
pass def __next__(self, *args, **kwargs): # real signature unknown
""" Implement next(self). """
pass def __repr__(self, *args, **kwargs): # real signature unknown
""" Return repr(self). """
pass buffer = property(lambda self: object(), lambda self, v: None, lambda self: None) # default closed = property(lambda self: object(), lambda self, v: None, lambda self: None) # default encoding = property(lambda self: object(), lambda self, v: None, lambda self: None) # default errors = property(lambda self: object(), lambda self, v: None, lambda self: None) # default line_buffering = property(lambda self: object(), lambda self, v: None, lambda self: None) # default name = property(lambda self: object(), lambda self, v: None, lambda self: None) # default newlines = property(lambda self: object(), lambda self, v: None, lambda self: None) # default _CHUNK_SIZE = property(lambda self: object(), lambda self, v: None, lambda self: None) # default _finalizing = property(lambda self: object(), lambda self, v: None, lambda self: None) # default 3.x

3.4 管理上下文

使用open方法打开后要关闭文本。

with方法后,python会自动回收资源

py2.7以后的版本with方法支持同时对两个文件进行操作

eg:with open('log1') as obj1, open('log2') as obj2:

3.5 文件日常操作

open(文件名,模式,编码)
close()
flush():将内存中的文件数据写入磁盘
read():读取指针的内容
readline():只都一行内容
seek()定位指针位置
tell()获取当前指针位置
truncate() 截断数据,仅保留指定之前的数据,依赖于指针
write() 写入数据

3.6 文件操作示例代码

#!/usr/bin/env python
# -*- coding:utf-8 -*- ####基本操作方法
#默认是只读模式,默认编码方式:utf-8
# f = open('ha.log')
# data = f.read()
# f.close()
# print(data)
#只读,r
# f = open("ha.log","r")
# f.write("asdfs")
# f.close()
#只写,w ---存在就清空,打开就清空
# f = open("ha1.log","w")
# f.write("Hello world!")
# f.close()
#只写 ,x
# f = open("ha2.log","x")
# f.write("Hello world1!")
# f.close()
#追加 a,不可读
# f = open("ha2.log","a")
# f.write("\nHello world! a mode")
# f.close() ### 字节的方式打开
## 默认读取到的都是字节,不用设置编码方式
## 1、 只读,rb
# f = open("ha.log","rb")
# data =f.read()
# f.close()
# print(type(data))
# print(data)
# print(str(data,encoding="utf-8")) #2 只写,wb
# f = open("ha.log","wb")
# f.write(bytes("中国",encoding="utf-8"))
# f.close() ### r+ ,w+,x+,a+ #r+
# f = open("ha.log",'r+',encoding="utf-8")
# print(f.tell())
# data = f.read()
# print(type(data),data)
# f.write("德国人")
# print(f.tell())
# data = f.read()
# f.close() #w+ 先清空,之后写入的可读,写后指针到最后
# f = open("ha.log","w+",encoding="utf-8")
# f.write("何莉莉")
# f.seek(0) # 指针调到最后
# data = f.read()
# f.close()
# print(data) # x+ 功能类似w+,区别:若文件存在即报错 #a + 打开的同时指针到最后
f = open("ha.log","a+",encoding="utf-8")
print(f.tell())
f.write("SB")
print(f.tell())
data = f.read()
print(data)
f.seek(0)
data = f.read()
print(data)
print(type(data))
print(type(f))
f.close()

文件操作示例

4、lambda表达式

  f1 = lambda x,y: 9+x

5、发送邮件实例代码

#!/usr/bin/env python
# -*- coding:utf-8 -*-
def email():
import smtplib
from email.mime.text import MIMEText
from email.utils import formataddr
ret = True
try:
msg = MIMEText('邮件内容 test mail 2017-5-27 09:16:14 2017年1月27日11:16:37 \n 2017年1月28日06:47:51', 'plain', 'utf-8')
msg['From'] = formataddr(["b2b", 'john@xxx.com'])
msg['To'] = formataddr(["hi hi hi ", 'john2@xxx.com'])
msg['Subject'] = "主题2017年5月23日" server = smtplib.SMTP("mail.xxx.com", 25)
server.login("john1", "txxx0517")
server.sendmail('john1@tasly.com', ['john2@tasly.com', ], msg.as_string())
server.quit()
except:
ret = False
return ret
i1 = email()
print(i1)

发送邮件示例

PYDay6- 内置函数、验证码、文件操作、发送邮件函数的更多相关文章

  1. python基础(5)---整型、字符串、列表、元组、字典内置方法和文件操作介绍

    对于python而言,一切事物都是对象,对象是基于类创建的,对象继承了类的属性,方法等特性 1.int 首先,我们来查看下int包含了哪些函数 # python3.x dir(int) # ['__a ...

  2. python笔记2小数据池,深浅copy,文件操作及函数初级

    小数据池就是在内存中已经开辟了一些特定的数据,经一些变量名直接指向这个内存,多个变量间公用一个内存的数据. int: -5 ~ 256 范围之内 str: 满足一定得规则的字符串. 小数据池: 1,节 ...

  3. 【Unity Shaders】使用CgInclude让你的Shader模块化——Unity内置的CgInclude文件

    本系列主要參考<Unity Shaders and Effects Cookbook>一书(感谢原书作者),同一时候会加上一点个人理解或拓展. 这里是本书全部的插图. 这里是本书所需的代码 ...

  4. php中文件操作常用函数有哪些

    php中文件操作常用函数有哪些 一.总结 一句话总结:读写文件函数 判断文件或者目录是否存在函数 创建目录函数 file_exists() mkdir() file_get_content() fil ...

  5. python 文件操作: 文件操作的函数, 模式及常用操作.

    1.文件操作的函数: open("文件名(路径)", mode = '模式', encoding = "字符集") 2.模式: r , w , a , r+ , ...

  6. python 文件操作的函数

    1. 文件操作的函数 open(文件名(路径), mode="?", encoding="字符集") 2. 模式: r, w, a, r+, w+, a+, r ...

  7. PHP文件操作功能函数大全

    PHP文件操作功能函数大全 <?php /* 转换字节大小 */ function transByte($size){ $arr=array("B","KB&quo ...

  8. php 内置的 html 格式化/美化tidy函数 -- 让你的HTML更美观

    php 内置的 html 格式化/美化tidy函数 https://github.com/htacg/tidy-html5 # HTML 格式化 function beautify_html($htm ...

  9. SpringBoot 常用配置 静态资源访问配置/内置tomcat虚拟文件映射路径

    Springboot 再模板引擎中引入Js等文件,出现服务器拒绝访问的错误,需要配置过滤器 静态资源访问配置 @Configuration @EnableWebMvc public class Sta ...

  10. Python全栈开发之4、内置函数、文件操作和递归

    转载请注明出处http://www.cnblogs.com/Wxtrkbc/p/5476760.html 一.内置函数 Python的内置函数有许多,下面的这张图全部列举出来了,然后我会把一些常用的拿 ...

随机推荐

  1. 使用request实现手工输入验证码登录

    我们的目标网站是这个http://awehome.com.cn,登录页面是这个http://awehome.com.cn/tenant/login import requests import jso ...

  2. Linux--NiaoGe-Service-08(路由)

    路由 Linux系统下的路由表是由小到大排列的,即C类地址-->B类地址-->A类地址-->0.0.0.0(默认路由). Linux系统中使用route命令查看路由表 [root@w ...

  3. [转](不理想)Ubuntu下更改主显示器

    参考链接:http://www.cnblogs.com/feng_013/archive/2012/03/05/2380111.html 查看显示器信息: fdm@fdm-OptiPlex-780:~ ...

  4. APP产品体验

    一.前言   1.背景介绍 体验人员:羽珞体验时间:2016.4.12~2016.4.14   2.体验环境 产品名称 产品版本 测试设备 设备系统 易助(ehlep) 1.0 TCL J738M A ...

  5. error: stray '\343' in program 问题解决

          当我们从网上copy一段代码后,总会出现这个问题.博主在Arduino环境中也出现了,so,这个问题应该是C语言和C++编译器中才会出现的. test_int:19: error: str ...

  6. Power BI 连接到 Azure 账单,自动生成报表,可刷新

    开始研究Azure官网等,提供的链接都是错误的,躺了很大的一个坑,配置后根本无法获取账单信息,经过多次查询找到了方向,过来记录一下: 错误的地址(应该是适用于全球版,国内版无法这样获取): https ...

  7. [Python]输出中文报错的解决方法

    问题现象:在PyCharm工具编辑python语句输出中文时,程序报错. 解决方法(2种): 1.在代码开头加#coding=utf-8(注意要加#) 2.还是在代码开头加#-*- coding: u ...

  8. MFC U盘检测

    WM_DEVICECHANGE消息 查阅MSDN得知: The framework calls this member function to notify an application or dev ...

  9. Microsoft Sql server2005的安装步骤和常见问题解决方案

    一:安装sql server 2005过程中出现 如下问题:“选择的功能中没有任何功能可以安装或升级”: 解决方案:Microsoft SQL Server 2005→配置工具→SQL配置管理器→SQ ...

  10. TLint for 虎扑体育应用源码项目

    虎扑非官方客户端TLint全新Material Design设计,简洁美观支持论坛全部操作,浏览帖子.点亮.回复.引用.收藏等多项个性化设置(不同主题,不同阅读模式) TLint For 虎扑体育 更 ...