Printing prime number from 1 to 100

前端 未结 7 1550
情书的邮戳
情书的邮戳 2021-02-11 10:12

This program is supposed to output the prime numbers between 1 and 100. Will anyone please explain me the flow the programme below? I am having difficulty in writing the progra

7条回答
  •  借酒劲吻你
    2021-02-11 10:45

    The number which is only divisible by itself and 1 is known as prime number. Here is the simplest version of the code for finding prime numbers between 1 to 100.

    import java.io.*;
    import java.util.*;
    class solution
    {
        public static void main(String args[])
        {
            Scanner scan = new Scanner(System.in);
            int n = 100;
            /*
                A prime number is a whole number greater than 1, whose only two whole-number factors are 1 and itself.
            */
            for(int i=2;i<=n;i++) // 1.So we are starting with initialization i = 2
            {
                int flag = 1;
                for(int j=2;j<=i/2;j++)  // 2.Try dividing the number by half check whether it divisible
                {
                    if(i%j==0) // 3. If the number is divisible by other number ->Not a prime Number
                    {
                        flag = 0;
                        break;
                    }
    
                }
                if(flag==1) // 4. If the number is not divisible by any other numbers but only by itself and 1 -> prime no
                {
                    System.out.print(i+" ");
                }
            }
        }
    }
    /*
        Output:
        2 3 5 7 11 13 17 19 23 29 31 37 41 43 47 53 59 61 67 71 73 79 83 89 97
    */
    

提交回复
热议问题