用户体验可视化指南pdf

Learning to build complete visualizations in R is like any other data science skill, it’s a journey. RStudio’s ggplot2 is a useful package for telling data’s story, so if you are newer to ggplot2 and would love to develop your visualizing skills, you’re in luck. I developed a pretty quick — and practical — guide to help beginners advance their understanding of ggplot2 and design a couple polished, business-insightful graphs. Because early success with visualizations can be very motivating!

学习在R中构建完整的可视化效果就像其他任何数据科学技能一样,是一段旅程。 RStudio的ggplot2是一个有用的软件包,用于讲述数据的故事,因此,如果您是ggplot2的新手,并且希望发展自己的可视化技能,那么您会很幸运。 我开发了一个非常快速且实用的指南,以帮助初学者提高对ggplot2的理解,并设计一些精美的,具有业务洞察力的图表。 因为可视化的早期成功会非常有激励作用!

This tutorial assumes you have completed at least one introduction to ggplot2, like this one. If you haven’t, I encourage you to first to get some basics down.

本教程假定您至少已完成ggplot2的介绍, 例如本教程。 如果您还没有,我鼓励您首先了解一些基础知识。

By the end of this tutorial you will:

在本教程结束时,您将:

  • Deepen your understanding for enhancing visualizations in ggplot2加深对ggplot2中可视化效果的理解
  • Become familiar with navigating the ggplot2 cheat sheet (useful tool)熟悉导航ggplot2备忘单(有用的工具)
  • Build two original, polished visuals shown below through a simple, step-by-step format通过简单的分步格式构建两个原始的,经过抛光的视觉效果,如下所示
Visualization #2
可视化#2

Before we begin, here are a couple tools that can support your learning. The first is the ‘R Studio Data Visualization with ggplot2 cheat sheet’ (referred to as ‘cheat sheet’ from now on). We will reference it throughout to help you navigate it for future use.

在我们开始之前,这里有一些工具可以支持您的学习。 第一个是“带有ggplot2备忘单的R Studio数据可视化”(从现在开始称为“备忘单”)。 我们将始终引用它,以帮助您导航以备将来使用。

The second is a ggplot2 Quick Guide I made to help me build ggplots on my own faster. It’s not comprehensive, but it may help you more quickly understand the big picture of ggplot2.

第二个是 ggplot2快速指南 ,它旨在帮助我更快地自行构建ggplots。 它并不全面,但是可以帮助您更快地了解ggplot2的概况。

我们走吧! (Let’s go!)

For this tutorial, we will use the IBM HR Employee Attrition dataset, available here. This data offers (fictitious) business insight and requires no preprocessing. Sweet!

在本教程中,我们将使用IBM HR Employee Attrition数据集 , 可从此处获得 。 该数据提供(虚拟的)业务洞察力,不需要进行预处理。 甜!

Let’s install libraries and import the data.

让我们安装库并导入数据。

# install librarieslibrary(ggplot2)library(scales)install.packages("ggthemes") library(ggthemes)# import datadata <- read.csv(file.path('C:YourFilePath’, 'data.csv'), stringsAsFactors = TRUE)

Then check the data and structure.

然后检查数据和结构。

# view first 5 rowshead(attrition)# check structurestr(attrition)

Upon doing so, you will see that there are 1470 observations with 35 employee variables. Let’s start visual #1.

这样做之后,您将看到有1470个观察值和35个员工变量。 让我们开始视觉#1。

视觉#1 (Visual #1)

HR wants to know how monthly income is related to employee attrition by job role.

人力资源部想知道按职位 划分月收入员工流失之间的关系。

步骤1.数据,美学,几何 (Step 1. Data, Aesthetics, Geoms)

For this problem, ‘JobRole’ is our X variable (discrete) and ‘MonthlyIncome’ is our Y variable (continuous). ‘Attrition’ (yes/no) is our z variable.

对于此问题,“ JobRole”是我们的X变量(离散),“ MonthlyIncome”是我们的Y变量(连续)。 “损耗”(是/否)是我们的z变量。

Check side 1 of your cheat sheet under ‘Two Variables: Discrete X, Continuous Y,’ and note the various graphs. We will use geom_bar(). On the cheat sheet, it’s listed as geom_bar(stat = ‘identity’). This would give us total monthly income of all employees. We instead want average, so we insert (stat = ‘summary’, fun = mean).

