Quantas sílabas nesse número?

15

Adoraria pegar um número e saber quantas sílabas existem nele, quando faladas em inglês.

Vamos limitar isso a números inteiros positivos que são menores que mil.

Como sou britânico, seguiremos a coluna das centenas com um 'e' quando houver dígitos diferentes de zero depois dele.

O desafio

  • Escreva um código que aceite um número inteiro positivo menor que 1000 e dê o número de sílabas nas palavras que representam esse número no inglês britânico.
  • NÃO precisa gerar as palavras para representar os números, apenas o número de sílabas que elas contêm.
  • É código de golfe, tente conseguir isso no menor número de bytes.
  • Use qualquer idioma que você quiser.
  • As brechas padrão são proibidas.

Casos de teste

|  N  | In words                             | Syllables |
|   1 | one                                  |         1 |
|   2 | two                                  |         1 |
|   3 | three                                |         1 |
|   4 | four                                 |         1 |
|   5 | five                                 |         1 |
|   6 | six                                  |         1 |
|   7 | sev-en                               |         2 |
|   8 | eight                                |         1 |
|   9 | nine                                 |         1 |
|  10 | ten                                  |         1 |
|  11 | el-ev-en                             |         3 |
|  12 | twelve                               |         1 |
|  13 | thir-teen                            |         2 |
|  14 | four-teen                            |         2 |
|  17 | se-ven-teen                          |         3 |
|  20 | twen-ty                              |         2 |
|  21 | twen-ty one                          |         3 |
|  42 | four-ty two                          |         3 |
|  73 | sev-en-ty three                      |         4 |
|  77 | sev-en-ty sev-en                     |         5 |
| 100 | one hund-red                         |         3 |
| 110 | one hund-red and ten                 |         5 |
| 111 | one hund-red and el-ev-en            |         7 |
| 555 | five hund-red and fif-ty five        |         7 |
| 700 | sev-en hund-red                      |         4 |
| 770 | sev-en hund-red and sev-en-ty        |         8 |
| 777 | sev-en hund-red and sev-en-ty sev-en |        10 |
| 999 | nine hund-red and nine-ty nine       |         7 |
AJFaraday
fonte
1
Podemos considerar a entrada como uma string ou uma matriz de dígitos?
Dennis

Respostas:

11

Python 2 , 84 83 74 67 bytes

lambda n:4*(n>99)+2-n%~9/9-0x55561aaaab/4**(n%100)%4+`n`.count('7')

Graças a @xnor por jogar fora 9 16 bytes!

Experimente online!


Python 2 , 79 bytes

lambda n:4*(n>99)+([-1]+10*[1]+[3,1]+7*[2]+8*([2]+9*[3]))[n%100]+`n`.count('7')

Simples, mas mais longo.

Experimente online!

Dennis
fonte
Para sua solução de 83 bytes, você pode cortar 3 bytes mudando -10para~9 e comutação em torno da última pouco para +(0<n%100!=12)-(n%100!=11), mas que ainda é mais do que a sua nova solução.
Xnor
@xnor Isso é realmente inteligente! min(n%100,13)%12/~9poderia realmente ajudar com uma abordagem que eu estava tentando também para a minha resposta de geléia.
Dennis
Na verdade, apenas colocar as coisas em uma constante codificada fica mais curta.
Xnor
@xnor Obrigado novamente!
Dennis
8

Perl 5 -p , 53 bytes

$_=4*/.../+2*/[^0].$/+!/0$/+y/7//-/1[^1]$/-/12$/-/00/

Experimente online!

Quão

-p commandline flag reads input into $_

$_=4*/.../     # Hundreds place has minimum of 4 sylables (__ HUN-DRED AND),
               # match fails on number <100, and would add 0 here
  +2*/[^0].$/  # Tens place has two syllables if not 0 (__-TY or __TEEN),
               # match fails on numbers <10, and would add 0
  +!/0$/       # Ones place has one syllable if not 0 (__)
               # -- Now adjust for special cases --
  +y/7//       # add a syllable for every 7 present
  -/1[^1]$/    # remove a syllable for 10-19, except 11
  -/12$/       # remove another syllable for 12
  -/00/        # remove the syllable for AND if it's an even hundred

