이것은 스미스 번호입니까?


28

도전 설명

스미스 번호 A는 합성 합이 숫자는 소인수의 숫자의 합계의 합과 같다 번호. integer가 주어지면 NSmith 번호인지 판별하십시오.

처음 몇 스미스 번호는 4, 22, 27, 58, 85, 94, 121, 166, 202, 265, 274, 319, 346, 355, 378, 382, 391, 438(시퀀스 A006753 OEIS에서).

샘플 입력 / 출력

18: False (sum of digits: 1 + 8 = 9; factors: 2, 3, 3; sum of digits of factors: 2 + 3 + 3 = 8)
22: True
13: False (meets the digit requirement, but is prime)
666: True (sum of digits: 6 + 6 + 6 = 18; factors: 2, 3, 3, 37; sum of digits of factors: 2 + 3 + 3 + 3 + 7 = 18)
-265: False (negative numbers can't be composite)
0: False (not composite)
1: False (not composite)
4937775: True

노트

  • 코드는 함수 (메소드) 또는 완전한 작업 프로그램 일 수 있습니다.
  • Trueand와 같은 단어 대신 False자신이 무엇인지 분명한 한 진실되고 허위적인 값을 사용할 수 있습니다.
  • 이것은 문제이므로 가능한 한 코드를 짧게 만드십시오!

6
나는 이것을 읽어야 만했다 : "자리수의 합은 소수의 자릿수의 합과 같다" : P
Stewie Griffin

@StewieGriffin : 예, 다소 복잡한 문장이지만 예제에만 의존하는 대신 적절한 정의를 제공해야한다고 생각했습니다. :)
shooqie

2
이것은 내가 "Java + this = no"라고 생각했던 질문 중 하나입니다. 나는이 아이디어에 찬성했습니다 : P
Shaun Wild

3
나는 때때로 숫자, 숫자의 합 등의 패턴을 알아 차리지 만 실제로 사람들은 "Albert Wilansky가 그의 형의 전화 번호에 정의 된 속성을 발견했을 때 Smith 번호라는 용어를 만들었습니다" ?
Stewie Griffin

1
@StewieGriffin : 예, Ramanujan과 1729와 같습니다. 항상 저를 당황스럽게했습니다.
shooqie

답변:


9

젤리 , 12 11 바이트

Æfḟȯ.DFżDSE

반환 스미스의 숫자와 0 , 그렇지 않으면. 온라인으로 사용해보십시오! 또는 모든 테스트 사례를 확인하십시오 .

배경

Æf(prime factorization) 및 D(integer-to-decimal)은 P(product) 및 (decimal-to-teteger)가 왼쪽 역수를 구성 하도록 구현 됩니다.

정수의 경우 -44 , Æf다음을 반환합니다.

-4 -> [-1, 2, 2]
-3 -> [-1, 3]
-2 -> [-1, 2]
-1 -> [-1]
 0 -> [0]
 1 -> []
 2 -> [2]
 3 -> [3]
 4 -> [2, 2]

숫자의 경우 -10, -1, -0.5, 0, 0.5, 1, 10 , D다음을 반환합니다.

-11   -> [-1, -1]
-10   -> [-1, 0]
 -1   -> [-1]
 -0.5 -> [-0.5]
  0   -> [0]
  0.5 -> [0.5]
  1   -> [1]
 10   -> [1, 0]
 11   -> [1, 1]

작동 원리

Æfḟȯ.DFżDSE  Main link. Argument: n (integer)

Æf           Yield the prime factorization of n.
  ḟ          Filter; remove n from its prime factorization.
             This yields an empty array if n is -1, 0, 1, or prime.
   ȯ.        If the previous result is an empty array, replace it with 0.5.
     D       Convert all prime factors to decimal.
      F      Flatten the result.
        D    Yield n in decimal.
       ż     Zip the results to both sides, creating a two-column array.
         S   Compute the sum of each column.
             If n is -1, 0, 1, or prime, the sum of the prime factorization's
             digits will be 0.5, and thus unequal to the sum of the decimal array.
             If n < -1, the sum of the prime factorization's digits will be
             positive, while the sum of the decimal array will be negative.
          E  Test both sums for equality.

