Magrathea 2.0 - Construyendo montañas

50

Con el gran colapso de la economía universal, también se desplomó la demanda de planetas hechos a medida. Los magrateanos tuvieron que cuidar los ingresos más estables también de una clase más amplia de clientes. Por lo tanto, inventaron la cadena de montaña de tener su propia montaña (o estragos cortos) para personas con un presupuesto más pequeño que no podían permitirse un planeta completo.

Las montañas son de construcción de acuerdo con el plan del cliente (también conocido como cadenas de dígitos y puntos) y entregado usando ASCII-art (que consisten en , /, \, ^y v).

Tarea

Escriba un programa completo que tome la entrada (cadena simple) desde STDIN o como argumento y las salidas a STDOUT. Este rompecabezas es un código de golf, así que por favor muestre algún intento de golf.

Entrada

Una cadena de puntos y dígitos que proporcionan la base para la cadena montañosa. Cada cadena es exactamente el tiempo necesario para soportar las montañas y cada pico está dado por un dígito en lugar de un punto, que indica la altura del pico.

Salida

Una versión ascii de la cadena montañosa.

  • Cada dígito en la entrada representa exactamente un pico ( ^) exactamente a la altura indicada por el dígito (es decir, 9 es la altura más alta).
  • No debe haber picos adicionales en la salida (es decir, en lugares donde hay un punto en la entrada).
  • Las montañas son de forma triangular, es decir, las pendientes se crean usando /y \caracteres.
  • Pases donde se superponen dos montañas con el personaje v.
  • No hay líneas nuevas superfluas ni líneas en blanco.
  • Las líneas de relleno con espacios finales son opcionales.

Puede suponer que la entrada proporcionada es válida, es decir, siempre existe una solución de acuerdo con las reglas (por ejemplo, una entrada de 13..no daría como resultado una configuración válida y puede ignorarse). Además, en cada lado hay exactamente tantos puntos como para que no se puedan cortar las montañas.

Ejemplos

La primera línea muestra la entrada, todas las demás líneas constituyen la salida deseada. (En realidad, las montañas se ven mucho mejor en mi consola que aquí).

1
^

11
^^

1.2.
  ^
^/ \

.2.3..
   ^
 ^/ \
/    \

.2..3..
    ^
 ^ / \
/ v   \

...4...3...3..
   ^
  / \  ^   ^ 
 /   \/ \ / \
/        v   \
Howard
fuente
1
¡Qué combinación de poesía y arte! Me encanta.
devnull
¿Está bien imprimir nuevas líneas adicionales? En otras palabras, para una entrada de 1, ¿está \n\n\n\n\n\n\n\n^permitido?
durron597
@ durron597 La salida no debería tener líneas nuevas superfluas, eche un vistazo a los ejemplos.
Howard
¿Qué pasa con los caracteres del espacio final? ¿Está bien si todas las líneas tienen la misma longitud que la cadena original, rellenadas con espacios?
Paul Prestidge
@Chron Sí, está bien.
Howard

Respuestas:

11

Javascript: 272 268 233 232 201 192 189 188 178 180 caracteres

Gracias a @Sam por reducirlo de 268 a 233 caracteres, y por @manatwork por otro 1 carácter. @VadimR por señalar un error.

