Tetration ausdrucken

16

Tetration, dargestellt als a^^b, ist wiederholte Exponentiation. Zum Beispiel 2^^3ist 2^2^2das 16.

Mit zwei Zahlen a und b drucken a^^b.

Testfälle

1 2 -> 1
2 2 -> 4
5 2 -> 3125
3 3 -> 7625597484987
etc.

Wissenschaftliche Notation ist akzeptabel.

Denken Sie daran, das ist , also gewinnt der Code mit der geringsten Anzahl von Bytes.

Oliver Ni
quelle
2
Was für Zahlen? Positive ganze Zahlen?
Xnor
Related
Acrolith
9
Potenzierung ist nicht assoziativ. Sie sollten mindestens eine Testkade mit b> 2 einschließen .
Dennis
@ Tennis3 3 -> 7625597484987
Gabriel Benamy
1
@RosLuP Nein, 3^3^3automatisch bedeutet 3^(3^(3)). Siehe en.wikipedia.org/wiki/Order_of_operations , wo steht "Gestapelte Exponenten werden von oben nach unten, dh von rechts nach links, angewendet."
Oliver Ni

Antworten:

14

Dyalog APL, 3 Bytes

*/⍴

TryAPL.

Erläuterung

*/⍴  Input: b (LHS), a (RHS)
  ⍴  Create b copies of a
