Secuencias binarias

23

Dado un número binario A como entrada con d> 1 dígitos, genera un número binario B con d dígitos de acuerdo con las siguientes reglas para encontrar el enésimo dígito de B:

  • El primer dígito de B es cero si el primer y el segundo dígitos de A son iguales; de lo contrario, es uno.

  • Si 1 <n <d, entonces si los dígitos (n-1) th, nth y (n + 1) th de A son iguales, entonces el enésimo dígito de B es cero; de lo contrario, es uno.

  • El dth dígito de B es cero si los dígitos (d-1) th y dth de A son iguales; de lo contrario, es uno.

Reglas

El formato de entrada / salida de cadena / lista está bien. Otra forma permitida de entrada / salida es un número entero seguido por el número de ceros anteriores (o después del número de ceros anteriores).

Haz tu código lo más corto posible.

Casos de prueba

00 -> 00
01 -> 11
11 -> 00
010111100111 -> 111100111100
1000 -> 1100
11111111 -> 00000000
01010101 -> 11111111
1100 -> 0110
0WJYxW9FMN
fuente
Deberías haber esperado 10 minutos más, entonces tendrías un sombrero . ¡Buen desafío sin embargo!
caird coinheringaahing
@cairdcoinheringaahing Recuerdo los del año pasado ... oh, bueno. :-(
0WJYxW9FMN
2
Caso de prueba sugerido: 1100 -> 0110(los primeros 2 dígitos de la salida son siempre idénticos en todos los demás casos de prueba; lo mismo para los últimos 2 dígitos)
Arnauld
Es agradable ver que no se han emitido votos negativos en este desafío o en sus veinticinco respuestas. ¡Bien hecho a todos!
0WJYxW9FMN

Respuestas:

7

Haskell, 59 58 54 bytes

f s=[1-0^(a-b+a-c)^2|a:b:c:_<-scanr(:)[last s]$s!!0:s]

Pruébalo en línea!

f s=                        -- input is a list of 0 and 1
          s!!0:s            -- prepend the first and append the last number of s to s
      scanr(:)[last s]      --   make a list of all inits of this list
     a:b:c:_<-              -- and keep those with at least 3 elements, called a, b and c
    1-0^(a-b+a-c)^2         -- some math to get 0 if they are equal or 1 otherwise

Editar: @ Ørjan Johansen guardó 4 bytes. ¡Gracias!

nimi
fuente
Si no le importa cambiar a salida de cadena, "0110"!!(a+b+c)guarda un byte.
Laikoni
@Laikoni: Gracias, pero también he encontrado un byte en mis matemáticas.
nimi
2
[last s]se puede mover al scanrvalor inicial.
Ørjan Johansen
Guau. inits (con la importación); abdominales; if-then-else; mapa (toma 3); zipWith; takeWhile (no nulo); chunksOf (con su importación) ... ¡todo golf ! ¿Hay un salón de la fama del golf, en algún lugar, en cualquier lugar?
Will Ness
7

Jalea , 9 bytes

.ịṚjṡ3E€¬

Pruébalo en línea!

E / S como lista de dígitos.

Explicación:

.ịṚjṡ3E€¬
.ịṚ       Get first and last element
   j      Join the pair with the input list, thus making a list [first, first, second, ..., last, last]
    ṡ3    Take sublists of length 3
      E€  Check if each has all its elements equal
        ¬ Logical NOT each
Erik el Outgolfer
fuente
Casi lo mismo con mi intento : P
Leaky Nun
@LeakyNun es bastante común obtener código idéntico en desafíos más fáciles; p
Erik the Outgolfer
2
¿Podría agregar una explicación?
caird coinheringaahing
@cairdcoinheringaahing Probablemente entiendas el código , pero lo agregaré como referencia para todos hasta que Erik agregue uno (si lo hace): .ị- Obtiene el elemento en el índice 0.5 . Como floor (0.5) ≠ ceil (0.5) , devuelve los elementos en los índices 0 y 1 . Jelly es uno indexado, por lo tanto 0 realmente toma el último elemento. invierte el par (porque se devuelven como last, first). Luego june el par en la entrada y lo ṡ3divide en segmentos superpuestos de longitud 3. E€comprueba (para cada lista) si todos los elementos son iguales y ¬lógicamente niega cada uno.
Sr. Xcoder
6

05AB1E , 6 bytes

¥0.ø¥Ā

La E / S está en forma de matrices de bits.

Pruébalo en línea!

Cómo funciona

¥       Compute the forward differences of the input, yielding -1, 0, or 1 for each
        pair. Note that there cannot be two consecutive 1's or -1's.
 0.ø    Surround the resulting array with 0‘s.
    ¥   Take the forward differences again. [0, 0] (three consecutive equal 
        elements in the input) gets mapped to 0, all other pairs get mapped to a 
        non-zero value.
     Ā  Map non-zero values to 1.
Dennis
fuente
5

05AB1E , 11 bytes

¬s¤)˜Œ3ù€Ë_

