Filtre os pseudo-elementos!

15

Definimos a hiper-média de uma matriz / lista (de números) a média aritmética das somas de seus prefixos.

Por exemplo, a hiper-média da lista [1, 4, -3, 10]é calculada da seguinte maneira:

  • Ficamos com os prefixos: [1], [1, 4], [1, 4, -3], [1, 4, -3, 10].

  • Resumir cada um: [1, 5, 2, 12].

  • E agora obter a média aritmética dos elementos desta lista: (1 + 5 + 2 + 12) / 4 = 5.

Um pseudo-elemento de uma matriz é um elemento cujo valor é estritamente menor que sua hiper-média. Portanto, os pseudoelementos da nossa lista de exemplos são 1, 4e -3.


Dada uma lista de números de ponto flutuante, sua tarefa é retornar a lista de pseudoelementos.

  • Você não precisa se preocupar com imprecisões de ponto flutuante.

  • A lista de entrada nunca estará vazia e pode conter números inteiros e flutuantes. Se mencionado, números inteiros podem ser tomados como flutuadores (com <integer>.0)

  • Você pode supor que os números se encaixam no seu idioma de escolha, mas não abuse disso de forma alguma.

  • Opcionalmente, você também pode usar o comprimento da matriz.

  • Isso é , então as regras padrão para a tag se aplicam. O código mais curto em bytes ( em cada idioma ) vence!


Casos de teste

Entrada -> Saída

[10,3] -> []
[5.4, 5.9] -> [5.4, 5.9]
[1, 4, -3, 10] -> [1, 4, -3]
[-300, -20,9, 1000] -> [-300, -20,9]
[3.3, 3.3, 3.3, 3.3] -> [3.3, 3.3, 3.3, 3.3]
[-289,93, 912,3, -819,39, 1000] -> [-289,93, -819,39]
Mr. Xcoder
fonte
Se alguns idiomas tiverem o tamanho da matriz como entrada adicional, deve ser permitido para todos os idiomas .
Ngenisis
1
@ngenisis É para todos os idiomas. Se a duração também diminuir o seu programa, fique à vontade para fazê-lo. Essa especificação não tem linguagem restritiva.
Mr. Xcoder

Respostas:

7

MATL , 8 bytes

ttYsYm<)

Experimente online! Ou verifique todos os casos de teste .

Explicação

tt    % Implicitly input array. Duplicate twice
Ys    % Cumulative sum
Ym    % Arithmetic mean
<     % Less than? (element-wise). Gives an array containing true / false
)     % Reference indexing : use that array as a mask to select entries 
      % from the input. Implicitly display
Luis Mendo
fonte
7

05AB1E , 9 8 bytes

-1 bytes graças a Magic Octopus Urn

ηOO¹g/‹Ï

Experimente online!

η        # Get prefixes
 O       # Sum each
  O¹g/   # Get the mean ( length(prefix list) equals length(original list) )
      ‹Ï # Keep only the value that are less than the mean

05AB1E , 6 bytes

Usando o novo ÅAcomando.

ηOÅA‹Ï

Experimente online!

η      # Get prefixes
 O     # Sum each
  ÅA   # Get the mean
    ‹Ï #  Keep only the value that are less than the mean
Riley
fonte
2
ηOO¹g/›Ïpara 8; também começa com nOO!.
Magic Octopus Urn
5

Japt v2.0a0, 12 11 10 bytes

f<Uå+ x÷Ul

Teste-o

  • 1 byte economizado graças ao ETH apontando um caractere redundante.

Explicação

Entrada implícita da matriz U.

f<

Filtre ( f) a matriz verificando se cada elemento é menor que ...

Uå+

Ucumulativamente reduzido ( å) somando ...

x

Com a matriz resultante, por sua vez, reduzida pela soma ...

/Ul

E dividido pelo comprimento ( l) de U.

Saída implícita da matriz resultante.

Shaggy
fonte
4

Python 3 com Numpy , 48 bytes

lambda x:x[x<mean(cumsum(x))]
from numpy import*

Entrada e saída são matrizes Numpy. Experimente online!

Luis Mendo
fonte
1
+1 Finalmente, alguém usa cumsum!
Xcoder
3

Geléia , 9 bytes

+\S÷L<Ðf@

Experimente online!