*/   Reduce from right-to-left using exponentation
Meilen
quelle
1
Hey, jemand, der @Dennis schlägt! Nun, das ist selten! (;: P
HyperNeutrino
10

J, 5 4 Bytes

^/@#

Dies ist wörtlich die Definition von Tetration.

Verwendung

   f =: ^/@#
   3 f 2
16
   2 f 1
1
   2 f 2
4
   2 f 5
3125
   4 f 2
65536

Erläuterung

^/@#  Input: b (LHS), a (RHS)
   #  Make b copies of a
^/@   Reduce from right-to-left using exponentation
Meilen
quelle
Ok a ^^ b ist oben umgekehrt b ^^ a ...
RosLuP
@RosLuP Ja, J und APL auswerten von rechts nach links, so 2 ^ 2 ^ 2wird ausgewertet , wie 2 ^ (2 ^ 2)und so weiter
Meilen
9

Haskell, 19 Bytes

a%b=iterate(a^)1!!b

Iteriert die Exponentiierung ab 1, um die Liste zu erstellen [1,a,a^a,a^a^a,...], und nimmt dann das b'te Element.

Gleiche Länge direkt:

a%0=1;a%b=a^a%(b-1)

Punktefrei ist länger:

(!!).(`iterate`1).(^)
xnor
quelle
9

Mathematica, 16 Bytes

Power@@Table@##&

Erläuterung

Table@##

Erstellen Sie Kopien von a.

Power@@...

Potenzierung.

JungHwan min
quelle
8

Python, 30 Bytes

f=lambda a,b:b<1or a**f(a,b-1)

Verwendet die rekursive Definition.

xnor
quelle
5

Python, 33 Bytes

lambda a,b:eval('**'.join([a]*b))

Dies ergibt eine unbenannte Funktion, die die Zeichenfolgendarstellung einer Zahl und einer Zahl übernimmt. Beispielsweise:

>>> f=lambda a,b:eval('**'.join([a]*b))
>>> f('5',2)
3125
>>>

Wenn das Mischen solcher Eingabeformate nicht zählt, gibt es auch diese 38-Byte-Version:

lambda a,b:eval('**'.join([str(a)]*b))
DJMcMayhem
quelle
2
Was für eine coole Methode!
Xnor
3

Perl, 19 Bytes

Beinhaltet +1 für -p

Geben Sie bei STDIN in separaten Zeilen Zahlen an

tetration.pl
2
3
^D

tetration.pl

#!/usr/bin/perl -p
$_=eval"$_**"x<>.1
Tonne Hospel
quelle
3

R, 39 Bytes

Rekursive Funktion:

f=function(a,b)ifelse(b>0,a^f(a,b-1),1)
Billywob
quelle
2

Element , 11 Bytes

__2:':1[^]`

Probieren Sie es online!

Dies ist nur eine "einfache" Potenzierung in einer Schleife.

__2:':1[^]`
__              take two values as input (x and y)
  2:'           duplicate y and send one copy to the control stack
     :          make y copies of x
      1         push 1 as the initial value
       [ ]      loop y times
        ^       exponentiate
          `     print result
PhiNotPi
quelle
2

JavaScript (ES7), 24 Byte

f=(a,b)=>b?a**f(a,b-1):1

Die ES6-Version hat 33 Bytes:

f=(a,b)=>b?Math.pow(a,f(a,b-1)):1
ETHproductions
quelle
1 Byte speichern:f=a=>b=>b?a**f(a,b-1):1
programmer5000
2

dc, 35 29 bytes:

?dsdsa?[ldla^sa1-d1<b]dsbxlap

Hier ist mein erstes vollständiges Programm in dc.

R. Kap
quelle
1

Perl, 40 Bytes

map{$a=$ARGV[0]**$a}0..$ARGV[1];print$a;

Akzeptiert zwei Ganzzahlen als Eingabe für die Funktion und gibt das Ergebnis aus

Gabriel Benamy
quelle
1
Verwenden Sie pop, um zu bekommen $ARGV[1], dann verwenden Sie "@ARGV", um zu bekommen $ARGV[0]. Verwenden Sie saystatt print(Option -M5.010oder -Eist kostenlos). Aber immer noch ARGVist schrecklich lang. Ein -pProgramm gewinnt fast immer
Ton Hospel
1

Eigentlich 6 Bytes

n`ⁿ)`Y

Probieren Sie es online!

Eingabe wird als b\na( \nist ein Zeilenvorschub) genommen

Erläuterung:

n`ⁿ)`Y
n       a copies of b
 `ⁿ)`Y  while stack changes between each call (fixed-point combinator):
  ⁿ       pow
   )      move top of stack to bottom (for right-associativity)
Mego
quelle
1

CJam , 9 Bytes

q~)*{\#}*

Probieren Sie es online!

Erläuterung

q~          e# Take input (array) and evaluate
  )         e# Pull off last element
   *        e# Array with the first element repeated as many times as the second
    {  }*   e# Reduce array by this function
     \#     e# Swap, power
Luis Mendo
quelle
1

PHP, 51 Bytes

for($b=$p=$argv[1];++$i<$argv[2];)$p=$b**$p;echo$p;
Jörg Hülsermann
quelle
1

GameMaker-Sprache, 52 50 Bytes

d=a=argument0;for(c=1;c<b;c++)d=power(a,d)return d
Timtech
quelle
Dies ist meine 300. Antwort: o
Timtech
GameMaker wtf? lol
Simply Beautiful Art
@SimplyBeautifulArt Ja, und wenn ich schon dabei bin, ziehe ich 2 Bytes für Sie aus.
Timtech
Lol nice. =) Habe meine +1, scheint einfach genug und ich verstehe es.
Simply Beautiful Art
@SimplyBeautifulArt Geschätzt
Timtech
0

Pyth, 6 Bytes

u^QGE1

Probieren Sie es online aus.

Erläuterung

          (implicit: input a to Q)
     1    Start from 1.
u   E     b times,
 ^GQ      raise the previous number to power a.
PurkkaKoodari
quelle
0

Minkolang 0.15 , 12 11 Bytes

nnDI1-[;]N.

Probieren Sie es hier aus!

Erläuterung

nn             Read two integers from input
  D            Pop top of stack and duplicate next element that many times
   I1-         Push length of stack, minus 1
      [        Pop top of stack and repeat for loop that many times
       ;       Pop b, a and push a^b
        ]      Close for loop
         N.    Output as number and stop.
El'endia Starman
quelle
0

Schläger 51 Bytes

(define ans 1)(for((i b))(set! ans(expt a ans)))ans

Ungolfed:

(define (f a b)
  (define ans 1)
  (for((i b))
    (set! ans
          (expt a ans)))
  ans)

Testen:

(f 1 2)
(f 2 2)
(f 5 2)
(f 3 3)

Ausgabe:

1
4
3125
7625597484987
rnso
quelle
0

Scala, 45 Bytes

Seq.fill(_:Int)(_:Double)reduceRight math.pow

Ungolfed:

(a:Int,b:Double)=>Seq.fill(a)(b).reduceRight(math.pow)

Erstellen Sie eine Folge von as mit bElementen und wenden Sie sie math.powvon rechts nach links an.

corvus_192
quelle
0

TI-Basic, 19 Bytes

Prompt A,B
A
For(C,2,B
A^Ans
End
Timtech
quelle
0

Java 7, 71 57 Bytes

double c(int a,int b){return b>0?Math.pow(a,c(a,b-1)):1;}

Ungolfed & Testcode:

Probieren Sie es hier aus.

class M{
  static double c(int a, int b){
    return b > 0
            ? Math.pow(a, c(a, b-1))
            :1;
  }

  public static void main(String[] a){
    System.out.println(c(1, 2));
    System.out.println(c(2, 2));
    System.out.println(c(5, 2));
    System.out.println(c(3, 3));
  }
}

Ausgabe:

1.0
4.0
3125.0
7.625597484987E12
Kevin Cruijssen
quelle
0

C 50 Bytes

double t(int x,int n){return n?pow(x,t(x,n-1)):1;}

Einfach aus der Definition von Tetration .

Karl Napf
quelle
0

05AB1E , 4 Bytes

sF¹m

Probieren Sie es online!

s     # Swap input arguments.
 F    # N times...
  ¹m  # Top of the stack ^ the first argument.

3 Byte, wenn Argumente ausgetauscht werden können:

F¹m
Magische Kraken-Urne
quelle
2 2 Ergebnis 16 nicht 4 = 2 ^ 2
RosLuP
a=5, b=2sollte ausgeben 3125. Ich bin mir nicht sicher, in welcher Reihenfolge Sie die Eingabe vornehmen, aber wie auch immer ich 5 und 2 eingebe, ich erhalte das falsche Ergebnis.
FlipTack
0

Bash, 50 Bytes

(innerhalb der Grenzen des Datentyps bash integer)

Golf gespielt

E() { echo $(($(printf "$1**%.0s" `seq 1 $2`)1));}

Erläuterung

Ausdruck mit printf aufbauen, zB E 2 5:

  2**2**2**2**2**1

Verwenden Sie dann die in bash integrierte arithmetische Erweiterung, um das Ergebnis zu berechnen

Prüfung

E 1 2
1

E 2 2
4

E 5 2
3125

E 3 3
7625597484987
Zeppelin
quelle
0

Powershell, 68 Bytes

filter p ($a){[math]::Pow($a,$_)};iex (,$args[0]*$args[1]-join"|p ")

Dies ist der kürzeste der drei Ansätze, die ich ausprobiert habe, insgesamt aber nicht so toll. Ich bin mir zu 100% sicher, dass es einen kürzeren Ansatz gibt, aber die wenigen Dinge, die ich ausprobiert habe, endeten irgendwie mit etwas mehr Bytes.

PS C:\++\golf> (1,2),(2,2),(5,2),(3,3) | % {.\sqsq $_[0] $_[1]}
1
4
3125
7625597484987

Leider Powershell hat keine eingebaut in ^oder **Betreibern, oder es wäre eine saubere 32/33 Byte Antwort sein, dh

iex (,$args[0]*$args[1]-join"^")

colsw
quelle
0

Axiom 70 Bytes

l(a,b)==(local i;i:=1;r:=a;repeat(if i>=b then break;r:=a^r;i:=i+1);r)

das weniger golfen

l(a,b)==
  local i
  i:=1;r:=a;repeat(if i>=b then break;r:=a^r;i:=i+1)
  r


(3) ->  [l(1,2),l(2,2),l(5,2),l(3,3),l(4,3)]

     (3)
     [1, 4, 3125, 7625597484987,
      13407807929942597099574024998205846127479365820592393377723561443721764030_
       0735469768018742981669034276900318581864860508537538828119465699464336490_
       06084096
       ]
                                                   Type: List PositiveInteger
RosLuP
quelle
0

Wunder , 21 Bytes

f\@@[#0?^#1f#1-#0 1?1

Verwendet den rekursiven Ansatz. Verwendung:

f\@@[#0?^#1f#1-#0 1?1];f 2 3

Bonuslösung, 22 Bytes

@@:^ -#0 1(genc ^#1)#1

Ein etwas unkonventioneller Ansatz. Verwendung:

t\@@+>#[^;#1]tk -#0 1rpt#1;t 2 3

Besser lesbar:

@@
  iget
    - #0 1
    (genc ^#1) #1

Vorausgesetzt a^^b:

Erzeugt eine unendliche Liste von Tetrated a; denn a=2diese Liste würde ungefähr so ​​aussehen [2 4 16 65536...]. Dann wird bei b-1indexiert, weil Wonder null-indexiert ist.

Mama Fun Roll
quelle
0

Clojure, 56 Bytes

(fn[a b](last(take a(iterate #(apply *(repeat % b))b))))

Vielleicht gibt es einen kürzeren Weg über apply comp?

NikoNyrh
quelle