Récupère les indices d'un tableau après le tri


14

Votre défi aujourd'hui est d'écrire un programme ou une fonction qui prend une liste let donne les positions dans llesquelles chaque élément successif de ltri apparaît.

En d'autres termes, sortez l'index de la plus petite valeur, suivi de l'index de la deuxième plus petite valeur, etc.

Vous pouvez supposer que le tableau d'entrée ne contiendra que des entiers positifs et contiendra au moins un élément.

Cas de test:

Input                  | Output (1-indexed)
[7, 4, 5]              | [2, 3, 1]
[1, 2, 3]              | [1, 2, 3]
[2, 6, 1, 9, 1, 2, 3]  | [3, 5, 1, 6, 7, 2, 4]
[4]                    | [1]

Lorsque deux éléments ou plus ayant la même valeur apparaissent, leurs indices doivent apparaître côte à côte du plus petit au plus grand.

C'est le , le moins d'octets gagne!


16
-1 pour un défi trivial qui peut être résolu avec des modules intégrés dans les langues de golf courantes, et pour avoir accepté une réponse en moins de 24 heures. Ce n'était ni un défi équitable, ni un défi intéressant.
Cody Gray

3
Eh bien, je comprends pourquoi il a accepté une réponse dans les 24 heures, c'est impossible à battre.
Zacharý

3
@CodyGray J'ai pensé downvoting quand j'ai vu la réponse 1-2 octets, mais en fait, je ne pense pas que ce soit un mauvais défi pour les langages de programmation plus standard. Bien sûr, ce n'est pas un défi difficile , mais il y a certainement des possibilités de golf. Bien sûr, il est désagréable de voir des intégrations à 1 octet, mais je ne pense pas qu'il soit juste de blâmer le défi pour cela.
Dada

1
L'utilisation d'une fonction intégrée à 1 caractère n'est guère pratique. Facile ne signifie pas nécessairement résoluble en utilisant uniquement des fonctions intégrées.
JAD

2
La meilleure solution dans de tels cas est d'oublier la fonction d'acceptation, qui n'est pas vraiment pertinente de toute façon ici.
M. Xcoder

Réponses:



11

Dyalog APL, 1 octet

Dyalog APL a une fonction opérateur intégrée (merci Zacharý d'avoir clarifié cela) pour ce faire.

Exemple

⍋11 2 4 15
    2 3 1 4  
{⍵[⍋⍵]}11 4 2 15
    2 4 11 15

Ici, je suis indexé dans la liste par les indices triés pour retourner la liste dans l'ordre croissant.


Oh, juste pour vous alerter d'une terminologie déroutante, dans APL, les fonctions intégrées sont considérées comme des fonctions, tandis que des choses comme ¨⍨⍣.∘/\⌿⍀⌸⍤les opérateurs.
Zacharý



9

Javascript (ES6), 39 octets

-2 octets grâce à @powelles

Cela ne fonctionne que dans les navigateurs où Array.prototype.sortest stable.

a=>[...a.keys()].sort((b,c)=>a[b]-a[c])

Version 1 indexée (47 octets):

a=>a.map((_,i)=>i+1).sort((b,c)=>a[b-1]-a[c-1])

Exemple d'extrait de code:

f=
a=>[...a.keys()].sort((b,c)=>a[b]-a[c])
console.log("7,4,5 => "+f([7,4,5]))
console.log("1,2,3 => "+f([1,2,3]))
console.log("2,6,1,9,1,2,3 => "+f([2,6,1,9,1,2,3]))
console.log("4 -> "+f([4]))


[...a.keys()]au lieu de a.map((_,i)=>i), vous économiserez quelques octets.
powelles

7

Python 2 , 48 octets

lambda x:sorted(range(len(x)),key=x.__getitem__)

Essayez-le en ligne!


Sympa, je me suis fait déjouer> _ <. J'ai changé ma réponse à Python 3 de telle sorte que je ne me sens pas si mal
M. Xcoder

4
@ Mr.Xcoder Eh bien, c'est son travail ...
Neil

@ Mr.Xcoder Allez, vous ne devriez pas vous sentir mal pour ça! Vous avez créé un programme complet, j'ai créé une fonction et mon approche est un peu différente.
Erik the Outgolfer

Je ne me sens pas mal, je savais que cela va apparaître (je déteste personnellement la __<blahblah>__syntaxe). Je vais faire de la gelée, je ne veux pas perdre mon entraînement :)
M. Xcoder