在“两个变量:离散X,连续Y”下检查备忘单的第一面,并记下各种图形。 我们将使用geom_bar()。 在备忘单上,它被列为geom_bar(stat ='identity')。 这将给我们所有雇员的总月收入。 相反,我们想要平均值,所以我们插入(stat ='summary',fun = mean)。

# essential layersggplot(data, aes(x = JobRole, y = MonthlyIncome, fill=Attrition)) +  geom_bar(stat = 'summary', fun = mean) #Gives mean monthly income

We obviously can’t read the names, which leads us to step 2…

我们显然无法读取名称,这导致我们进入步骤2…

步骤2.座标和位置调整 (Step 2. Coordinates and Position Adjustments)

When names are too long, it often helps to flip the x and y axis. To do so, we will add coord_flip() as a layer, as shown below. We will also unstack the bars to better compare Attrition, by adding position = ‘dodge’ within geom_bar() in the code. Refer to the ggplot2 cheat sheet side 2, ‘Coordinate Systems’ and ‘Position Adjustments’ to see where both are located.

名称太长时,通常有助于翻转x和y轴。 为此,我们将添加coord_flip()作为图层,如下所示。 通过在代码的geom_bar()中添加position ='dodge',我们还将对这些条进行堆叠以更好地比较损耗。 请参考ggplot2备忘单第2面,“坐标系”和“位置调整”,以了解两者的位置。

# unstack bars and flipping axisggplot(data, aes(x = JobRole, y = MonthlyIncome, fill=Attrition)) +  geom_bar(stat = ‘summary’, fun = mean, position = ‘dodge’) +  coord_flip()

步骤3.从最高到最低重新排列条形 (Step 3. Reorder bars from highest to lowest)

Now, let’s reorder the bars from highest to lowest Monthly Income to help us better analyze by Job Role. Add the reorder code below within the aesthetics line.

现在,让我们从月收入的最高到最低重新排序,以帮助我们更好地按工作角色进行分析。 在美学行中的下方添加重新订购代码。

# reordering job roleggplot(data, aes(x = reorder(JobRole, MonthlyIncome), y = MonthlyIncome, fill = Attrition)) +  geom_bar(stat = 'summary', fun = mean, position = 'dodge') +  coord_flip()

步骤4.更改条形颜色和宽度 (Step 4. Change bar colors and width)

Let’s change the bar colors to “match the company brand.” This must be done manually, so find scale_fill_manual() on side 2 of the cheat sheet, under “Scales.” It lists colors in base R. You can try some, but they aren’t “company colors.” I obtained the color #s below from color-hex.com.

让我们更改条形颜色以“匹配公司品牌”。 这必须手动完成,因此请在备忘单第二侧的“比例”下找到scale_fill_manual()。 它在基准R中列出了颜色。您可以尝试一些,但它们不是“公司颜色”。 我从color-hex.com获得以下颜色#。

Also, we will narrow the bar widths by adding ‘width=.8’ within geom_bar() to add visually-appealing space.

另外,我们将通过在geom_bar()中添加'width = .8'来缩小条形宽度,以增加视觉上吸引人的空间。

ggplot(data, aes(x = reorder(JobRole, MonthlyIncome), y = MonthlyIncome, fill = Attrition)) +  geom_bar(stat='summary', fun=mean, width=.8, position='dodge') +  coord_flip() +  scale_fill_manual(values = c('#96adbd', '#425e72'))

步骤5.标题和轴标签 (Step 5. Title and Axis Labels)

Now let’s add Title and Labels. We don’t need an x label since the job titles explain themselves. See the code for how we handled. Also, check out “Labels” on side 2 of the cheat sheet.

现在让我们添加标题和标签。 我们不需要x标签,因为职位说明了自己。 请参阅代码以了解我们的处理方式。 另外,请检查备忘单第二面的“标签”。

ggplot(data, aes(x = reorder(JobRole, MonthlyIncome), y = MonthlyIncome, fill = Attrition)) +  geom_bar(stat='summary', fun=mean, width=.8, position='dodge') +  coord_flip() +  scale_fill_manual(values = c('#96adbd', '#425e72')) +  xlab(' ') +  #Removing x label  ylab('Monthly Income in USD') +  ggtitle('Employee Attrition by Job Role & Income')

步骤6.添加主题 (Step 6. Add Theme)