-p commandline flag outputs contents of $_
Xcali
fonte
7

JavaScript (ES6), 89 bytes

n=>(s='01111112111312222322',n>99&&+s[n/100|0]+3-!(n%=100))+~~(s[n]||+s[n/10|0]-~s[n%10])

Experimente online!

Arnauld
fonte
7

Python 2 , 112 108 bytes

f=lambda n:n>99and f(n/100)+3+f(n%100)-(n%100<1)or n>19and f(n/10)-~f(n%10)or int("01111112111312222322"[n])

Experimente online!

-4 bytes, graças a Shaggy

TFeld
fonte
2
Além disso, sua [2]*7parte falhará 17, pois deve ser 3 em vez de 2 ( sev-en-teen).
Kevin Cruijssen
2
-4 bytes , incluindo uma correção para 17.
Shaggy
@Shaggy Thanks :)
TFeld
@KevinCruijssen Resolvido agora (graças a Shaggy) #
TFeld
6

Wolfram Language 101 115 Bytes

s=StringSplit;Length[Join@@(WordData[#,"Hyphenation"]&/@Join@@s/@
s[IntegerName@#,"-"])]+Boole[#>100&&#~Mod~100!=0]&

Explicação

(substituindo StringSplitpor s)

Length[Join@@(WordData[#,"Hyphenation"]&/@Join@@
StringSplit/@ StringSplit[IntegerName@#,"-"])]+Boole[#>100&&#~Mod~100!=0]&

IntegerName renderiza o número no inglês americano (ou seja, sem "e" incluído em números maiores que 100.) 777-> "seven hundred seventy-seven .

StringSplit[IntegerName@#,"-"] remove quaisquer hífens na renderização.

StringSplit/@ divide a renderização em palavras.

Join@@ deixa uma lista simples de palavras, sem lista incorporada (no caso em que um hífen apareceu).

WordData[#,"Hyphenation"] divide uma única palavra em suas sílabas.

Join@@ deixa uma lista simples de sílabas em todas as palavras.

Length conta as sílabas

+Boole[#>100&&#~Mod~100!=0]adiciona 1à contagem de sílabas os números maiores que 100 (devido ao adicional "e" empregado na renderização em inglês britânico), excluindo múltiplos integrais de 100.

DavidC
fonte
6

Java 11, 105 102 bytes

n->(""+"".repeat(8)).charAt(n%100)+(n+"").split("7",9).length-(n>99?2:6)

Contém grande quantidade de caracteres não imprimíveis.

-3 bytes obrigado @ OlivierGrégoire .

Experimente online.

Explicação:


n->               // Method with integer as both parameter and return-type
  (""
                  //  Push string with ASCII-value digits 46666666666867777777
 +"".repeat(8))
                  //  Appended with 8 times a string with ASCII-value digits 7888888888
   .charAt(n%100) //  Take the (input modulo-100)'th character of this string (as integer)
  +(n+"").split("7",9).length
                  //  Count the amount of 7s in the input + 1
  -(n>99?         //  And if the input is larger than 99:
     2            //   Subtract 2 (-1 for the 7s+1 count; -5 to map the ASCII-digits to:
                  //               4 → -1; 6 → 1; 7 → 2; 8 → 3;
                  //               and +4 for the inputs above 99)
    :             //  Else:
     6)           //   Subtract 6 (-1 for the 7s+1 count and -5 to map the ASCII-digits to:
                  //               4 → -1; 6 → 1; 7 → 2; 8 → 3)
Kevin Cruijssen
fonte
1
102 bytes , alterando .split("7",-1)para .split("7",9)e -6+(n>99?4:0)para -(n>99?2:6).
Olivier Grégoire
1
@ OlivierGrégoire Obrigado. Perdeu completamente -(n>99?2:6), mas agora é tão óbvio que você apontou. E -1a 9função da entrada de tamanho limitado, eu não teria pensado, por isso obrigado!
Kevin Cruijssen
5

05AB1E , 34 31 bytes

т%U7¢I€Ā`Iт@3*X_(X20@X12Q(X11QO

Experimente online ou verifique todos [1,999]os casos de teste .

Explicação:

Com todas as verificações mencionadas, resultará em 1 para verdade e 0 para falsey.

т%         # Take modulo-100 of the (implicit) input
           #  i.e. 710 → 10
  U        # Pop and store it in variable `X`
7¢         # Count the amount of 7s in the (implicit) input
           #  i.e. 710 → 1
I€Ā        # Trutify each digit in the input (0 if 0; 1 otherwise)
   `       # And push all of the mapped values to the stack
           #  i.e. 710 → [1,1,0]
Iт@        # Check if the input is larger than or equal to 100
           #  i.e. 710 → 1 (truthy)
   3*      # Multiply that result by 3 (for 'hund-red and')
           #  i.e. 1 → 3
X_         # Check if variable `X` is 0
           #  i.e. 10 → 0 (falsey)
  (        # And negate that (to remove 'and' when #00)
           #  i.e. 0 → 0
X20@       # Check if variable `X` is larger than or equal to 20 (for '-ty')
           #  i.e. 10 → 0 (falsey)
X12Q       # Check if variable `X` is exactly 12
           #  i.e. 10 → 0 (falsey)
    (      # And negate that (to remove 'teen')
           #  i.e. 0 → 0
X11Q       # Check if variable `X` is exactly 11 (for 'el-ev-en' minus 'one one')
           #  i.e. 10 → 0 (falsey)
O          # Sum everything on the stack (and output implicitly)
           #  i.e. [1,1,1,0,3,0,0,0,0] → 6
Kevin Cruijssen
fonte
Isso falha no caso de teste 700. 'Seven Hundred' tem 4 sílabas, isso retorna 5.
AJFaraday
@AJFaraday Deve ser corrigido agora. Acidentalmente teve I(entrada) em vez de X(entrada mod 100) ao verificar se é maior que 20 para o +1 dety .
Kevin Cruijssen
Sinto muito, ele retorna 0 para 'cem'
AJFaraday
@AJFaraday Corrigido novamente .. > (Verifique se a entrada é maior que 100) foi substituída por @(verifique se a entrada é maior ou igual a 100). Talvez eu deveria ter verificado mais alguns casos me testar com mais cuidado antes de postar .. Desculpe por isso ..
Kevin Cruijssen
4
A propósito, amar a cartola em um cubo de rubix!
AJFaraday
5

Carvão , 39 31 bytes

I⁻⁺↨E謬Iι²№θ7I§⁺”)∨∧⌈a¡↶”×0⁸⁰N

Experimente online! Link é a versão detalhada do código. Explicação:

I⁻⁺

Calcule ajustes no número de sílabas e produza o resultado como uma sequência.

↨E謬Iι²

Comece alterando cada dígito diferente de zero para 1 e decodificando como base 2. Isso fornece a resposta correta para a maioria das entradas.

№θ7

Adicione 1 para cada um 7.

I§⁺”)∨∧⌈a¡↶”×0⁸⁰N

Pegue a string literal 10000000001021111111e acrescente 80 zeros, depois indexe ciclicamente pela entrada e subtraia esse dígito.

Neil
fonte
4

Gelatina , 28 25 23 bytes

9ḊŻ;2+⁵Żċ%ȷ2$ạDṠḄƊ+Dċ7Ɗ

Experimente online!

Como funciona

9ḊŻ;2+⁵Żċ%ȷ2$ạDṠḄƊ+Dċ7Ɗ  Main link. Argument: n (integer in [1, ..., 999])

9                        Set the return value to 9.
 Ḋ                       Dequeue; yield [2, 3, 4, 5, 6, 7, 8, 9].
  Ż                      Zero; yield [0, 2, 3, 4, 5, 6, 7, 8, 9].
   ;2                    Concat 2, yield [0, 2, 3, 4, 5, 6, 7, 8, 9, 2].
     +⁵                  Add 10; yield [10, 12, 13, 14, 15, 16, 17, 18, 19, 12].
       Ż                 Zero; yield [0, 10, 12, 13, 14, 15, 16, 17, 18, 19, 12].
         %ȷ2$            Yield n % 1e2.
        ċ                Count the occurrences of the modulus in the array.
                 Ɗ       Combine the three links to the left into a monadic chain.
              D            Decimal; convert n to its array of digits in base 10.
               Ṡ             Take the sign of each decimal digit (0 or 1).
                Ḅ            Convert the array of signs from base 2 to integer.
             ạ           Compute the abs. difference of the results to both sides.
                      Ɗ  Combine the three links to the left into a monadic chain.
                   D       Decimal; convert n to its array of digits in base 10.
                    ċ7     Count the number of 7's.
Dennis
fonte
3

PHP , 190 158 145 141 137 bytes

<?for($j=$p=0;$p<strlen($i=$argv[1]);)$j+=str_split($i)[$p++]>0;echo$j+substr_count($i,7)+3*($i>99)-!($i%=100)+($i>19)-($i==12)+($i==11);

Experimente online!

Uma porta da solução de Kevin Cruijssen (infelizmente não tem a mesma brevidade no PHP :))

- 32 45 graças a Shaggy!

-3 graças a Kevin Crujissen!

NK1406
fonte
Tantas economias a serem feitas aqui! Aqui estão apenas alguns exemplos muito rápidos
Shaggy
1
145 bytes . Você pode salvar mais alguns bytes usando tags curtas, mas não lembro como usá-las no TIO. (Nota: Eu estou no meu telefone para que não testamos todas as entradas.)
Shaggy
1
@Shaggy Mais 2 bytes podem ser alterados ao usar >99e ao >19invés de >=100e >=20.
Kevin Cruijssen
1
@KevinCruijssen verdade que salva 3 bytes, porque ele vai 100-99 :)
NK1406
Também consegui salvar outro byte colocando a variável no início do eco.
NK1406
2

05AB1E , 24 bytes

Resposta da geléia do Porto de Dennis

8L>Ć¾šT+¾šsт%¢sSĀJCαs7¢+

Experimente online! ou como um conjunto de testes

Explicação

8L>                       # push range [2 ... 9]
   Ć                      # enclose, append head
    ¾š                    # prepend 0
      T+                  # add 10 to each
        ¾š                # prepend 0
          sт%¢            # count occurrences of input % 100 in this list
              sS          # push input split into a list of digits
                Ā         # truthify, check each if greater than 0
                 JC       # convert from base-2 to base-10
                   α      # absolute difference
                    s7¢+  # add the amount of 7's in the input
Emigna
fonte
1

05AB1E , 26 bytes

€ĀJCI7¢•Ž¢Γ}Þ±6u•¾80׫Iè(O

Porto de @Neil resposta de carvão , por isso certifique-se de upvote-lo bem se você gosta deste resposta!

Experimente online ou verifique todos os casos de teste .

Número inteiro compactado •Ž¢Γ}Þ±6u•pode ser alternativamente •8JA•b2TÌǝpara a mesma contagem de bytes.

Explicação:

€Ā                   # Trutify every digit in the (implicit) input
                     # (0 remains 0; everything else becomes 1)
  J                  # Join it together to a single string
   C                 # Convert from binary to integer
I7¢                  # Count the amount of 7s in the input
•Ž¢Γ}Þ±6u           # Push compressed integer 10000000001021111111
          ¾80׫      # Append 80 "0"s
               Iè    # Index the integer (with automatic wraparound) into it
                 (   # Negate the result
O                    # Sum all values on the stack (and output implicitly)

Veja este 05AB1E resposta meu (seção Como comprimir grandes inteiros? ) Para entender por que •Ž¢Γ}Þ±6u•é 10000000001021111111.

Kevin Cruijssen
fonte