Calcular o superconjunto


18

Sua tarefa aqui é simples:

Dada uma lista de conjuntos inteiros, encontre a união do conjunto. Em outras palavras, encontre a lista mais curta de conjuntos inteiros que contêm todos os elementos na lista original de conjuntos (mas nenhum outro elemento). Por exemplo:

[1,5] and [3,9] becomes [1,9] as it contains all of the elements in both [1,5] and [3,9]
[1,3] and [5,9] stays as [1,3] and [5,9], because you don't want to include 4

Os conjuntos são anotados usando a notação de intervalo: [1,4]significa os números inteiros 1,2,3,4. Os conjuntos também podem ser ilimitados: [3,]significa todos os números inteiros >= 3e [,-1]todos os números inteiros <= -1. É garantido que o primeiro elemento do intervalo não será maior que o segundo.

Você pode escolher conjuntos na notação de seqüência de caracteres ou usar tuplas de 2 elementos, usando um constante não inteiro como o valor "infinito". Você pode usar duas constantes distintas para representar o limite superior infinito e o limite inferior infinito. Por exemplo, em Javascript, você pode usar [3,{}]para anotar todos os números inteiros >= 3, desde que você use consistentemente {}em todos os casos de teste.

Casos de teste:

[1,3]                     => [1,3]
[1,]                      => [1,]
[,9]                      => [,9]
[,]                       => [,]
[1,3],[4,9]               => [1,9]
[1,5],[8,9]               => [1,5],[8,9]
[1,5],[1,5]               => [1,5]
[1,5],[3,7]               => [1,7]
[-10,7],[1,5]             => [-10,7]
[1,1],[2,2],[3,3]         => [1,3]
[3,7],[1,5]               => [1,7]
[1,4],[8,]                => [1,4],[8,]
[1,4],[-1,]               => [-1,]
[1,4],[,5]                => [,5]
[1,4],[,-10]              => [1,4],[,-10]
[1,4],[,]                 => [,]
[1,4],[3,7],[8,9],[11,20] => [1,9],[11,20]

Isso é , então faça sua resposta o mais curta possível!



1
Posso usar em Infinityvez disso {}?
Luis felipe De jesus Munoz

Podemos considerar a entrada como valores flutuantes, por exemplo, em [1.0, 3.0]vez de [1, 3]?
AdmBorkBork 27/09

Contanto que você os trate como números inteiros, sim. Em outras palavras [1.0, 3.0], [4.0, 5.0], ainda deve se tornar[1.0, 5.0]
Nathan Merrill

Se o seu idioma não puder receber Infinitye -Infinitycomo entrada, ele pode receber -999999e 999999(ou ainda maior / menor)?
Kevin Cruijssen 28/09

Respostas:


7

R + intervals, 90 87 81 bytes

function(...)t(reduce(Intervals(rbind(...),type="Z")))+c(1,-1)
library(intervals)

Experimente online!

Entrada é uma lista de intervalos. -Infe Infsão R embutidos para menos / mais infinito. Saída é uma matriz de colunas de intervalos.

Geralmente não é um fã do uso de bibliotecas não padrão, mas essa foi divertida. O TIO não está intervalsinstalado. Você pode experimentá-lo em sua própria instalação ou em https://rdrr.io/snippets/

O intervalspacote suporta type = "Z"intervalos reais e inteiros ( ) e a reducefunção é incorporada ao que o desafio deseja, mas a saída parece padrão para abrir intervalos, portanto, é necessário para obter o resultado desejado.close_intervals +c(1,-1)

A versão antiga tinha exemplos na lista de listas que podem ser convenientes, por isso deixei o link aqui.


Eu acho que você pode economizar alguns bytes: function(...)close_intervals(reduce(Intervals(rbind(...),type="Z"))). Ou melhor ainda, você pode verificar com op se eles permitem uma matriz como entrada.
jayce

1
Eu estava literalmente deitado acordado na cama noite passada pensando "deve ter havido uma maneira melhor de criar uma matriz a partir dos vetores de entrada". Eu acho que o desafio é melhor deixar as informações como estão. Mas era divertido ter reducee Reducelá dentro.
NGM

Eu amo a coisa de "redução dupla"! apenas não golfy suficiente;) Que tal modificar os intervalos abertos como este f=function(...)t(reduce(Intervals(rbind(...),type="Z")))+c(1,-1):?
jayce