A theme will kick it up a notch. We will add a theme layer at the end of our code, as shown below. When you start typing ‘theme’ in R, it shows options. For this graph, I chose theme_clean()

一个主题将使它提升一个等级。 我们将在代码末尾添加一个主题层,如下所示。 当您开始在R中键入“主题”时,它会显示选项。 对于此图,我选择了theme_clean()

#Adding theme after titleggtitle('Employee Attrition by Job Role & Income') +  theme_clean()

步骤7.降低图形高度并使轮廓不可见 (Step 7. Reduce graph height and make outlines invisible)

Just two easy tweaks. First, we will remove the graph and legend outlines. Second, the graph seems tall, so let’s reduce the height via aspect.ratio within theme(). Here is the full code for the final graph.

只需两个简单的调整。 首先,我们将删除图形和图例轮廓。 其次,图形看起来很高,因此让我们通过theme()中的Aspect.ratio降低高度。 这是最终图形的完整代码。

ggplot(data, aes(x = reorder(JobRole, MonthlyIncome), y = MonthlyIncome, fill = Attrition)) +  geom_bar(stat='summary', fun=mean, width=.8, position='dodge') +  coord_flip() +  scale_fill_manual(values = c('#96adbd', '#425e72')) +  xlab(' ') +  ylab('Monthly Income in USD') +  ggtitle('Employee Attrition by Job Role & Income') +  theme_clean() +  theme(aspect.ratio = .65,    plot.background = element_rect(color = 'white'),    legend.background = element_rect(color = 'white'))

Nice. We see that Research Directors who make more in monthly income are more likely to leave the company. The opposite is the case for other job roles.

真好 我们发现,月收入更高的研究主管更有可能离开公司。 其他工作角色则相反。

You’ve accomplished a lot. Ready for another go? Visual 2 walk-through will be a piece of cake.

您已经取得了很多成就。 准备再去吗? Visual 2演练将是小菜一碟。

视觉#2 (Visual #2)

For the second visual, we want to know if employee attrition has any relationship to monthly income, years since last promotion, and work-life balance. Another multivariate analysis.

对于第二个视觉图像,我们想知道员工的流失是否与月收入自上次升职以来 的年限以及工作与生活的平衡有关。 另一个多元分析。

步骤1.数据,美学,几何 (Step 1. Data, Aesthetics, Geoms)

For this problem, ‘MonthlyIncome’ is our X and ‘YearsSinceLastPromotion’ is our Y variable. Both are continuous, so check side 1 of your cheat sheet under ‘Two Variables: Continuous X, Continuous Y.’ For visualization context, we will use geom_smooth(), a regression line often added to scatter plots to reveal patterns. ‘Attrition’ will again be differentiated by color.

对于此问题,“ MonthlyIncome”是我们的X,“ YearsSinceLastPromotion”是我们的Y变量。 两者都是连续的,因此请检查备忘单第1面的“两个变量:连续X,连续Y”。 对于可视化上下文,我们将使用geom_smooth(),这是一条通常添加到散点图中以揭示模式的回归线。 “损耗”将再次通过颜色区分。

ggplot(data, aes(x=MonthlyIncome, y=YearsSinceLastPromotion, color=Attrition)) +  geom_smooth(se = FALSE) #se = False removes confidence shading

We can see that employees who leave are promoted less often. Let’s delve deeper and compare by work-life balance. For this 4th variable, we need to use ‘Faceting’ to view subplots by work-life balance level.

我们可以看到,离职的员工升职的频率降低了。 让我们深入研究并通过工作与生活之间的平衡进行比较。 对于第四个变量,我们需要使用“ Faceting”以按工作与生活的平衡水平查看子图。

步骤2.刻面将子图添加到画布 (Step 2. Faceting to add subplots to the canvas)

Check out ‘Faceting’ on side 2 of the cheat sheet. We will use facet_wrap() for a rectangular layout.

检查备忘单第二面的“ Faceting”。 我们将facet_wrap()用于矩形布局。

ggplot(data, aes(x = MonthlyIncome, y = YearsSinceLastPromotion, color=Attrition)) +  geom_smooth(se = FALSE) +  facet_wrap(WorkLifeBalance~.)

The facet grids look good, but what do the numbers mean? The data description explains the codes for ‘WorkLifeBalance’: 1 = ‘Bad’, 2 = ‘Good’, 3 = ‘Better’, 4 = ‘Best’. Add them in step 3.