2
이것은 내가 말해야 할 정말 멋진 솔루션입니다!
Emigna

@Emigna-그것은 내가 한 일이지만 훨씬 우수한 방식으로 구현되었습니다. :
Jonathan Allan

@JonathanAllan 불행히도 나는 젤리를 말하지 않으므로 코드가 무엇을하는지 전혀 모른다 :)
Emigna

1
@Emigna-예, 어떻게 작동하는지 섹션을 추가하기 전에 골프를 치는 방법을 알아볼 계획이었습니다.
Jonathan Allan

9

파이썬 2 122 115 110 106 바이트

n=m=input()
s=0
for d in range(2,n):
 while n%d<1:n/=d;s+=sum(map(int,`d`))
print n<m>s==sum(map(int,`m`))

Dennis 덕분에 4 바이트 절약

ideone.com에서 사용해보십시오

설명

stdin에서 숫자를 읽고 True숫자가 Smith 숫자이거나 False그렇지 않은 경우 출력 합니다 .

n=m=input()                  # stores the number to be checked in n and in m
s=0                          # initializes s, the sum of the sums of digits of prime factors, to 0
for d in range(2,n):         # checks all numbers from 2 to n for prime factors
 while n%d<1:                # while n is divisible by d
                             #   (to include the same prime factor more than once)
  n/=d                       # divide n by d
  s+=sum(map(int,`d`))       # add the sum of the digits of d to s
print                        # print the result: "True" if and only if
      n<m                    #   n was divided at least once, i.e. n is not prime
      >                      #   and m>s (always true) and
      s==sum(map(int,`m`))   #   s is equal to the sum of digits of m (the input)

1
다운 유권자-이유를 설명하는 의견을 추가하는 것이 유용 할 수 있습니다.
Jonathan Allan

6
@JonathanAllan 응답을 편집 할 때 커뮤니티 사용자가 다운 보트를 자동으로 캐스트했습니다. 나는 이것이 버그라고 생각한다 .
Dennis

1
마지막 줄은로 다시 쓸 수 있습니다 print n<m>s==sum(map(int,`m`)).
Dennis

@Dennis 체인 비교를 잘 활용합니다!
LevitatingLion

8

Brachylog , 19 바이트

@e+S,?$pPl>1,P@ec+S

온라인으로 사용해보십시오!

설명

@e+S,                 S is the sum of the digits of the input.
     ?$pP             P is the list of prime factors of the input.
        Pl>1,         There are more than 1 prime factors.
             P@e      Split each prime factor into a list of digits.
                c     Flatten the list.
                 +S   The sum of this list of digits must be S.

2
@JonathanAllan 그것은 않습니다 . Brachylog에서 숫자의 음수 부호는 _( 낮은 마이너스 )입니다.
Fatalize

7

05AB1E , 11 17 바이트

X›0si¹ÒSO¹SOQ¹p_&

설명

X›0si              # if input is less than 2 then false, else
       SO          # sum of digits
     ¹Ò            # of prime factors with duplicates
            Q      # equal to
          SO       # sum of digits
         ¹         # of input
                &  # and
             ¹p_   # input is not prime

온라인으로 사용해보십시오!


5

PowerShell v3 +, 183 바이트

param($n)$b=@();for($a=$n;$a-gt1){2..$a|?{'1'*$_-match'^(?!(..+)\1+$)..'-and!($a%$_)}|%{$b+=$_;$a/=$_}}$n-notin$b-and(([char[]]"$n")-join'+'|iex)-eq(($b|%{[char[]]"$_"})-join'+'|iex)

내장 된 프라임 검사가 없습니다. 내장 팩터링이 없습니다. 내장 숫자 합계가 없습니다. 모든 것이 손으로 만들어졌습니다. :디

입력을받습니다 $n 을 정수로$b 빈 배열과 동일하게 설정합니다 . 여기 $b에 주요 요소의 모음이 있습니다.

