Matriz com 1 a L (n), em todas as n colunas


18

Desafio:

Faça uma lista, L contendo números inteiros positivos como entrada:

3 5 2 1 6

e crie uma matriz onde a n-ésima coluna contenha o vetor 1: L (n) , onde as linhas mais curtas são preenchidas com zeros.

Casos de teste:

3   5   2   1   6
-----------------
1   1   1   1   1
2   2   2   0   2
3   3   0   0   3
0   4   0   0   4
0   5   0   0   5
0   0   0   0   6

1
-
1

1   2   3   4   3   2   1
-------------------------
1   1   1   1   1   1   1
0   2   2   2   2   2   0
0   0   3   3   3   0   0
0   0   0   4   0   0   0

Regras:

  • Formatos opcionais de entrada e saída
    • Lista de listas é um formato de saída aceitável
  • A matriz deve ser a menor possível (você não pode preenchê-la com mais zeros do que o necessário)
  • O código mais curto em cada idioma vence
  • As explicações são altamente encorajadas

Em vez disso, podemos distribuir os intervalos horizontalmente?
Mr. Xcoder

Não, eles devem ser verticais. Se você usa um idioma em que as palavras horizontal / vertical não têm significado, isso é opcional. (Poderia ser relevante para as línguas em que listas de listas não estão associados a ambas as direções horizontal / vertical)
Stewie Griffin

1
@StewieGriffin Que linguagem sã não associa dimensões a listas aninhadas?
Erik the Outgolfer

4
@EriktheOutgolfer, quantos idiomas insanos são usados ​​neste site?
Stewie Griffin

2
O @EriktheOutgolfer R para um não vê as matrizes como lista aninhada, mas uma lista longa, que envolve as linhas.
JAD 8/17

Respostas:


18

R , 40 38 bytes

function(l)outer(m<-1:max(l),l,"<=")*m

Experimente online!

Explicação:

outeraplica seu terceiro argumento (a função) a todas as combinações de elementos de seus dois primeiros argumentos, gerando uma matriz de TRUEe FALSEonde cada coluna possui TRUEonde 1:max(l)é menor ou igual ao elemento correspondente de l, por exemplo, onde l=c(3,5,2,1,6):

      [,1]  [,2]  [,3]  [,4] [,5]
[1,]  TRUE  TRUE  TRUE  TRUE TRUE
[2,]  TRUE  TRUE  TRUE FALSE TRUE
[3,]  TRUE  TRUE FALSE FALSE TRUE
[4,] FALSE  TRUE FALSE FALSE TRUE
[5,] FALSE  TRUE FALSE FALSE TRUE
[6,] FALSE FALSE FALSE FALSE TRUE

Supondo que a matriz resultante seja A, então A*m->A[i,j]=A[i,j]*i que coage TRUEpara 1 e FALSEpara 0, produzindo o resultado desejado.


Eu acho - você pode salvar 2 bytes, substituindo function(l)porl=scan();
AndriusZ 8/17/17

@ AndriusZ, mas então eu teria que envolver tudo em um printpara que eu perdesse esses bytes.
Giuseppe

Eu acho que, você não precisa quebrar tudo - TOI
AndriusZ

2
@AndriusZ nós definitivamente já conversamos sobre isso antes. A única resposta a esta meta questão concede uma penalidade de +4 ao uso source(...,echo=TRUE)e leitura do stdin como um programa completo, se você tiver uma sugestão alternativa, pesa todos os meios, mas, tanto quanto sei, é o mais próximo que temos a um consenso de R sobre programas completos e está por enquanto.
Giuseppe

Tarde para o jogo: excepto dois bytes utilizando [esta ponta] ( codegolf.stackexchange.com/a/111578/80010 )
jayce

7

MATL , 8 bytes

"@:]Xho!

Experimente online!

Explicação

"      % Implicit input, L. For each k in L
  @    %   Push k
  :    %   Range [1 2 ... k]
]      % End
Xh     % Collect all stack contents in a cell array
o      % Convert to double matrix. The content of each cell is
       % right-padded with zeros if needed
!      % Transpose. Implicitly display


5

Mathematica, 20 bytes

PadRight@Range@#&

Contém U + F3C7 ( Transposefunção interna do Mathematica )

Experimente na Wolfram Sandbox

Uso

PadRight@Range@#&[{3, 5, 2, 1, 6}]
{
 {1, 1, 1, 1, 1},
 {2, 2, 2, 0, 2},
 {3, 3, 0, 0, 3},
 {0, 4, 0, 0, 4},
 {0, 5, 0, 0, 5},
 {0, 0, 0, 0, 6}
}

Explicação

PadRight@Range@#&

         Range@#    (* Generate {1..n} for all elements of input *)
PadRight@           (* Right-pad 0s so that all lists are equal length *)
                   (* Transpose the result *)

@downvoters Por que os votos negativos? Vocês poderiam explicar?
JungHwan min

Não diminuí a votação, mas suspeito que seja porque você não possui a assinatura da função ou uma entrada de argumentos, o que faz com que seu snippet de código não seja uma caixa preta!
Sergiol #

