This language bar is your friend. Select your favorite languages!
Select your favorite languages :
- Or search :
Idiom #57 Filter list
Create the list y containing the items from the list x that satisfy the predicate p. Respect the original ordering. Don't modify x in-place.
- Ada
- Clojure
- C++
- C++
- C#
- C#
- D
- D
- Dart
- Elixir
- Elixir
- Erlang
- Erlang
- Fortran
- Go
- Go
- Go
- Go
- Groovy
- Haskell
- JS
- Java
- Java
- Kotlin
- Lisp
- Lua
- Lua
- Obj-C
- PHP
- Pascal
- Perl
- Python
- Python
- Python
- Ruby
- Rust
- Scala
- Scheme
- Smalltalk
n := 0
for _, v := range x {
if p(v) {
n++
}
}
y := make([]T, 0, n)
for _, v := range x {
if p(v) {
y = append(y, v)
}
}
This makes 2 passes: one to count the number n of elements to be kept, and one to copy the elements in the target slice created with the correct size n.
This is efficient if p is cheap and x is small.
This is efficient if p is cheap and x is small.
func filter[S ~[]T, T any](x S, p func(T) bool) S {
var y S
for _, v := range x {
if p(v) {
y = append(y, v)
}
}
return y
}
filter is a generic function with a type parameter T
y := make([]T, 0, len(x))
for _, v := range x{
if p(v){
y = append(y, v)
}
}
For item type T.
Note that this allocates memory for the new slice y.
Warning: y is allocated with as much memory as x, which may in some cases be wasteful.
Note that this allocates memory for the new slice y.
Warning: y is allocated with as much memory as x, which may in some cases be wasteful.
function Filter(vv:integer):boolean;
begin
result := vv mod 2= 0;
end;
type TFilter=function(v:integer):boolean;
function FilteredArray(const x:TBoundArray;p:TFilter):TBoundArray;
var
Idx: Integer;
v : Integer;
begin
setlength(result,high(x)+1);
Idx := 0;
for v in x do
if p(v) then
begin
result[Idx] := v;
inc(Idx);
end;
setlength(result,Idx);
end;
[...]
y := FilteredArray(x,@Filter);
The function Filter defines a demo-filter.
This is/can be passed to the FilteredArray-function.
TBoundArray is a standard type for array of integer;
On some implementation's (e.G: delphi) you have to omit the @ before Filter.
This is/can be passed to the FilteredArray-function.
TBoundArray is a standard type for array of integer;
On some implementation's (e.G: delphi) you have to omit the @ before Filter.
y = [element for element in x if p(element)]
List comprehensions tend to be more readable than filter function