Reputation: 606
I have a dataframe df1
:
df1 <- structure(list(Id = c(0, 1, 3, 4), Support = c(17, 15, 10, 18
), Genes = structure(c(3L, 1L, 4L, 2L), .Label = c("BMP2,TGFB1,BMP3,MAPK12,GDF11,MAPK13,CITED1",
"CBLC,TGFA,MAPK12,YWHAE,YWHAQ,MAPK13,SPRY4", "FOS,BCL2,PIK3CD,NFKBIA,TNFRSF10B",
"MAPK12,YWHAE,YWHAQ,MAPK13,SPRY4,PIK3CD"), class = "factor")), class = "data.frame", row.names = c(NA,
-4L))
and another dataframe df2
:
df2 <- structure(list(V1 = structure(c(6L, 7L, 8L, 4L, 3L, 1L, 5L, 2L,
9L), .Label = c("BCL2", "BMP3", "CBLC", "CDC23", "CITED1", "FOS",
"MAPK13", "SPRY4", "TGFA"), class = "factor")), class = "data.frame", row.names = c(NA,
-9L))
How can I create a new column in df1
by counting the occurrence of each string from df2
in Genes
column to achieve such desired output ?
Id | Support | Genes | Counts |
---------------------------------------------------------
0 | 17 |FOS,BCL2,... | 2 |
1 | 15 |BMP2,TFGB1,...| 3 |
3 | 10 |MAPK12,YWHAE..| 1 |
4 | 18 |CBLC,TGFA,... | 4 |
Upvotes: 3
Views: 1086
Reputation: 24139
Here is another option using the stringr library. This loops over the Genes column from df and uses the df2 data frame as the pattern.
#convert factors columns into characters
df$Genes<-as.character(df$Genes)
df2$V1<-as.character(df2$V1)
library(stringr)
#loop over the strings against the pattern from df2
df$Counts<-sapply(df$Genes, function(x){
sum(str_count(x, df2$V1))
})
df
Id Support Genes Counts
1 0 17 FOS,BCL2,PIK3CD,NFKBIA,TNFRSF10B 2
2 1 15 BMP2,TGFB1,BMP3,MAPK12,GDF11,MAPK13,CITED1 3
3 3 10 MAPK12,YWHAE,YWHAQ,MAPK13,SPRY4,PIK3CD 2
4 4 18 CBLC,TGFA,MAPK12,YWHAE,YWHAQ,MAPK13,SPRY4 4
Upvotes: 2
Reputation: 1335
There is probably a more elegant solution, but this does the job.
df$Counts <- unlist(lapply(df$Genes, function(x){
xx <- unlist(strsplit(as.character(x),split = ","))
sum(df2$V1 %in% xx)
}))
Which gives:
Id Support Genes Counts
1 0 17 FOS,BCL2,PIK3CD,NFKBIA,TNFRSF10B 2
2 1 15 BMP2,TGFB1,BMP3,MAPK12,GDF11,MAPK13,CITED1 3
3 3 10 MAPK12,YWHAE,YWHAQ,MAPK13,SPRY4,PIK3CD 2
4 4 18 CBLC,TGFA,MAPK12,YWHAE,YWHAQ,MAPK13,SPRY4 4
(I think in your example above Counts
in the third row should be 2
not 1
?)
Upvotes: 2