我正在努力寻找有效地将标记变量转化为因素的方法。我正在使用的数据集可从此处获得:[ https://www.dropbox.com/s/jhp780hd0ii3dnj/out.sav?dl=0][1]。这是一个spss数据文件,我喜欢使用它,因为我的同事使用它。
当我读入数据时,你可以看到文件中的每一个因素都变成了一个“标记”的类。
#load libraries
library(haven)
library(tidy)
library(dplyr)
#Import
test<-read_sav(path='~/your/path/name/out.sav')
#Structure
str(test)
#Find Class
sapply(test, class)
我遇到的第一个问题是 ggplot2 不知道如何将比例应用于标记类。
#
td<-ford %>%
select(income, stress) %>%
group_by(income, stress)%>%
filter(is.na(stress)==FALSE)%>%
filter(is.na(income)==FALSE)%>%
summarize(Freq=n())%>%
mutate(Percent=(Freq/sum(Freq))*100)
#Draw plot
ggplot(td, aes(x=income, y=Percent, group=stress))+
#barplot
geom_bar(aes(fill=stress), stat='identity')
这可以通过将分类变量“收入”包装在 as_factor() 中很好地解决
#Draw plot
ggplot(td, aes(x=as_ford(income), y=Percent, group=stress))+
#barplot
geom_bar(aes(fill=stress), stat='identity')
但是,如果我在做探索性研究,我可能会用很多标签变量做很多图。这让我觉得有很多额外的打字。
当您收集大量变量来绘制多个交叉表时,这个问题被放大了,您会丢失值标签。
##Visualizations
test<-ford %>%
#The first two variables are the grouping, variables for a series of cross tabs
select(ford, stress,resp_gender, immigrant2, education, property, commute, cars, religion) %>%
#Some renamings
rename(gender=resp_gender, educ=education, immigrant=immigrant2, relig=religion)%>%
#Melt all variables other than ford and stress
gather(variable, category, -ford, -stress)%>%
#Group by all variables
group_by(variable, category, ford, stress) %>%
#filter out missings
filter(is.na(stress)==FALSE&is.na(ford)==FALSE)%>%
#filter out missings
filter(is.na(value)==FALSE)%>%
#summarize
summarize(freq=n())
#Show plots
ggplot(test, aes(x=as_factor(value), y=freq, group=as_factor(ford)))+geom_bar(stat='identity',position='dodge', aes(fill=as_factor(ford)))+facet_grid(~category, scales='free')
所以,现在所有被融化的变量的值标签都消失了。因此,我可以看到防止这种情况的唯一方法是单独使用 as_factor() 将每个标记的变量转换为以值标签作为因子级别的因子。但是,同样,这是很多打字。
我想我的问题是如何最有效地处理标记类,将它们转化为因素,特别是关于 ggplot2。