count the number of occurrences of “(” in a string

后端 未结 3 651
别跟我提以往
别跟我提以往 2020-12-11 15:33

I am trying to get the number of open brackets in a character string in R. I am using the str_count function from the stringr package



        
相关标签:
3条回答
  • 2020-12-11 15:53

    You could also use gregexpr along with length in base R:

    sum(gregexpr("(", s, fixed=TRUE)[[1]] > 0)
    [1] 3
    

    gregexpr takes in a character vector and returns a list with the starting positions of each match. I added fixed=TRUE in order to match literals.length will not work because gregexpr returns -1 when a subexpression is not found.


    If you have a character vector of length greater than one, you would need to feed the result to sapply:

    # new example
    s<- c("(hi),(bye),(hi)", "this (that) other", "what")
    sapply((gregexpr("(", s, fixed=TRUE)), function(i) sum(i > 0))
    [1] 3 1 0
    
    0 讨论(0)
  • 2020-12-11 15:58

    ( is a special character. You need to escape it:

    str_count(s,"\\(")
    # [1] 3
    

    Alternatively, given that you're using stringr, you can use the coll function:

    str_count(s,coll("("))
    # [1] 3
    
    0 讨论(0)
  • 2020-12-11 16:05

    If you want to do it in base R you can split into a vector of individual characters and count the "(" directly (without representing it as a regular expression):

    > s<- "(hi),(bye),(hi)"
    > chars <- unlist(strsplit(s,""))
    > length(chars[chars == "("])
    [1] 3
    
    0 讨论(0)
提交回复
热议问题