Pruébalo en línea! o como un conjunto de pruebas

Explicación

¬             # get head of input
 s            # move it to the bottom of the stack
  ¤           # get the tail of the input
   )˜         # wrap in list ([head,input,tail])
     Œ3ù      # get sublists of length 3
        €Ë    # check each sublists for equality within the list
          _   # logical negation
Emigna
fuente
5

Haskell , 66 61 59 bytes

g t@(x:s)=map("0110"!!)$z(x:t)$z t$s++[last s]
z=zipWith(+)

Pruébalo en línea! La entrada es una lista de ceros y unos, la salida es una cadena. Ejemplo de uso: g [0,1,0,1,1,1,1,0,0,1,1,1]rendimientos"111100111100" .


Solución anterior de 61 bytes:

g s=["0110"!!(a+b+c)|(a,b,c)<-zip3(s!!0:s)s$tail s++[last s]]

Pruébalo en línea!

Laikoni
fuente
4

J , 26 14 bytes

Crédito a la solución 05AB1E de Emigna

2=3#@=\{.,],{:

Pruébalo en línea!

Intento original

2|2#@="1@|:@,,.@i:@1|.!.2]

Pruébalo en línea!

             ,.@i:@1              -1, 0, 1
                    |.!.2]         shift filling with 2
  2         ,                      add a row of 2s on top
         |:                        transpose
   #@="1                           count unique elements in each row
2|                                 modulo 2
FrownyFrog
fuente
Manera inteligente de hacer infijos de 3 al principio y al final.
cole
2

Casco , 15 11 bytes

Ẋȯ¬EėSJ§e←→

Toma datos como una lista, ¡ pruébelo en línea! O prueba este que usa cadenas para E / S.

Explicación

Ẋ(¬Eė)SJ§e←→ -- implicit input, for example [1,0,0,0]
      SJ     -- join self with the following
        §e   --   listify the
                  first and
                  last element: [1,0]
             -- [1,1,0,0,0,0]
Ẋ(   )       -- with each triple (eg. 1 0 0) do the following:
    ė        --   listify: [1,1,0]
   E         --   are all equal: 0
  ¬          --   logical not: 1
             -- [1,1,0,0]
ბიმო
fuente
2

Jalea , 8 bytes

I0;;0In0

La E / S está en forma de matrices de bits.

Pruébalo en línea!

Cómo funciona

I0;;0In0  Main link. Argument: A (bit array of length d)

I         Increments; compute the forward differences of all consecutive elements
          of A, yielding -1, 0, or 1 for each pair. Note that there cannot be
          two consecutive 1's or -1's.
 0;       Prepend a 0 to the differences.
   ;0     Append a 0 to the differences.
     I    Take the increments again. [0, 0] (three consecutive equal elements in A)
          gets mapped to 0, all other pairs get mapped to a non-zero value.
      n0  Perform not-equal comparison with 0, mapping non-zero values to 1.
Dennis
fuente
Llegué a una alternativa divertida, tal vez puedas inspirarte en esto:I0,0jI¬¬
Sr. Xcoder
2

JavaScript (ES6), 45 bytes

Toma la entrada como una matriz de caracteres. Devuelve una matriz de enteros.

a=>a.map((v,i)=>(i&&v^p)|((p=v)^(a[i+1]||v)))

Casos de prueba

Comentado

a =>                  // given the input array a
  a.map((v, i) =>     // for each digit v at position i in a:
    (                 //   1st expression:
      i &&            //     if this is not the 1st digit:
           v ^ p      //       compute v XOR p (where p is the previous digit)
    ) | (             //   end of 1st expression; bitwise OR with the 2nd expression:
      (p = v) ^       //     update p and compute v XOR:
      (a[i + 1] ||    //       the next digit if it is defined
                   v) //       v otherwise (which has no effect, because v XOR v = 0)
    )                 //   end of 2nd expression
  )                   // end of map()
Arnauld
fuente
1

Jalea , 16 bytes

ḣ2W;ṡ3$;ṫ-$W$E€¬

Pruébalo en línea!

Iba a jugar al golf, pero Erik ya tiene una solución más corta y jugar al golf me acercaría más a la suya. Todavía estoy jugando al golf, pero no actualizaré a menos que pueda vencerlo o encontrar una idea única.

Explicación

ḣ2W;ṡ3$;ṫ-$W$E€¬  Main Link
ḣ2                First 2 elements
  W               Wrapped into a list (depth 2)
   ;              Append
    ṡ3$           All overlapping blocks of 3 elements
       ;          Append
        ṫ-$W$     Last two elements wrapped into a list
             E€   Are they all equal? For each
               ¬  Vectorizing Logical NOT