刻面网格看起来不错,但是数字意味着什么? 数据说明解释了“ WorkLifeBalance”的代码:1 =“差”,2 =“好”,3 =“更好”,4 =“最好”。 在步骤3中添加它们。

步骤3.将标签添加到构面子图 (Step 3. Add Labels to Facet Subplots)

To add subplot labels, we need to first define the names with a character vector, then use the ‘labeller’ function within facet_wrap.

要添加子图标签,我们需要首先使用字符向量定义名称,然后在facet_wrap中使用'labeller'函数。

# define WorkLifeBalance valueswlb.labs <- c('1' = 'Bad Balance', '2' = 'Good Balance', '3' = 'Better Balance', '4' = 'Best Balance')#Add values to facet_wrap()ggplot(data, aes(x = MonthlyIncome, y = YearsSinceLastPromotion, color=Attrition)) +  geom_smooth(se = FALSE) +  facet_wrap(WorkLifeBalance~.,     labeller = labeller(WorkLifeBalance = wlb.labs))

步骤4.标签和标题 (Step 4. Labels and Title)

Add your labels and title at the end of your code.

在代码末尾添加标签和标题。

facet_wrap(WorkLifeBalance~.,    labeller = labeller(WorkLifeBalance = wlb.labs)) +xlab('Monthly Income') +ylab('Years Since Last Promotion') +ggtitle('Employee Attrition by Workplace Factors')

步骤5.在标签和刻度标记之间添加空格 (Step 5. Add Space Between Labels and Tick Markers)

When I look at the graph, the x and y labels seem too close to the tick markers. A simple trick is to insert newline (\n) code within label names.

当我查看图表时,x和y标签似乎太靠近刻度线标记。 一个简单的技巧是在标签名称中插入换行(\ n)代码。

xlab('\nMonthly Income') +  #Adds space above labelylab('Years Since Last Promotion\n')  #Adds space below label

步骤6.主题 (Step 6. Theme)

When you installed library(‘ggthemes’), it gave you more options. For a modern look, I went with theme_fivethirtyeight(). Simply add at the end.

当您安装库('ggthemes')时,它为您提供了更多选择。 对于现代外观,我选择了theme_fivethirtyeight()。 只需在末尾添加即可。

ggtitle('Employee Attrition by Workplace Factors') +  theme_fivethirtyeight()

步骤7.覆盖主题默认值 (Step 7. Override a Theme Default)

What happened to our x and y labels? Well, the default for theme_fivethirtyeight() doesn’t have labels. But we can easily override that with a second theme() layer at the end of your code as shown below.

我们的x和y标签发生了什么? 好吧,theme_fivethirtyeight()的默认值没有标签。 但是我们可以在代码末尾的第二个theme()层轻松覆盖它,如下所示。

theme_fivethirtyeight() +theme(axis.title = element_text())

Not bad. But…people may not be able to tell if ‘Better Balance’ and ‘Best Balance’ are for the top or bottom grids right away. Let’s also change our legend location in step 8.

不错。 但是……人们可能无法立即判断出“最佳平衡”和“最佳平衡”是用于顶部还是底部网格。 我们还要在步骤8中更改图例位置。

步骤8.在网格之间添加空间并更改图例位置 (Step 8. Add Space Between Grids and Change Legend Location)

Adding space between top and bottom grids and changing the legend location both occur within the second theme() line. See side 2 of cheat sheet under ‘Legends.’

在顶部和底部网格之间添加空间并更改图例位置都在第二个theme()行内。 请参阅“传奇”下备忘单的第二面。

theme_fivethirtyeight() +theme(axis.title = element_text(),  legend.position = 'top',  legend.justification = 'left',  panel.spacing = unit(1.5, 'lines'))

步骤9。更改线条颜色 (Step 9. Change Line Color)

It would be awesome to change line colors to pack a visual punch. Standard R colors don’t quite meet our needs. We will change manually just like we did with Visual #1. I obtained the colors #s from color-hex.com, which has become a useful tool for us.

更改线条颜色以增加视觉冲击力真是太棒了。 标准R颜色不能完全满足我们的需求。 我们将像使用Visual#1一样手动进行更改。 我从color-hex.com获得了颜色#,它已成为我们的有用工具。

Here is the full code for the second visual.

