Thanks to visit codestin.com
Credit goes to www.scribd.com

0% found this document useful (0 votes)
23 views82 pages

Debugging Questions

The document contains programming examples in Python, C, and Java for various tasks including checking Armstrong numbers, calculating factorials, finding prime numbers, generating Fibonacci sequences, and finding factors of a number. Each programming language section provides a complete code snippet to perform the respective task. The examples are structured with comments explaining the code functionality.

Uploaded by

subashini.it22
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
23 views82 pages

Debugging Questions

The document contains programming examples in Python, C, and Java for various tasks including checking Armstrong numbers, calculating factorials, finding prime numbers, generating Fibonacci sequences, and finding factors of a number. Each programming language section provides a complete code snippet to perform the respective task. The examples are structured with comments explaining the code functionality.

Uploaded by

subashini.it22
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 82

DEBUGGING QUESTIONS

QUESTION 1: Program to Check Armstrong Number

PYTHON:
# Python program to check if the number is an Armstrong number or not

# take input from the user

num = int(input("Enter a number: "))

# initialize sum

sum = 0

# find the sum of the cube of each digit

temp = num

while temp > 0:

digit = temp % 10

sum += digit ** 3

temp //= 10

# display the result

if num == sum:

print(num,"is an Armstrong number")

else:

print(num,"is not an Armstrong number")


ANSWER:
# Python program to check if the number is an Armstrong number or not

# take input from the user

num = int(input("Enter a number: "))

# initialize sum

sum = 0

# find the sum of the cube of each digit

temp = num

while temp > 0:

digit = temp % 10

sum += digit ** 3

temp //= 10

# display the result

if num == sum:

print(num,"is an Armstrong number")

else:

print(num,"is not an Armstrong number")