Freira Furada
fonte
Talvez <Ðf@devesse ser <Ðḟ@?
Erik the Outgolfer
@EriktheOutgolfer, mas passa em todos os casos de teste.
Leaky Nun
Ainda assim, algo não me parece bom ... antes de tudo, +\S÷Lcalcula a hiper-média, depois a <Ðf@coloca como argumento correto e <retornará 1se um elemento for um pseudo-elemento, essencialmente filtrando os pseudo-elementos em vez de filtrar eles fora.
Erik the Outgolfer
@EriktheOutgolfer Nesse contexto, filtrar significa filtrar.
Leaky Nun
3

Python 2 , 78 76 71 66 bytes

-7 bytes graças ao Sr. Xcoder.

lambda l:[x for x in l if x<sum(sum(l[:i])for i in range(len(l)))]

Experimente online!

totalmente humano
fonte
Eu acho que você pode fazer range(len(l))e l[:i+1]para -2 bytes (não testado)
Mr. Xcoder
Golfe e ofuscado. ;) Obrigado!
totallyhuman
Sua solução é inválida. Alterar x>sum(...)a x<sum(...)para que ela seja válida, ainda 76 bytes
Mr. Xcoder
Wherps ... Corrigido. >.>
totalmentehuman
3

Haskell, 39 bytes

f l=filter(<sum(scanl1(+)l)/sum(1<$l))l

Experimente online!

Infelizmente lengthé do tipo Int, então eu não posso usá-lo com flutuante divisão ponto /e eu tenho que usar uma solução alternativa: sum(1<$l).

nimi
fonte
3

Casca , 10 9 bytes

Obrigado @Zgarb por jogar fora 1 byte!

f</L⁰Σ∫⁰⁰

Experimente online!

Ungolfed / Explicação

           -- argument is ⁰ (list) 
f       ⁰  -- filter the original list with
 <         --   element strictly smaller than
     Σ∫⁰   --   sum of all prefixes
  /L⁰      --   averaged out
ბიმო
fonte
2
f</L⁰Σ∫⁰⁰tem 9 bytes, mas três argumentos lambda parecem desajeitados.
Zgarb
3

JavaScript (ES6), 56 55 52 bytes

a=>a.filter(x=>x<t/a.length,a.map(x=>t+=s+=x,s=t=0))

Teste-o

o.innerText=(f=

a=>a.filter(x=>x<t/a.length,a.map(x=>t+=s+=x,s=t=0))

)(i.value=[1,4,-3,10]);oninput=_=>o.innerText=f(i.value.split`,`.map(eval))
<input id=i><pre id=o>

Shaggy
fonte
3

Java 8, 81 bytes

Essa expressão lambda aceita List<Float>ae modifica-a. O iterador da lista de entrada deve suportar a remoção ( ArrayListpor exemplo). Atribuir a Consumer<List<Float>>.

a->{float l=0,t=0,u;for(float n:a)t+=n*(a.size()-l++);u=t/l;a.removeIf(n->n>=u);}

Lambda ungolfed

a -> {
    float l = 0, t = 0, u;
    for (float n : a)
        t += n * (a.size() - l++);
    u = t / l;
    a.removeIf(n -> n >= u);
}

Experimente Online

Agradecimentos

  • -3 bytes graças a Kevin Cruijssen
  • -17 bytes graças a Nevay
Jakob
fonte
1
Você pode salvar 3 bytes removendo t/=l;e alterando if(n<t)para if(n<t/l).
Kevin Cruijssen
1
You can use a list instead of an array to be able to modify the provided argument rather than printing the resulting values a->{float l=0,t=0,u;for(float n:a)t+=n*(a.size()-l++);u=t/l;a.removeIf(n->n>=u);} (81 bytes).
Nevay
2

C# (Mono), 95 bytes

using System.Linq;a=>a.Where(d=>d<new int[a.Length].Select((_,i)=>a.Take(i+1).Sum()).Average())

Try it online!

TheLethalCoder
fonte
2

Python 3, 72 bytes

lambda x:[*filter((sum(-~a*b for a,b in enumerate(x))/len(x)).__gt__,x)]

Try it online!

Halvard Hummel
fonte
Very clever solution! I never thought filter would win over the usual list comprehension.
Mr. Xcoder
2

Python 3, 76 bytes

lambda x:[w for w in x if w<sum(u*v+v for u,v in enumerate(x[::-1]))/len(x)]

Input and output are lists of numbers. Try it online!

This works in Python 2 too (with the obvious replacement for print syntax in the footer).