p=prompt(r=t='');s=' ';for(d=10;d--;r=s+q+s,t+=q.trim()?q+'\n':'')for(q='',i=0;i<p.length;)q+=' \\/v^'[p[i++]==d?4:(/\^|\\/.test(r[i-1])+2*/\^|\//.test(r[i+1]))*(r[i]==s)];alert(t)

Versión apropiadamente ideada y un tanto descuidada con comentarios:

// The output initialization is just a golfing trick suggested by @manatwork.
input = prompt(state = output = '');
space = ' ';

// Repeat for each line, from the top (the highest peak, highest digit) to the floor (digit 1). Start at 10 to avoid a bug.
for (digit = 10; digit--;

      // Update the state of our automaton, at the end of the iteration.
      // Add a space after and before to simplify the future pattern recognization.
      state = space + line + space,

      // Add the line to the output if it is not an empty line, at the end of the iteration.
      output += line.trim() ? q + '\n' : '')
{ // This curly brace was added for readability, it is not in the golfed source.

  // Analyze each character in the current state to produce a new state, like a cellular automaton.
  for (line = '', i = 0; i < input.length;)
  { // This curly brace was added for readability, it is not in the golfed source.
    line +=

        // If the input is the current digit number, evaluate to 4 and put a peak in this character.
        // Otherwise evaluate this expression with those rules:
        // 1 means that the hill is higher only at right in the previous iteration, we do climb it to the right in this one.
        // 2 means that the hill is higher only at left in the previous iteration, we do climb it to the left in this one.
        // 3 means that the hill is higher at both sides in the previous iteration, we are in a v-shaped valley.
        // 0 means nothing to do here. If the middle is not a space, it will be multiplied by 0 and become 0.
        ' \\/v^'[input[i++] == digit ? 4 : (/\^|\\/.test(state[i - 1]) + 2 * /\^|\//.test(state[i + 1])) * (r[i] == space)];
    } // This curly brace was added for readability, it is not in the golfed source.
} // This curly brace was added for readability, it is not in the golfed source.

// Give the final output.
alert(output);

Como puede observar en el código, esto funciona como un autómata celular, donde cada celda verifica un número en la entrada, se mira a sí mismo y a sus dos vecinos para decidir cuál será la próxima iteración. En cada momento, una célula puede ser una ^, /, \, vo . La entrada proporcionada en los casos de prueba produce la salida esperada.

Tenga en cuenta que usar el alertcuadro apesta, ya que normalmente no tiene una fuente monoespaciada. Puede copiar y pegar el texto del alertcuadro en otro lugar para una mejor apreciación de la salida, o puede reemplazar la última línea alertpor console.log, pero como se trata de código de golf, alertes más corto.

Además, no valida nada en la entrada. Simplemente considera los caracteres no reconocidos como espacios de la misma manera que lo hace .(de hecho, también .es un carácter no reconocido).

Victor Stafusa
fuente
Hay un viejo truco de golf para reducir 1 carácter: inicializar variables con una cadena vacía como prompt()parámetro .
manatwork
@manatwork Gracias. Hecho.
Victor Stafusa
Disculpe, tal vez me estoy perdiendo algo, pero obtengo resultados consistentes tanto en FF como en Chromium. Lanzo un navegador, ejecuto el código JS de la revisión n. ° 14 y recibo un mensaje de error. Luego ejecuto el código de la revisión n. ° 1: funciona bien. Nuevamente ejecuto el código de 14, y sin mensaje de error, funciona bien. Entonces, ¿el código de la revisión # 14 no se puede ejecutar solo?
user2846289
1
@VadimR Gracias, arreglado. Ese fue un efecto secundario para probarlo con un ambiente contaminado. Se necesita para prefijar el código con delete r; delete s; delete q; delete p; delete t; delete i; delete d;para asegurarse de que no se contaminó.
Victor Stafusa
q.trim()?q+'\n':''podría ser q.trim()&&q+'\n', ahorrando dos. Además, i<p.lengthpodría ser p[i].
Nicholas Pipitone
6

Rubí, 208 201 189

Muy divertido desafío! Aquí hay una solución alternativa de Ruby.

gets.size.times{|x|0.upto(h=$_[x].to_i-1){|d|r=$*[h-d]||=' '*~/$/
[x+d,x-d].map{|o|r[o]=r[o]>?!??v:o<x ??/:?\\if r[o]<?w}
d<1?r[x]=?^:r[x-d+1,w=2*d-1]=?w*w}}
puts$*.reverse.*($/).tr(?w,' ')

Como beneficio adicional, aquí hay una implementación de Ruby del algoritmo de "autómata celular" muy inteligente de Victor, con 162 caracteres:

s=gets
9.downto(1){|h|$0=(-1..s.size).map{|x|$_=$0[x,3]
s[x]=="#{h}"??^:~/  [\^\/]/??/:~/[\^\\]  /??\\:~/[\^\\] [\^\/]/??v:' '}*''
$*<<$0[1..-2]if$0=~/\S/}
puts$*

Salida de ejemplo:

....5.....6..6.....
          ^  ^
    ^    / \/ \
   / \  /      \
  /   \/        \
 /               \
/                 \
Paul Prestidge
fuente
1
Creo que puede usar $/para nueva línea.
Howard
4

C # - 588 caracteres - ¡no es tan bueno como el 321 de Ray!

class P{static void Main(string[] a){char[,] w=new char[a[0].Length+1,10];int x=0;foreach(char c in a[0]){if(c!='.'){int h=int.Parse(c+"");if(w[x,h]=='\0')w[x,h]='^';int s=1;for(int l=h-1;l>0;l--){for(int m=x-s;m<=x+s;m++){if(w[m,l]!='\0'){if(w[m,l]=='^')w[m,l]='/';if(w[m,l]=='\\')w[m,l]='v';}else{if(m==x-s)w[m,l]='/';else if(m==x+s)w[m,l]='\\';else w[m,l]='\0';}bool t=false;for(int f=9;f>0;f--){if(t)w[m,f]='\0';if(w[m,f]!='\0')t=true;}}s++;}}x++;}for(int k=9;k>0;k--){string u="";for(int j=0;j<w.GetLength(0);j++){u+=w[j,k];}if(u.Replace("\0","")!="")System.Console.WriteLine(u);}}}

Salida de ejemplo:

F:\>mountains ".2..3..4..."
       ^
    ^ / \
 ^ / v   \
/ v       \

O uno más largo y complejo ...

F:\>mountains ".2..3..6.....5...3......1..3..4....2."
       ^
      / \    ^
     /   \  / \               ^
    /     \/   \ ^         ^ / \
 ^ /            v \       / v   \  ^
/ v                \    ^/       \/ \

Rompecabezas brillante ... no es tan fácil como parece ... ¡me encantó!

usuario17567
fuente
2
"El complejo" está mal formado, no hay pico para "3".
user2846289
Todos los 3s están ahí. Si estás hablando del primero, es parte de la pendiente.
Hein Wessels
4

APL, 65 bytes

⍉⌽↑⌽¨h↑¨'^/v\'[1+(~×a)×2+×2+/2-/0,0,⍨h←¯1+⊃⌈/a-↓|∘.-⍨⍳⍴a←11|⎕d⍳⍞]

Este símbolo devuelve la entrada sin procesar (no evaluada) como una matriz de caracteres.

Resolviendo interactivamente, en una sesión APL:

      s←'...4...3...3..' ⍝ let's use s instead of ⍞
      ⎕d ⍝ the digits
0123456789
      ⎕d⍳s ⍝ the indices of s in ⎕d or 11-s if not found
11 11 11 5 11 11 11 4 11 11 11 4 11 11
      11|⎕d⍳s ⍝ modulo 11, so '.' is 0 instead of 11
0 0 0 5 0 0 0 4 0 0 0 4 0 0
      a←11|⎕d⍳s ⍝ remember it, we'll need it later
      ⍴a ⍝ length of a
14
      ⍳⍴a
1 2 3 4 5 6 7 8 9 10 11 12 13 14
      ⍝ ∘.-    subtraction table
      ⍝ ∘.-⍨A  same as: A ∘.- A
      ⍝ |      absolute value
      |∘.-⍨⍳⍴a
 0  1  2  3 4 5 6 7 8 9 10 11 12 13
 1  0  1  2 3 4 5 6 7 8  9 10 11 12
 2  1  0  1 2 3 4 5 6 7  8  9 10 11
 ...
13 12 11 10 9 8 7 6 5 4  3  2  1  0
      ⍝ ↓      split the above matrix into rows
      ⍝ a-     elements of "a" minus corresponding rows
      ⍝ ⊃⌈/    max them together
      ⊃⌈/a-↓|∘.-⍨⍳⍴a
2 3 4 5 4 3 3 4 3 2 3 4 3 2
      ⍝ This describes the desired landscape,
      ⍝ except that it's a little too high.
      ⍝ Add -1 to correct it:
      ¯1+⊃⌈/a-↓|∘.-⍨⍳⍴a
1 2 3 4 3 2 2 3 2 1 2 3 2 1
      ⍝ Perfect!  Call it "h":
      h←¯1+⊃⌈/a-↓|∘.-⍨⍳⍴a
      0,⍨h ⍝ append a 0 (same as h,0)
1 2 3 4 3 2 2 3 2 1 2 3 2 1 0
      0,0,⍨h ⍝ also prepend a 0
0 1 2 3 4 3 2 2 3 2 1 2 3 2 1 0
      2-/0,0,⍨h ⍝ differences of pairs of consecutive elements
¯1 ¯1 ¯1 ¯1 1 1 0 ¯1 1 1 ¯1 ¯1 1 1 1
      ⍝ this gives us slopes between elements
      2+/2-/0,0,⍨h ⍝ sum pairs: left slope + right slope
¯2 ¯2 ¯2 0 2 1 ¯1 0 2 0 ¯2 0 2 2
      ×2+/2-/0,0,⍨h ⍝ signum of that
¯1 ¯1 ¯1 0 1 1 ¯1 0 1 0 ¯1 0 1 1
      2+×2+/2-/0,0,⍨h ⍝ add 2 to make them suitable for indexing
1 1 1 2 3 3 1 2 3 2 1 2 3 3
      ⍝ Almost ready.  If at this point we replace
      ⍝ 1:/ 2:v 3:\, only the peaks will require fixing.
      ~×a ⍝ not signum of a
1 1 1 0 1 1 1 0 1 1 1 0 1 1
      (~×a)×2+×2+/2-/0,0,⍨h ⍝ replace peaks with 0-s
1 1 1 0 3 3 1 0 3 2 1 0 3 3
      ⍝ Now replace 0:^ 1:/ 2:v 3:\
      ⍝ We can do this by indexing a string with the vector above
      ⍝ (and adding 1 because of stupid 1-based indexing)
      '^/v\'[1+(~×a)×2+×2+/2-/0,0,⍨h]
///^\\/^\v/^\\
      ⍝ Looks like our mountain, only needs to be raised according to h
      r←'^/v\'[1+(~×a)×2+×2+/2-/0,0,⍨h] ⍝ name it for convenience
      h¨↑r ⍝ extend r[i] with spaces to make it h[i] long
 /  /   /    ^     \    \   /   ^    \   v  /   ^    \   \
      ↑⌽¨h¨↑r ⍝ reverse each and mix into a single matrix
/
 /
  /
   ^
  \
 \
 /
  ^
 \
v
 /
  ^
 \
\
      ⍉⌽↑⌽¨h¨↑r ⍝ reverse and transpose to the correct orientation
   ^
  / \  ^   ^
 /   \/ \ / \
/        v   \
ngn
fuente
3

Ruby, 390 caracteres

Vaya, este fue complicado.

Terminé teniendo que agregar una nueva cadena para cada carácter, usando una variable sque significaba "omitir el siguiente carácter" que era necesario para el procesamiento ^y \.

Esta salida es exactamente la salida de muestra dada para todos los casos de prueba.

m=[gets.chomp]
a=m[0].scan(/\d/).max.to_i
m[0].gsub!(/./){|n|n==?. ? ' ':a-n.to_i}
s=nil
until a==0
o=''
m[-1].chars{|c|o+=case c
when ?0;?^
when ' ';t=s;s=nil;t ? '':' '
when /\d/;(c.to_i-1).to_s
when ?^;s=1;o.slice! -1;"/ \\"
when ?/;t=s;s=nil;t ? "#{o.slice! -1;' '}":o.slice!(-1)=='\\' ? 'v ':"/ "
when ?\\;s=1;' \\'
when ?v;' '
end}
m.push o
a-=1
end
puts (m[1..-1]*"\n").gsub /\d/,' '

Gráfico de lo que significan las variables:

m | The mountain array.
a | The highest height of a mountain. Used for counting when to stop.
s | Whether or not to skip the next character. 1 for yes, nil for no.
o | Temp string that will be appended to mountain.
t | Temp variable to hold the old value of s.

Estoy seguro de que podría jugar mucho más, pero ahora tengo que irme. Será mejorado más tarde!

Pomo de la puerta
fuente
Estoy luchando con la entrada .2.2.y no puedo ver por qué no funciona.
Howard
2

Java, 377 407

Editar: @Victor señaló que este debía ser un programa completo, por lo que agregué algunas docenas de caracteres para que sea compilable y ejecutable. Simplemente pase la "orden de compra" como primer parámetro cuando ejecute el programa, así:java M ..3.4..6..4.3..

Creo que esto es similar en espíritu a otras respuestas, básicamente solo atraviesa el "orden de la montaña" repetidamente para cada altura posible, y construye las montañas de arriba hacia abajo. De esa manera, solo tengo que lidiar con cuatro condiciones si no estoy construyendo un pico: una pendiente ascendente '/', una pendiente descendente '\, una unión' v 'o vacía' '. Puedo descubrir eso simple mirando los tres espacios centrados "arriba" de mi posición actual en mi construcción de arriba hacia abajo.

Tenga en cuenta que, como otras presentaciones, trato cualquier cosa que no sea un número como equivalente a '.' en la entrada, por brevedad.

Versión de golf:

class M{public static void main(String[]m){char[]n=m[0].toCharArray();int e=n.length,h=9,x=-1,p;char[][]o=new char[11][e];char l,r,u;boolean a,b,c;for(;h>=0;h--){for(p=0;p<e;p++){if(n[p]-49==h){o[h][p]=94;if(x==-1)x=h;}else{l=(p>0)?o[h+1][p-1]:0;r=(p<e-1)?o[h+1][p+1]:0;u=o[h+1][p];a=l>91&&l<99;b=r==94||r==47;c=u<33;o[h][p]=(char)((a&&b)?'v':(c&&b)?47:(c&&a)?92:32);}}if(x>=h)System.out.println(o[h]);}}}

Forma legible por humanos (y sin algunas de las transfiguraciones equivalentes para lograr la forma de golf):

class Magrathea2 {
    public static void main(String[] mountain) {
        String out = "";
        char[][] output = new char[11][mountain[0].length()];
        int height = 9; int maxheight = -1;
        int position = 0;
        char left,right,up;
        char[] mount = mountain[0].toCharArray();
        for (; height >= 0; height--) {
            for (position=0; position < mount.length; position++) {
                if (mount[position]-49 == height) {
                    output[height][position] = '^';
                    if (maxheight==-1) {
                        maxheight=height;
                    }
                } else { // deal with non-numbers as '.'
                    left=(position>0)?output[height+1][position-1]:0;
                    right=(position<mount.length-1)?output[height+1][position+1]:0;
                    up=output[height+1][position];
                    if ((left=='^'||left=='\\')&&(right=='^'||right=='/')) {
                        output[height][position]='v';
                    } else if ((up==' '||up==0)&&(right=='/'||right=='^')) {
                        output[height][position]='/';
                    } else if ((up==' '||up==0)&&(left=='\\'||left=='^')) {
                        output[height][position]='\\';
                    } else {
                        output[height][position]=' ';
                    }
                }
            }
            if (maxheight >= height) {
                out+=new String(output[height]);
                if (height > 0) {
                    out+="\n";
                }
            }
        }
        System.out.println(out);
    }
}

Disfrutar.

Salida de ejemplo:

$ java M ..3..4...6...5....1
         ^
        / \  ^
     ^ /   \/ \
  ^ / v        \
 / v            \
/                \^
ProgramadorDan
fuente
La pregunta menciona Escriba un programa completo , por lo tanto, agregue los que faltan class X{public static void main(String[]z){.
Victor Stafusa
Tocar el asunto exacto. La siguiente sección de esa oración me dirigió mal: "o como argumento" y me perdí la parte completa del programa. Lo actualizaré en breve.
ProgramadorDan
2

Perl 6, 264 224 216 206 200 194 124 bytes

$_=get;my$a=10;((s:g/$a/^/;s:g/\s\.\s/ v /;s:g'\.\s'/ ';s:g/\s\./ \\/;$!=say TR/.1..9/ /;tr'^\\/v' ')if .match(--$a)|$!)xx 9

Gracias a @JoKing por mostrarse como /// solución. Esto se juega un poco más después de corregir el error tr /// en Perl 6.

Mi solución original con subst:

my$t=get;for 9...1 {if $t.match($_)|$! {$t=$t.subst($_,'^',:g).subst(' . ',' v ',:g).subst('. ','/ ',:g).subst(' .',' \\',:g);$!=say $t.subst(/<[\.\d]>/,' ',:g);$t.=subst(/<[^\\/v]>/,' ',:g)};}

Sin golf:

my $t=slurp;
my $s;
for 9...1 {
    if $t.match($_)||$s {                    # match number or latched
        $t=$t.subst($_,'^',:g)               # peaks
        .subst(' . ',' v ',:g)               # troughs
        .subst('. ','/ ',:g)                 # up slope
        .subst(' .',' \\',:g);               # down slope
        $s=say $t.subst(/<[\.\d]>/,' ',:g);  # clean, display, latch
        $t=$t.subst(/<[^\\/v]>/,' ',:g)      # wipe for next line
    }
}

Salida:

...4...3...33..4..4....2.3.22.33.5..22...333.222.3..
                                 ^                  
   ^           ^  ^             / \                 
  / \  ^   ^^ / \/ \     ^    ^^   \     ^^^     ^  
 /   \/ \ /  v      \  ^/ \^^/      ^^  /   \^^^/ \ 
/        v           \/               \/           \
donaldh
fuente
1
No creo que Perl necesite estrictamente una función principal, el punto de entrada puede ser lo primero fuera de una función.
Nissa
Usé main para el manejo de parámetros. Ahora usando stdin. Gracias.
donaldh
Una solución procesal. Estoy seguro de que alguien puede mejorar con expresiones regulares e hipermetropía.
donaldh
1
131 bytes usando s///y tr///. Creo que el último se puede usar en trlugar de, spero no puedo entender para traducir barras diagonales inversas. Tal vez el primero también
Jo King
Buen trabajo @JoKing: me metí en un lío cuando intenté usar s /// y TR ///. Veo que evitar bloques es la respuesta.
donaldh
1

Perl, 254 218 212

$s=<>;sub f{9-$i-$_[0]?$":pop}for$i(0..8){$h=1;$_=$s;s!(\.*)(\d?)!$D=($w=length$1)+$h-($2||1);join'',(map{($x=$_-int$D/2)<0?f--$h,'\\':$x?f++$h,'/':$D%2?f--$h,v:f$h,'/'}0..$w-1),$2?f$h=$2,'^':''!ge;print if/\S/}
$s=<>;
sub f{9-$i-$_[0]?$":pop}
for$i(0..8){
    $h=1;
    $_=$s;
    s!(\.*)(\d?)!
        $D=($w=length$1)+$h-($2||1);
        join'',(map{
            ($x=$_-int$D/2)<0
                ?f--$h,'\\'
                :$x
                    ?f++$h,'/'
                    :$D%2
                        ?f--$h,v
                        :f$h,'/'
        }0..$w-1),$2
            ?f$h=$2,'^'
            :''
    !ge;
    print if/\S/
}

Editar: en realidad es una corrección de errores trabajar con el ..3..4...6...5....1ejemplo de ProgrammerDan , pero, en el proceso, algunos bytes estaban desactivados. Y prueba en línea: https://ideone.com/P4XpMU

usuario2846289
fuente
1

C # - 321 319

using System.Linq;class P{static void Main(string[]p){int h=p[0].Max()-48,i=h,j,n=p[0].Length;char[]A=new char[n+2],B=A;for(;i-->0;){for(j=0;j++<n;){var r=(A[j+1]==47|A[j+1]==94);B[j]=(char)(p[0][j-1]==i+49?94:i+1<h?A[j]==0?(A[j-1]>90&A[j-1]<95)?r?118:92:r?47:0:0:0);}A=(char[])B.Clone();System.Console.WriteLine(B);}}}

Ungolfed y comentó:

using System.Linq;

class P
{
    static void Main(string[] p)
    {
        int h = p[0].Max() - 48,    // Getting the height. Codes for 0 to 9 are 48 to 57, so subtract 48 and hope no one will input anything but dots and numbers.
            i = h,
            j,                      // Declaring some iterators here, saves a few chars in loops.
            n = p[0].Length;
        char[] A = new char[n+2],   // Creating an array of char with 2 extra members so as not to check for "index out of bounds" exceptions
               B = A;               // B is referencing the same array as A at this point. A is previous row, B is the next one.
        for (;i-->0;)               // Looping from top to the bottom of the mountain
        {
            for (j = 0; j++ < n;)   // Looping from left to right.
            {
                var r = (A[j + 1] == 47 | A[j + 1] == 94);  // This bool is used twice, so it saves a few characters to make it a variable

                // Here's the logic
                B[j] = (char)(p[0][j - 1] == i + 49 ? 94    // If at this position in the string we have a number, output "^"
                                           : i + 1 < h ?    // And if not, check if we're on the top of the mountain
                                             A[j] == 0 ?    // If we're not at the top, check if the symbol above is a space (0, actually)
                                            (A[j - 1] > 90 & A[j - 1] < 95) ?   // If there's nothing above, we check to see what's to the left ( ^ or \ )
                                             r ?            // And then what's to the right ( ^ or / )
                                             118            // If there are appropriate symbols in both locations, print "v"
                                           : 92             // If there's only a symbol to the left, print "\"
                                           : r              // Otherwise check if there's a symbol to the right, but not to the left
                                           ? 47             // And if there is, print "/"
                                           : 0 : 0 : 0);    // Print nothing if there aren't any symbols above, to the left and to the right,
                                                            // or there's a "^" right above, or we're at the top of the mountain
            }
            A=(char[])B.Clone();    // Clone arrays to iterate over the next line
            System.Console.WriteLine(B);
        }
    }
}

Ejemplo:

C:\>program .2..3..4...
        ^
     ^ / \
  ^ / v   \
 / v       \

Sin embargo, creo que genera un espacio adicional antes de cada línea.

Ray Poward
fuente
1

CJAM, 128 117 112 106 104 bytes

CJam es un poco más joven que este desafío, por lo que esta respuesta no compite. ¡Sin embargo, este fue un desafío muy agradable! Por lo poco que sé sobre J y APL, creo que una presentación en esos sería impresionantemente corta.

WlW++"."Waer{_{~U(e>:U}%\W%}2*;W%]z{$W=}%_$W=S*\:L,2-,\f{\_)L=(~"^/ ^^/ \v ^ \\"S/2/@L>3<_$0=f-{=}/t}zN*

Aquí hay un caso de prueba, que creo que contiene todas las posibles combinaciones posibles de pendientes, picos y valles:

...4...3...33..4..4....2.3.22.33.5..22...333.222.3..

cuyos rendimientos

                                 ^                  
   ^           ^  ^             / \                 
  / \  ^   ^^ / \/ \     ^    ^/   \     ^^^     ^  
 /   \/ \ /  v      \  ^/ \^^/      \^  /   \^^^/ \ 
/        v           \/               \/           \

Pruébalo aquí.

Agregaré una explicación para el código más tarde.

Martin Ender
fuente
1

Pitón, 297 234 218

-63 bytes gracias a Jo King
-16 bytes con en r=s.replacelugar de lambda

s=input()
r=s.replace
q=0
j=''.join
for i in range(9):
 if`9-i`in s or q:q=s=r(`9-i`,'^');s=r(' . ',' v ');s=r('. ','/ ');s=r(' .',' \\');print j([x,' '][x in'0123456789.']for x in s);s=j([x,' '][x in'/\^v']for x in s)

Toma información de STDIN. Sin golf, simplificado:

s=input() # Take input
r=lambda y,z: s.replace(y,z) # Function for quick s.replace(a, b)
j=lambda x: ''.join(x)
q=0 # Acts like boolean
for i in range(9): # Count to 9
 if `9-i`in s or q: # When digit has been found or found previously (no newlines at start)
  q=s=r(`9-i`,'^') # Digit to ^, set q to non-zero value for always executing from now on
  s=r(' . ',' v ') # ' . ' to ' v '
  s=r('. ','/ ') # '. ' to '/ '
  s=r(' .',' k') # ' .' to 'k'. K is a placeholder, since \\ takes two chars and `[...]`[2::5] fails
  print j([x,' '][x in'0123456789.']for x in s) # Print without '0123456789.'
  s=j([x,' '][x in'/\^v']for x in s) # Wipe (delete '/^\v`)
Duncan Whyte
fuente
234 bytes
Jo King
1
Sí, probé el s.replacemétodo yo mismo, pero no funciona. Solo está realizando reemplazos en la cadena original ya que las cadenas son inmutables
Jo King
0

PowerShell, 148 145 bytes

¡Es un buen desafío!

param($s)9..1|?{($p+=$s-match$_)}|%{"$_,^; \. , v ;\. ,/ ; \., \;\^|\\|/|v, "-split';'|%{$x=$s-replace'\.|\d',' '
$s=$s-replace($_-split',')}
$x}

Menos guión de prueba de golf:

$f = {

param($s)
9..1|?{($p+=$s-match$_)}|%{      # loop digits form 9 downto 1, execute to the end as soon as a suitable digit met
    $s=$s-replace$_,'^'          # replace current digit with '^'
    $s=$s-replace' \. ',' v '    # replace ' . '  with ' v '
    $s=$s-replace'\. ','/ '      # replace '. ' with '/ '
    $s=$s-replace' \.',' \'      # replace ' .' with ' \'
       $s-replace'\.|\d',' '     # replace all dots and digits with ' ' and push to output. Don't store this replacement
    $s=$s-replace'\^|\\|/|v',' ' # prepeare to the next step: replace ^ \ / and v to space
}

    # Example:
    #     $s="...4...3...3.."
    # 4 : $s="...^...3...3.." output: "   ^          "
    # 4 : $s="... ...3...3.."
    # 3 : $s="../ \..^...^.." output: "  / \  ^   ^  "
    # 3 : $s="..   .. ... .."
    # 2 : $s="./   \/ \./ \." output: " /   \/ \ / \ "
    # 2 : $s=".        .   ."
    # 1 : $s="/        v   \" output: "/        v   \"
    # 1 : $s="              "

}

@(
    ,("1",
      "^")

    ,("11",
      "^^")

    ,("1.2.",
    "  ^ ",
    "^/ \")

    ,(".2.3..",
      "   ^  ",
      " ^/ \ ",
      "/    \")

    ,(".2..3..",
      "    ^  ",
      " ^ / \ ",
      "/ v   \")

    ,("...4...3...3..",
      "   ^          ",
      "  / \  ^   ^  ",
      " /   \/ \ / \ ",
      "/        v   \")

    ,("...4...3...33..4..4....2.3.22.3..5...22...333.222.3..",
      "                                 ^                   ",
      "   ^           ^  ^             / \                  ",
      "  / \  ^   ^^ / \/ \     ^    ^/   \      ^^^     ^  ",
      " /   \/ \ /  v      \  ^/ \^^/      \^^  /   \^^^/ \ ",
      "/        v           \/                \/           \")

    ,(".2..3..6.....5...3......1..3..4....2.",
      "       ^                             ",
      "      / \    ^                       ",
      "     /   \  / \               ^      ",
      "    ^     \/   \ ^         ^ / \     ",
      " ^ /            v \       / v   \  ^ ",
      "/ v                \    ^/       \/ \")
) | % {
    $s,$expected = $_
    $result = &$f $s
    "$result"-eq"$expected"
    $s
    $result
}

Salida:

True
1
^
True
11
^^
True
1.2.
  ^
^/ \
True
.2.3..
   ^
 ^/ \
/    \
True
.2..3..
    ^
 ^ / \
/ v   \
True
...4...3...3..
   ^
  / \  ^   ^
 /   \/ \ / \
/        v   \
True
...4...3...33..4..4....2.3.22.3..5...22...333.222.3..
                                 ^
   ^           ^  ^             / \
  / \  ^   ^^ / \/ \     ^    ^/   \      ^^^     ^
 /   \/ \ /  v      \  ^/ \^^/      \^^  /   \^^^/ \
/        v           \/                \/           \
True
.2..3..6.....5...3......1..3..4....2.
       ^
      / \    ^
     /   \  / \               ^
    ^     \/   \ ^         ^ / \
 ^ /            v \       / v   \  ^
/ v                \    ^/       \/ \
mazzy
fuente
0

Pip -l , 100 bytes

Y#aZGMXaFi,#aIh:+a@i{(yi--h):4j:0Wh-j&++(yi-++jh-j)(yi+jh-j):2}RV Z(J*y)R`.(?=.*[^0])`0R,6;^" /\v^^"

(El lenguaje es más nuevo que la pregunta, pero probablemente no superará la presentación de APL de todos modos. Aunque espero que sea mucho más corto).

Toma entrada a través de la línea de comando argumento. Pruébalo en línea!

DLosc
fuente