- R 教程
- R - 首页
- R - 概述
- R - 环境设置
- R - 基本语法
- R - 数据类型
- R - 变量
- R - 运算符
- R - 决策
- R - 循环
- R - 函数
- R - 字符串
- R - 向量
- R - 列表
- R - 矩阵
- R - 数组
- R - 因子
- R - 数据框
- R - 包
- R - 数据重塑
R - 因子
因子是用于对数据进行分类并将其存储为水平的数据对象。它们可以存储字符串和整数。它们在具有有限数量唯一值的列中非常有用,例如“男性”、“女性”和 True、False 等。它们在统计建模的数据分析中很有用。
因子是使用factor()函数创建的,它以向量作为输入。
示例
# Create a vector as input. data <- c("East","West","East","North","North","East","West","West","West","East","North") print(data) print(is.factor(data)) # Apply the factor function. factor_data <- factor(data) print(factor_data) print(is.factor(factor_data))
当我们执行上述代码时,它会产生以下结果:
[1] "East" "West" "East" "North" "North" "East" "West" "West" "West" "East" "North" [1] FALSE [1] East West East North North East West West West East North Levels: East North West [1] TRUE
数据框中的因子
在创建任何包含文本数据列的数据框时,R 会将文本列视为分类数据并在其上创建因子。
# Create the vectors for data frame. height <- c(132,151,162,139,166,147,122) weight <- c(48,49,66,53,67,52,40) gender <- c("male","male","female","female","male","female","male") # Create the data frame. input_data <- data.frame(height,weight,gender) print(input_data) # Test if the gender column is a factor. print(is.factor(input_data$gender)) # Print the gender column so see the levels. print(input_data$gender)
当我们执行上述代码时,它会产生以下结果:
height weight gender 1 132 48 male 2 151 49 male 3 162 66 female 4 139 53 female 5 166 67 male 6 147 52 female 7 122 40 male [1] TRUE [1] male male female female male female male Levels: female male
更改级别顺序
可以通过再次应用 factor 函数并使用新的级别顺序来更改因子中级别的顺序。
data <- c("East","West","East","North","North","East","West", "West","West","East","North") # Create the factors factor_data <- factor(data) print(factor_data) # Apply the factor function with required order of the level. new_order_data <- factor(factor_data,levels = c("East","West","North")) print(new_order_data)
当我们执行上述代码时,它会产生以下结果:
[1] East West East North North East West West West East North Levels: East North West [1] East West East North North East West West West East North Levels: East West North
生成因子级别
我们可以使用gl()函数生成因子级别。它接受两个整数作为输入,分别表示有多少个级别以及每个级别出现多少次。
语法
gl(n, k, labels)
以下是所用参数的描述:
n 是一个整数,表示级别的数量。
k 是一个整数,表示重复次数。
labels 是结果因子级别的标签向量。
示例
v <- gl(3, 4, labels = c("Tampa", "Seattle","Boston")) print(v)
当我们执行上述代码时,它会产生以下结果:
Tampa Tampa Tampa Tampa Seattle Seattle Seattle Seattle Boston [10] Boston Boston Boston Levels: Tampa Seattle Boston
广告