Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Subset by multiple ranges [duplicate]

I want to get a list of values that fall in between multiple ranges.

library(data.table)
values <- data.table(value = c(1:100))
range <-  data.table(start = c(6, 29, 87), end = c(10, 35, 92)) 

I need the results to include only the values that fall in between those ranges:

 results <- c(6, 7, 8, 9, 10, 29, 30, 31, 32, 33, 34, 35, 87, 88, 89, 90, 91, 92)

I am currently doing this with a for loop,

results <- data.table(NULL)
for (i in 1:NROW(range){ 
          results <- rbind(results, 
              data.table(result = values[value >= range[i, start] & 
                 value <= range[i, end], value]))}

however the actual dataset is quite large and I am looking for a more efficient way.

Any suggestions are appreciated! Thank you!

like image 565
son.ra Avatar asked Dec 08 '22 18:12

son.ra


1 Answers

Using the non-equi join possibility of data.table:

values[range, on = .(value >= start, value <= end), .(results = x.value)]

which gives:

    results
 1:       6
 2:       7
 3:       8
 4:       9
 5:      10
 6:      29
 7:      30
 8:      31
 9:      32
10:      33
11:      34
12:      35
13:      87
14:      88
15:      89
16:      90
17:      91
18:      92

Or as per the suggestion of @Henrik: values[value %inrange% range]. This works also very well on data.table's with multiple columns:

# create new data
set.seed(26042017)
values2 <- data.table(value = c(1:100), let = sample(letters, 100, TRUE), num = sample(100))

> values2[value %inrange% range]
    value let num
 1:     6   v  70
 2:     7   f  77
 3:     8   u  21
 4:     9   x  66
 5:    10   g  58
 6:    29   f   7
 7:    30   w  48
 8:    31   c  50
 9:    32   e   5
10:    33   c   8
11:    34   y  19
12:    35   s  97
13:    87   j  80
14:    88   o   4
15:    89   h  65
16:    90   c  94
17:    91   k  22
18:    92   g  46
like image 200
Jaap Avatar answered Dec 10 '22 08:12

Jaap