6

JavaScript (ES6), 103 bytes

Guardou 1 byte graças a @Shaggy Guardou
1 byte graças a @KevinCruijssen

Espera +/-Infinityvalores infinitos.

a=>(a.sort(([p],[P])=>p-P).map(m=M=([p,q])=>p<M+2?M=q>M?q:M:(b.push([m,M]),m=p,M=q),b=[]),b[0]=[m,M],b)

Experimente online!

Quão?

Primeiro, ordenamos os intervalos pelo limite inferior, do mais baixo para o mais alto. Os limites superiores são ignorados.

[pn,qn]mMp1q1

[pn,qn]

  • pnM+1Mmax(M,qn)
  • Caso contrário: existe uma lacuna entre os intervalos anteriores e este. Criamos um novo intervalo e atualização e para e respectivamente.[m,M]mMpnqn

No final do processo, criamos um último intervalo com os limites atuais .[m,M]

Comentado

a => (                  // a[] = input array
  a.sort(([p], [P]) =>  // sort the intervals by their lower bound; we do not care about
    p - P)              // the upper bounds for now
  .map(m = M =          // initialize m and M to non-numeric values
    ([p, q]) =>         // for each interval [p, q] in a[]:
    p < M + 2 ?         //   if M is a number and p is less than or equal to M + 1:
      M = q > M ? q : M //     update the maximum M to max(M, q)
    : (                 //   else (we've found a gap, or this is the 1st iteration):
      b.push([m, M]),   //     push the interval [m, M] in b[]
      m = p,            //     update the minimum m to p
      M = q             //     update the maximum M to q
    ),                  //
    b = []              //   start with b[] = empty array
  ),                    // end of map()
  b[0] = [m, M], b      // overwrite the 1st entry of b[] with the last interval [m, M]
)                       // and return the final result

p<=M+1pode ser p<M+2?
Kevin Cruijssen 28/09

@KevinCruijssen Perdi completamente essa ... Obrigado!
Arnauld 28/09

4

Python 2 , 118 113 112 111 106 105 104 101 bytes

x=input()
x.sort();a=[];b,c=x[0]
for l,r in x:
 if l>c+1:a+=(b,c),;b,c=l,r
 c=max(c,r)
print[(b,c)]+a

Economizou um byte graças a Mr.Xcoder, um graças a Jonathan Frech e três graças a Dead Possum.
Experimente online!


(b,c),salva um byte.
Xcoder

Huh, pensei que eu já tinha tentado isso.

Não gsignifica que sua função fnão é reutilizável e, portanto, é inválida?
Neil

@ Neil Provavelmente, mas isso foi apenas um resquício de uma tentativa anterior.

1
Você também pode fazer as returntransformaçõesprint para outro byte.
Jonathan Frech 28/09

2

Ruby , 89 76 bytes

->a{[*a.sort.reduce{|s,y|s+=y;y[0]-s[-3]<2&&s[-3,3]=s.max;s}.each_slice(2)]}

Experimente online!

Classifique a matriz e achatar anexando todas as faixas à primeira: se uma faixa se sobrepuser à anterior, descarte 2 elementos dos últimos 3 (mantendo apenas o máximo).

Desprenda tudo no final.


1

Pascal (FPC) , 367 362 357 bytes

uses math;type r=record a,b:real end;procedure d(a:array of r);var i,j:word;t:r;begin for i:=0to length(a)-1do for j:=0to i do if a[i].a<a[j].a then begin t:=a[i];a[i]:=a[j];a[j]:=t;end;j:=0;for i:=1to length(a)-1do if a[j].b>=a[i].a-1then begin a[j].a:=min(a[i].a,a[j].a);a[j].b:=max(a[i].b,a[j].b)end else j:=j+1;for i:=0to j do writeln(a[i].a,a[i].b)end;

Experimente online!

Um procedimento que utiliza uma matriz dinâmica de registros que consiste em 2 limites de faixa, modifica a matriz no local e a grava na saída padrão, uma faixa por linha. (Desculpe por essa frase distorcida.) Usa 1/0para ligar e -1/0desligar ilimitado.

Versão legível

