pandas task-08 组队学习

import numpy as np
import pandas as pd

str对象

str对象的设计意图

str对象为定义在IndexSeries上的属性,专门用于逐元素处理文本内容,其内部定义了大量方法, pandas沿用了Python的标准库中str模块中的部分函数以保证使用上的便利

var = 'abcd'
print(str.upper(var))
print('-'*50)
s = pd.Series(['abcd','efg','hi'])
print(s.str)
print(s.str.upper())
ABCD
--------------------------------------------------
<pandas.core.strings.StringMethods object at 0x00000251988430B8>
0    ABCD
1     EFG
2      HI
dtype: object

[]索引器

对于str对象而言,[]索引器对字符串进行了序列化的操作, 可直接通过[]取出某个位置的元素,也可通过切片获得字串,通过对str对象使用[]索引器,可以完成完全一致的功能,如果超出范围则返回缺失值.

var[0]
'a'
var[-1:0:-2]
'db'
s.str[0] ##实现功能类似于取全部字符串的首位字符
0    a
1    e
2    h
dtype: object
s.str[-1:0:-2]
0    db
1     g
2     i
dtype: object
s.str[2]
0      c
1      g
2    NaN
dtype: object

string类型

整体上,绝大部分对于objectstring类型的序列使用str对象方法产生的结果是一致的,但也存在两点较大差异.

  1. 尽量保证每一个序列中的值都是字符串的情况下才可以使用str属性,但并不是必须的,其必要条件是序列中至少有一个可迭代对象,包括但不限于字符串,字典,列表.对于一个迭代对象,string类型的str对象和object类型的str对象返回结果可能是不同的.

  2. string类型是Nullable类型,而object则不是.这意味着strin类型的序列,若调用的str方法返回值为整数Series和布尔Series是,其对应的dtypeIntbooleanNullable类型,但Object类型则会返回int/floatbool/object,这取决于缺失值的存在与否.同时字符串的比较操作也具有相似的特性,string返回Nullable类型,但object则不会

  3. 对于全体元素为数值类型的序列,即使其类型为object或者category也不允许直接使用str属性.若需要把数字当作string类型处理,可通过astype强制转换为string类型的Series