Hiperneutrino
fuente
Usando menos dinero y no es más similar a Erik's
caird coinheringaahing
1

Perl 5 , 62 + 1 ( -n) = 63 bytes

s/^.|.$/$&$&/g;for$t(0..y///c-3){/.{$t}(...)/;print$1%111?1:0}

Pruébalo en línea!

Xcali
fuente
Acortado a 49 bytes: ¡ Pruébelo en línea!
Dada
Debes publicarlo como respuesta. No quiero tomar crédito por tu trabajo. Esa s;..$;construcción al final es ingeniosa. Tendré que recordar eso.
Xcali
1

Japt , 14 13 12 bytes

En parte portado de la solución Dennis 'Jelly. Entrada y salida son matrices de dígitos.

ä- pT äaT mg

Guardado un byte gracias a ETHproductions.

Intentalo


Explicación

Entrada implícita de la matriz U. ä-obtiene los deltas de la matriz. pTempuja 0 al final de la matriz. äaTprimero agrega otro 0 al inicio de la matriz antes de obtener los deltas absolutos. mgasigna sobre los elementos de la matriz que devuelve el signo de cada elemento como -1 para números negativos, 0 para 0 o 1 para números positivos.

Lanudo
fuente
Hmm, me pregunto si hay una buena manera de hacer un método que coloque un elemento al principio y al final de una matriz, como en la respuesta 05AB1E. Creo que eso lo
acortaría
@ETHproductions, para los A.ä()que prefieren su segundo argumento, puede agregar un tercer argumento que se agrega. Entonces, en este caso, pT äaTpodría convertirse äaTTen un ahorro de 2 bytes.
Shaggy
1

J, 32 bytes

B=:2&(+./\)@({.,],{:)@(2&(~:/\))

Cómo funciona:

B=:                              | Define the verb B
                       2&(~:/\)  | Put not-equals (~:) between adjacent elements of the array, making a new one
            ({.,],{:)            | Duplicate the first and last elements
   2&(+./\)                      | Put or (+.) between adjacent elements of the array

Dejé algunos @s y paréntesis, que solo se aseguran de que combinen bien.

Un ejemplo paso a paso:

    2&(~:/\) 0 1 0 1 1 1 1 0 0 1 1 1
1 1 1 0 0 0 1 0 1 0 0

    ({.,],{:) 1 1 1 0 0 0 1 0 1 0 0
1 1 1 1 0 0 0 1 0 1 0 0 0

    2&(+./\) 1 1 1 1 0 0 0 1 0 1 0 0 0
1 1 1 1 0 0 1 1 1 1 0 0

    B 0 1 0 1 1 1 1 0 0 1 1 1
1 1 1 1 0 0 1 1 1 1 0 0
Bolce Bussiere
fuente
0

Retina , 35 bytes

(.)((?<=(?!\1)..)|(?=(?!\1).))?
$#2

Pruébalo en línea! El enlace incluye casos de prueba. Explicación: La expresión regular comienza haciendo coincidir cada dígito de entrada por turno. Un grupo de captura intenta hacer coincidir un dígito diferente antes o después del dígito en consideración. El ?sufijo permite que la captura coincida 0 o 1 veces; $#2convierte esto en el dígito de salida.

Neil
fuente
0

Pyth , 15 bytes

mtl{d.:++hQQeQ3

Pruébalo aquí!

Alternativamente:

  • mtl{d.:s+hQeBQ3.
  • .aM._M.+++Z.+QZ.

Esto antepone el primer elemento y agrega el último elemento, luego obtiene todas las subcadenas superpuestas de longitud 3, y finalmente toma el número de elementos distintos en cada sublista y lo disminuye. Este desastre se ha hecho en dispositivos móviles a medianoche, por lo que no me sorprendería si hay algunos campos de golf fáciles.

Sr. Xcoder
fuente
0

Gaia , 9 bytes

ọ0+0¤+ọ‼¦

Pruébalo en línea!

Explicación

ọ0 + 0¤ + ọ‼ ¦ ~ Un programa que acepta un argumento, una lista de dígitos binarios.

ọ ~ Deltas.
 0+ ~ Agregar un 0.
   0 ~ Empuje un cero a la pila.
    ¤ ~ Intercambie los dos argumentos principales en la pila.
     + ~ Concatenate (los últimos tres bytes básicamente anteponen un 0).
      ọ ~ Deltas.
        ¦ ~ Y para cada elemento N:
       ‼ ~ Rendimiento 1 si N ≠ 0, de lo contrario 0.

Gaia , 9 bytes

ọ0¤;]_ọ‼¦

Pruébalo en línea!

Sr. Xcoder
fuente
0

C , 309 bytes

#include<stdio.h>
#include<stdlib.h>
#include<string.h>
int main(int argc,char** argv){int d=strlen(argv[1]);char b[d + 1];char a[d + 1];strcpy(a, argv[1]);b[d]='\0';b[0]=a[0]==a[1]?'0':'1';for(int i=1;i<d-1;i++){b[i]=a[i]==a[i+1]&&a[i]==a[i - 1]?'0':'1';}b[d-1]=a[d-1]==a[d-2]?'0':'1';printf("%s\n",b);}

No es exactamente un idioma apropiado para el golf, pero vale la pena una respuesta. Pruébalo aquí !

Explicación

#include <stdio.h>
#include <stdlib.h>
#include <string.h>

int main(int argc, char** argv) {
    /* Find the number of digits in number (taken in as a command line argument) */
    int d = strlen(argv[1]);

    /* d + 1 to account for d digits plus the null character */
    char b[d + 1];
    char a[d + 1];

    /* Saves having to type argv[1] every time we access it. */
    strcpy(a, argv[1]);

    /* Set the null character, so printf knows where our string ends. */
    b[d] = '\0';

    /* First condition */
    /* For those not familiar with ternary operators, this means b[0] is equal to '0' if a[0] equals a[1] and '1' if they aren't equal. */
    b[0] = a[0] == a[1] ? '0' : '1';

    /* Second condition */
    for(int i = 1; i < d - 1; i++) {
        b[i] = a[i] == a[i+1] && a[i] == a[i - 1] ? '0' : '1';
    }

    /* Third condition */
    b[d - 1] = a[d - 1] == a[d - 2] ? '0' : '1';

    /* Print the answer */
    printf("%s\n", b);
}
McLemore
fuente
Bienvenido a PPCG :)
Shaggy
0

APL + WIN, 29 bytes

(↑b),(×3|3+/v),¯1↑b←×2|2+/v←⎕

Solicita la entrada de pantalla como un vector de dígitos y genera un vector de dígitos.

Explicación

b←×2|2+/v signum of 2 mod sum of successive pairs of elements

×3|3+/v signum of 3 mod sum of successive triples of elements

(↑b),...., ¯1↑b concatenate first and last elements of b for end conditions
Graham
fuente
0

SNOBOL4 (CSNOBOL4) , 273 bytes

	I =INPUT
	D =SIZE(I)
N	P =P + 1
	EQ(P,1)	:S(S)
	EQ(P,D)	:S(E)
	I POS(P - 2) LEN(2) . L
	I POS(P - 1) LEN(2) . R
T	Y =IDENT(L,R) Y 0	:S(C)
	Y =Y 1
C	EQ(P,D) :S(O)F(N)
S	I LEN(1) . L
	I POS(1) LEN(1) . R :(T)
E	I RPOS(2) LEN(1) . L
	I RPOS(1) LEN(1) . R :(T)
O	OUTPUT =Y
END

Pruébalo en línea!

	I =INPUT			;* read input
	D =SIZE(I)			;* get the string length
N	P =P + 1			;* iNcrement step; all variables initialize to 0/null string
	EQ(P,1)	:S(S)			;* if P == 1 goto S (for Start of string)
	EQ(P,D)	:S(E)			;* if P == D goto E (for End of string)
	I POS(P - 2) LEN(2) . L		;* otherwise get the first two characters starting at n-1
	I POS(P - 1) LEN(2) . R		;* and the first two starting at n
T	Y =IDENT(L,R) Y 0	:S(C)	;* Test if L and R are equal; if so, append 0 to Y and goto C
	Y =Y 1				;* otherwise, append 1
C	EQ(P,D) :S(O)F(N)		;* test if P==D, if so, goto O (for output), otherwise, goto N
S	I LEN(1) . L			;* if at start of string, L = first character
	I POS(1) LEN(1) . R :(T)	;* R = second character; goto T
E	I RPOS(2) LEN(1) . L		;* if at end of string, L = second to last character
	I RPOS(1) LEN(1) . R :(T)	;* R = last character; goto T
O	OUTPUT =Y			;* output
END
Giuseppe
fuente
0

C (tcc) , 64 62 56 bytes

c,p;f(char*s){for(p=*s;c=*s;p=c)*s=p-c==c-(*++s?:c)^49;}

I / O está en forma de cadenas. La función f modifica su argumento s en su lugar.

Pruébalo en línea!

Dennis
fuente
0

Lisp común, 134 bytes

(lambda(a &aux(x(car a))(y(cadr a)))`(,#1=(if(= x y)0 1),@(loop for(x y z)on a while y if z collect(if(= x y z)0 1)else collect #1#)))

Pruébalo en línea!

Renzo
fuente