Seria bom apenas retornar a matriz com o número corrigido de elementos, mas a matriz dinâmica passada para a função / procedimento não é mais uma matriz dinâmica ... Primeiro, eu achei isso , depois há uma excelente e impressionante explicação .

Essa é a melhor estrutura de dados que eu encontrei para reduzir o código. Se você tiver melhores opções, sinta-se à vontade para fazer uma sugestão.


1

Wolfram Language (Mathematica) , 57 bytes

List@@(#-{0,1}&/@IntervalUnion@@(Interval[#+{0,1}]&/@#))&

Experimente online!

Recebe a entrada como uma lista de listas que {a,b}representam o intervalo [a,b], onde apode estar -Infinitye bpode estar Infinity.

Usa o built-in IntervalUnion, mas é claro que temos que massagear os intervalos primeiro. Para fingir que os intervalos são inteiros, adicionamos 1 ao limite superior (certificando-se de que a união de [1,3]e [4,9]seja [1,9]). No final, desfazemos esta operação e transformamos o resultado novamente em uma lista de listas.

Há também uma abordagem completamente diferente, com 73 bytes :

NumericalSort@#//.{x___,{a_,b_},{c_,d_},y___}/;b+1>=c:>{x,{a,b~Max~d},y}&

Aqui, após classificar os intervalos, apenas substituímos dois intervalos consecutivos pela união deles sempre que esse fosse um intervalo único e repetimos até que não haja mais nenhuma operação a ser feita.


1

05AB1E (herdado) , 88 79 78 bytes

g≠i˜AKïDW<UZ>VIøεAXY‚Nè:}ïø{©˜¦2ôíÆ1›.œʒíεćsO_*}P}н€g®£εø©θàDYQiA}V®нßDXQiA}Y‚

O infinito é inserido como o alfabeto em minúsculas ( 'abcdefghijklmnopqrstuvwxyz').

Experimente online ou verifique todos os casos de teste .

Nota importante: Se houvesse um real Infinitye -Infinity, teria sido 43 42 bytes . Tão pouco mais de 50% em torno de 30% é uma solução alternativa para a falta de Infinity..

{©Dg≠i˜¦2ôíÆ1›.œʒíεćsO_*}P}н€g®£εø©θàV®нßY‚

Experimente on-line (com Infinitysubstituído por 9999999999e -Infinitysubstituído por -9999999999).

Definitivamente pode ser jogado golfe substancialmente. No final, ficou muito, muito feio, cheio de soluções alternativas. Mas, por enquanto, estou feliz que esteja funcionando.

Explicação:

Dgi          # If the length of the implicit input is NOT 1:
              #   i.e. [[1,3]] → length 1 → 0 (falsey)
              #   i.e. [[1,4],["a..z",-5],[3,7],[38,40],[8,9],[11,20],[25,"a..z"],[15,23]]
              #    → length 8 → 1 (truthy)
    ˜         #  Take the input implicit again, and flatten it
              #   i.e. [[1,4],["a..z",-5],[3,7],[38,40],[8,9],[11,20],[25,"a..z"],[15,23]]
              #    → [1,4,"a..z",-5,3,7,38,40,8,9,11,20,25,"a..z",15,23]
     AK       #  Remove the alphabet
              #   i.e. [1,4,"a..z",-5,3,7,38,40,8,9,11,20,25,"a..z",15,23]
              #    → ['1','4','-5','3','7','38','40','8','9','11','20','25','15','23']
       ï      #  Cast everything to an integer, because `K` turns them into strings..
              #   i.e. ['1','4','-5','3','7','38','40','8','9','11','20','25','15','23']
              #    → [1,4,-5,3,7,38,40,8,9,11,20,25,15,23]
        D     #  Duplicate it
         W<   #  Determine the min - 1
              #   i.e. [1,4,-5,3,7,38,40,8,9,11,20,25,15,23] → -5
           U  #  Pop and store it in variable `X`
         Z>   #  Determine the max + 1
              #   i.e. [1,4,-5,3,7,38,40,8,9,11,20,25,15,23] → 40
           V  #  Pop and store it in variable `Y`