다음은 for 루프입니다. 먼저 $a입력 번호와 동일하게 설정 하고 조건은 $a1보다 작거나 같을 때까지 입니다.이 루프는 주요 요인을 찾습니다.

우리 는 요소 에서 소수 를 추출하기 위해 ( )를 사용 2하여 반복한다 . 그것들은 내부 루프로 공급되어 요소를 배치합니다$aWhere-Object|?{...}!($a%$_)|%{...}$b 나누고 나눕니다 $a(따라서 결국 우리는 갈 것입니다 1).

이제 모든 주요 요소가에 $b있습니다. 부울 출력을 공식화 할 시간입니다. 우리는 검증 할 필요가 $n있다 -notin $b는 의미이다 경우 때문에, $n그래서 소수, 그리고 스미스 번호가 아닙니다. 또한 ( -and)는 두 자릿수의 합계가-equal . 결과 부울은 파이프 라인에 남아 있고 출력은 암시 적입니다.

NB--notin 연산자에 v3 이상이 필요합니다 . 나는 여전히 입력을 실행하고 있는데 4937775(이는 계산 하기가 느리다 ), 완료되면 이것을 업데이트 할 것이다. 3 시간 이상이 지나면 stackoverflow 오류가 발생했습니다. 어딘가에 상한이 있습니다. 오 잘

음수 입력, 0 또는 1에 대해 작동합니다. 왜냐하면 -and숫자의 합 (아래 그림 참조)을 계산하려고 시도 할 때 오른쪽 이 오류를 제거하므로 $false평가시 절반으로 이동하기 때문입니다 . STDERR은 기본적으로 무시되고 올바른 출력이 계속 표시되므로 문제가 없습니다.


테스트 사례

PS C:\Tools\Scripts\golfing> 4,22,27,58,85,94,18,13,666,-265,0,1|%{"$_ -> "+(.\is-this-a-smith-number.ps1 $_)}
4 -> True
22 -> True
27 -> True
58 -> True
85 -> True
94 -> True
18 -> False
13 -> False
666 -> True
Invoke-Expression : Cannot bind argument to parameter 'Command' because it is an empty string.
At C:\Tools\Scripts\golfing\is-this-a-smith-number.ps1:1 char:179
+ ... "$_"})-join'+'|iex)
+                    ~~~
    + CategoryInfo          : InvalidData: (:String) [Invoke-Expression], ParameterBindingValidationException
    + FullyQualifiedErrorId : ParameterArgumentValidationErrorEmptyStringNotAllowed,Microsoft.PowerShell.Commands.InvokeExpressionCommand

-265 -> False
Invoke-Expression : Cannot bind argument to parameter 'Command' because it is an empty string.
At C:\Tools\Scripts\golfing\is-this-a-smith-number.ps1:1 char:179
+ ... "$_"})-join'+'|iex)
+                    ~~~
    + CategoryInfo          : InvalidData: (:String) [Invoke-Expression], ParameterBindingValidationException
    + FullyQualifiedErrorId : ParameterArgumentValidationErrorEmptyStringNotAllowed,Microsoft.PowerShell.Commands.InvokeExpressionCommand

0 -> False
Invoke-Expression : Cannot bind argument to parameter 'Command' because it is an empty string.
At C:\Tools\Scripts\golfing\is-this-a-smith-number.ps1:1 char:179
+ ... "$_"})-join'+'|iex)
+                    ~~~
    + CategoryInfo          : InvalidData: (:String) [Invoke-Expression], ParameterBindingValidationException
    + FullyQualifiedErrorId : ParameterArgumentValidationErrorEmptyStringNotAllowed,Microsoft.PowerShell.Commands.InvokeExpressionCommand

1 -> False


3

젤리 , 27 25 23 바이트

(더 골프 아마 확실히 가능)

ḢDS×
ÆFÇ€SḢ
DS=Ça<2oÆP¬

0False 또는 1True에 대한 반환

TryItOnline의 모든 테스트 사례

방법?