s = pd.Series([{1:'temp_1', 2:'temp_2'},['a','b'],0.5,'my_string'])
s.str[1]
0    temp_1
1         b
2       NaN
3         y
dtype: object
'''
结果不同原因:
当序列类型为Object时,是对每一个元素进行[]索引,
遇到字典则返回相应键值,遇到列表则返回对应位置元素,
遇到不可迭代兑现则会返回缺失值, 遇到字符串则返回索引
String类型的str对象首先将整个元素转为字面意义上的字符串,
对于列表而言,第一个元素即为`[`,字典而言,则第一个元素为`{`'''
s.astype('string').str[0]
0    {
1    [
2    0
3    m
dtype: string
s.astype('string').str[1]
0    1
1    '
2    .
3    y
dtype: string
pd.Series([{1:'temp_1'},[0,1],(0,1)]).astype('string').str[0]
0    {
1    [
2    (
dtype: string
s = pd.Series(['a'])
s.str.len()
0    1
dtype: int64
s.astype('string').str.len()
0    1
dtype: Int64
s = pd.Series(['a',np.nan])
s.str.len()
0    1.0
1    NaN
dtype: float64
s.astype('string').str.len()
0       1
1    <NA>
dtype: Int64
s == 'a'
0     True
1    False
dtype: bool
s.astype('string') == 'a'
0    True
1    <NA>
dtype: boolean
s = pd.Series([12, 345, 6789])
s.astype('string').str[1]
0    2
1    4
2    7
dtype: string

正则表达式基础

一般字符的匹配

正则表达式是一种按照某种正则模式,从左到右匹配字符串中内容的一种工具,对于一般的字符而言,它可以找到其所在的位置,python中的re模块的findall函数可以匹配所有出现过但不重叠的模式

import re
re.findall('Apple', 'Apple! This Is an Apple')
['Apple', 'Apple']

元字符基础

元字符 描述
. 匹配除换行符之外的任意字符
[] 字符类,匹配方括号中包含的任意字符
[^] 否定字符类,匹配方括号中不包含的任意字符
* 匹配前面的子表达式零次或多次
+ 匹配前面的子表达式一次或多次
? 匹配前面的子表达式零次或一次
{n,m} 花括号,匹配前面字符至少n次,但是不超过m次
(xyz) 字符组,按照确切的顺序匹配字符xyz
分支结构,匹配符号之前的字符或后面的字符
|转义符,它可以还原元字符原来的含义
^ 匹配行的开始
$ 匹配行的结束
print(re.findall('.', 'abc'),'\n')
print(re.findall('[ac]','abc'),'\n')
print(re.findall('[^ac]', 'abc'),'\n')
print(re.findall('[ab]{2}', 'aaaabbbb'),'\n')
print(re.findall('aaa|bbb', 'aaaabbbb'),'\n')
print(re.findall('a\\?|a\*', 'aa?a*a'),'\n')
print(re.findall('a?.', 'abaacadaae'), '\n')
['a', 'b', 'c'] ['a', 'c'] ['b'] ['aa', 'aa', 'bb', 'bb'] ['aaa', 'bbb'] ['a?', 'a*'] ['ab', 'aa', 'c', 'ad', 'aa', 'e']

print(re.findall(r'a\?|a\*', r'aa?a*a'),'\n') #匹配 a?
print(re.findall(r'a\\?|a\*', r'aa?a*a'),'\n')#匹配 a?  \\也为转移字符
print(re.findall(r'a\*|a\\?', r'a\aa?a*a'),'\n') # 匹配a\?
['a?', 'a*'] ['a', 'a', 'a', 'a'] ['a\\', 'a', 'a', 'a*', 'a']

简写字符集

简写 描述
\w 匹配所有字母、数字和下划线:[a-zA-Z0-9_ ]
\W 匹配所有非字母和数字的字符:[^\W]
\d 匹配数字:[0-9]
\D 匹配非数字:[^\d]
\s 匹配空格符:[\t\n\f\r\p{Z}]
\S 匹配非空格符:[^\s]
\B 匹配一组非空字符开头或结尾的位置,不代表具体字符
print(re.findall(r'.s', 'Apple! This Is an Apple'),'\n')
print(re.findall(r'\w{2}', '09 8? 7w c_ 9q p@'), '\n')
print(re.findall(r'\w\W\B', '09 8? 7w c_ 9q p@'), '\n')
print(re.findall(r'.\s.', 'Constant dropping wears the stone.'),'\n')
print(re.findall(r'上海市(.{2,3}区)(.{2,3}路)(\d+)号','上海市黄浦区方萍中路249号 上海市宝山区密山路5号'),'\n')
['is', 'Is'] ['09', '7w', 'c_', '9q'] ['8?', 'p@'] ['t d', 'g w', 's t', 'e s'] [('黄浦区', '方萍中路', '249'), ('宝山区', '密山路', '5')]

文本处理的五类操作

拆分

  1. 使用str.split将字符串的列进行拆分,该方法第一个参数为正则表达式,可选参数包括从左到右的最大拆分次数n,是否展开为多个列expand等参数.
  2. str.rsplit函数方法同str.split区别在于使用n参数时为从右到左限制最大拆分次数.

**注意:**当前版本下str.rsplitbug无法正常使用正则表达式进行分割

# s = pd.Series(['上海市黄浦区方萍中路249号','上海市宝山区密山路5号'])
s = pd.Series(['上海市黄浦区方浜中路249号','上海市宝山区密山路5号'])
print(s.str.split('[市区路]'),'\n')
#定义最大拆分次数为2, 当拆分次数超过2此后,后续不在继续拆分
print(s.str.split('[市区路]', n = 2, expand = True), '\n')
0    [上海, 黄浦, 方浜中, 249号]
1       [上海, 宝山, 密山, 5号]
dtype: object 0   1         2
0  上海  黄浦  方浜中路249号
1  上海  宝山     密山路5号

s.str.rsplit('[市区路]',n = 2, expand = True)
0
0 上海市黄浦区方浜中路249号
1 上海市宝山区密山路5号

合并

  1. str.join:用某个连接符把Series中的字符串列表链接起来,若列表中出现了非字符串元素则返回缺失值.
  2. str.cat:用于合并两个序列,主要参数为连接符sep,连接形式join以及缺失值替代符号na_rep,连接形式默认为以索引为键的左连接.
s = pd.Series([['a','b'],[1,'a'],[['a','b'],'c']])
s.str.join('-')
0    a-b
1    NaN
2    NaN
dtype: object
s1 = pd.Series(['a','b'])
s2 = pd.Series(['cat', 'dog'])s1.str.cat(s2, sep='-')
0    a-cat
1    b-dog
dtype: object
s2.index = [1,2]
s1.str.cat(s2, sep='-', na_rep = '?', join = 'outer')
0      a-?
1    b-cat
2    ?-dog
dtype: object

匹配

  1. str.contains:返回每个字符串是否包含正则模式的布尔序列
  2. str.startswithstr.endswith:返回每个字符串以给定模式为开始和结束的布尔序列,但都不支持正则表达式
  3. str.match:通过正则表达式来检测开始和结束字符串的模式,返回值为每个字符串起始处是否符合给定正则模式的布尔序列
  4. str.findstr.rfind:分别返回从左到右和从右到左第一次匹配的位置的索引,未找到是则返回-1.这两个函数均不支持正则匹配,只能使用字符字串的匹配
s = pd.Series(['my_cat','he is fat','railway station'])
s.str.contains('\s\wat')
0    False
1     True
2    False
dtype: bool
s.str.startswith('my') #使用字符字串匹配
0     True
1    False
2    False
dtype: bool
s.str.endswith('t')
0     True
1     True
2    False
dtype: bool
s.str.match('m|h') #使用正则表达式匹配
0     True
1     True
2    False
dtype: bool
s.str.contains('^[m|h]')
0     True
1     True
2    False
dtype: bool
s.str.contains('[f|g]at|n$')
0    False
1     True
2     True
dtype: bool
s = pd.Series(['This is an apple. That is not an apple.'])
s.str.find('apple') #从左到右匹配,返回首字母索引
0    11
dtype: int64
s.str.rfind('apple') # 从右到左匹配,返回首字母的索引
0    33
dtype: int64

替换

注意: str.replace不同于replace函数,使用字符串替换时应当使用前者.

s = pd.Series(['a_1_b','c_?'])
s.str.replace('\d|\?', 'new', regex = True)
0    a_new_b
1      c_new
dtype: object
#需要对不同的部分进行有差别的替换时,可通过自组的方法,
#此时可通过传入自定义的替换函数来分别进行处理, 需要注意到
# group(k)代表匹配到的第k个子组s = pd.Series(['上海市黄浦区方萍中路249号','上海市宝山区密山路5号','北京市昌平区北农路2号'])
pat = '(\w+市)(\w+区)(\w+路)(\d+号)'
district = {'昌平区':'CP District','黄浦区':'HP District','宝山区':'BS District'}
city = {'上海市':'Shanghai','北京市':'Beijing'}
road = {'方萍中路':'Mid Fangping Road','密山路':'Mishan Road','北农路':'Beinong Road'}
def my_func(m):str_city = city[m.group(1)]str_district = district[m.group(2)]str_road = road[m.group(3)]str_no = 'No.' + m.group(4)[:-1]return ' '.join([str_city,str_district,str_road,str_no])s.str.replace(pat, my_func, regex = True)
0    Shanghai HP District Mid Fangping Road No.249
1            Shanghai BS District Mishan Road No.5
2            Beijing CP District Beinong Road No.2
dtype: object
#表现子组代表的含义更加详细的表示
pat = '(?P<市名>\w+市)(?P<区名>\w+区)(?P<路名>\w+路)(?P<编号>\d+号)'def my_func(m):str_city = city[m.group('市名')]str_district = district[m.group('区名')]str_road = road[m.group('路名')]str_no = 'No.'+m.group('编号')[:-1]return ' '.join([str_city,str_district,str_road,str_no])
s.str.replace(pat, my_func, regex = True)
0    Shanghai HP District Mid Fangping Road No.249
1            Shanghai BS District Mishan Road No.5
2            Beijing CP District Beinong Road No.2
dtype: object

提取

  1. str.extract提取方法:返回一种具体元素(不是布尔值或元素对应的索引值)的匹配操作,也可认为是一种特殊的拆分操作
  2. str.extraclall:不同于str.extract只匹配一次,会将所有符合条件的模式全部匹配出来,若存在多个结果则以多级索引的方法存储
  3. str.findall:功能类似于str.extractall,区别为前者将结果存入列表中,后者则处理为多级索引,每一行只对应一组匹配,并未把所有的匹配组合构成列表
pat = '(\w+市)(\w+区)(\w+路)(\d+号)'
s.str.extract(pat)
0 1 2 3
0 上海市 黄浦区 方萍中路 249号
1 上海市 宝山区 密山路 5号
2 北京市 昌平区 北农路 2号
#也可通过对子组的命名直接对新生成的DataFrame的列命名
pat = '(?P<市名>\w+市)(?P<区名>\w+区)(?P<路名>\w+路)(?P<编号>\d+号)'
s.str.extract(pat)
市名 区名 路名 编号
0 上海市 黄浦区 方萍中路 249号
1 上海市 宝山区 密山路 5号
2 北京市 昌平区 北农路 2号
s = pd.Series(['A135T15,A26S5','B674S2,B25T6'],index = ['my_A', 'my_B'])
pat = '[A|B](\d+)[T|S](\d+)'
s.str.extractall(pat) #多次匹配,将所有符合条件的模式全部匹配出来
0 1
match
my_A 0 135 15
1 26 5
my_B 0 674 2
1 25 6
pat_with_name = '[A|B](?P<name1>\d+[T|S](?P<name2>\d+))'
s.str.extractall(pat_with_name)
name1 name2
match
my_A 0 135T15 15
1 26S5 5
my_B 0 674S2 2
1 25T6 6
s.str.findall(pat)
my_A    [(135, 15), (26, 5)]
my_B     [(674, 2), (25, 6)]
dtype: object

常用字符串函数

字母型函数

  1. upper:将字母转为大写
  2. lower:将字母转为小写
  3. title:将单词首字母转为大写
  4. capitalize:将句子首字母转为大写
  5. swapcase:将大写字母反转为小写字母, 小写字母反转为大写字母
s = pd.Series(['lower', 'CAPITALS', 'this is a sentence', 'SwApCaSe'])
s.str.upper()
0                 LOWER
1              CAPITALS
2    THIS IS A SENTENCE
3              SWAPCASE
dtype: object
s.str.lower()
0                 lower
1              capitals
2    this is a sentence
3              swapcase
dtype: object
s.str.title()
0                 Lower
1              Capitals
2    This Is A Sentence
3              Swapcase
dtype: object
s.str.capitalize()
0                 Lower
1              Capitals
2    This is a sentence
3              Swapcase
dtype: object
s.str.swapcase()
0                 LOWER
1              capitals
2    THIS IS A SENTENCE
3              sWaPcAsE
dtype: object

数值型函数

pd.to_numeric方法可以对字符格式的数值进行快速转换和筛选,其主要参数包括errorsdowncast分别代表了非数值的处理模式和转换类型.不能转换为数值的有三种errors选项,raise,coerce,ignore分别表示报错,设为缺失以及保持原来的字符串.

技巧: 数据清洗时通过coerce的设定快速查看非数值的设定

s = pd.Series(['1','2.2','2e','??','-2.1','0'])
pd.to_numeric(s, errors = 'ignore')
0       1
1     2.2
2      2e
3      ??
4    -2.1
5       0
dtype: object
pd.to_numeric(s, errors = 'coerce')
0    1.0
1    2.2
2    NaN
3    NaN
4   -2.1
5    0.0
dtype: float64
s[pd.to_numeric(s, errors = 'coerce').isna()]
2    2e
3    ??
dtype: object

统计型函数

count:返回出现正则模式的次数
len: 返回出现字符串的长度

s = pd.Series(['cat rat fat at', 'get feed sheet heat'])
s.str.count(r'[r|f]at|ee')
0    2
1    2
dtype: int64
s.str.len()
0    14
1    19
dtype: int64

格式型函数

格式型函数主要分为两类,一种是除空型,一种是填充型.

  1. 除空型一共有三种,分别是strip,strip,lstrip,分别代表去除两侧空格,右侧空格和左侧空格.
  2. 填充型函数中pad是最灵活的,可以选定字符串长度,填充内容和填充方向,填充的方向有left,right,both三种. 同时也有其他的填充函数可以较为复杂的实现填充,分别是

rjust:右侧为原始元素,填充左侧;
ljust:左侧为原始元素,填充右侧;
center:中间为原始元素,填充两侧.

#注意 第一个元素前面有空格 第二个元素后面有空格, 第三个元素前后均有空格
my_index = pd.Index([' col1', 'col2 ', ' col3 '])
my_index.str.strip().str.len()
Int64Index([4, 4, 4], dtype='int64')
my_index.str.rstrip().str.len()
Int64Index([5, 4, 5], dtype='int64')
my_index.str.lstrip().str.len()
Int64Index([4, 5, 5], dtype='int64')
#填充型函数
s = pd.Series(['a','b','c'])
s.str.pad(5, 'left','*')
0    ****a
1    ****b
2    ****c
dtype: object
s.str.pad(5, 'right', '*')
0    a****
1    b****
2    c****
dtype: object
s.str.pad(5, 'both', '*')
0    **a**
1    **b**
2    **c**
dtype: object
s.str.rjust(5, '*')
0    ****a
1    ****b
2    ****c
dtype: object
s.str.ljust(5,'*')
0    a****
1    b****
2    c****
dtype: object
s.str.center(5, '*')
0    **a**
1    **b**
2    **c**
dtype: object
# 数值补零的技巧使用
s = pd.Series([7, 155, 303000]).astype('string')
s.str.pad(6, 'left', '0')
0    000007
1    000155
2    303000
dtype: string
s.str.rjust(6, '0')
0    000007
1    000155
2    303000
dtype: string
s.str.zfill(6)
0    000007
1    000155
2    303000
dtype: string

df = pd.read_excel(r'C:\Users\yongx\Desktop\data\house_info.xls', usecols = ['floor','year','area','price'])
df.head()
floor year area price
0 高层(共6层) 1986年建 58.23㎡ 155万
1 中层(共20层) 2020年建 88㎡ 155万
2 低层(共28层) 2010年建 89.33㎡ 365万
3 低层(共20层) 2014年建 82㎡ 308万
4 高层(共1层) 2015年建 98㎡ 117万
df.year = pd.to_numeric(df['year'].str[:-2]).astype('Int64')
df.info()
<class 'pandas.core.frame.DataFrame'>
RangeIndex: 31568 entries, 0 to 31567
Data columns (total 4 columns):#   Column  Non-Null Count  Dtype
---  ------  --------------  ----- 0   floor   31219 non-null  object1   year    12850 non-null  Int64 2   area    31568 non-null  object3   price   31568 non-null  object
dtypes: Int64(1), object(3)
memory usage: 1017.5+ KB
pat = '(\w层)(共(\d+)层)'
new_cols = df.floor.str.extract(pat).rename(columns = {0:'Level', 1:'Highest'})
df = pd.concat([df.drop(columns = 'floor'), new_cols], 1)
df.head(3)
year area price Level Highest
0 1986 58.23㎡ 155万 高层 6
1 2020 88㎡ 155万 中层 20
2 2010 89.33㎡ 365万 低层 28
s_area = pd.to_numeric(df.area.str[:-1])
s_price = pd.to_numeric(df.price.str[:-1])
df['avg_price'] = ((s_price / s_area) * 1e4).astype('int').astype('string') + '元/平米'
df.head(3)
year area price Level Highest avg_price
0 1986 58.23㎡ 155万 高层 6 26618元/平米
1 2020 88㎡ 155万 中层 20 17613元/平米
2 2010 89.33㎡ 365万 低层 28 40859元/平米

df = pd.read_csv(r'C:\Users\yongx\Desktop\data\script.csv')
df.head(3)
Release Date Season Episode Episode Title Name Sentence
0 2011-04-17 Season 1 Episode 1 Winter is Coming waymar royce What do you expect? They're savages. One lot s...
1 2011-04-17 Season 1 Episode 1 Winter is Coming will I've never seen wildlings do a thing like this...
2 2011-04-17 Season 1 Episode 1 Winter is Coming waymar royce How close did you get?
df.columns = df.columns.str.strip()
df.head(3)
Release Date Season Episode Episode Title Name Sentence
0 2011-04-17 Season 1 Episode 1 Winter is Coming waymar royce What do you expect? They're savages. One lot s...
1 2011-04-17 Season 1 Episode 1 Winter is Coming will I've never seen wildlings do a thing like this...
2 2011-04-17 Season 1 Episode 1 Winter is Coming waymar royce How close did you get?
df.groupby(['Season','Episode'])['Sentence'].count().head()
Season    Episode
Season 1  Episode 1     327Episode 10    266Episode 2     283Episode 3     353Episode 4     404
Name: Sentence, dtype: int64
df.set_index('Name').Sentence.str.split().str.len().groupby('Name').mean().sort_values(ascending = False).head(5)
Name
male singer          109.000000
slave owner           77.000000
manderly              62.000000
lollys stokeworth     62.000000
dothraki matron       56.666667
Name: Sentence, dtype: float64
s = pd.Series(df.Sentence.values, index = df.Name.shift(-1))
s.str.count('\?').groupby('Name').sum().sort_values(ascending = False).head()
Name
tyrion lannister    527
jon snow            374
jaime lannister     283
arya stark          265
cersei lannister    246
dtype: int64

pandas task-08相关推荐

  1. Task 08(树模型组队总结

    这次的团队学习,我学习到了什么? 理论上的 从基础模型树模型到集成模型Bagging, Boosting和stacking以及blending,学起来感觉特别地舒服.从信息论到树的生成,从信息熵到gi ...

  2. Java中的Timer和Timer Task详解

    Java Timer&TimerTask原理分析 如果你使用Java语言进行开发,对于定时执行任务这样的需求,自然而然会想到使用Timer和TimerTask完成任务,我最近就使用 Timer ...

  3. Pandas Task6 综合测试

    Pandas Task上 综合测试 一.2002 年-2018 年上海机动车拍照拍卖 二.2007 年-2019 年俄罗斯机场货运航班运载量 三.新冠肺炎在美国的传播 一.2002 年-2018 年上 ...

  4. Java 最常见的 10000+ 面试题及答案整理:持续更新

    Java面试题以及答案整理[最新版]Java高级面试题大全(2021版),发现网上很多Java面试题都没有答案,所以花了很长时间搜集,本套Java面试题大全,汇总了大量经典的Java程序员面试题以及答 ...

  5. Android AsyncTask两种线程池分析和总结

    转自:http://bbs.51cto.com/thread-1114378-1-1.html Android AsyncTask两种线程池分析和总结 (一)    前言 在android Async ...

  6. 每个python文件就是一个模块、模块的名字就是_每个Python文件都可以作为一个模块,模块的名字就是 的名字_学小易找答案...

    [单选题]9.3 The management of XYZ Co has annual credit sales of $20 million and accounts receivable of ...

  7. 300道SpringCloud面试题及答案(最新整理)

    最新SpringCloud面试题及答案[附答案解析]SpringCloud面试题及答案,SpringCloud最新面试题及答案,SpringCloud面试题新答案已经全部更新完了,有些答案是自己总结的 ...

  8. scala报错20/08/31 23:48:40 WARN TaskSetManager: Lost task 1.0 in stage 0.0 (TID 1, 192.168.28.94, exec

    <?xml version="1.0" encoding="UTF-8"?> <project xmlns="http://mave ...

  9. 08:Python数据分析之pandas学习

    1.1 数据结构介绍 参考博客:http://www.cnblogs.com/nxld/p/6058591.html 1.pandas介绍 1. 在pandas中有两类非常重要的数据结构,即序列Ser ...

  10. 列注释_机器学习 Pandas 08:进阶 前09题 ( 带答案、注释 )

    8. Indicator设置合并列名称 df1 = pd.DataFrame({'col1':[0,1],'col_left':['a','b']}) df2 = pd.DataFrame({'col ...

最新文章

  1. 如何用Python做Web开发?——Django环境配置
  2. RedHat Linux乱码解决方案(转)
  3. 小程序 -- [sitemap 索引情况提示] 根据 sitemap 的规则[0],当前页面 [pages/index/index] 将被索引
  4. xshell调出oracle安装界面,XShell+Xmanager实现在XShell中显示远程服务器的图形界面
  5. perl处理Excel(跨平台)
  6. HTTP中的URL长度限制
  7. ecmascript2015
  8. Notes Fifteenth Day-渗透攻击-红队-内部信息搜集
  9. js隐藏显示div页面方法
  10. 回答华为公司面试题一头牛重800公斤一座桥承重700公斤问牛怎么过桥?
  11. 数据库系统概论--读书笔记--8 关系运算: 选择 投影 连接 除运算
  12. Unity Application Block 1.2 学习笔记(zhuan)
  13. Dashboard安装配置
  14. 最常见的英文写作问题
  15. JVM 对 Java 的原生锁做了哪些优化?
  16. Netty导学之NIO,Channel、Buffer、Selector详解
  17. html年会抽奖代码实例,基于JavaScript实现简单抽奖功能代码实例
  18. 第四章 流程控制与数组
  19. 三七互娱的荣与忧:手游业务大增、页游下滑,计提坏账准备3000万元
  20. UE4 | 蓝图 | 闪现和TP的实现

热门文章

  1. 第十一篇,看门狗定时器编程
  2. js实现手机摇一摇功能
  3. PicoNeo开发中遇到的问题(一)
  4. 思科Cisco vPC技术详解配置
  5. 汇川plc支持c语言吗,汇川PLC可编程控制器的功能特点
  6. UC Android官方下载,手机uc浏览器下载并安装-uc浏览器app最新版本v13.3.9.1119 安卓官方版 - 极光下载站...
  7. vmware死机,mvx.exe进程关不掉情况
  8. 华为防火墙配置IPSEC实现二个站点间网络互通 隧道模式 CLI配置 (三)
  9. 重温经典,续写传奇,迈巴赫S600改铱银色加铁灰色双拼喷漆
  10. 前缀学习第二课(下)