5

Oitava , 26 bytes

@(x)((y=1:max(x))'<=x).*y'

Função anônima que insere um vetor de linha e gera uma matriz.

Experimente online!

Explicação

Considere entrada x = [3 5 2 1 6]. Este é um vetor de linha do tamanho 1 × 5.

1:max(x)dá o vetor linha [1 2 3 4 5 6], o que é atribuído à variável y.

A transposição disso, ou seja, o vetor da coluna [1; 2; 3; 4; 5; 6], é <=comparada (elemento a elemento com broadcast) com a entrada [3 5 2 1 6]. O resultado é a matriz 6 × 5

[1 1 1 1 1;
 1 1 1 0 1;
 1 1 0 0 1;
 0 1 0 0 1;
 0 1 0 0 1;
 0 0 0 0 1]

Por fim, multiplicar (em elementos por transmissão) pelo vetor de coluna [1; 2; 3; 4; 5; 6], obtido como ytransposto, fornece o resultado desejado:

[1 1 1 1 1;
 2 2 2 0 2;
 3 3 0 0 3;
 0 4 0 0 4;
 0 5 0 0 5;
 0 0 0 0 6]

1
Eu esperava ver um envio do MATLAB / Octave. Eu implementei isso sem pensar nisso, então provavelmente tinha mais de 40 bytes. Very nice solução :)
Stewie Griffin



3

Pitão , 6 bytes

.tSMQZ

Experimente aqui! ou Verifique todos os casos de teste (com impressão bonita)!


Explicação

.tSMQZ - Programa completo.

  SMQ - obtenha os intervalos unários inclusivos para cada um.
.t - Transpose, preenchendo com cópias de ...
     Z - ... Zero.
         - Impressão implícita.

Uma versão de transposição não incorporada seria :

mm*hd<dkQeS

Isso funciona da seguinte maneira:

mm*hd<dkQeS   - Full program.

m        eS   - Map over [0, max(input)) with a variable d.
 m      Q     - Map over the input with a variable k.
   hd         - d + 1.
  *           - Multiplied by 1 if...
     <dk      - ... d is smaller than k, else 0.
              - Output implicitly.


3

Na verdade , 17 bytes