DS=Ça<2oÆP¬ - main link takes an argument, n
DS          - transform n to a decimal list and sum up
   Ç        - call the previous link (ÆFÇ€SḢ)
  =         - test for equality
     <2     - less than 2?
    a       - logical and
        ÆP  - is prime?
       o    - logical or
          ¬ - not
            - all in all tests if the result of the previous link is equal to the digit
              sum if the number is composite otherwise returns 0.

ÆFÇ€SḢ - link takes an argument, n again
ÆF     - list of list of n's prime factors and their multiplicities
  Ç€   - apply the previous link (ḢDS×) for each
    S  - sum up
     Ḣ - pop head of list (there will only be one item)

ḢDS× - link takes an argument, a factor, multiplicity pair
Ḣ    - pop head, the prime factor - modifies list leaving the multiplicity
 DS  - transform n to a decimal list and sum up
   × - multiply the sum with the multiplicity

3

실제로 18 바이트

불행히도 실제로는 다중성에 여러 가지 주요 요소를 제공하는 인수 분해 기능이 내장되어 있지 않으므로 하나를 해킹해야했습니다. 골프 제안을 환영합니다. 온라인으로 사용해보십시오!

;w`i$n`MΣ♂≈Σ@$♂≈Σ=

언 골핑

         Implicit input n.
;w       Duplicate n and get the prime factorization of a copy of n.
`...`M   Map the following function over the [prime, exponent] lists of w.
  i        Flatten the list. Stack: prime, exponent.
  $n       Push str(prime) to the stack, exponent times.
            The purpose of this function is to get w's prime factors to multiplicity.
Σ        sum() the result of the map.
          On a list of strings, this has the same effect as "".join()
♂≈Σ      Convert every digit to an int and sum().
@        Swap the top two elements, bringing other copy of n to TOS.
$♂≈Σ     Push str(n), convert every digit to an int, and sum().
=        Check if the sum() of n's digits is equal 
          to the sum of the sum of the digits of n's prime factors to multiplicity.
         Implicit return.

3

하스켈, 120 105 바이트

1%_=[];a%x|mod a x<1=x:div a x%x|0<1=a%(x+1)
p z=sum[read[c]|c<-show z]
s x|z<-x%2=z<[x]&&sum(p<$>z)==p x

2

옥타브, 80 78 바이트

t=num2str(factor(x=input('')))-48;disp(any(t<0)&~sum([num2str(x)-48 -t(t>0)]))

설명:

factor(x=input(''))                 % Take input, store as x and factor it
num2str(factor(x=input('')))-48     % Convert it to an array (123 -> [1 2 3]) 
                                    % and store as t
any(t<0)                            % Check if there are several prime factors
                                    % [2 3] -> [2 -16 3]
sum([num2str(x)-48 -t(t>0)])        % Check if sum of prime factor
                                    % is equal the sum of digits

온라인으로 사용해보십시오 .


1
any(t<0)이외의 소수성에 대한이 매우 영리하다
루이스 Mendo

2

Pyth, 21 바이트

&&>Q1!P_QqsjQTssmjdTP

정수를 입력하여 인쇄 True하거나 False관련있는 프로그램.

온라인으로 사용해보십시오

작동 원리

&&>Q1!P_QqsjQTssmjdTP  Program. Input: Q
           jQT         Yield digits of the base-10 representation of Q as a list
          s            Add the digits
                    P  Yield prime factors of Q (implicit input fill)
                mjdT   Map base-10 representation across the above, yielding digits of each
                       factor as a list of lists
               s       Flatten the above
              s        Add up the digits
         q             Those two sums are equal
&                      and
  >Q1                  Q>1
 &                     and
     !P_Q              Q is not prime
                       Implicitly print

2

펄 6 , 92 88 87 바이트

{sub f(\i){my \n=first i%%*,2..i-1;n??n~f i/n!!i}
!.is-prime&&$_>1&&.comb.sum==.&f.comb.sum}