C:
#include <stdio.h>
int main() {

int num, originalNum, remainder, result = 0;

printf("Enter a three-digit integer: ");

scanf("%d", &num);

originalNum = num;

while (originalNum != 0) {

// remainder contains the last digit

remainder = originalNum % 10;

result += remainder * remainder * remainder;

// removing last digit from the orignal number

originalNum /= 10;

if (result == num)

printf("%d is an Armstrong number.", num);

else

printf("%d is not an Armstrong number.", num);

return 0;

ANSWER:
#include <stdio.h>
int main() {

int num, originalNum, remainder, result = 0;

printf("Enter a three-digit integer: ");

scanf("%d", &num);

originalNum = num;

while (originalNum != 0) {

// remainder contains the last digit

remainder = originalNum % 10;

result += remainder * remainder * remainder;

// removing last digit from the orignal number

originalNum /= 10;

if (result == num)

printf("%d is an Armstrong number.", num);

else

printf("%d is not an Armstrong number.", num);

return 0;

JAVA:
public class Armstrong {
public static void main(String[] args) {

int number = 371, originalNumber, remainder, result = 0;

originalNumber = number;

while (originalNumber != 0)

remainder = originalNumber % 10;

result += Math.pow(remainder, 3);

originalNumber /= 10;

if(result == number)

System.out.println(number + " is an Armstrong number.");

else

System.out.println(number + " is not an Armstrong number.");

ANSWER:
public class Armstrong {

public static void main(String[] args) {


int number = 371, originalNumber, remainder, result = 0;

originalNumber = number;

while (originalNumber != 0)

remainder = originalNumber % 10;

result += Math.pow(remainder, 3);

originalNumber /= 10;

if(result == number)

System.out.println(number + " is an Armstrong number.");

else

System.out.println(number + " is not an Armstrong number.");

QUESTION 2: Program to Find the Factorial of a Number

PYTHON:
# Python program to find the factorial of a number provided by the user.

# change the value for a different result


num = 7

# To take input from the user

#num = int(input("Enter a number: "))

factorial = 1

# check if the number is negative, positive or zero

if num < 0:

print("Sorry, factorial does not exist for negative numbers")

elif num == 0:

print("The factorial of 0 is 1")

else:

for i in range(1,num + 1):

factorial = factorial*i

print("The factorial of",num,"is",factorial)

ANSWER:
# Python program to find the factorial of a number provided by the user.

# change the value for a different result

num = 7

# To take input from the user

#num = int(input("Enter a number: "))


factorial = 1

# check if the number is negative, positive or zero

if num < 0:

print("Sorry, factorial does not exist for negative numbers")

elif num == 0:

print("The factorial of 0 is 1")

else:

for i in range(1,num + 1):

factorial = factorial*i

print("The factorial of",num,"is",factorial)

C:
#include <stdio.h>

int main() {

int n, i;

unsigned long long fact = 1;

printf("Enter an integer: ");

scanf("%d", &n);

// shows error if the user enters a negative integer

if (n < 0)

printf("Error! Factorial of a negative number doesn't exist.");

else {

for (i = 1; i <= n; ++i) {


fact *= i;

printf("Factorial of %d = %llu", n, fact);

return 0;

ANSWER:
#include <stdio.h>

int main() {

int n, i;

unsigned long long fact = 1;

printf("Enter an integer: ");

scanf("%d", &n);

// shows error if the user enters a negative integer

if (n < 0)

printf("Error! Factorial of a negative number doesn't exist.");

else {

for (i = 1; i <= n; ++i) {

fact *= i;

printf("Factorial of %d = %llu", n, fact);

}
return 0;

JAVA:
public class Factorial {

public static void main(String[] args) {

int num = 10;

long factorial = 1;

for(int i = 1; i <= num; ++i)

// factorial = factorial * i;

factorial *= i;

System.out.printf("Factorial of %d = %d", num, factorial);

ANSWER:

public class Factorial {

public static void main(String[] args) {

int num = 10;


long factorial = 1;

for(int i = 1; i <= num; ++i)

// factorial = factorial * i;

factorial *= i;

System.out.printf("Factorial of %d = %d", num, factorial);

QUESTION 3: Program to Print all Prime Numbers in an Interval

PYTHON:
# Python program to display all the prime numbers within an interval

lower = 900

upper = 1000

print("Prime numbers between", lower, "and", upper, "are:")

for num in range(lower, upper + 1):

# all prime numbers are greater than 1


if num > 1:

for i in range(2, num):

if (num % i) == 0:

break

else:

print(num)

ANSWER:
# Python program to display all the prime numbers within an interval

lower = 900

upper = 1000

print("Prime numbers between", lower, "and", upper, "are:")

for num in range(lower, upper + 1):

# all prime numbers are greater than 1

if num > 1:

for i in range(2, num):

if (num % i) == 0:

break

else:

print(num)

C:
#include <stdio.h>
int main() {

int low, high, i, flag;

printf("Enter two numbers(intervals): ");

scanf("%d %d", &low, &high);

printf("Prime numbers between %d and %d are: ", low, high);

// iteration until low is not equal to high

while (low < high) {

flag = 0;

// ignore numbers less than 2

if (low <= 1) {

++low;

continue;

// if low is a non-prime number, flag will be 1

for (i = 2; i <= low / 2; ++i) {

if (low % i == 0) {

flag = 1;

break;

}
if (flag == 0)

printf("%d ", low);

// to check prime for the next number

// increase low by 1

++low;

return 0;

ANSWER:
#include <stdio.h>

int main() {

int low, high, i, flag;

printf("Enter two numbers(intervals): ");

scanf("%d %d", &low, &high);

printf("Prime numbers between %d and %d are: ", low, high);

// iteration until low is not equal to high

while (low < high) {

flag = 0;

// ignore numbers less than 2


if (low <= 1) {

++low;

continue;

// if low is a non-prime number, flag will be 1

for (i = 2; i <= low / 2; ++i) {

if (low % i == 0) {

flag = 1;

break;

if (flag == 0)

printf("%d ", low);

// to check prime for the next number

// increase low by 1

++low;

return 0;

JAVA:
public class Prime {

public static void main(String[] args) {

int low = 20, high = 50;

while (low < high) {

if(checkPrimeNumber(low))

System.out.print(low + " ");

++low;

public static boolean checkPrimeNumber(int num) {

boolean flag = true;

for(int i = 2; i <= num/2; ++i) {

if(num % i == 0) {

flag = false;

break;

}
return flag;

ANSWER:
public class Prime {

public static void main(String[] args) {

int low = 20, high = 50;

while (low < high) {

if(checkPrimeNumber(low))

System.out.print(low + " ");

++low;

public static boolean checkPrimeNumber(int num) {

boolean flag = true;

for(int i = 2; i <= num/2; ++i) {

if(num % i == 0) {
flag = false;

break;

return flag;

QUESTION 4: Program to Print the Fibonacci sequence

PYTHON:
# Program to display the Fibonacci sequence up to n-th term

nterms = int(input("How many terms? "))

# first two terms

n1, n2 = 0, 1

count = 0

# check if the number of terms is valid

if nterms <= 0:

print("Please enter a positive integer")

# if there is only one term, return n1

elif nterms == 1:
print("Fibonacci sequence upto",nterms,":")

print(n1)

# generate fibonacci sequence

else:

print("Fibonacci sequence:")

while count < nterms:

print(n1)

nth = n1 + n2

# update values

n1 = n2

n2 = nth

count += 1

ANSWER:
# Program to display the Fibonacci sequence up to n-th term

nterms = int(input("How many terms? "))

# first two terms

n1, n2 = 0, 1

count = 0

# check if the number of terms is valid

if nterms <= 0:

print("Please enter a positive integer")

# if there is only one term, return n1


elif nterms == 1:

print("Fibonacci sequence upto",nterms,":")

print(n1)

# generate fibonacci sequence

else:

print("Fibonacci sequence:")

while count < nterms:

print(n1)

nth = n1 + n2

# update values

n1 = n2

n2 = nth

count += 1

C:
#include <stdio.h>

int main() {

int i, n;

// initialize first and second terms

int t1 = 0, t2 = 1;

// initialize the next term (3rd term)

int nextTerm = t1 + t2;


// get no. of terms from user

printf("Enter the number of terms: ");

scanf("%d", &n);

// print the first two terms t1 and t2

printf("Fibonacci Series: %d, %d, ", t1, t2);

// print 3rd to nth terms

for (i = 3; i <= n; ++i) {

printf("%d, ", nextTerm);

t1 = t2;

t2 = nextTerm;

nextTerm = t1 + t2;

return 0;

ANSWER:
#include <stdio.h>

int main() {

int i, n;

// initialize first and second terms

int t1 = 0, t2 = 1;
// initialize the next term (3rd term)

int nextTerm = t1 + t2;

// get no. of terms from user

printf("Enter the number of terms: ");

scanf("%d", &n);

// print the first two terms t1 and t2

printf("Fibonacci Series: %d, %d, ", t1, t2);

// print 3rd to nth terms

for (i = 3; i <= n; ++i) {

printf("%d, ", nextTerm);

t1 = t2;

t2 = nextTerm;

nextTerm = t1 + t2;

return 0;

JAVA:
// Fibonacci series program in java

class GFG {
// Function to print N Fibonacci Number

static void Fibonacci(int N)

int num1 = 0, num2 = 1;

for (int i = 0; i < N; i++) {

// Print the number

System.out.print(num1 + " ");

// Swap

int num3 = num2 + num1;

num1 = num2;

num2 = num3;

// Driver Code

public static void main(String args[])

// Given Number N

int N = 10;

// Function Call

Fibonacci(N);

}
}

ANSWER:
// Fibonacci series program in java

class GFG {

// Function to print N Fibonacci Number

static void Fibonacci(int N)

int num1 = 0, num2 = 1;

for (int i = 0; i < N; i++) {

// Print the number

System.out.print(num1 + " ");

// Swap

int num3 = num2 + num1;

num1 = num2;

num2 = num3;

// Driver Code

public static void main(String args[])

// Given Number N
int N = 10;

// Function Call

Fibonacci(N);

QUESTION 5: Program to Find the Factors of a Number

PYTHON:
# Python Program to find the factors of a number

# This function computes the factor of the argument passed

def print_factors(x):

print("The factors of",x,"are:")

for i in range(1, x + 1):

if x % i == 0:

print(i)

num = 320

print_factors(num)

ANSWER:
# Python Program to find the factors of a number
# This function computes the factor of the argument passed

def print_factors(x):

print("The factors of",x,"are:")

for i in range(1, x + 1):

if x % i == 0:

print(i)

num = 320

print_factors(num)

C:
#include <stdio.h>

int main() {

int num, i;

printf("Enter a positive integer: ");

scanf("%d", &num);

printf("Factors of %d are: ", num);

for (i = 1; i <= num; ++i) {

if (num % i == 0) {

printf("%d ", i);

return 0;

}
ANSWER:
#include <stdio.h>

int main() {

int num, i;

printf("Enter a positive integer: ");

scanf("%d", &num);

printf("Factors of %d are: ", num);

for (i = 1; i <= num; ++i) {

if (num % i == 0) {

printf("%d ", i);

return 0;

JAVA:
public class Main {

public static void main(String[] args) {

// positive number

int number = 60;

System.out.print("Factors of " + number + " are: ");


// loop runs from 1 to 60

for (int i = 1; i <= number; ++i) {

// if number is divided by i

// i is the factor

if (number % i == 0) {

System.out.print(i + " ");

ANSWER:
public class Main {

public static void main(String[] args) {

// positive number

int number = 60;

System.out.print("Factors of " + number + " are: ");

// loop runs from 1 to 60

for (int i = 1; i <= number; ++i) {

// if number is divided by i
// i is the factor

if (number % i == 0) {

System.out.print(i + " ");

QUESTION 6: Program to Find LCM

PYTHON:
# Python Program to find the L.C.M. of two input number

def compute_lcm(x, y):

# choose the greater number

if x > y:

greater = x

else:

greater = y

while(True):

if((greater % x == 0) and (greater % y == 0)):

lcm = greater
break

greater += 1

return lcm

num1 = 54

num2 = 24

print("The L.C.M. is", compute_lcm(num1, num2))

ANSWER:
# Python Program to find the L.C.M. of two input number

def compute_lcm(x, y):

# choose the greater number

if x > y:

greater = x

else:

greater = y

while(True):

if((greater % x == 0) and (greater % y == 0)):

lcm = greater

break

greater += 1
return lcm

num1 = 54

num2 = 24

print("The L.C.M. is", compute_lcm(num1, num2))

C:
#include <stdio.h>

int main() {

int n1, n2, max;

printf("Enter two positive integers: ");

scanf("%d %d", &n1, &n2);

// maximum number between n1 and n2 is stored in max

max = (n1 > n2) ? n1 : n2;

while (1) {

if ((max % n1 == 0) && (max % n2 == 0)) {

printf("The LCM of %d and %d is %d.", n1, n2, max);

break;
}

++max;

return 0;

ANSWER:
#include <stdio.h>

int main() {

int n1, n2, max;

printf("Enter two positive integers: ");

scanf("%d %d", &n1, &n2);

// maximum number between n1 and n2 is stored in max

max = (n1 > n2) ? n1 : n2;

while (1) {

if ((max % n1 == 0) && (max % n2 == 0)) {

printf("The LCM of %d and %d is %d.", n1, n2, max);

break;

++max;

}
return 0;

JAVA:
public class Main {

public static void main(String[] args) {

int n1 = 72, n2 = 120, lcm;

// maximum number between n1 and n2 is stored in lcm

lcm = (n1 > n2) ? n1 : n2;

// Always true

while(true) {

if( lcm % n1 == 0 && lcm % n2 == 0 ) {

System.out.printf("The LCM of %d and %d is %d.", n1, n2, lcm);

break;

++lcm;

ANSWER:
public class Main {

public static void main(String[] args) {


int n1 = 72, n2 = 120, lcm;

// maximum number between n1 and n2 is stored in lcm

lcm = (n1 > n2) ? n1 : n2;

// Always true

while(true) {

if( lcm % n1 == 0 && lcm % n2 == 0 ) {

System.out.printf("The LCM of %d and %d is %d.", n1, n2, lcm);

break;

++lcm;

QUESTION 7: Program to Make a Simple Calculator

PYTHON:
# This function adds two numbers

def add(x, y):

return x + y
# This function subtracts two numbers

def subtract(x, y):

return x - y

# This function multiplies two numbers

def multiply(x, y):

return x * y

# This function divides two numbers

def divide(x, y):

return x / y

print("Select operation.")

print("1.Add")

print("2.Subtract")

print("3.Multiply")

print("4.Divide")

while True:

# take input from the user

choice = input("Enter choice(1/2/3/4): ")

# check if choice is one of the four options

if choice in ('1', '2', '3', '4'):


try:

num1 = float(input("Enter first number: "))

num2 = float(input("Enter second number: "))

except ValueError:

print("Invalid input. Please enter a number.")

continue

if choice == '1':

print(num1, "+", num2, "=", add(num1, num2))

elif choice == '2':

print(num1, "-", num2, "=", subtract(num1, num2))

elif choice == '3':

print(num1, "*", num2, "=", multiply(num1, num2))

elif choice == '4':

print(num1, "/", num2, "=", divide(num1, num2))

# check if user wants another calculation

# break the while loop if answer is no

next_calculation = input("Let's do next calculation? (yes/no): ")

if next_calculation == "no":

break

else:
print("Invalid Input")

ANSWER:
# This function adds two numbers

def add(x, y):

return x + y

# This function subtracts two numbers

def subtract(x, y):

return x - y

# This function multiplies two numbers

def multiply(x, y):

return x * y

# This function divides two numbers

def divide(x, y):

return x / y

print("Select operation.")

print("1.Add")

print("2.Subtract")

print("3.Multiply")

print("4.Divide")
while True:

# take input from the user

choice = input("Enter choice(1/2/3/4): ")

# check if choice is one of the four options

if choice in ('1', '2', '3', '4'):

try:

num1 = float(input("Enter first number: "))

num2 = float(input("Enter second number: "))

except ValueError:

print("Invalid input. Please enter a number.")

continue

if choice == '1':

print(num1, "+", num2, "=", add(num1, num2))

elif choice == '2':

print(num1, "-", num2, "=", subtract(num1, num2))

elif choice == '3':

print(num1, "*", num2, "=", multiply(num1, num2))

elif choice == '4':

print(num1, "/", num2, "=", divide(num1, num2))


# check if user wants another calculation

# break the while loop if answer is no

next_calculation = input("Let's do next calculation? (yes/no): ")

if next_calculation == "no":

break

else:

print("Invalid Input")

C:
#include <stdio.h>

int main() {

char op;

double first, second;

printf("Enter an operator (+, -, *, /): ");

scanf("%c", &op);

printf("Enter two operands: ");

scanf("%lf %lf", &first, &second);

switch (op) {

case '+':

printf("%.1lf + %.1lf = %.1lf", first, second, first + second);

break;

case '-':
printf("%.1lf - %.1lf = %.1lf", first, second, first - second);

break;

case '*':

printf("%.1lf * %.1lf = %.1lf", first, second, first * second);

break;

case '/':

printf("%.1lf / %.1lf = %.1lf", first, second, first / second);

break;

// operator doesn't match any case constant

default:

printf("Error! operator is not correct");

return 0;

ANSWER:
#include <stdio.h>

int main() {

char op;

double first, second;

printf("Enter an operator (+, -, *, /): ");

scanf("%c", &op);

printf("Enter two operands: ");


scanf("%lf %lf", &first, &second);

switch (op) {

case '+':

printf("%.1lf + %.1lf = %.1lf", first, second, first + second);

break;

case '-':

printf("%.1lf - %.1lf = %.1lf", first, second, first - second);

break;

case '*':

printf("%.1lf * %.1lf = %.1lf", first, second, first * second);

break;

case '/':

printf("%.1lf / %.1lf = %.1lf", first, second, first / second);

break;

// operator doesn't match any case constant

default:

printf("Error! operator is not correct");

return 0;

JAVA:
import java.util.Scanner;
class Main {

public static void main(String[] args) {

char operator;

Double number1, number2, result;

// create an object of Scanner class

Scanner input = new Scanner(System.in);

// ask users to enter operator

System.out.println("Choose an operator: +, -, *, or /");

operator = input.next().charAt(0);

// ask users to enter numbers

System.out.println("Enter first number");

number1 = input.nextDouble();

System.out.println("Enter second number");

number2 = input.nextDouble();

switch (operator) {

// performs addition between numbers

case '+':

result = number1 + number2;


System.out.println(number1 + " + " + number2 + " = " + result);

break;

// performs subtraction between numbers

case '-':

result = number1 - number2;

System.out.println(number1 + " - " + number2 + " = " + result);

break;

// performs multiplication between numbers

case '*':

result = number1 * number2;

System.out.println(number1 + " * " + number2 + " = " + result);

break;

// performs division between numbers

case '/':

result = number1 / number2;

System.out.println(number1 + " / " + number2 + " = " + result);

break;

default:

System.out.println("Invalid operator!");

break;

}
input.close();

ANSWER:
import java.util.Scanner;

class Main {

public static void main(String[] args) {

char operator;

Double number1, number2, result;

// create an object of Scanner class

Scanner input = new Scanner(System.in);

// ask users to enter operator

System.out.println("Choose an operator: +, -, *, or /");

operator = input.next().charAt(0);

// ask users to enter numbers

System.out.println("Enter first number");

number1 = input.nextDouble();

System.out.println("Enter second number");


number2 = input.nextDouble();

switch (operator) {

// performs addition between numbers

case '+':

result = number1 + number2;

System.out.println(number1 + " + " + number2 + " = " + result);

break;

// performs subtraction between numbers

case '-':

result = number1 - number2;

System.out.println(number1 + " - " + number2 + " = " + result);

break;

// performs multiplication between numbers

case '*':

result = number1 * number2;

System.out.println(number1 + " * " + number2 + " = " + result);

break;

// performs division between numbers

case '/':

result = number1 / number2;


System.out.println(number1 + " / " + number2 + " = " + result);

break;

default:

System.out.println("Invalid operator!");

break;

input.close();

QUESTION 8: Program to Display Calendar

PYTHON:
# Program to display calendar of the given month and year

# importing calendar module

import calendar

yy = 2014 # year

mm = 11 # month

# To take month and year input from the user

# yy = int(input("Enter year: "))

# mm = int(input("Enter month: "))


# display the calendar

print(calendar.month(yy, mm))

ANSWER:
# Program to display calendar of the given month and year

# importing calendar module

import calendar

yy = 2014 # year

mm = 11 # month

# To take month and year input from the user

# yy = int(input("Enter year: "))

# mm = int(input("Enter month: "))

# display the calendar

print(calendar.month(yy, mm))

C:
#include<stdio.h>

#define TRUE 1

#define FALSE 0

int days_in_month[]={0,31,28,31,30,31,30,31,31,30,31,30,31};
char *months[]=

" ",

"\n\n\nJanuary",

"\n\n\nFebruary",

"\n\n\nMarch",

"\n\n\nApril",

"\n\n\nMay",

"\n\n\nJune",

"\n\n\nJuly",

"\n\n\nAugust",

"\n\n\nSeptember",

"\n\n\nOctober",

"\n\n\nNovember",

"\n\n\nDecember"

};

int inputyear(void)

int year;

printf("Please enter a year (example: 1999) : ");

scanf("%d", &year);

return year;
}

int determinedaycode(int year)

int daycode;

int d1, d2, d3;

d1 = (year - 1.)/ 4.0;

d2 = (year - 1.)/ 100.;

d3 = (year - 1.)/ 400.;

daycode = (year + d1 - d2 + d3) %7;

return daycode;

int determineleapyear(int year)

if(year% 4 == FALSE && year%100 != FALSE || year%400 == FALSE)

days_in_month[2] = 29;

return TRUE;

else

days_in_month[2] = 28;
return FALSE;

void calendar(int year, int daycode)

int month, day;

for ( month = 1; month <= 12; month++ )

printf("%s", months[month]);

printf("\n\nSun Mon Tue Wed Thu Fri Sat\n" );

// Correct the position for the first date

for ( day = 1; day <= 1 + daycode * 5; day++ )

printf(" ");

// Print all the dates for one month

for ( day = 1; day <= days_in_month[month]; day++ )

printf("%2d", day );

// Is day before Sat? Else start next line Sun.

if ( ( day + daycode ) % 7 > 0 )


printf(" " );

else

printf("\n " );

// Set position for next month

daycode = ( daycode + days_in_month[month] ) % 7;

int main(void)

int year, daycode, leapyear;

year = inputyear();

daycode = determinedaycode(year);

determineleapyear(year);

calendar(year, daycode);

printf("\n");

ANSWER:
#include<stdio.h>

#define TRUE 1

#define FALSE 0
int days_in_month[]={0,31,28,31,30,31,30,31,31,30,31,30,31};

char *months[]=

" ",

"\n\n\nJanuary",

"\n\n\nFebruary",

"\n\n\nMarch",

"\n\n\nApril",

"\n\n\nMay",

"\n\n\nJune",

"\n\n\nJuly",

"\n\n\nAugust",

"\n\n\nSeptember",

"\n\n\nOctober",

"\n\n\nNovember",

"\n\n\nDecember"

};

int inputyear(void)

int year;

printf("Please enter a year (example: 1999) : ");

scanf("%d", &year);
return year;

int determinedaycode(int year)

int daycode;

int d1, d2, d3;

d1 = (year - 1.)/ 4.0;

d2 = (year - 1.)/ 100.;

d3 = (year - 1.)/ 400.;

daycode = (year + d1 - d2 + d3) %7;

return daycode;

int determineleapyear(int year)

if(year% 4 == FALSE && year%100 != FALSE || year%400 == FALSE)

days_in_month[2] = 29;

return TRUE;

else

{
days_in_month[2] = 28;

return FALSE;

void calendar(int year, int daycode)

int month, day;

for ( month = 1; month <= 12; month++ )

printf("%s", months[month]);

printf("\n\nSun Mon Tue Wed Thu Fri Sat\n" );

// Correct the position for the first date

for ( day = 1; day <= 1 + daycode * 5; day++ )

printf(" ");

// Print all the dates for one month

for ( day = 1; day <= days_in_month[month]; day++ )

printf("%2d", day );

// Is day before Sat? Else start next line Sun.


if ( ( day + daycode ) % 7 > 0 )

printf(" " );

else

printf("\n " );

// Set position for next month

daycode = ( daycode + days_in_month[month] ) % 7;

int main(void)

int year, daycode, leapyear;

year = inputyear();

daycode = determinedaycode(year);

determineleapyear(year);

calendar(year, daycode);

printf("\n");

JAVA:
import java.util.Scanner;

public class DisplayCalendar


{

public static void main(String[] args)

//Create a new scanner

Scanner input = new Scanner(System.in);

// Prompt user to enter year

System.out.print("Enter a year: ");

int year = input.nextInt();

// Prompt user to enter first day of the year

System.out.print("Enter the weekday that the year starts: ");

int firstDayYear = input.nextInt();

// A for loop that prints out each month

for(int month = 1; month <= 12; month++)

// Set the value of the amount of days in a month

int daysMonth = 0;

// Set value of the month

String monthDisplay = "";

// Find name of each month and number of days

switch(month)
{

case 1: monthDisplay = "January";

daysMonth = 31;

break;

case 2:

monthDisplay = "February";

int leapYear = 0;

while (leapYear > -1)

// Count all years that are divisible by 4 to be a leap year.

leapYear += 4;

// If the year inputted is a leap year, the days of the month will be 29.

if (year == leapYear)

daysMonth = 29;

break;

else

daysMonth = 28;

}
break;

case 3: monthDisplay = "March";

daysMonth = 31;

break;

case 4: monthDisplay = "April";

daysMonth = 30;

break;

case 5: monthDisplay = "May";

daysMonth = 31;

break;

case 6: monthDisplay = "June";

daysMonth = 30;

break;

case 7: monthDisplay = "July";

daysMonth = 31;

break;

case 8: monthDisplay = "August";

daysMonth = 31;

break;
case 9: monthDisplay = "September";

daysMonth = 30;

break;

case 10: monthDisplay = "October";

daysMonth = 31;

break;

case 11: monthDisplay = "November";

daysMonth = 30;

break;

case 12: monthDisplay = "December";

daysMonth = 31;

break;

// If the month is not recognized, dialog box will be displayed, and then exits program.

default : System.out.print("Invalid: Your month is not recognized. ");

System.exit(0);

// Display the month and year

System.out.println(" "+ monthDisplay + " " + year);


// Display the lines

System.out.println("_____________________________________");

// Display the days of the week

System.out.println("Sun Mon Tue Wed Thu Fri Sat");

// Print spaces depending on the day the month starts.

int firstDayEachMonth = (daysMonth + firstDayYear)%7;

for (int space = 1; space <= firstDayEachMonth; space++)

System.out.print(" ");

// Print the days

for (int daysDisplay = 1; daysDisplay <= daysMonth; daysDisplay++)

if (firstDayYear%7 == 0)

System.out.println();

System.out.printf("%3d ", daysDisplay);

firstDayYear += 1;

System.out.println();

}
ANSWER:
import java.util.Scanner;

public class DisplayCalendar

public static void main(String[] args)

//Create a new scanner

Scanner input = new Scanner(System.in);

// Prompt user to enter year

System.out.print("Enter a year: ");

int year = input.nextInt();

// Prompt user to enter first day of the year

System.out.print("Enter the weekday that the year starts: ");

int firstDayYear = input.nextInt();

// A for loop that prints out each month

for(int month = 1; month <= 12; month++)

// Set the value of the amount of days in a month

int daysMonth = 0;

// Set value of the month


String monthDisplay = "";

// Find name of each month and number of days

switch(month)

case 1: monthDisplay = "January";

daysMonth = 31;

break;

case 2:

monthDisplay = "February";

int leapYear = 0;

while (leapYear > -1)

// Count all years that are divisible by 4 to be a leap year.

leapYear += 4;

// If the year inputted is a leap year, the days of the month will be 29.

if (year == leapYear)

daysMonth = 29;

break;

else
{

daysMonth = 28;

break;

case 3: monthDisplay = "March";

daysMonth = 31;

break;

case 4: monthDisplay = "April";

daysMonth = 30;

break;

case 5: monthDisplay = "May";

daysMonth = 31;

break;

case 6: monthDisplay = "June";

daysMonth = 30;

break;

case 7: monthDisplay = "July";

daysMonth = 31;

break;
case 8: monthDisplay = "August";

daysMonth = 31;

break;

case 9: monthDisplay = "September";

daysMonth = 30;

break;

case 10: monthDisplay = "October";

daysMonth = 31;

break;

case 11: monthDisplay = "November";

daysMonth = 30;

break;

case 12: monthDisplay = "December";

daysMonth = 31;

break;

// If the month is not recognized, dialog box will be displayed, and then exits program.

default : System.out.print("Invalid: Your month is not recognized. ");

System.exit(0);
}

// Display the month and year

System.out.println(" "+ monthDisplay + " " + year);

// Display the lines

System.out.println("_____________________________________");

// Display the days of the week

System.out.println("Sun Mon Tue Wed Thu Fri Sat");

// Print spaces depending on the day the month starts.

int firstDayEachMonth = (daysMonth + firstDayYear)%7;

for (int space = 1; space <= firstDayEachMonth; space++)

System.out.print(" ");

// Print the days

for (int daysDisplay = 1; daysDisplay <= daysMonth; daysDisplay++)

if (firstDayYear%7 == 0)

System.out.println();

System.out.printf("%3d ", daysDisplay);

firstDayYear += 1;

System.out.println();
}

QUESTION 9: Program to Multiply Two Matrices

PYTHON:
# Program to multiply two matrices using nested loops

# 3x3 matrix

X = [[12,7,3],

[4 ,5,6],

[7 ,8,9]]

# 3x4 matrix

Y = [[5,8,1,2],

[6,7,3,0],

[4,5,9,1]]

# result is 3x4

result = [[0,0,0,0],

[0,0,0,0],

[0,0,0,0]]
# iterate through rows of X

for i in range(len(X)):

# iterate through columns of Y

for j in range(len(Y[0])):

# iterate through rows of Y

for k in range(len(Y)):

result[i][j] += X[i][k] * Y[k][j]

for r in result:

print(r)

ANSWER:
# Program to multiply two matrices using nested loops

# 3x3 matrix

X = [[12,7,3],

[4 ,5,6],

[7 ,8,9]]

# 3x4 matrix

Y = [[5,8,1,2],

[6,7,3,0],

[4,5,9,1]]

# result is 3x4

result = [[0,0,0,0],

[0,0,0,0],

[0,0,0,0]]
# iterate through rows of X

for i in range(len(X)):

# iterate through columns of Y

for j in range(len(Y[0])):

# iterate through rows of Y

for k in range(len(Y)):

result[i][j] += X[i][k] * Y[k][j]

for r in result:

print(r)

C:
#include <stdio.h>

// function to get matrix elements entered by the user

void getMatrixElements(int matrix[][10], int row, int column) {

printf("\nEnter elements: \n");

for (int i = 0; i < row; ++i) {

for (int j = 0; j < column; ++j) {

printf("Enter a%d%d: ", i + 1, j + 1);

scanf("%d", &matrix[i][j]);

}
}

// function to multiply two matrices

void multiplyMatrices(int first[][10],

int second[][10],

int result[][10],

int r1, int c1, int r2, int c2) {

// Initializing elements of matrix mult to 0.

for (int i = 0; i < r1; ++i) {

for (int j = 0; j < c2; ++j) {

result[i][j] = 0;

// Multiplying first and second matrices and storing it in result

for (int i = 0; i < r1; ++i) {

for (int j = 0; j < c2; ++j) {

for (int k = 0; k < c1; ++k) {

result[i][j] += first[i][k] * second[k][j];

}
// function to display the matrix

void display(int result[][10], int row, int column) {

printf("\nOutput Matrix:\n");

for (int i = 0; i < row; ++i) {

for (int j = 0; j < column; ++j) {

printf("%d ", result[i][j]);

if (j == column - 1)

printf("\n");

int main() {

int first[10][10], second[10][10], result[10][10], r1, c1, r2, c2;

printf("Enter rows and column for the first matrix: ");

scanf("%d %d", &r1, &c1);

printf("Enter rows and column for the second matrix: ");

scanf("%d %d", &r2, &c2);

// Taking input until

// 1st matrix columns is not equal to 2nd matrix row

while (c1 != r2) {

printf("Error! Enter rows and columns again.\n");


printf("Enter rows and columns for the first matrix: ");

scanf("%d%d", &r1, &c1);

printf("Enter rows and columns for the second matrix: ");

scanf("%d%d", &r2, &c2);

// get elements of the first matrix

getMatrixElements(first, r1, c1);

// get elements of the second matrix

getMatrixElements(second, r2, c2);

// multiply two matrices.

multiplyMatrices(first, second, result, r1, c1, r2, c2);

// display the result

display(result, r1, c2);

return 0;

ANSWER:
#include <stdio.h>

// function to get matrix elements entered by the user

void getMatrixElements(int matrix[][10], int row, int column) {


printf("\nEnter elements: \n");

for (int i = 0; i < row; ++i) {

for (int j = 0; j < column; ++j) {

printf("Enter a%d%d: ", i + 1, j + 1);

scanf("%d", &matrix[i][j]);

// function to multiply two matrices

void multiplyMatrices(int first[][10],

int second[][10],

int result[][10],

int r1, int c1, int r2, int c2) {

// Initializing elements of matrix mult to 0.

for (int i = 0; i < r1; ++i) {

for (int j = 0; j < c2; ++j) {

result[i][j] = 0;

// Multiplying first and second matrices and storing it in result


for (int i = 0; i < r1; ++i) {

for (int j = 0; j < c2; ++j) {

for (int k = 0; k < c1; ++k) {

result[i][j] += first[i][k] * second[k][j];

// function to display the matrix

void display(int result[][10], int row, int column) {

printf("\nOutput Matrix:\n");

for (int i = 0; i < row; ++i) {

for (int j = 0; j < column; ++j) {

printf("%d ", result[i][j]);

if (j == column - 1)

printf("\n");

int main() {

int first[10][10], second[10][10], result[10][10], r1, c1, r2, c2;

printf("Enter rows and column for the first matrix: ");


scanf("%d %d", &r1, &c1);

printf("Enter rows and column for the second matrix: ");

scanf("%d %d", &r2, &c2);

// Taking input until

// 1st matrix columns is not equal to 2nd matrix row

while (c1 != r2) {

printf("Error! Enter rows and columns again.\n");

printf("Enter rows and columns for the first matrix: ");

scanf("%d%d", &r1, &c1);

printf("Enter rows and columns for the second matrix: ");

scanf("%d%d", &r2, &c2);

// get elements of the first matrix

getMatrixElements(first, r1, c1);

// get elements of the second matrix

getMatrixElements(second, r2, c2);

// multiply two matrices.

multiplyMatrices(first, second, result, r1, c1, r2, c2);

// display the result

display(result, r1, c2);


return 0;

JAVA:
public class MultiplyMatrices {

public static void main(String[] args) {

int r1 = 2, c1 = 3;

int r2 = 3, c2 = 2;

int[][] firstMatrix = { {3, -2, 5}, {3, 0, 4} };

int[][] secondMatrix = { {2, 3}, {-9, 0}, {0, 4} };

// Mutliplying Two matrices

int[][] product = new int[r1][c2];

for(int i = 0; i < r1; i++) {

for (int j = 0; j < c2; j++) {

for (int k = 0; k < c1; k++) {

product[i][j] += firstMatrix[i][k] * secondMatrix[k][j];

// Displaying the result

System.out.println("Multiplication of two matrices is: ");

for(int[] row : product) {


for (int column : row) {

System.out.print(column + " ");

System.out.println();

ANSWER:
public class MultiplyMatrices {

public static void main(String[] args) {

int r1 = 2, c1 = 3;

int r2 = 3, c2 = 2;

int[][] firstMatrix = { {3, -2, 5}, {3, 0, 4} };

int[][] secondMatrix = { {2, 3}, {-9, 0}, {0, 4} };

// Mutliplying Two matrices

int[][] product = new int[r1][c2];

for(int i = 0; i < r1; i++) {

for (int j = 0; j < c2; j++) {

for (int k = 0; k < c1; k++) {

product[i][j] += firstMatrix[i][k] * secondMatrix[k][j];

}
// Displaying the result

System.out.println("Multiplication of two matrices is: ");

for(int[] row : product) {

for (int column : row) {

System.out.print(column + " ");

System.out.println();

QUESTION 10: Program to Check Whether a String is Palindrome or


Not

PYTHON:
# Program to check if a string is palindrome or not

my_str = 'aIbohPhoBiA'

# make it suitable for caseless comparison

my_str = my_str.casefold()

# reverse the string

rev_str = reversed(my_str)
# check if the string is equal to its reverse

if list(my_str) == list(rev_str):

print("The string is a palindrome.")

else:

print("The string is not a palindrome.")

ANSWER:
# Program to check if a string is palindrome or not

my_str = 'aIbohPhoBiA'

# make it suitable for caseless comparison

my_str = my_str.casefold()

# reverse the string

rev_str = reversed(my_str)

# check if the string is equal to its reverse

if list(my_str) == list(rev_str):

print("The string is a palindrome.")

else:

print("The string is not a palindrome.")

C:
#include <stdio.h>

int main() {

int n, reversed = 0, remainder, original;


printf("Enter an integer: ");

scanf("%d", &n);

original = n;

// reversed integer is stored in reversed variable

while (n != 0) {

remainder = n % 10;

reversed = reversed * 10 + remainder;

n /= 10;

// palindrome if orignal and reversed are equal

if (original == reversed)

printf("%d is a palindrome.", original);

else

printf("%d is not a palindrome.", original);

return 0;

ANSWER:
#include <stdio.h>

int main() {

int n, reversed = 0, remainder, original;

printf("Enter an integer: ");

scanf("%d", &n);
original = n;

// reversed integer is stored in reversed variable

while (n != 0) {

remainder = n % 10;

reversed = reversed * 10 + remainder;

n /= 10;

// palindrome if orignal and reversed are equal

if (original == reversed)

printf("%d is a palindrome.", original);

else

printf("%d is not a palindrome.", original);

return 0;

JAVA:
class Main {

public static void main(String[] args) {

String str = "Radar", reverseStr = "";

int strLength = str.length();


for (int i = (strLength - 1); i >=0; --i) {

reverseStr = reverseStr + str.charAt(i);

if (str.toLowerCase().equals(reverseStr.toLowerCase())) {

System.out.println(str + " is a Palindrome String.");

else {

System.out.println(str + " is not a Palindrome String.");

ANSWER:
class Main {

public static void main(String[] args) {

String str = "Radar", reverseStr = "";

int strLength = str.length();

for (int i = (strLength - 1); i >=0; --i) {

reverseStr = reverseStr + str.charAt(i);

}
if (str.toLowerCase().equals(reverseStr.toLowerCase())) {

System.out.println(str + " is a Palindrome String.");

else {

System.out.println(str + " is not a Palindrome String.");

You might also like