web-dev-qa-db-ja.com

数字が回文であるかどうかを確認するにはどうすればよいですか?

数字が回文であるかどうかを確認するにはどうすればよいですか?

どんな言語でも。任意のアルゴリズム。 (数字を文字列にしてから文字列を逆にするアルゴリズムを除く)。

121
Esteban Araya

これは プロジェクトオイラー問題の1つ です。 Haskellでそれを解決したとき、私はあなたが提案したとおりに数字を文字列に変換しました。ストリングがパリンドロームであることを確認するのは簡単です。十分に機能する場合、なぜそれをより複雑にするのですか?パリンドロームであることは、数学的なものではなく語彙的な性質です。

124
Dan Dyer

任意の番号について:

n = num;
rev = 0;
while (num > 0)
{
    Dig = num % 10;
    rev = rev * 10 + Dig;
    num = num / 10;
}

n == revの場合、numは回文です:

cout << "Number " << (n == rev ? "IS" : "IS NOT") << " a palindrome" << endl;
263
Jorge Ferreira
def ReverseNumber(n, partial=0):
    if n == 0:
        return partial
    return ReverseNumber(n // 10, partial * 10 + n % 10)

trial = 123454321
if ReverseNumber(trial) == trial:
    print("It's a Palindrome!")

整数に対してのみ機能します。問題のステートメントから、浮動小数点数または先行ゼロを考慮する必要があるかどうかは不明です。

24
Mark Ransom

些細な問題を抱えているほとんどの答えは、int変数がオーバーフローする可能性があるということです。

http://articles.leetcode.com/palindrome-number/ を参照してください

boolean isPalindrome(int x) {
    if (x < 0)
        return false;
    int div = 1;
    while (x / div >= 10) {
        div *= 10;
    }
    while (x != 0) {
        int l = x / div;
        int r = x % 10;
        if (l != r)
            return false;
        x = (x % div) / 10;
        div /= 100;
    }
    return true;
}
20
Jiaji Li
int is_palindrome(unsigned long orig)
{
    unsigned long reversed = 0, n = orig;

    while (n > 0)
    {
        reversed = reversed * 10 + n % 10;
        n /= 10;
    }

    return orig == reversed;
}
14
Robert Gamble

個々の数字をスタックにプッシュし、それらをポップします。前後が同じである場合、それは回文です。

9
Grant Limberg

私は余分なスペースを使わずにこの問題を解決した答えに気付きませんでした。つまり、私が見たすべての解決策は、文字列または別の整数を使用して数値を反転させるか、他のデータ構造を使用しました。

Javaなどの言語は整数オーバーフローでラップアラウンドしますが、この動作はCなどの言語では定義されていません。(Java
回避策は長いものを使用することかもしれませんが、スタイル的には、私はそのアプローチがあまり好きではありません。

現在、回文数の概念は、数が同じ前方および後方を読み取る必要があるということです。すばらしいです。この情報を使用して、最初の数字と最後の数字を比較できます。トリックは、最初の数字のために、数字の順序が必要です。 12321と言います。これを10000で除算すると、先頭の1が得られます。末尾の1は、10でmodを取得することで取得できます。これを232に減らします。(12321 % 10000)/10 = (2321)/10 = 232。そして今、10000を2分の1に減らす必要があります。それで、Javaコードに進みます...

private static boolean isPalindrome(int n) {
    if (n < 0)
        return false;

    int div = 1;
    // find the divisor
    while (n / div >= 10)
        div *= 10;

    // any number less than 10 is a palindrome
    while (n != 0) {
        int leading = n / div;
        int trailing = n % 10;
        if (leading != trailing)
            return false;

        // % with div gets rid of leading digit
        // dividing result by 10 gets rid of trailing digit
        n = (n % div) / 10;

        // got rid of 2 numbers, update div accordingly
        div /= 100;
    }
    return true;
}

Hardik の提案に従って編集し、数字にゼロがある場合をカバーします。

7
Debosmit Ray

Pythonには、高速で反復的な方法があります。

def reverse(n):
    newnum=0
    while n>0:
        newnum = newnum*10 + n % 10
        n//=10
    return newnum

def palindrome(n):
    return n == reverse(n)

これにより、再帰に関するメモリの問題も回避できます(JavaのStackOverflowエラーなど)

6
ytpillai

楽しみのために、これも機能します。

a = num;
b = 0;
if (a % 10 == 0)
  return a == 0;
do {
  b = 10 * b + a % 10;
  if (a == b)
    return true;
  a = a / 10;
} while (a > b);
return a == b;
5
Toon Krijthe

数字を文字列にしてから、文字列を逆にすることを除いて。

なぜその解決策を却下するのですか? 実装が簡単で読みやすい2**10-23が10進パリンドロームであるかどうかを手元にコンピューターなしで尋ねられた場合、10進で書き出すことで確実にテストするでしょう。

少なくともPythonでは、「文字列操作は算術演算よりも遅い」というスローガンは実際には偽です。 Sminkの算術アルゴリズムと単純な文字列反転int(str(i)[::-1])を比較しました。速度に大きな違いはありませんでした-文字列の反転がわずかに速いことが起こりました。

コンパイルされた言語(C/C++)では、スローガンが当てはまる場合がありますが、大きな数値でオーバーフローエラーが発生するリスクがあります。

def reverse(n):
    rev = 0
    while n > 0:
        rev = rev * 10 + n % 10
        n = n // 10
    return rev

upper = 10**6

def strung():
    for i in range(upper):
        int(str(i)[::-1])

def arithmetic():
    for i in range(upper):
        reverse(i)

import timeit
print "strung", timeit.timeit("strung()", setup="from __main__ import strung", number=1)
print "arithmetic", timeit.timeit("arithmetic()", setup="from __main__ import arithmetic", number=1)

秒単位の結果(低いほど良い):

ストリング1.50960231881算術1.69729960569

5
Colonel Panic

私が知っている最速の方法:

bool is_pal(int n) {
    if (n % 10 == 0) return 0;
    int r = 0;
    while (r < n) {
        r = 10 * r + n % 10;
        n /= 10;
    }
    return n == r || n == r / 10;
}
5
Flowers

これは、任意のベースに対して機能する関数を構築するSchemeバージョンです。冗長性チェックがあります:数値がベースの倍数(0で終わる)の場合、すぐにfalseを返します。
そして、逆数全体を再構築するのではなく、半分のみを再構築します。
これですべてです。

(define make-palindrome-tester
   (lambda (base)
     (lambda (n)
       (cond
         ((= 0 (modulo n base)) #f)
         (else
          (letrec
              ((Q (lambda (h t)
                    (cond
                      ((< h t) #f)
                      ((= h t) #t)
                      (else
                       (let*
                           ((h2 (quotient h base))
                            (m  (- h (* h2 base))))
                         (cond
                           ((= h2 t) #t)
                           (else
                            (Q h2 (+ (* base t) m))))))))))
            (Q n 0)))))))
4
z5h

オイラー問題に非常に強引な方法で答えました。当然のことながら、新しいロック解除された関連フォーラムスレッドにたどり着いたときは、はるかにスマートなアルゴリズムが表示されていました。つまり、ハンドルBegonerを使用したメンバーは、このような斬新なアプローチを採用していたため、彼のアルゴリズムを使用してソリューションを再実装することにしました。彼のバージョンはPython(ネストされたループを使用)にあり、Clojureで再実装しました(単一のループ/再帰を使用)。

あなたの娯楽のためにここに:

(defn palindrome? [n]
  (let [len (count n)]
    (and
      (= (first n) (last n))
      (or (>= 1 (count n))
        (palindrome? (. n (substring 1 (dec len))))))))

(defn begoners-palindrome []
  (loop [mx 0
         mxI 0
         mxJ 0
         i 999
         j 990]
    (if (> i 100)
      (let [product (* i j)]
        (if (and (> product mx) (palindrome? (str product)))
          (recur product i j
            (if (> j 100) i (dec i))
            (if (> j 100) (- j 11) 990))
          (recur mx mxI mxJ
            (if (> j 100) i (dec i))
            (if (> j 100) (- j 11) 990))))
      mx)))

(time (prn (begoners-palindrome)))

Common LISPの回答もありましたが、私には理解できませんでした。

4
Chris Vest

数値を文字列に変換せずに、Rubyの再帰的なソリューション。

def palindrome?(x, a=x, b=0)
  return x==b if a<1
  palindrome?(x, a/10, b*10 + a%10)
end

palindrome?(55655)
3
dre-hh

Golangバージョン:

package main

import "fmt"

func main() {
    n := 123454321
    r := reverse(n)
    fmt.Println(r == n)
}

func reverse(n int) int {
    r := 0
    for {
        if n > 0 {
            r = r*10 + n%10
            n = n / 10
        } else {
            break
        }
    }
    return r
}
3
Thomas Modeneis

最初と最後の数字を取り出し、使い果たすまで比較します。数字が残っている場合も残っていない場合もありますが、いずれにせよ、ポップされた数字がすべて一致する場合、それは回文です。

2
Eli

テンプレートを使用したc ++のもう1つのソリューションを次に示します。このソリューションは、大文字と小文字を区別しないパリンドローム文字列の比較に有効です。

template <typename bidirection_iter>
bool palindrome(bidirection_iter first, bidirection_iter last)
{
    while(first != last && first != --last)
    {
        if(::toupper(*first) != ::toupper(*last))
            return false;
        else
            first++;
    }
    return true;
}
2
VikramChopde

これがf#バージョンです。

let reverseNumber n =
    let rec loop acc = function
    |0 -> acc
    |x -> loop (acc * 10 + x % 10) (x/10)    
    loop 0 n

let isPalindrome = function
    | x  when x = reverseNumber x -> true
    | _ -> false
1
Omu

指定された番号がPalindromeかどうかを確認するには(Javaコード)

class CheckPalindrome{
public static void main(String str[]){
        int a=242, n=a, b=a, rev=0;
        while(n>0){
                    a=n%10;  n=n/10;rev=rev*10+a;
                    System.out.println(a+"  "+n+"  "+rev);  // to see the logic
               }
        if(rev==b)  System.out.println("Palindrome");
        else        System.out.println("Not Palindrome");
    }
}
1
sort_01out
def palindrome(n):
    d = []
    while (n > 0):
        d.append(n % 10)
        n //= 10
    for i in range(len(d)/2):
        if (d[i] != d[-(i+1)]):
            return "Fail."
    return "Pass."
1
Rock

コンパクトさのため、このpythonソリューションを常に使用します。

def isPalindrome(number):
    return int(str(number)[::-1])==number
1
user2343020

文字列表現が回文的である場合、数は回文的です。

def is_palindrome(s):
    return all(s[i] == s[-(i + 1)] for i in range(len(s)//2))

def number_palindrome(n):
    return is_palindrome(str(n))
1
hughdbrown

@sminksメソッドよりも少し良い定数係数を持つメソッド:

num=n
lastDigit=0;
rev=0;
while (num>rev) {
    lastDigit=num%10;
    rev=rev*10+lastDigit;
    num /=2;
}
if (num==rev) print PALINDROME; exit(0);
num=num*10+lastDigit; // This line is required as a number with odd number of bits will necessary end up being smaller even if it is a palindrome
if (num==rev) print PALINDROME
1
eku

ここに投稿されたソリューションの多くは、整数を逆にして、O(n)である余分なスペースを使用する変数に格納しますが、O(1)スペースを使用したソリューションです。

def isPalindrome(num):
    if num < 0:
        return False
    if num == 0:
        return True
    from math import log10
    length = int(log10(num))
    while length > 0:
        right = num % 10
        left = num / 10**length
        if right != left:
            return False
        num %= 10**length
        num /= 10
        length -= 2
    return True
1
0x0

以下はSwiftの答えです。左側と右側から数値を読み取り、同じ場合は比較します。このようにすることで、整数オーバーフロー(数値の反転方法で発生する可能性があります)の問題に直面することはありません。

手順:

  1. 番号の長さを取得
  2. 長さ+ 1(first)-> 0からループ
  3. I番目の桁と最後の桁を取得
  4. 両方の数字が等しくない場合、数字は回文ではないためfalseを返します
  5. 私 -
  6. numから最後の桁を破棄(num = num/10)
  7. トイレの終わりはtrueを返します

    func isPalindrom(_ input: Int) -> Bool {
           if input < 0 {
                return false
            }
    
            if input < 10 {
                return true
            }
    
            var num = input
            let length = Int(log10(Float(input))) + 1
            var i = length
    
            while i > 0 && num > 0 {
    
                let ithDigit = (input / Int(pow(10.0, Double(i) - 1.0)) ) % 10
                let r = Int(num % 10)
    
                if ithDigit != r {
                    return false
                }
    
                num = num / 10
                i -= 1
            }
    
            return true
        }
    
0
Adnan Aftab

これを試して:

reverse = 0;
    remainder = 0;
    count = 0;
    while (number > reverse)
    {
        remainder = number % 10;
        reverse = reverse * 10 + remainder;
        number = number / 10;
        count++;
    }
    Console.WriteLine(count);
    if (reverse == number)
    {
        Console.WriteLine("Your number is a palindrome");
    }
    else
    {
        number = number * 10 + remainder;
        if (reverse == number)
            Console.WriteLine("your number is a palindrome");
        else
            Console.WriteLine("your number is not a palindrome");
    }
    Console.ReadLine();
}
}
0
vivek
 public class Numbers
 {
   public static void main(int givenNum)
   { 
       int n= givenNum
       int rev=0;

       while(n>0)
       {
          //To extract the last digit
          int digit=n%10;

          //To store it in reverse
          rev=(rev*10)+digit;

          //To throw the last digit
          n=n/10;
      }

      //To check if a number is palindrome or not
      if(rev==givenNum)
      { 
         System.out.println(givenNum+"is a palindrome ");
      }
      else
      {
         System.out.pritnln(givenNum+"is not a palindrome");
      }
  }
}
0
BLaaaaaa

これがベストアンサーかどうかはわかりませんが、私はプログラミングが初めてです。 (Javaにあります)

import Java.util.*;

public class Palin {

    public static void main(String[] args) {
        Random randInt = new Random();

        Scanner kbd = new Scanner(System.in);
        int t = kbd.nextInt(); //# of test cases;
        String[] arrPalin = new String[t]; //array of inputs;
        String[] nextPalin = new String[t];
        for (int i = 0; i < t; i++) {
            arrPalin[i] = String.valueOf(randInt.nextInt(2147483646) + 1);
            System.out.println(arrPalin[i]);
        }

        final long startTime = System.nanoTime();

        for (int i = 0; i < t; i++) {
            nextPalin[i] = (unmatcher(incrementer(switcher(match(arrPalin[i])))));
        }

        final long duration = System.nanoTime() - startTime;

        for (int i = 0; i < t; i++) {
            System.out.println(nextPalin[i]);
        }

        System.out.println(duration);

    }

    public static String match(String N) {
        int length = N.length();

        //Initialize a string with length of N
        char[] chars = new char[length];
        Arrays.fill(chars, '0');

        int count = 1;

        for (int i = 0; i < length; i++) {
            if ((i%2) == 0) { //at i = even.
                if (i == 0) {
                    chars[i] = N.charAt(i);
                } else
                    chars[i] = N.charAt(i/2);
            } else //at i = odd
                chars[i] = N.charAt(length - count);
                count++;
        }

        return String.valueOf(chars);
    }

    public static String switcher(String N) {
        int length = N.length();
        char[] chars = new char[length];
        Arrays.fill(chars, '0');

        for (int i = 0; i < length; i++) {
            if (i != 0) {
                if ((i % 2) == 0) {
                    chars[i] = N.charAt(i);
                } else if ((i % 2) != 0) {
                    chars[i] = N.charAt(i - 1);
                }
            }
            if (i == 0) {
                chars[0] = N.charAt(0);
            }
        }
        return String.valueOf(chars);
    }

    public static String incrementer(String N) {
        int length = N.length();
        char[] chars = new char[length];
        Arrays.fill(chars, '0');

        char[] newN = N.toCharArray();

        String returnVal;

        int numOne, numTwo;

        if ((length % 2) == 0) {
            numOne = N.charAt(length-1);
            numTwo = N.charAt(length-2);
            newN[length-1] = (char)(numOne+1);
            newN[length-2] = (char)(numTwo+1);
            returnVal = String.valueOf(newN);
        } else {
            numOne = N.charAt(length-1);
            newN[length-1] = (char)(numOne+1);
            returnVal = String.valueOf(newN);
        }
        return returnVal;
    }

    public static String unmatcher(String N) {
        int length = N.length();
        char[] chars = new char[length];
        Arrays.fill(chars, '0');
        char[] newN = N.toCharArray();

        for (int i = 0; i < length; i++) {
                if (((i % 2) == 0) && (i != 0)) { // for i > 0, even
                    newN[i / 2] = N.charAt(i);
                } else if ((i % 2) == 0 && (i == 0)) { // for i = 0
                    newN[0] = N.charAt(0);
                }
            }
        for (int i = (length/2); i < length; i++) {
            newN[i] = newN[Math.abs(i - (length - 1))];
        }

        return String.valueOf(newN);
    }


}

したがって、このコードでは、数値を入力します(必要な数の乱数を入力しました)。変換されます。たとえば、入力は172345から157423です。その後、117722に変更します。最後の数字だけに同じことを行います。次に、それを173371にします。それは、パリンドロームを具体的に見つけることではありませんが、次に高いパリンドローム数を見つけることです。

0
hs2345

数学関数を介して数字の桁数を取得し、次のように「/」および「%」演算を使用して繰り返します。 x =(x%Divider)/ 10の後、2つのゼロ操作を行ったため、100で除算器を除算する必要があります。

public static boolean isPalindrome(int x) {
            if (x < 0) return false;
            if (x < 10) return true;

            int numDigits = (int)(Math.log10(x)+1);
            int divider = (int) (Math.pow(10, numDigits - 1));
            for (int i = 0; i < numDigits / 2; i++) {
                if (x / divider != x % 10)
                    return false;
                x = (x % divider) / 10;
                divider /= 100;
            }
            return true;
        }
0
huseyin
num = int(raw_input())
list_num = list(str(num))
if list_num[::-1] == list_num:
    print "Its a palindrome"
else:
    print "Its not a palindrom"
0
Jhutan Debnath

これを試して:

print('!* To Find Palindrome Number') 

def Palindrome_Number():

            n = input('Enter Number to check for palindromee')  
            m=n 
            a = 0  

    while(m!=0):  
        a = m % 10 + a * 10    
        m = m / 10    

    if( n == a):    
        print('%d is a palindrome number' %n)
    else:
        print('%d is not a palindrome number' %n)

関数をコールバックするだけです

0
user3615696

このソリューションは非常に効率的です。StringBuilderを使用しているため、StringBuilderクラスは変更可能な文字シーケンスとして実装されているためです。これは、新しい文字列または文字をStringBuilderに追加することを意味します。

 public static boolean isPal(String ss){
   StringBuilder stringBuilder = new StringBuilder(ss);
   stringBuilder.reverse();
   return ss.equals(stringBuilder.toString());
 }
0
Chris Michael

Javaでこのソリューションを確認してください:

private static boolean ispalidrome(long n) {
        return getrev(n, 0L) == n;
    }

    private static long getrev(long n, long initvalue) {
        if (n <= 0) {
            return initvalue;
        }
        initvalue = (initvalue * 10) + (n % 10);
        return getrev(n / 10, initvalue);
    }
0
Abdou Amari

1行pythonコード:

def isPalindrome(number):
    return True if str(number) == ''.join(reversed(str(number))) else False
0
Pradip Das

最も簡単なのは、反対の番号を見つけて、2つを比較することです。

int max =(int)(Math.random()*100001);

    int i;
    int num = max; //a var used in the tests
    int size; //the number of digits in the original number
    int opos = 0; // the oposite number
    int nsize = 1;

    System.out.println(max);

    for(i = 1; num>10; i++)
    {
        num = num/10;
    }

    System.out.println("this number has "+i+" digits");

    size = i; //setting the digit number to a var for later use



    num = max;

    for(i=1;i<size;i++)
    {
        nsize *=10;
    }


    while(num>1)
    {
        opos += (num%10)*nsize;
        num/=10;
        nsize/=10;
    }

    System.out.println("and the number backwards is "+opos);

    if (opos == max )
    {
        System.out.println("palindrome!!");
    }
    else
    {
        System.out.println("aint no palindrome!");
    }
0
Ziv Kesten
public static void main(String args[])
{
    System.out.print("Enter a number: ");
    Scanner input = new Scanner(System.in);
    int num = input.nextInt();
    int number = num;
    int reversenum = 0;
    while (num != 0)
    {
        reversenum = reversenum * 10;
        reversenum = reversenum + num % 10;
        num = num / 10;
    }

    if (number == reversenum)
        System.out.println("The reverse number is " + reversenum + "\nThen the number is palindrome.");
    else
        System.out.println("The reverse number is " + reversenum + "\nThen the number is not palindrome.");

}
0
gadolf

これは私のJavaコードです。基本的に、文字列の最初と最後の値、次の内部値のペアなどを比較します。

    /*Palindrome number*/
    String sNumber = "12321";
    int l = sNumber.length(); // getting the length of sNumber. In this case its 5
    boolean flag = true;
    for (int i = 0; i <= l; ++i) {
        if (sNumber.charAt(i) != sNumber.charAt((l--) -1)) { //comparing the first and the last values of the string
            System.out.println(sNumber +" is not a palindrome number");
            flag = false;
            break;
        }
        //l--; // to reducing the length value by 1 
    }
    if (flag) {
        System.out.println(sNumber +" is a palindrome number");
    }
0
Sucharith

このコードは、intをStringに変換してから、その文字列が回文であるかどうかを確認します。利点はそれが高速であることであり、欠点はintをStringに変換し、それによって問題に対する完璧な解決策を妥協することです。

static int pallindrome=41012;
static String pallindromer=(Integer.toString(pallindrome));
static int length=pallindromer.length();

public static void main(String[] args) {
    pallindrome(0);
    System.out.println("It's a pallindrome");
}

static void pallindrome(int index){
    if(pallindromer.charAt(index)==pallindromer.charAt(length-(index+1))){
        if(index<length-1){
            pallindrome(++index);
        }
    }
    else{
        System.out.println("Not a pallindrome");
        System.exit(0);
    }
}
0
Ankur Tewari
int reverse(int num)
{
    assert(num >= 0);   // for non-negative integers only.
    int rev = 0;
    while (num != 0)
    {
        rev = rev * 10 + num % 10;
        num /= 10;
    }
    return rev;
}

これもうまくいくように見えましたが、逆数がオーバーフローする可能性を考慮しましたか?オーバーフローする場合、動作は言語固有です(Javaの場合、オーバーフロー時に数値が折り返されますが、C/C++ではその動作は未定義です)。うん.

両端から比較する方が簡単であることがわかります。最初に、最初と最後の数字を比較します。それらが同じでない場合、回文ではないはずです。それらが同じ場合、両端から1桁を切り取り、残りの数字がなくなるまで続けます。これは、それが回文である必要があると結論付けます。

これで、最後の桁の取得と切断が簡単になりました。ただし、一般的な方法で最初の数字を取得して切り刻むには、いくつかの考慮が必要です。以下のソリューションがそれを処理します。

int isIntPalindrome(int x)
{
    if (x < 0)
    return 0;
    int div = 1;
    while (x / div >= 10)
    {
        div *= 10;
    }

    while (x != 0)
    {
        int l = x / div;
        int r = x % 10;
        if (l != r)
            return 0;
        x = (x % div) / 10;
        div /= 100;
    }
    return 1;
}
0
NewCoder

パブリッククラスPalindromePrime {

 private static int g ,n =0,i,m ; 

 private javax.swing.JTextField jTextField;



 static String b ="";
private static Scanner scanner = new Scanner( System.in );  
public static void main(String [] args) throws IOException {


    System.out.print(" Please Inter Data : "); 
    g = scanner.nextInt();


    System.out.print(" Please Inter Data 2  : "); 
    m = scanner.nextInt();  

    count(g,m);     
    }   

public static    int count(int L, int R) {
    int resultNum = 0;

    for( i= L ; i<= R ;i++){
        int count= 0 ;
        for( n = i ; n >=1 ;n -- ){

            if(i%n==0){             
                count = count + 1 ;
            //  System.out.println("  Data : \n "  +count );    
            }       
        }
        if(count == 2)
        {   
            //b = b +i + "" ;

        String ss=  String .valueOf(i);
        //  System.out.print("\n" +i );     

            if(isPalindrome(i))
            {

            //0 System.out.println("Number : " + i + " is   a palindrome");

                    //number2[b] = Integer.parseInt(number_ayy[b]);

                //String s = String .valueOf(i);
                //System.out.printf("123456", s);
                resultNum++;
            }

            else{

                //*System.out.println("Number : " + i + " is Not  a palindrome");
            }
            //System.out.println("  Data : \n " +ss.length()  );    
        }

    //  palindrome(i);

    }

//  System.out.print("  Data  : "); 
//  System.out.println("  Data : \n "  +b ); 
    return resultNum;


    }


@SuppressWarnings("unused")
public static boolean isPalindrome(int number  ) {
    int p = number; // ประกาศ  p เป็น int ให้เท่ากับ number ของ ตัวที่ มาจาก method 
    int r = 0; //ประกาศ r เป็น int โดยให้มีค่าเรื่องต้นเท่ากับ 0 
    int w = 0 ;
    while (p != 0) {  // เงื่อนไข While ถ้า p ไม่เท่ากับ 0  เช่น  2!= 0 จริง  เข้า  
         w = p % 10; // ประกาศตัว แปร W ให้ เท่ากับค่า p ที่มาจาก parramiter ให้ & mod กับ  10 คือ เช่น  2 % 10 = 2 ; w= 2 ; 3% 10 ; w =3
       r = r * 10 + w;  // (ให้  R ที่มาจาก การประกาศค่ตัวแปร แล้ว * 10) + w  จะมาจากค่า w = p % 10; ที่ mod ไว้  เช่น 0*10 + 2 = 2 
       p = p / 10;  //แล้วใช้ p ที่จมาจากตัว paramiter แล้วมาหาร  10  เพราะถ้าไม่มี ก็จะสามารถพิมพ์ค่าออกมาได้  || ทำไงก็ได้ให้เป็น 0  และเอามาแทนค่ตัวต่อไป 
    }

    // 1 วนวูปเช็คว่า   (p != 0) หรือไม่   โดย  p มาจาก p = number ที่รับมา 
    // 2 r = (r * 10) + (p%10) ;  

    //3   p = p /10 ; เพื่อเช็ค  ว่าให้มันเป็น 0 เพื่อหลุด Loop 
    if (number == r) {
        // for(int count = 0 ; count <i ;count ++){
    String s1 = String.valueOf(i);     

        //countLines(s1);
        System.out.println("Number : " + "'"+s1 +"'"+"  is   a palindrome");

        return true; //เรียก return ไป 

    }
    return false;
}

public static int countLines(String str)
{
    if (str == null || str.length() == 0)
        return 0;
    int lines = 1;
    int len = str.length();
    for( int pos = 0; pos < len; pos++) {
        char c = str.charAt(pos);
        if( c == '\r' ) {


            System.out.println("Line 0 : " + "'"+str );

            lines++;
            if ( pos+1 < len && str.charAt(pos+1) == '\n' )

                System.out.println("Line : " + "'"+str );

                pos++;
        } else if( c == '\n' ) {
            lines++;

            System.out.println("Line 2 : " + "'"+str );

        }
    }
    return lines;
}


public static int countLines1(String sd) throws IOException {
    LineNumberReader lineNumberReader = new LineNumberReader(new StringReader(sd));
    int count = 0 ;
    System.out.printf("Line  : " , count = count + 1 );
    lineNumberReader.skip(Long.MAX_VALUE);
    return lineNumberReader.getLineNumber();
}

}

0
Pong Petrung
public static boolean isPalindrome(int x) {
        int newX = x;
        int newNum = 0;
        boolean result = false;
        if (x >= 0) {
            while (newX >= 10) {
                newNum = newNum+newX % 10;
                newNum = newNum * 10;
                newX = newX / 10;
            }
            newNum += newX;

            if(newNum==x) {
            result = true;
            }
            else {
                result=false;
            }
        }

        else {

            result = false;
        }
        return result;
    }
0
SuL

pythonのスタックとしてリストを使用するソリューションは次のとおりです。

def isPalindromicNum(n):
    """
        is 'n' a palindromic number?
    """
    ns = list(str(n))
    for n in ns:
        if n != ns.pop():
            return False
    return True

スタックをポップすると、比較のために数値の右端のみが考慮され、チェックを減らすのに速く失敗します

0
lwm

個人的にはこのようにしていますが、重複はありません。コードは、文字列の長さが偶数か奇数かに関係なく、正しい場所で一致する文字のチェックを停止します。上記のその他のメソッドのいくつかは、必要のないときに余分な時間を一致させようとします。

Length/2を使用する場合でも機能しますが、必要のない追加のチェックを1回実行します。たとえば、「ポップ」の長さは3です。 3/2 = 1.5なので、i = 2のときにチェックを停止します(1 <1.5の場合はi = 1のときにもチェックするため)が、1ではなく0で停止する必要があります。最初の「p」は位置0にあり、位置2の最後の「p」であるlength-1 現在位置)に対して自分自身をチェックします。その後、チェックの必要のない中央の文字が残ります。 length/2を実行すると、1で停止するため、iが1の位置(「o」)で追加のチェックが実行され、それ自体と比較されます(length-1-i)。

// Checks if our string is palindromic.
var ourString = "A Man, /.,.()^&*A Plan, A Canal__-Panama!";
isPalin(ourString);

function isPalin(string) {
// Make all lower case for case insensitivity and replace all spaces, underscores and non-words.
string = string.toLowerCase().replace(/\s+/g, "").replace(/\W/g,"").replace(/_/g,"");
for(i=0; i<=Math.floor(string.length/2-1); i++) {
      if(string[i] !== string[string.length-1-i]) {
        console.log("Your string is not palindromic!");
        break;
      } else if(i === Math.floor(string.length/2-1)) {
        console.log("Your string is palindromic!");
      }
    }
}

---(https://repl.it/FNVZ/1

0
Shaun L
checkPalindrome(int number)
{
    int lsd, msd,len;
    len = log10(number);
    while(number)
    {
        msd = (number/pow(10,len)); // "most significant digit"
        lsd = number%10; // "least significant digit"
        if(lsd==msd)
        {
            number/=10; // change of LSD
            number-=msd*pow(10,--len); // change of MSD, due to change of MSD
            len-=1; // due to change in LSD
            } else {return 1;}
    }
    return 0;
}
0
MarianG
let isPalindrome (n:int) =
   let l1 = n.ToString() |> List.ofSeq |> List.rev
   let rec isPalindromeInt l1 l2 =
       match (l1,l2) with
       | (h1::rest1,h2::rest2) -> if (h1 = h2) then isPalindromeInt rest1 rest2 else false
       | _ -> true
   isPalindromeInt l1 (n.ToString() |> List.ofSeq)
0
mario

あまり効率的ではない再帰的な方法は、オプションを提供するだけです

(Pythonコード)

def isPalindrome(num):
    size = len(str(num))
    demoninator = 10**(size-1)
    return isPalindromeHelper(num, size, demoninator)

def isPalindromeHelper(num, size, demoninator):
    """wrapper function, used in recursive"""
    if size <=1:
        return True
    else:       
        if num/demoninator != num%10:
            return False
        # shrink the size, num and denominator
        num %= demoninator
        num /= 10
        size -= 2
        demoninator /=100
        return isPalindromeHelper(num, size, demoninator) 
0
user1552891

ここに方法があります。

class Palindrome_Number{
    void display(int a){
        int count=0;
        int n=a;
        int n1=a;
        while(a>0){
            count++;
            a=a/10;
        }
        double b=0.0d;
        while(n>0){
            b+=(n%10)*(Math.pow(10,count-1));
            count--;
            n=n/10;
        }
        if(b==(double)n1){
            System.out.println("Palindrome number");
        }
        else{
            System.out.println("Not a palindrome number");            
        }
    }
}
0
Ranjan Manohar

数値を文字列に変換し、さらに文字列をcharArrayに変換するという通常のアプローチを採用しました。 charArrayを走査して、位置の数値が等しいかどうかを調べます。注-:文字列を反転しません。

public bool IsPalindrome(int num)
    {
        string st = num.ToString();
        char[] arr = st.ToCharArray();
        int len = arr.Length;
        if (len <= 1)
        {
            return false;
        }
        for (int i = 0; i < arr.Length; i++)
        {
            if (arr[i] == arr[len - 1])
            {
                if (i >= len)
                {
                    return true;
                }
                len--;
            }
            else
            {
                break;
            }
        }
        return false;
0
Mr. Wonderful