1
@ Mr.Xcoder Codegolf ne signifie pas jolie syntaxe et formatage. ;)
Erik the Outgolfer

5

Perl 6 ,  27  21 octets

*.pairs.sort(*.value)».key

Essaye-le

->\x{sort {x[$_]},^x}

Essaye-le

Inspiré d'une réponse Python

Étendu:

->    # pointy block lambda
  \x  # declare sigilless parameter
{
  sort
    { x[$_] },  # sort by the value in 「x」 at the given position
    ^x          # Range up-to the number of elements in 「x」
}


4

Swift 4, 82 bytes

func f(l:[Int]){var l=l;for k in l.sorted(){let a=l.index(of:k)!;print(a);l[a]=0}}

Test Suite.

Explanation

In Swift, l.sorted() creates a sorted copy of the original Array. We loop through the sorted elements in the list and after printing each item's index in the original Array with let a=l.index(of:k)!;print(a), and then, in order to keep the correct indexes in the Array, we assign l[a] to 0, because it does not affect our normal output.


Take note that this is 0-indexed, since it is a port of my Python solution. If you want it to be 1-indexed, replace print(a) with print(a+1) or Try it online!.


4

R, 5 bytes

There is a builtin function for this.

order

3
Standard rules is to provide a program of function. order is already a function, so you don't have to handle input using scan(). This would be 5 bytes.
JAD

rank() would save a byte
gstats

1
I am sure there was a rank answer by @JarkoDubbeldam, but I do not see it anymore.
djhurio

1
Correct, it does not follow the spec so I deleted it.
JAD




3

Octave, 17 bytes

@(i)[~,y]=sort(i)

Try it online!

Octave is like MATLAB but with inline assignment, making things possible that gives the folks at Mathworks HQ headaches. It doesn't matter what you call y, but you can't do without that dummy variable, as far as I know.


3

MY, 3 bytes

MY also has a builtin for this!

⎕⍋↵

Try it online!

How?

Evaluated input, grade up, then output with a newline.

Indexed however you set the index, with /0x48. (Can even be some weird integer like -1 or 2, the default is 1).


3

Java 8, 128 + 19 = 147 bytes

Based on Mr. Xcoder's solution. 0-based. Lambda takes input as an Integer[] and returns Integer[]. Byte count includes lambda expression and required import.

import java.util.*;

l->{Integer o[]=l.clone(),s[]=l.clone(),i=0;for(Arrays.sort(s);i<l.length;)l[o[i]=Arrays.asList(l).indexOf(s[i++])]=0;return o;}

Try It Online

Ungolfed lambda

l -> {
    Integer
        o[] = l.clone(),
        s[] = l.clone(),
        i = 0
    ;
    for (Arrays.sort(s); i < l.length; )
        l[o[i] = Arrays.asList(l).indexOf(s[i++])] = 0;
    return o;
}

Notes

I use Integer[] instead of int[] to allow use of Arrays.asList, which has no primitive versions. Integer is preferred to Long because values are used as array indices and would require casting.

This ended up being shorter than my best procedural-style List solution because of the cost of class and method names.

This also beat a solution I tried that streamed the inputs, mapped to (value, index) pairs, sorted on values, and mapped to indices, mostly because of the baggage needed to collect the stream.

Acknowledgments

  • -5 bytes thanks to Nevay