Iø            #  Take the input again, and transpose/zip it (swapping rows and columns)
              #   i.e. [[1,4],["a..z",-5],[3,7],[38,40],[8,9],[11,20],[25,"a..z"],[15,23]]
              #    → [[1,'a..z',3,38,8,11,25,15],[4,-5,7,40,9,20,'a..z',23]]
  ε       }   #  Map both to:
   A          #   Push the lowercase alphabet
    XY       #   Push variables `X` and `Y`, and pair them into a list
       Nè     #   Index into this list, based on the index of the mapping
         :    #   Replace every alphabet with this min-1 or max+1
              #   i.e. [[1,'a..z',3,38,8,11,25,15],[4,-5,7,40,9,20,'a..z',23]]
              #    → [['1','-6','3','38','8','11','25','15'],['4','-5','7','40','9','20','41','23']]
ï             #  Cast everything to integers again, because `:` turns them into strings..
              #   i.e. [['1','-6','3','38','8','11','25','15'],['4','-5','7','40','9','20','41','23']]
              #    → [[1,-6,3,38,8,11,25,15],[4,-5,7,40,9,20,41,23]]
 ø            #  Now zip/transpose back again
              #   i.e. [[1,-6,3,38,8,11,25,15],[4,-5,7,40,9,20,41,23]]
              #    → [[1,4],[-6,-5],[3,7],[38,40],[8,9],[11,20],[25,41],[15,23]]
  {           #  Sort the pairs based on their lower range (the first number)
              #   i.e. [[1,4],[-6,-5],[3,7],[38,40],[8,9],[11,20],[25,41],[15,23]]
              #    → [[-6,-5],[1,4],[3,7],[8,9],[11,20],[15,23],[25,41],[38,40]]
   ©          #  Store it in the register (without popping)
˜             #  Flatten the list
              #   i.e. [[-6,-5],[1,4],[3,7],[8,9],[11,20],[15,23],[25,41],[38,40]]
              #    → [-6,-5,1,4,3,7,8,9,11,20,15,23,25,41,38,40]
 ¦            #  And remove the first item
              #   i.e. [-6,-5,1,4,3,7,8,9,11,20,15,23,25,41,38,40]
              #    → [-5,1,4,3,7,8,9,11,20,15,23,25,41,38,40]
  2ô          #  Then pair every two elements together
              #   i.e. [-5,1,4,3,7,8,9,11,20,15,23,25,41,38,40]
              #    → [[-5,1],[4,3],[7,8],[9,11],[20,15],[23,25],[41,38],[40]]
    í         #  Reverse each pair
              #   i.e. [[-5,1],[4,3],[7,8],[9,11],[20,15],[23,25],[41,38],[40]]
              #    → [[1,-5],[3,4],[8,7],[11,9],[15,20],[25,23],[38,41],[40]]
     Æ        #  Take the difference of each pair (by subtracting)
              #   i.e. [[1,-5],[3,4],[8,7],[11,9],[15,20],[25,23],[38,41],[40]]
              #    → [6,-1,1,2,-5,2,-3,40]
      1      #  Determine for each if they're larger than 1
              #   i.e. [6,-1,1,2,-5,2,-3,40] → [1,0,0,1,0,1,0,1]
            #  Create every possible partition of these values
              #   i.e. [1,0,0,1,0,1,0,1] → [[[1],[0],[0],[1],[0],[1],[0],[1]],
              #                             [[1],[0],[0],[1],[0],[1],[0,1]],
              #                             ...,
              #                             [[1,0,0,1,0,1,0],[1]],
              #                             [[1,0,0,1,0,1,0,1]]]
  ʒ         } #  Filter the partitions by:
   í          #   Reverse each inner partition
              #    i.e. [[1],[0,0,1],[0,1],[0,1]] → [[1],[1,0,0],[1,0],[1,0]]
    ε     }   #   Map each partition to:
     ć        #    Head extracted
              #     i.e. [1,0,0] → [0,0] and 1
              #     i.e. [1] → [] and 1
              #     i.e. [1,0,1] → [1,0] and 1
      s       #    Swap so the rest of the list is at the top of the stack again
       O      #    Take its sum
              #     i.e. [0,0] → 0
              #     i.e. [] → 0
              #     i.e. [1,0] → 1
        _     #    And check if it's exactly 0
              #     i.e. 0 → 1 (truthy)
              #     i.e. 1 → 0 (falsey)
         *    #    And multiply it with the extracted head
              #    (is only 1 when the partition has a single trailing 1 and everything else a 0)
              #     i.e. 1 and 1 → 1 (truthy)
              #     i.e. 1 and 0 → 0 (falsey)
           P  #   And check if all mapped partitions are 1