{sub f(\i){my \n=first i%%*,2..^i;n??[n,|f i/n]!!|i}
$_>.&f>1&&.comb.sum==.&f.comb.sum}

Bool을 반환하는 익명 함수입니다.

  • 이제 100 % 수동 인수 분해 및 우선 순위 검사를 수행합니다.
  • m> Ω (m) 이기 때문에 하나의 체인 비교로 "input> 1"및 "number of factor> 1"을 테스트하여 일부 바이트를 절약했습니다 .

( 온라인 시도 )

편집 : b2gills 덕분에 -1 바이트


2..i-1철자가 더 좋습니다 2..^i.
브래드 길버트 b2gills

2

자바 7 509 506 435 426 419 230 바이트

boolean c(int n){return n<2|p(n)?0>1:d(n)==f(n);}int d(int n){return n>9?n%10+d(n/10):n;}int f(int n){int r=0,i;for(i=1;++i<=n;)for(;n%i<1;n/=i,r+=i>9?d(i):i);return r;}boolean p(int n){int i=2;while(i<n)n=n%i++<1?0:n;return n>1;}

@BasicallyAlanTuring 의 의견을 들었어야합니다 ..

이것은 "Java + this = no"라고 생각한 질문 중 하나입니다.

아 잘 .. 일부 프로그래밍 언어는 소수 또는 소수 검사에 단일 바이트를 사용하지만 Java는 확실히 그 중 하나가 아닙니다.

편집 : 그것에 대해 생각할 시간이 있었으므로 이제 바이트 양을 반으로 줄였습니다.

언 골프 (정렬) 및 테스트 사례 :

여기에서 시도하십시오.

class M{
  static boolean c(int n){
    return n < 2 | p(n)
            ? 0 > 1 //false
            : d(n) == f(n);
  }

  // Sums digits of int
  static int d(int n) {
    return n > 9
            ? n%10 + d(n/10)
            : n;
  }

  // Convert int to sum of prime-factors
  static int f(int n) {
    int r = 0,
        i;
    for(i = 1; ++i <= n; ){
      for( ; n % i < 1; n /= i,
                        r += i > 9 ? d(i) : i);
    }
    return r;
  }

  // Checks if the int is a prime
  static boolean p(int n){
    int i = 2;
    while(i < n){
      n = n % i++ < 1
           ? 0
           : n;
    }
    return n > 1;
  }

  public static void main(String[] a){
    System.out.println(c(18));
    System.out.println(c(22));
    System.out.println(c(13));
    System.out.println(c(666));
    System.out.println(c(-256));
    System.out.println(c(0));
    System.out.println(c(1));
    System.out.println(c(4937775));
  }
}

산출:

false
true
false
true
false
false
false
true

2

Brachylog (최신) , 11 바이트

¬ṗ&ẹ+.&ḋcẹ+

온라인으로 사용해보십시오!

입력이 Smith 번호 인 경우 술어는 성공하고 그렇지 않은 경우 실패합니다.

               The input
¬ṗ             is not prime,
  &            and the input's 
   ẹ           digits
    +          sum to
     .         the output variable,
      &        and the input's 
       ḋ       prime factors' (getting prime factors of a number < 1 fails)
        c      concatenated
         ẹ     digits
          +    sum to
               the output variable.



1

파이크, 16 바이트