这是第二个视觉效果的完整代码。

ggplot(data, aes(x = MonthlyIncome, y = YearsSinceLastPromotion, color=Attrition)) +  geom_smooth(se = FALSE) +  facet_wrap(WorkLifeBalance~.,     labeller = labeller(WorkLifeBalance = wlb.labs)) +  xlab('\nMonthly Income') +    ylab('Years Since Last Promotion\n') +  theme_ggtitle('Employee Attrition by Workplace Factors') +  theme_fivethirtyeight() +  theme(axis.title = element_text(),    legend.position = 'top',    legend.justification = 'left',    panel.spacing = unit(1.5, 'lines')) +  scale_color_manual(values = c('#999999','#ffb500'))

Another job well done. We see that employees in roles lacking work-life balance seem to stay if promotions are more frequent. The difference in attrition is less noticeable in good or higher work-life balance levels.

另一项工作做得很好。 我们看到,如果升职更加频繁,则缺乏工作与生活平衡的角色的员工似乎会留下来。 在良好或较高的工作与生活平衡水平下,损耗的差异不太明显。

In this tutorial, we gained skills needed for ggplot2 visual enhancement, became more familiar with the R Studio ggplot2 cheat sheet, and built two nice visuals. I hope that the step-by-step explanations and cheat sheet referencing were helpful and enhanced your confidence using ggplot2.

在本教程中,我们获得了ggplot2视觉增强所需的技能,对R Studio ggplot2备忘单更加熟悉,并构建了两个不错的视觉效果。 我希望逐步说明和备忘单参考对您有所帮助,并使用ggplot2增强您的信心。

Many are helping me as I advance my data science and machine learning skills, so my goal is to help and support others in the same way.

随着我提高数据科学和机器学习技能,许多人正在帮助我,所以我的目标是以同样的方式帮助和支持他人。

翻译自: https://towardsdatascience.com/beginners-guide-to-enhancing-visualizations-in-r-9fa5a00927c9

用户体验可视化指南pdf


http://www.taodudu.cc/news/show-994910.html

相关文章:

  • sql横着连接起来sql_SQL联接的简要介绍(到目前为止)
  • 如何击败Python的问题
  • 数据冒险控制冒险_劳动生产率和其他冒险
  • knn 邻居数量k的选取_选择K个最近的邻居
  • 什么样的代码是好代码_什么是好代码?
  • 在Python中使用Twitter Rest API批量搜索和下载推文
  • 大数据 vr csdn_VR中的数据可视化如何革命化科学
  • 导入数据库怎么导入_导入必要的库
  • 更便捷的画决策分支图的工具_做出更好决策的3个要素
  • 矩阵线性相关则矩阵行列式_搜索线性时间中的排序矩阵
  • bigquery数据类型_将BigQuery与TB数据一起使用后的成本和性能课程
  • 脚本 api_从脚本到预测API
  • binary masks_Python中的Masks概念
  • python 仪表盘_如何使用Python刮除仪表板
  • aws emr 大数据分析_DataOps —使用AWS Lambda和Amazon EMR的全自动,低成本数据管道
  • 先进的NumPy数据科学
  • 统计和冰淇淋
  • 对数据仓库进行数据建模_确定是否可以对您的数据进行建模
  • python内置函数多少个_每个数据科学家都应该知道的10个Python内置函数
  • 针对数据科学家和数据工程师的4条SQL技巧
  • 芒果云接吗_芒果糯米饭是生产力的关键吗?
  • 公司生日会生日礼物_你的生日有多受欢迎?
  • 旧金山字体_旧金山建筑业的兴衰。 施工趋势与历史
  • lambda函数,函数符_为什么您永远不应该在Lambda函数中使用print()
  • ai 中 统计_AI统计(第2部分)
  • twitter数据分析_Twitter上最受欢迎的数据科学文章主题
  • 是什么使波西米亚狂想曲成为杰作-数据科学视角
  • 流行编程语言_编程语言的流行度排名
  • corba的兴衰_数据科学薪酬的兴衰
  • 通才与专家_那么您准备聘请数据科学家了吗? 通才还是专家?