н             #  Take the head (there should only be one valid partition left)
              #   i.e. [[[1],[0,0,1],[0,1],[0,1]]] → [[1],[0,0,1],[0,1],[0,1]]
 g           #  Take the length of each inner list
              #   i.e. [[1],[0,0,1],[0,1],[0,1]] → [1,3,2,2]
   ®          #  Push the sorted pairs we've saved in the register earlier
    £         #  Split the pairs into sizes equal to the partition-lengths
              #   i.e. [1,3,2,2] and [[-6,-5],[1,4],[3,7],[8,9],[11,20],[15,23],[25,41],[38,40]]
              #    → [[[-6,-5]],[[1,4],[3,7],[8,9]],[[11,20],[15,23]],[[25,41],[38,40]]]
ε             #  Map each list of pairs to:
 ø            #   Zip/transpose (swapping rows and columns)
              #    i.e. [[1,4],[3,7],[8,9]] → [[1,3,8],[4,7,9]]
              #    i.e. [[25,41],[38,40]] → [[25,38],[41,40]]
  ©           #   Store it in the register
   θ          #   Take the last list (the ending ranges)
              #    i.e. [[25,38],[41,40]] → [41,40]
    à         #   And determine the max
              #    i.e. [41,40] → 41
     DYQi }   #   If this max is equal to variable `Y`
              #     i.e. 41 (`Y` = 41) → 1 (truthy)
         A    #    Replace it back to the lowercase alphabet
           V  #   Store this max in variable `Y`
  ®           #   Take the zipped list from the register again
   н          #   This time take the first list (the starting ranges)
              #    i.e. [[25,38],[41,40]] → [25,38]
    ß         #   And determine the min
              #    i.e. [25,38] → 25
     DXQi }   #   If this min is equal to variable `X`
              #     i.e. 25 (`X` = -6) → 0 (falsey)
         A    #    Replace it back to the lowercase alphabet
           Y #   And pair it up with variable `Y` (the max) to complete the mapping
              #    i.e. 25 and 'a..z' → [25,'a..z']
              #  Implicitly close the mapping (and output the result)
              #   i.e. [[[-6,-5]],[[1,4],[3,7],[8,9]],[[11,20],[15,23]],[[25,41],[38,40]]]
              #    → [['a..z',-5],[1,9],[11,23],[25,'a..z']]
              # Implicit else (only one pair in the input):
              #  Output the (implicit) input as is
              #   i.e. [[1,3]]

1

C (clang) , 346 342 bytes

Bandeiras do compilador -DP=printf("(%d,%d)\n", -DB=a[i+1]e,-DA=a[i]

typedef struct{int a,b;}t;s(t**x,t**y){if((*x)->a>(*y)->a)return 1;else if((*x)->a<(*y)->a)return -1;}i;f(t**a){for(i=0;A;)i++;qsort(a,i,sizeof(t*),s);for(i=0;B;i++){if(B->a<=A->b+1){A->b=B->b;if(B->a<A->a)A->a=B->a;else B->a=A->a;}}for(i=0;A;i++){if(!B)break;if(A->a!=B->a)P,A->a,A->b);}P,A->a,A->b);}

Experimente online!


Eu acho que você está confiando no ivalor global da.
Jonathan Frech 28/09

O que @JonathanFrech significa é que while(A)i++;deve ser for(i=0;A;)i++;definido explicitamente i=0antes de usá-lo no loop while, em vez de usar seu 0valor padrão no nível global. Não sei mais por que, mas é necessário de acordo com as meta regras. Principalmente porque os métodos devem ser independentes / reutilizáveis, sem a necessidade de redefinir os valores globais entre as chamadas de método, IIRC.
Kevin Cruijssen 28/09

Dependência fixa no ivalor global
Logern



1

Stax , 46 39 bytes

ÿδ7│ⁿ╚╪║»ÿ1Wç♥├óπ◙+╣╝[á╬p£ß₧ΓÑ°♥ºië«4T╗

Execute e depure

Este programa recebe entrada na notação de string especificada originalmente.

Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.