Pm[`mbs(sQ[qRlt*

여기 사용해보십시오!


1
보다 작은 입력 결과가없는 오류2
Jonathan Allan

@JonathanAllan stdout에 대한 출력이 거짓입니다. 경고가 비활성화되면 stderr도 무시됩니다
Blue

나는 우리가 stderr를 무시할 수 있다는 것을 알고 있었지만 출력이 조금 이상해 보이지는 않지만 ... 만약 괜찮다면 괜찮습니다.
Jonathan Allan

개인적으로 나는 그것이 수용 가능한지 확실하지 않지만 그것이 옳다고 말할 수 있습니까?
Blue


1

APL (Dyalog Extended) , 36 29 바이트 SBCS

이 대답은 숫자의 주요 요소를 반환하는 Extended의 모나드에 골프 가있어서 Dyalog 유니 코드보다 기본 변환에서 더 좋습니다.

편집 : dzaima 덕분에 -7 바이트.

{2>⍵:0⋄(⊃=+/-⊃×2<≢)+⌿10⊤⍵,⍭⍵}

온라인으로 사용해보십시오!

설명

{1⋄(3)2}  A dfn, a function in brackets.  is a statement separator.
          The numbers signify the sections in the order they are explained.

2>⍵:0  If we have a number less than 2,
       we immediately return 0 to avoid a DOMAIN ERROR.

+⌿10⊤⍵,⍭⍵
        ⍭⍵  We take the factors of ⍵, our input as our right argument,
      ⍵,    and append it to our input again.
   10      before converting the input and its factors into a matrix of their base-10 digits
            (each row is the places, units, tens, hundreds, etc.)
+⌿         And taking their sum across the columns of the resulting matrix,
            to give us the sum of their digits, their digit-sums.

(⊃=+/-⊃×2<≢)  We run this section over the list of sums of digits above.
 ⊃=+/-⊃       We check if the main digit-sum (of our input)
               Is equal to the sum of our digit-sums
               (minus our main digit-sum that is also still in the list)
        ×2<≢   The trick here is that we can sneak in our composite check
               (if our input is prime there will be only two numbers, 
               the digit-sum of the prime,
               and the digit-sum of its sole prime factor, itself)
               So if we have a prime, we zero our (minus our main sum)
               in the calculation above, so that primes will not succeed in the check.
               We return the result of the check.

29 바이트 -{2>⍵:0⋄(⊃=+/-⊃×2<≢)+⌿10⊤⍵,⍭⍵}
dzaima


1

C (gcc) , 139136 바이트

S(m,i,t,h,_){t=m=m<2?2:m;for(_=h=i=1;m>1;h=1){while(m%++h);for(m/=h;i+=h%10,h/=10;);}while(t%++h);for(m=t;_+=m%10,m/=10;);m=t-h?i==_:0;}

온라인으로 사용해보십시오!

ceilingcat 덕분에 -3 바이트

설명:

/* 
 * Variable mappings:
 *  is_smith      => S
 *  argument      => m
 *  factor_digits => i
 *  arg_copy      => t
 *  least_factor  => h
 *  digit_sum     => _    
 */
int is_smith(int argument){                     /* S(m,i,t,h,_){ */
    int factor_digits;
    int arg_copy;
    int least_factor;
    int digit_sum;

    /* 
     * The cases of 0 and 1 are degenerate. 
     * Mapping them to a non-degenerate case with the right result.
     */
    if (argument < 2) {                         /* t=m=m<2?2:m; */
        argument = 2;
    }
    arg_copy = argument;

    /* 
     * Initializing these to 1 instead of zero is done for golf reasons.
     * In the end we just compare them, so it doesn't really matter.
     */
    factor_digits = 1;                          /* for(_=h=i=1; */
    digit_sum = 1;

    /* Loop over each prime factor of argument */
    while (argument > 1) {                      /* m>1; */

        /*
         * Find the smallest factor 
         * Note that it is initialized to 1 in the golfed version since prefix
         * increment is used in the modulus operation.
         */
        least_factor = 2;                       /* h=1){ */
        while (argument % least_factor != 0)    /* while(m% */
            least_factor++;                     /* ++h); */
        argument /= least_factor;               /* for(m/=h; */

        /* Add its digit sum to factor_digits */
        while (least_factor > 0) {
            factor_digits += least_factor % 10; /* i+=h%10, */
            least_factor /= 10;                 /* h/=10;) */
        }                                       /* ; */

    }                                           /* } */

    /* In the golfed version we get this for free in the for loop. */
    least_factor = 2;
    while (arg_copy % least_factor != 0)        /* while(t% */
        least_factor++;                         /* ++h); */

    /* Restore the argument */
    argument = arg_copy;                        /* for(m=t; */

    /* Compute the arguments digit sum */
    while (argument > 0) {
        digit_sum += argument % 10;             /* _+=m%10, */
        argument /= 10;                         /* m/=10;) */
    }                                           /* ; */

    /* This return is done by assigning to first argument when golfed. */
                                                /* m= */
    if (arg_copy == least_factor) {             /* t==h? */
        return 0; /* prime input */             /* 0 */
    } else {                                    /* : */
        return digit_sum == factor_digits;      /* i == _ */
    }                                           /* ; */
}                                               /* } */

그것은 몇 가지 버그 (예 : 2와 3)를 도입했지만 여전히 달성 할 수 있다고 생각합니다.
LambdaBeta

추천 t-h&&i==_대신t-h?i==_:0
천장 고양이

0

라켓 176 바이트

(define(sd x)(if(= x 0)0(+(modulo x 10)(sd(/(- x(modulo x 10))10)))))
(require math)(define(f N)
(if(=(for/sum((i(factorize N)))(*(sd(list-ref i 0))(list-ref i 1)))(sd N))1 0))

true이면 1을, false이면 0을 반환합니다.

(f 27)
1
(f 28)
0
(f 85)
1
(f 86)
0

자세한 버전 :

(define (sd x)   ; fn to find sum of digits
  (if (= x 0)
      0
      (+ (modulo x 10)
         (sd (/ (- x (modulo x 10)) 10)))))

(require math)
(define (f N)
  (if (= (for/sum ((i (factorize N)))
           (* (sd (list-ref i 0))
              (list-ref i 1)))
         (sd N)) 1 0))

0

녹-143 바이트

fn t(mut n:u32)->bool{let s=|k:u32| (2..=k).fold((0,k),|(a,m),_|(a+m%10,m/10));s(n).0==(2..n).fold(0,|mut a,d|{while n%d<1{n/=d;a+=s(d).0};a})}

@levitatinglion ...에 의해 빌린 파이썬 솔루션 ... 적어도 자바보다 짧습니다 ...

play.rust-lang.org에서 degolfed


0

APL (NARS), 33 자, 66 바이트

{1≥≢k←π⍵:0⋄s←{+/⍎¨⍕⍵}⋄(s⍵)=+/s¨k}

"π⍵"반환 목록 계수 list, 입력이 양의 정수> = 1; 테스트:

  h←{1≥≢k←π⍵:0⋄s←{+/⍎¨⍕⍵}⋄(s⍵)=+/s¨k}
  (h¨1..100)/1..100
4 22 27 58 85 94 

0

C (gcc), 177 바이트

Q스미스 번호의 경우 0을, 비 스미스 숫자의 경우 0이 아닌 함수 를 정의합니다.

#define r return
O(D,i){for(i=0;D>0;i+=D%10,D-=D%10,D/=10);r i;}D(O,o){for(o=1;o<O;)if(O%++o<1)r o;r O;}Q(p,q,i,j){if(p^(q=D(i=p))){for(j=0;p>1;q=D(p/=q))j+=O(q);r j^O(i);}r 1;}

온라인으로 사용해보십시오!

설명:

// Return the sum of digits of D if D > 0, otherwise 0
O(D,i){
    // While D is greater than 0:
    // Add the last digit of D to i, and remove the last digit from D
    for(i=0;D>0;i+=D%10,D-=D%10,D/=10);
    return i;
}
// Return the smallest prime factor of O if O>1 else O
D(O,o){
    // Iterate over numbers less than O
    for(o=1;o<O;)
        // If O is divisible by o return o
        if(O%++o<1)
            return o;
    // Otherwise return O
    return O;
}
Q(p,q,i,j){
    // Set q to D(p) and i to p
    // If p != D(p) (i.e, p is composite and > 0)
    if(p^(q=D(i=p))){
        // Iterate over the prime factors of p and store their digit sum in j
        for(j=0;p>1;q=D(p/=q))
            j+=O(q);
        // i is the original value of p. If O(i)^j == 0, O(i) == j
        return j^O(i);
    }
    // If p was composite or < 0, return 1
    return 1;
}


당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.