条件显示R中的值

时间:2014-02-18 17:54:02

标签: r

我想看看哪些值有特定的输入问题,但我没有把事情做好。 例如,我需要打印来自列“c”的屏幕值,但条件是来自“b”的给定值表示[b == 0]。 最后,我需要为那些条件为真的人添​​加一个新字符串。

 df<- structure(list(a = c(11.77, 10.9, 10.32, 10.96, 9.906, 10.7, 
 11.43, 11.41, 10.48512, 11.19), b = c(2, 3, 2, 0, 0, 0, 1, 2, 
 4, 0), c = c("q", "c", "v", "f", "", "e", "e", "v", "a", "c")), .Names = c("a", 
 "b", "c"), row.names = c(NA, -10L), class = "data.frame")

我尝试了这个没有成功:

if(df[b]==0){
print(df$c)
}


if((df[b]==0)&(df[c]=="v")){
df[c] <-paste("2")
}

感谢您的帮助。

3 个答案:

答案 0 :(得分:3)

正确的语法类似于df[rows, columns],因此您可以尝试:

df[df$b==0, "c"]

您可以使用ifelse完成更改值:

df$c <- ifelse(df$b==0 & df$c=="v", paste(df$c, 2, sep=""), df$c)

答案 1 :(得分:1)

这有帮助吗?

rows <- which(df$b==0)
if (length(rows)>0) {
  print(df$c[rows])
  df$c[rows] <- paste(df$c[rows],'2')
  ## maybe you wanted to have:
  # df$c[rows] <- '2'
}

答案 2 :(得分:1)

有几种方法可以在R中对数据进行子集,例如:

df$c[df$b == 0]
df[df$b == 0, "c"]
subset(df, b == 0, c)
with(df, c[b == 0])
# ...

有条件地添加另一列(此处:TRUE / FALSE):

df$e <- FALSE; df$e[df$b == 0] <- TRUE
df <- transform(df, c = ifelse(b == 0, TRUE, FALSE))
df <- within(df, e <- ifelse(b == 0, TRUE, FALSE))
# ...