Ok bu değişkenler!


29

Meydan okuma

Robin değişken bildirimini ok şeklinde yapmaktan hoşlanıyor. İşte nasıl yapıyor:

  • Herhangi bir sayı dizesini girin
  • Artan uzunlukta onları sipariş
  • Kabaca olumsuz bir ok ucu oluşturmak için ortasından sipariş ettikleri gibi çıkın, bu şekilde (hangisi en iyi golf oynarsa):

    5  or  4
    3      2
    1      1
    2      3
    4      5
    

Test Kılıfları

Giriş:

bow
arrows
sheriffOfNottingham
kingRichard
maidMarian
princeJohn
sherwoodForest

Çıktı:

sheriffOfNottingham
kingRichard
maidMarian
bow
arrows
princeJohn
sherwoodForest

Giriş:

a
bb
cc

Çıktı (her ikisi de geçerlidir):

bb
a
cc

cc
a
bb

Giriş:

one
four
seven
fifteen

Muhtemel çıkış (sadece diğer geçerli çıkış dikey aynasıdır):

seven
one
four
fifteen

notlar

  • Dizeler camelCase içindedir ve sayı veya özel karakter içermez, yalnızca küçük ve büyük harflerden oluşur.

  • Girdi, istediğiniz herhangi bir şey olabilir: tek bir dize, dizi, virgülle ayrılmış ... Herhangi bir G / Ç formatına izin verilir.

  • Aynı uzunlukta dizeler arasında herhangi bir sipariş kabul edilir.

Daha önce çok benzer bir sorun olduğunu hissediyorum ... ama PPCG'ye hoş geldiniz!
Giuseppe

@Giuseppe Evet, gönderdikten sonra düşündüğüm şey, daha önce yapmamamın imkanı yoktu. Şimdi cevapladığın için silmeme izin verir misin?
Teleporting Goat

1
iyi bir dupe arıyordum ama aramada pek iyi değilim ... sık sık bunun gibi şeyleri yakalayabilecek zorluklarla mücadele etmek için kum havuzumuz var. Dupe olduğu için endişeleniyorsan, onu silmen konusunda tamamen iyiyim.
Giuseppe

1
Sorun değil, hepimiz baştan başlıyoruz :-)
Giuseppe

1
Çift sayıda sicim içeren bir sınama durumu ekleyebilir misiniz?
Sherlock9

Yanıtlar:


15

Python 2 , 47 bayt

lambda l:l.sort(key=len)or l[1::2][::-1]+l[::2]

Çevrimiçi deneyin!


Bazı öğeleri yeniden düzenlemeniz gerekecek, ancak [::-2]5 bayttan tasarruf etmek için doğrudan kullanabilirsiniz .
Sherlock9

@Sherlock9 I tried that, but then I had to check for the length, as lists with even / uneven lengths have to be handled differently.
ovs

Also works for Python 3. Would removing "lambda l:" and "or" and make it on 2 lines to save 11 bytes still be acceptable as "Any I/O format is allowed" ?
potato

9

R, 63 48 bytes

function(L)c(rev(o<-L[order(nchar(L))]),o)[!0:1]

Try it online!

Sort by string lengths, then combine the reversed list with the sorted list, finally, take every 2nd element, starting at 1-based index 1.


