Home > Enterprise >  How can I get the number of all the possible numerical combinations with a certain length in a vecto
How can I get the number of all the possible numerical combinations with a certain length in a vecto

Time:12-02

I am trying to obtain the number of times that a certain numerical combination is repeated within a vector.

For example, I have this sequence of different numbers and I want to understand how many times is repeated a certain "block of number":

test <- c(1,2,3,4,1,2,3,4,4,4,4,4)

I would like to choose the length of the "block". Let's say for example length=4.

If there's some base function or solutions in R that you know, I would like to get all the possible outcomes that sould be:

2 times I found the combination 1 2 3 4 1 time I found the combination 4 4 4 4

Could you help me to fix this? I'm interested in knowing both the number of times a certain combination has been found, and also what numbers make up that combination.

I also tried to fix it with hints from Generate list of all possible combinations of elements of vector but I'm not able to obtain the results which I expect.

CodePudding user response:

Based on your desired output (and thus not all possible chunks of length n in the vector), a way could be to split vector into chunks of the desired length, convert them to strings, count the occurrences, stack them and paste to get the desired output.

You'll want to decide yourself how it should handle cases where length(test)/n is not an integer. It could throw an error or you might want to round in some way.

n <- 4

results <-
  split(test, cut(seq_along(test), length(test)/n, labels = FALSE)) |> 
  lapply(FUN = \(x) paste(x, collapse = " ")) |>
  unlist() |>
  table() |>
  stack()

paste(results$values, "times I found the combination", results$ind)

Output:

[1] "2 times I found the combination 1 2 3 4" "1 times I found the combination 4 4 4 4"

CodePudding user response:

test <- c(1,2,3,4,1,2,3,4,4,4,4,4)

n<-4

each_seq <- function(x, i){
  w <-  length(x) - i   1
  ids <- matrix(
    rep(1:i - 1, w)   rep(1:w, each = i), nrow = i)  
  do.call(rbind, apply(ids, 2, function(j) x[j], simplify = F))
}

combs <- as.data.frame(each_seq(test, n))
groups <- interaction(combs)

aggregate(1:nrow(combs), by=list(comb = groups), length)
#>      comb x
#> 1 2.3.4.1 1
#> 2 3.4.1.2 1
#> 3 4.1.2.3 1
#> 4 1.2.3.4 2
#> 5 2.3.4.4 1
#> 6 3.4.4.4 1
#> 7 4.4.4.4 2

CodePudding user response:

Statement: Given sequence S and word w, find natural n respective to quantity of times w appears on S.

Definition: we define a sequence as a concatenation of elements.

Definition: we define a word as a synonym to a sequence.

Requirements: Word cardinality #w is lower than #S

Algorithm:

  1. Place word w at beginning of sequence S;
  2. Initialize counter c to 0;
  3. Verifies if it matches: if the answer is yes, increase c by 1;
  4. Move word w right by 1 element.
  • Related