用户体验可视化指南pdf_R中增强可视化的初学者指南相关推荐

  1. 我经历过的那些奇葩用户体验(持续更新中。。。)

    1.CSDN 问题现象:登陆账号以后会跳转到一个很奇葩的"我的CSDN"界面,整个界面仿微博设计,但内容却莫名其妙,且整个界面色调单一,使用体验极差. 评论:作为一个计算机行业的门 ...

  2. java初学者指南_企业Java中事务隔离级别的初学者指南

    java初学者指南 介绍 基于ACID事务属性的关系数据库强一致性模型. 在本文中,我们将阐明对资源本地事务和JTA事务使用不同的事务隔离级别和各种配置模式的背后原因. 隔离和一致性 在关系数据库系统 ...

  3. python编程入门指南上下百度云-Python编程初学者指南 PDF扫描版[87MB]

    Python编程初学者指南 内容简介: 如果你刚刚接触Python编程,而且正在寻找一本实用的教程,那么这本书为你量身打造.通过阅读本书,你不仅会学到很多实用的Python编程知识,还将懂得如何在实际 ...

  4. app窃取用户隐私_窃取您的隐私8步初学者指南

    app窃取用户隐私 Below is a quick rationale of why we need to take these steps, followed by the first 8 ste ...

  5. 企业Java中事务隔离级别的初学者指南

    介绍 基于ACID事务属性的关系数据库强一致性模型. 在本文中,我们将阐明对资源本地事务和JTA事务使用不同的事务隔离级别和各种配置模式的背后原因. 隔离和一致性 在关系数据库系统中,原子性和持久性是 ...

  6. c+const_如何在C ++中使用const? 初学者指南

    c+const Hey, folks! In this tutorial, we will be focusing on const in C++. 嘿伙计! 在本教程中,我们将重点介绍C ++中的c ...

  7. SQL 中的 COALESCE 函数初学者指南

    "合并"这个词的意思是合并或聚集在一起,它源自拉丁语"coalescere",意思是"一起成长".在 SQL 中的 COALESCE 函数上 ...

  8. 移动用户体验设计中的原型应用

    在现有的移动领域里,我们如何将"原型"的概念揉入到我们的设计中去呢?而现在确实有很多的Apps的设计,体现了原型概念的应用,归结起来,有以下几种形式: 1.以应用程序为中心 2.以 ...

  9. 《iOS用户体验》总结与思考-修改版

    如果转载此文,请注明出处:http://blog.csdn.net/paulery2012/article/details/25157347,谢谢! 前言: 本文是在阅读<ios用户体验> ...

最新文章

  1. 快速上手微软 “群策 MARO” 平台,打造简易的共享单车场景
  2. .net 将html写成的table 转换成excel_如何使用Pandas将二维表(DataFrame)反转为一维列表?...
  3. Lazy Load, 延迟加载图片的 jQuery 插件
  4. Java-gt;Android并发编程引气入门篇
  5. Linux操作系统中内存buffer和cache的区别--从free命令说起(转)
  6. python有道自动翻译_利用python写一个有道翻译的脚本
  7. 常用前端代码资源(转)
  8. ajax获取信息发送短信,javascript ajax获取信息功能代码
  9. Python 实例教程100例
  10. 串行通信协议 CAN 和 LIN
  11. 太原冶金技师学院计算机系,山西冶金技师学院专业都有什么
  12. NEW:5.9.4/Foxit PDF SDKfor ActiveX
  13. coreldraw怎样定数等分_CorelDRAW基础教程,教你cdr如何等分分割图片
  14. 开发一款APP软件,需要哪些技术支持呢?
  15. 嵌入式中SD卡接口电路设计
  16. IDEA怎么查看还有多久到期
  17. NOIP 2013 华容道
  18. delphi里面奇奇怪怪的函数真多。。
  19. 下一代LMS的全球与中国市场2022-2028年:技术、参与者、趋势、市场规模及占有率研究报告
  20. 常用的40引脚的RGB屏介绍

热门文章

  1. HDU - 6278 Just $h$-index主席树+二分
  2. (原创)C++11改进我们的程序之move和完美转发
  3. MMKV集成与原理,成功跳槽阿里!
  4. 如何保证Redis与数据库的双写一致性?进阶加薪全靠它!
  5. linux 磁盘管理3板斧,Linux磁盘管理三板斧的使用心得
  6. python note 29 线程创建
  7. javascript如何阻止事件冒泡和默认行为
  8. cookie和session(1)
  9. CentOS6 下Samba服务器的安装与配置
  10. CF758 D. Ability To Convert 细节处理字符串