Luis Mendo
fonte
Do you need to reverse the list?
officialaimm
@officialaimm I think so, because enumeration values 1,2,3,... must go with x[0], x[-1], x[-2]. But in all cases the result seems to be the same, hmm...
Luis Mendo
1
I found a counterexample which shows that reversing is indeed necessary
Luis Mendo
Ah, never mind.. I just thought so because it passed all the test cases... :P
officialaimm
2

Perl 6, 31 bytes

{.grep(flat([\,] $_).sum/$_>*)}

Try it online!

Sean
fonte
1

Pyth, 12 11 bytes

f<T.OsM._QQ

-1 byte thanks to Mr. Xcoder

Try it online!

Dave
fonte
11 bytes: f<T.OsM._QQ
Mr. Xcoder
1

PHP, 84 bytes

for($i=--$argc;$i;)$s+=$i--/$argc*$r[]=$argv[++$k];foreach($r as$x)$x<$s&&print$x._;

takes input from command line arguments. Run with -nr or try it online.


summing up the partial lists is the same as summing up each element multiplied with the number of following elements +1 → no need to juggle with bulky array functions. It´s still long, though.

Titus
fonte
1

J, 15 bytes

#~[<[:(+/%#)+/\

Try it online! Expects a J-style array (negatives represented using _ instead of - and elements separated by spaces -- see the TIO link for examples).

I don't know if there's a way to remove the parentheses around the mean (+/%#) but removing that and the cap would be the first thing I'd try to do to golf this further.

Explanation

Sometimes J reads like (obfuscated) English.

#~ [ < [: (+/ % #) +/\
                   +/\  Sum prefixes
                     \   Get prefixes
                   +/    Sum each
          (+/ % #)      Mean
           +/            Sum of array
              %          Divided by
                #        Length of array
   [ <                  Input array is less than?
                         (gives boolean array of pairwise comparisons)
#~                      Filter by
cole
fonte
1
you beat me to it by 3 mins :)
Jonah
12 bytes with #~]<1#.+/\%#
miles
@miles Unless you think it's similar enough, I think your comment might warrant its own answer. EDIT: I think it's very clever myself.
cole
1

Mathematica, 35 bytes

Cases[#,x_/;x<#.Range[#2,1,-1]/#2]&

Function which expects a list of numbers as the first argument # and the length of the list as the second argument #2. #.Range[#2,1,-1]/#2 takes the dot product of the input list # and the the list Range[#2,1,-1] == {#2,#2-1,...,1}, then divides by the length #2. Then we return the Cases x_ in the input list # which are less than the hyper-average.

Without the length as a second argument, we need 6 more bytes:

Cases[#,x_/;x<#.Range[h=Tr[1^#],1,-1]/h]&
ngenisis
fonte
0

K (oK), 26 bytes

Solution:

x@&x<(+/+/'x@!:'1+!#x)%#x:

Try it online!

Examples:

> x@&x<(+/+/'x@!:'1+!#x)%#x:1 4 -3 10
1 4 -3
> x@&x<(+/+/'x@!:'1+!#x)%#x:-289.93 912.3 -819.39 1000
-289.93 -819.39

Explanation:

Interpretted right-to-left. Struggled with a short way to extract prefixes:

x@&x<(+/+/'x@!:'1+!#x)%#x: / the solution
                        x: / store input in x, x:1 4 -3 10
                       #   / count, return length of x, #1 4 -3 10 => 4
     (               )     / do everything in the brackets together
                   #x      / count x
                  !        / til, range 0..x, !4 => 0 1 2 3
                1+         / add 1 vectorised, 1+0 1 2 3 => 1 2 3 4
             !:'           / til each, e.g. !1, !2, !3, !4
           x@              / index into x at these indices (now we have the prefixes)
        +/'                / sum (+ over) each, e.g. 1 5 2 12
      +/                   / sum over, e.g. 20
                      %    / right divided by left, 20%4 => 5 (now we have the hyper average)
   x<                      / boolean list where x less than 5
  &                        / indices where true, &0111b => 1 2 3
x@                         / index into x at these indices (now we have the filtered list)

Notes:

Alternative version taking length of input as parameter (25 byte solution):

> {x@&x<(+/+/'x@!:'1+!y)%y}[1 4 -3 10;4]
1 4 -3
streetster
fonte
0

TI-Basic, 9 bytes

Ans*(Ans<mean(cumSum(Ans
Timtech
fonte