1
You don't need j: l->{Integer o[]=l.clone(),s[]=l.clone(),i=0;for(Arrays.sort(s);i<l.length;l[o[i]=Arrays.asList(l).indexOf(s[i++])]=0);return o;} (19+128 bytes).
Nevay

2

Common Lisp, 82 bytes

(lambda(l)(loop as i in(sort(copy-seq l)'<)do(setf(elt l(print(position i l)))0)))

Try it online!




2

MATLAB / Octave, 29 bytes

[~,y]=sort(input(''));disp(y)

Try it online!


While your answer is perfect MATLAB, you can actually do inline assignment in anonymous functions in Octave.
Sanchises

Good one! I knew about in-line assignment, but I didn't know you could output directly like that
Luis Mendo

1
To be honest, me neither. I started with something like @(X)([~,y]=sort(X)), and while I was looking of a way to get y from this, I realized y was actually the return value from the assignment, and closer inspection revealed that brackets weren't even needed. MATLAB likes everything explicit; Octave is happy when it's unambiguous.
Sanchises

2

JavaScript (ES6), 69 bytes

0-indexed. Works for lists containing up to 65,536 elements.

a=>[...a=a.map((n,i)=>n<<16|i)].sort((a,b)=>a-b).map(n=>a.indexOf(n))

Test cases


Can you change n=>a.indexOf(n) to just a.indexOf?
Zacharý

@Zacharý Unfortunately not. A method of an instanced object cannot be used as a callback.
Arnauld

@Zacharý Even worse is that Array#map passes 3 arguments to the callback function, and Array#indexOf expects 2, so it will give undesirable results.
kamoroso94


2

Husk, 10 7 bytes

This is a direct port of my Haskell answer, also 1-indexed:

m→O`z,N

Try it online!

Ungolfed/Explained

Code        Description               Example
         -- implicit input            [2,6,1]
      N  -- natural numbers           [1,2,3,..]
   `z,   -- zip, but keep input left  [(2,1),(6,2),(1,3)]
  O      -- sort                      [(1,3),(2,1),(6,2)]
m→       -- keep only indices         [3,1,2]

2

Java (OpenJDK 8), 72 bytes

l->l.stream().sorted().map(i->{int j=l.indexOf(i);l.set(j,0);return j;})

Try it online!

Takes a List<Integer>, returns a Stream<Integer> containing the results.

We get a Stream based off the initial list, sort it, then map each number to it's index in the list. In order to accommodate duplicate elements, we set the original element in the list to 0.


2

SmileBASIC, 67 bytes

DEF I(A)DIM B[0]FOR I=1TO LEN(A)PUSH B,I
NEXT
SORT A,B
RETURN B
END

Very simple, all it does is generate a list of numbers from 1 to (length of array) and sort this by the same order as the input.


2

Python 3 with Numpy, 38 26 bytes

12 bytes saved thanks to Jo King (no need to give the function a name)

import numpy
numpy.argsort

Output is 0-based.

Try it online!


The function could just be numpy.argsort without the lambda part
Jo King

@JoKing Thanks for the suggestion. I wrote it that way because with just numpy.argsort;import numpy I get an error (numpy has not been imported yet), and with import numpy;numpy.argsort I need to move f= to the code part. Do you know that the standard procedure is in these cases? Move the f= and not count it?
Luis Mendo

Yeah, I guess. Maybe just redefine f=numpy.argsort in the footer
Jo King

@JoKing Good idea. Done. Thanks!
Luis Mendo



1

PHP, 54 bytes

<?php function i($a){asort($a);return array_keys($a);}

Try it online!

This is zero-indexed. Simply sorts the array and returns the keys.


1
The <?php tag is unnecessary for a function. 48 bytes.
Titus

En utilisant notre site, vous reconnaissez avoir lu et compris notre politique liée aux cookies et notre politique de confidentialité.
Licensed under cc by-sa 3.0 with attribution required.