Changing row names in a data_frame from letters to numbers in R

我的梦境 提交于 2019-12-24 21:14:31

问题


I have a group of datasets, from a survey applied to many different countries, which I want to combine to create a single merged data.frame. Unfortunately, for one of them , the variable names is different from the others, but it follows a pattern: as in the others the names of the variables are like "VAR1", "VAR2", etc., in this one their names are "VAR_a", "VAR_b", etc.

The code I've used so far to solve this problem is something like:

names (df) <- gsub("_a", "01", names(df)) 
names (df) <- gsub("_b", "02", names(df)) 
names (df) <- gsub("_c", "03", names(df)) 
names (df) <- gsub("_d", "04", names(df)) 
names (df) <- gsub("_e", "05", names(df)) 
names (df) <- gsub("_f", "06", names(df)) 
names (df) <- gsub("_g", "07", names(df)) 

up to the 14th letter/ number (no variable goes further than that), so that it can become similar to the other data.frames.

I know there should be a way of doing that with a few or maybe even one single line of code, but I can't find a way to do an iteration or any argument inside gsub itself to do this. Can anyone help me?

I was thinking maybe about something like:

names (df) <- gsub ("_[a-z]", "[1-9]", names(df))

But this didn't work, of course. I need R to understand I want each letter to become the corresponding number ("_a" becomes 1, etc.)

Appreciate any help.


回答1:


If you just want a version of gsub that vertorises over pattern and replacement, stringr has one called str_replace. The below code also uses letters in any version of R.

library(stringr)
df <- data.frame(matrix(0, nrow = 5, ncol = 10))
colnames(df) <- paste0("abcd2345p_", letters[1:10])
colnames(df)

> [1] "abcd2345p_a" "abcd2345p_b" "abcd2345p_c" "abcd2345p_d" "abcd2345p_e"
[6] "abcd2345p_f" "abcd2345p_g" "abcd2345p_h" "abcd2345p_i" "abcd2345p_j"

str_replace(colnames(df), paste0("_", letters[1:ncol(df)], "$"), as.character(1:ncol(df)))

>  [1] "abcd2345p1"  "abcd2345p2"  "abcd2345p3"  "abcd2345p4"  "abcd2345p5" 
[6] "abcd2345p6"  "abcd2345p7"  "abcd2345p8"  "abcd2345p9"  "abcd2345p10"


来源:https://stackoverflow.com/questions/45227154/changing-row-names-in-a-data-frame-from-letters-to-numbers-in-r

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!