C-Sharp | Java | Python | Swift | GO | WPF | Ruby | Scala | F# | JavaScript | SQL | PHP | Angular | HTML
Program to print the first 10 prime numbers
Prime NumbersPrime numbers are the natural numbers that can be divided by their self or by 1 without any remainder. For example: 2, 3, 5, 7, 11, 13, 17 etc. NOTE: 2 is the only even prime number.In this program, we need to print the first 10 prime numbers: 2,3,5,7,11,13,17,19,23,29. Algorithm
Java Program
public class Prime
{
public static void main(String[] args)
{
int ct=0,n=0,i=1,j=1;
while(n<10)
{
j=1;
ct=0;
while(j<=i)
{
if(i%j==0)
ct++;
j++;
}
if(ct==2)
{
System.out.printf("%d ",i);
n++;
}
i++;
}
}
}
Output: 2,3,5,7,11,13,17,19,23,29 C Program
#include <stdio.h>
int main()
{
int ct=0,n=0,i=1,j=1;
while(n<10)
{
j=1;
ct=0;
while(j<=i)
{
if(i%j==0)
ct++;
j++;
}
if(ct==2)
{
printf("%d ",i);
n++;
}
i++;
}
}
Output: 2,3,5,7,11,13,17,19,23,29 Python Program
r=30
for a in range(2,r+1):
k=0
for i in range(2,a//2+1):
if(a%i==0):
k=k+1
if(k<=0):
print(a,end=" ")
Output: 2,3,5,7,11,13,17,19,23,29 C# Program
using System;
class Prime_Number
{
public static void Main()
{
int ct=0,n=0,i=1,j=1;
while(n<10)
{
j=1;
ct=0;
while(j<=i)
{
if(i%j==0)
ct++;
j++;
}
if(ct==2)
{
Console.Write(i);
Console.Write(" ");
n++;
}
i++;
}
}}
Output: 2,3,5,7,11,13,17,19,23,29 PHP Program
<?php
$ct=0;
$n=0;
$i=1;
$j=1;
while($n<10)
{
$j=1;
$ct=0;
while($j<=$i)
{
if($i%$j==0)
$ct++;
$j++;
}
if($ct == 2)
{
echo $i;
echo " ";
$n++;
}
$i++;
}
?>
Output: 2,3,5,7,11,13,17,19,23,29
Next Topic#
|