1
o<-L[... The other way to 'arrow variables'. A less important aside, pryr::f(...) works here for 46. Try it online!
CriminallyVulgar

@CriminallyVulgar using additional libraries turns this into a separate language, R + pryr which is why I typically avoid doing it unless there's a good reason to -- like for number theory questions, numbers is indispensable.
Giuseppe

7

Javascript 77 bytes

Takes input as an array of strings, outputs an arrow-sorted array of strings.

s=>s.sort((a,b)=>a.length-b.length).reduce((m,x,i)=>i%2?[...m,x]:[x,...m],[])

Explanation

s =>                                 // take input as an array of strings s
  s.sort((a,b)=>a.length-b.length)   // sort input by string length
  .reduce(                           // reduce
    (m,x,i)=>i%2?[...m,x]:[x,...m],  // if index is even, stick string x at the end of the memo
                                     // array, else at the beginning
    []                               // memo initialized to empty array
  )

1
I don't think you have to count f=. 77
dana

That is inconsistent in the js code golf submissions from what I have seen. I'm happy to exclude it if it doesn't count.
asgallant

2
I think it depends whether your function uses recursion. i.e. f=x=>x?f(x-1). If so, you need to include f since you are calling it in your function. However, since you are not using recursion, you shouldn't have to include f. There are several posts in Meta, this one seems to explain it a little better. codegolf.meta.stackexchange.com/a/9032/8340
dana

That would explain the inconsistencies I've seen.
asgallant


5

K (oK), 24 bytes

Solution:

x(<#:'x)(|&~w),&w:2!!#x:

Try it online!

Explanation:

Generate the 6 4 2 0 1 3 5 sequence, use that to index into the ascending lengths of input, and use that to index into the original array:

x(<#:'x)(|&~w),&w:2!!#x: / the solution
                      x: / save input as x
                     #   / count (#) of x
                    !    / range 0 to ...
                  2!     / modulo 2
                w:       / save as w
               &         / indices where true
              ,          / join with
        (    )           / do this together
           ~w            / not (~) w
          &              / indices where true
         |               / reverse
 (     )                 / do this together
   #:'x                  / count (#:) of each (') x
  <                      / indices to sort ascending
x                        / index into x



5

05AB1E, 6 5 bytes

Saved 1 byte thanks to Kevin Cruijssen

I/O is a list of strings.
Link is modified for newline separated I/O for easier testing.

éι`Rì

Try it online!

Explanation

é       # sort by length ascending
 ι      # uninterleave into 2 parts, both sorted ascending
   `    # push the 2 parts separately to the stack
    R   # reverse the second part
     ì  # and append it to the first

You can remove the first R and replace « with i to save a byte, since the third bullet-point rule allows both versions of uninterleaving.
Kevin Cruijssen

@KevinCruijssen: Oh yeah, Thanks!
Emigna

5

J, 11 bytes

,~`,/@\:#&>

Try it online!

We sort it down first.

Then we reduce the list form right to left, but alternating which side we put the new element on. Done.


Very nice! You have a space at the end though, remove it for 11 bytes :)
Galen Ivanov

1
Thanks Galen. Fixed!
Jonah

4

PowerShell, 66 bytes

1..($a=$args|sort l*).count|?{$_%2}|%{$a[-$_];$x=,$a[-++$_]+$x};$x

Try it online!

Takes input via splatting, which manifests on TIO as separate command-line arguments. sorts on the length, stores that into $a, and constructs a range from 1 up to the count of input strings. We then pull out only the odd ones ?{$_%2} and feed those into a loop |%{...}. Each iteration, we put the "last", then the "third from last", and so on onto the pipeline with $a[-$_]. Separately, we also accumulate into $x the "second from last", "fourth from last", etc. Out of the loop and the pipeline is flushed (so those elements are output) and then we output $x. In both instances, the default output gives us newlines between items automatically.


4

PHP, 144 141 bytes

function($a){usort($a,function($b,$c){return strlen($b)-strlen($c);});$e=[];foreach($a as$d)(array_.[unshift,push][++$i%2])($e,$d);return$e;}

Try it online!

-3 bytes thanks to @Ismael Miguel!


nice one. Where can I read more about [array_unshift,array_push][++$i%2]($e,$d)?
abhig10

2
@abhig10 sure. It's an array with the two function names ['array_push','array_unshift'] with [++$i%2] as the index of the array alternating between a 0 or 1 so will evaluate to the other function each time. PHP's "variable functions" let you assign a varible to a function and execute by calling with parenthesis (ex: $f='array_push'; $f($e,$d); == array_push($e,$d)) so the ($e,$d) is then calling the evaluated element of the array. Just a shorter way to do if (++$i%2) array_push($e,$d); else array_unshift($e,$e);. Guess there was some PHP syntactic sugar after all!
640KB

Okay, it took me sometime to understand this. Awesome.
abhig10

1
You can save 3 bytes by replacing [array_unshift,array_push][++$i%2]($e,$d) with (array_.[unshift,push][++$i%2])($e,$d). What I did was to remove the repeated array_, concatenated it and then the result is passed to the call.
Ismael Miguel

1
@IsmaelMiguel that's brilliant. Thank you!
640KB

4

MATLAB, 87 bytes

function f(y);[B,I]=sort(cellfun(@(x)length(x),y));{y{flip(I(1:2:end))},y{I(2:2:end)}}'

Takes input as cell array of strings, outputs column of strings (not sure if that's legal)

> s = {'qweq qwe qw','qweqw','12132132131231231','asdasdasda','qwe','w'};
> f(s)
> >> 
> ans =
> 
>   6×1 cell array
> 
>     {'qweq qwe qw'      }
>     {'qweqw'            }
>     {'qwe'              }
>     {'1234'             }
>     {'asdasdasda'       }
>     {'12132132131231231'}

PS: Thanks Sanchises for pointing to a bug with odd-length inputs


This fails on odd number of input strings, e.g. f({'loooooooong','medium','short'})
Sanchises

Also some general golfing tips: the end is optional for a function. Using function x=f(y);x={...}' is shorter than function f(y);disp({...}').
Sanchises


@Sanchises thanks for pointing bug out. I did fix it exactly like you did. My issue with disp is i am not sure what output rules are. Should it be pure text or not? or disp({...}) is okay or even just x={...} as you suggest
aaaaa says reinstate Monica

1
This can be 58 bytes in Octave.
Giuseppe

3

APL (Dyalog Unicode), 18 bytesSBCS

{⍵[⍋-@(2∘|)⍋⍋≢¨⍵]}

Try it online!

Fixed the bug thanks to @ngn.

Explanation:

{⍵[⍋-@(2∘|)⍋⍋≢¨⍵]}
{                }  Function. Takes a single argument: ⍵, list of strings
             ≢¨⍵    The length of each element in the list
           ⍋⍋       Sort the lengths
    -@(2∘|)         At (@) elements divisible by 2 (|), negate (-)
                        gives -1 2 -3 4 -5
                   Sort this list again, gives the indices of that list ^ sorted
 ⍵[             ]   Use these indices to index into the argument

¹


1
≢¨×¯1*⍳∘⍴ -> (⊢∘-\≢¨) and it gets even shorter if you turn it into a dfn
ngn

1
however, i'm not sure this algorithm is correct. we should negate the length of every other string in their sorted order, not in the order they come from the input
ngn

2

APL+WIN, 31 38 bytes

See Adams comment

⊃n[(⍳⍴n)~a],⌽n[a←2×⍳⌊.5×⍴n←n[⍒∊⍴¨n←⎕]]

Try it online Courtesy of Dyalog Classic!

Prompts for a nested vector of strings


Does APL+ not have Monadic "tally" to replace ∊⍴ ?
Adám

1
Fails on '12' '1234' '1234' '1234' '1234' '12345678' '12345678' '12345678' '12345678'. Clearly, the result should have been '12345678' '12345678' '1234' '1234' '12' '1234' '1234' '12345678' '12345678'
Adám

@Adám My ancient version of APL+ does not have ≢. Agreed on your second comment I will take a look at it tomorrow.
Graham

2

Retina, 26 bytes

N$`
$.&
*\,2,^A`.+
,2,G`.+

Try it online! Explanation:

N$`
$.&

Sort the lines in ascending order of length ($.& returns the length of the line).

*\,2,^A`.+

Temporarily delete alternate lines and output the remaining lines in reverse order.

,2,G`.+

Keep the only lines that were temporarily deleted and output them.


2

Gaia, 10 bytes

el∫v:v+2%ụ

Try it online!

e		| eval as Gaia code (list of strings)
 l∫		| ∫ort by lengths (ascending)
   v:v		| reverse, dup, reverse
      +		| concatenate lists
       2%	| take every other element
         ụ	| join by newlines and output

4
i like that your comments in unwrapped code form an arrow of strings
aaaaa says reinstate Monica



2

T-SQL, 84 bytes

Input is a table variable

SELECT a FROM(SELECT*,row_number()over(order by len(a))r
FROM @)x order by(r%2-.5)*r

Try it online



1

Javascript 95 Bytes

s=>s.sort((x,y)=>x.length-y.length).reduce((a,e,i)=>{i%2?a.push(e):a.unshift(e);return a;},[]);

-1 s.sort() sorts the strings lexicographically, not by string length.
asgallant

Right, (x,y)=>x.length-y.length, should fix that.
somsom



1

C (gcc), 136 128 bytes

S(a,b)int**a,**b;{a=strlen(*b)-strlen(*a);}f(l,s,o,i,b,e)int**s,**o;{qsort(s,l,8,S);e=l-1;for(i=b=0;i-l;)o[i++%2?b++:e--]=s[i];}

Try it online!

-8 bytes thanks to ceilingcat.

The function f is the solution. It takes the number of strings, the strings themselves, and the output buffer as arguments (plus four more used internally).


Why is ./.bin.tio in the output?
Teleporting Goat

@TeleportingGoat Probably because their footer is using all of argv, which includes the filename
Jo King

Exactly, it was just a quick test. One can construct any data that takes appropriate format. I'll update the TIO link later.
LambdaBeta

haha, the problem with these short variable names: you forget what you hat t for in the first place and keep it around even when you don't need it!
LambdaBeta


0

Japt, 8 bytes

Input as an array of lines, output as an array of 2 arrays of lines, one for each half of the list.

ñÊó
hUÎÔ

Try it (Additional code to allow for I/O as newline separated string)

ñÊó      :Implicit input of array U
ñ        :Sort by
 Ê       :  Length
  ó      :Uninterleave

hUÎÔ     :Newline reassigns to U
h        :Set the first element in U to
 UÎ      :  The first element in U
   Ô     :  Reversed

Sitemizi kullandığınızda şunları okuyup anladığınızı kabul etmiş olursunuz: Çerez Politikası ve Gizlilik Politikası.
Licensed under cc by-sa 3.0 with attribution required.