;M╗♂R⌠╜;0@α(+H⌡M┬

Experimente online!

Explicação:

;M╗♂R⌠╜;0@α(+H⌡M┬
;M╗                store the maximal element (M) of the input in register 0
   ♂R              range(1, n+1) for each n in input
     ⌠╜;0@α(+H⌡M   for each range:
      ╜;0@α          push a list containing M 0s
           (+        append to range
             H       take first M elements
                ┬  transpose

Sim, na verdade, na verdade necessidades zip com o apoio estofamento ...
Erik o Outgolfer

2

Pyke , 3 bytes

Isso usa o novo recurso do Pyke, codificações hexadecimais ... A melhor parte é que amarramos o Jelly! Bytes brutos:

4D 53 AC

Experimente aqui!

O equivalente ASCII-Pyke seria de 4 bytes :

MS.,

Quão?

4D 53 AC - Programa completo.

4D - Mapa.
   53 - Gama inclusiva.
      AC - Transpõe com zeros.
           - Saída implicitamente.

-------------------------------------

MS. - Programa completo.

M - Mapa.
 S - Gama inclusiva.
  ., - Transpõe com zeros.
       - Saída implicitamente.

Aqui é uma versão pretty-print com ASCII, e aqui é um com codificações hexadecimais.


2

Perl 6 , 39 bytes

{zip (1 X..$_).map:{|@_,|(0 xx.max-1)}}

Tente

Expandido:

{                # bare block lambda with implicit parameter 「$_」

  zip

    (1 X.. $_)   # turn each input into a Range that starts with 1

    .map:        # map each of those Ranges using the following code

    {            # bare block lambda with implicit parameter 「@_」 
                 # (「@_」 takes precedence over 「$_」 when it is seen)

      |@_,       # slip the input into a new list

      |(         # slip this into the list

        0        # a 「0」
        xx       # list repeated by

          .max   # the max of 「$_」 (implicit method call)
          - 1    # minus 1 (so that zip doesn't add an extra row)
      )
    }
}

Observe que ziptermina assim que a lista de entradas mais curta estiver esgotada.


2

C # , 136 bytes


Dados

  • Entrada Int32[] i Uma matriz de entradas
  • Saída Int32[,] Uma matriz bidimensional.

Golfe

i=>{int m=System.Linq.Enumerable.Max(i),l=i.Length,x,y;var o=new int[m,l];for(y=0;y<m;y++)for(x=0;x<l;)o[y,x]=i[x++]>y?y+1:0;return o;};

Ungolfed

i => {
    int
        m = System.Linq.Enumerable.Max( i ),
        l = i.Length,
        x, y;

    var o = new int[ m, l ];

    for( y = 0; y < m; y++ )
        for( x = 0; x < l; )
            o[ y, x ] = i[ x++ ] > y ? y + 1 : 0;

    return o;
};

Ungolfed legible

// Take an array of Int32
i => {

    // Store the max value of the array, the length and declare some vars to save some bytes
    int
        m = System.Linq.Enumerable.Max( i ),
        l = i.Length,
        x, y;

    // Create the bidimensional array to output
    var o = new int[ m, l ];

    // Cycle line by line...
    for( y = 0; y < m; y++ )

        // ... and column by column...
        for( x = 0; x < l; )

            // And set the value of the line in the array if it's lower than the the value at the index of the input array
            o[ y, x ] = i[ x++ ] > y ? y + 1 : 0;

    // Return the bidimentional array.
    return o;
};

Código completo

using System;
using System.Collections.Generic;

namespace TestBench {
    public class Program {
        // Methods
        static void Main( string[] args ) {
            Func<Int32[], Int32[,]> f = i => {
                int
                    m = System.Linq.Enumerable.Max( i ),
                    l = i.Length,
                    x, y;
                var o = new int[ m, l ];
                for( y = 0; y < m; y++ )
                    for( x = 0; x < l; )
                        o[ y, x ] = i[ x++ ] > y ? y + 1 : 0;
                return o;
            };

            List<Int32[]>
                testCases = new List<Int32[]>() {
                    new[] { 1, 2, 5, 6, 4 },
                    new[] { 3, 5, 2, 1, 6 },
                    new[] { 1, 2, 3, 4, 3, 2, 1 },
                };

            foreach( Int32[] testCase in testCases ) {
                Console.WriteLine( " INPUT: " );
                PrintArray( testCase );

                Console.WriteLine( "OUTPUT: " );
                PrintMatrix( f( testCase ) );
            }

            Console.ReadLine();
        }

        public static void PrintArray<TSource>( TSource[] array ) {
            PrintArray( array, o => o.ToString() );
        }
        public static void PrintArray<TSource>( TSource[] array, Func<TSource, String> valueFetcher ) {
            List<String>
                output = new List<String>();

            for( Int32 index = 0; index < array.Length; index++ ) {
                output.Add( valueFetcher( array[ index ] ) );
            }

            Console.WriteLine( $"[ {String.Join( ", ", output )} ]" );
        }

        public static void PrintMatrix<TSource>( TSource[,] array ) {
            PrintMatrix( array, o => o.ToString() );
        }
        public static void PrintMatrix<TSource>( TSource[,] array, Func<TSource, String> valueFetcher ) {
            List<String>
                output = new List<String>();

            for( Int32 xIndex = 0; xIndex < array.GetLength( 0 ); xIndex++ ) {
                List<String>
                    inner = new List<String>();

                for( Int32 yIndex = 0; yIndex < array.GetLength( 1 ); yIndex++ ) {
                    inner.Add( valueFetcher( array[ xIndex, yIndex ] ) );
                }

                output.Add( $"[ {String.Join( ", ", inner )} ]" );
            }

            Console.WriteLine( $"[\n   {String.Join( ",\n   ", output )}\n]" );
        }
    }
}

Lançamentos

  • v1.0 - 136 bytes- Solução inicial.

Notas

  • Nenhum

1

C (gcc) , 142 bytes

i,j,k;main(c,v)char**v;{for(;++i<c;k=k<*v[i]?*v[i]:k)printf("%c ",*v[i]);for(i=48;puts(""),i++<k;)for(j=1;j<c;)printf("%c ",i<=*v[j++]?i:48);}

Experimente online!


1

Java 10, 115 bytes

a->{int l=a.length,m=0;for(int j:a)m=j>m?j:m;var r=new int[m][l];for(;l-->0;)for(m=0;m<a[l];r[m][l]=++m);return r;}

Explicação:

Experimente online.

a->{                  // Method with integer-array parameter and integer-matrix return-type
  int l=a.length,     //  Length of the array
      m=0;            //  Largest integer in the array, 0 for now
  for(int j:a)        //  Loop over the array
    m=j>m?            //   If the current item is larger than `m`:
       j              //    Set `m` to this item as new max
      :               //   Else:
       m;             //    Leave `m` the same
  var r=new int[m][l];//  Result-matrix of size `m` by `l`, filled with zeroes by default
  for(;l-->0;)        //  Loop over the columns
    for(m=0;m<a[l];   //   Inner loop over the rows
      r[m][l]=++m);   //    Set the cell at position `m,l` to `m+1`
  return r;}          //  Return the result-matrix


0

Próton , 38 bytes

a=>[[i<j?-~i:0for j:a]for i:0..max(a)]

Experimente online!


Deixe-me adivinhar, o bug é o espaço depois dele?
caird coinheringaahing

@cairdcoinheringaahing Sim. O ponto de interrogação consumirá o caractere depois dele para garantir que não seja outro ponto de interrogação, mas eu esqueci de compensar o caractere extra, resultando no fato de ele ser ignorado.
HyperNeutrino

Parece que você tem uma tração, você pode agora remover o aviso :)
Erik o Outgolfer


Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.