0% found this document useful (0 votes)
1K views

Oop Java Codes Summary

The document provides 12 programming exercises related to object-oriented programming in Java. The exercises cover topics like: 1. Creating simple text-based Java applications and classes 2. Writing Java applets 3. Programming with basic math operators, input/output, and formatting output 4. Using conditionals and logical operators 5. Using loops to iterate through values 6. Accepting user input and performing calculations on numbers The exercises include sample code solutions for each problem to demonstrate concepts like defining classes, using methods, accepting user input, performing calculations, conditional logic, and looping. Overall, the exercises provide examples of basic Java programming skills through practical problems.

Uploaded by

Sahil Khan
Copyright
© Attribution Non-Commercial (BY-NC)
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
1K views

Oop Java Codes Summary

The document provides 12 programming exercises related to object-oriented programming in Java. The exercises cover topics like: 1. Creating simple text-based Java applications and classes 2. Writing Java applets 3. Programming with basic math operators, input/output, and formatting output 4. Using conditionals and logical operators 5. Using loops to iterate through values 6. Accepting user input and performing calculations on numbers The exercises include sample code solutions for each problem to demonstrate concepts like defining classes, using methods, accepting user input, performing calculations, conditional logic, and looping. Overall, the exercises provide examples of basic Java programming skills through practical problems.

Uploaded by

Sahil Khan
Copyright
© Attribution Non-Commercial (BY-NC)
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 20

OBJECTORIENTEDPROGRAMMINGINJAVAEXERCISES

CHAPTER1
1. WriteTextBasedApplicationusingObjectOrientedApproachtodisplayyourname.
// filename: Name.java // Class containing display() method, notice the class doesnt have a main() method

public class Name { public void display() { System.out.println("Mohamed Faisal"); } }


// filename: DisplayName.java // place in same folder as the Name.java file // Class containing the main() method

public class DisplayName { public static void main(String[] args) { Name myname = new Name(); // creating a new object of Name class myname.display(); // executing the display() method in the Name class } }

2. WriteajavaApplettodisplayyourage.
// filename: DisplayNameApplet.java

import java.applet.Applet; // import necessary libraries for an applet import java.awt.Graphics; public class DisplayNameApplet extends Applet { public void paint(Graphics g) { g.drawString("Mohamed Faisal", 50, 25); } }
// filename: DisplayNameApplet.htm // place in same folder as the compiled DisplayNameApplet.class file

<HTML> <HEAD> <TITLE> Displaying my Name </TITLE> </HEAD> <BODY> <APPLET CODE="DisplayNameApplet.class" WIDTH=150 HEIGHT=25></APPLET> </BODY> </HTML>

CHAPTER2
3. Writeaprogramthatcalculatesandprintstheproductofthreeintegers.
// filename: Q1.java

import java.util.Scanner; // import Scanner libraries for input public class Q1 { public static void main(String[] args) { Scanner input = new Scanner (System.in); int number1; int number2; int number3; System.out.println("Enter the First Number");
www.oumstudents.tk

number1 = input.nextInt(); System.out.println("Enter the Second Number"); number2 = input.nextInt(); System.out.println("Enter the Third Number"); number3 = input.nextInt(); System.out.printf("The product of three number is %d:", number1 * number2 * number3); } }

4. WriteaprogramthatconvertsaFahrenheitdegreetoCelsiususingtheformula:
// filename: Q2.java

import java.util.*; public class Q2 { public static void main(String[] args) { Scanner input = new Scanner(System.in); double celsius; double tempInFahrenheit = 0.0; celsius = (tempInFahrenheit - 32.0) * 5.0 / 9.0; System.out.println("Enter the fahrenheit value"); tempInFahrenheit = input.nextDouble(); System.out.printf("The celsious value of %10.2f is %2.2f",tempInFahrenheit, celsius); } }

5. Writeanapplicationthatdisplaysthenumbers1to4onthesameline,witheachpairofadjacentnumbers separatedbyonespace.Writetheapplicationusingthefollowingtechniques: a. UseoneSystem.out.printlnstatement. b. UsefourSystem.out.printstatements. c. UseoneSystem.out.printfstatement.


// filename: Printing.java

public class Printing { public static void main(String[] args) { int num1 = 1; int num2 = 2; int num3 = 3; int num4 = 4; System.out.println(num1 + " " + num2 + " " + num3 + " " + num4); System.out.print(num1 + " " + num2 + " " + num3 + " " + num4); System.out.printf("\n%d %d %d %d",num1,num2,num3,num4); } }

www.oumstudents.tk

6. Writeanapplicationthataskstheusertoentertwointegers,obtainsthemfromtheuserandprintstheirsum, product,differenceandquotient(division).
// File: NumberCalc1.java

import java.util.Scanner; public class NumberCalc1 {

// include scanner utility for accepting keyboard input // begin class

public static void main(String[] args) { // begin the main method Scanner input=new Scanner (System.in); //create a new Scanner object to use int num1=0, num2=0; // initialize variables System.out.printf("NUMBER CALCULATIONS\n\n"); System.out.printf("Enter First Number:\t "); num1=input.nextInt(); // store next integer in num1 System.out.printf("Enter Second Number:\t "); num2=input.nextInt(); // store next integer in num2
// display the sum, product, difference and quotient of the two numbers

System.out.printf("---------------------------\n"); System.out.printf("\tSum =\t\t %d\n", num1+num2); System.out.printf("\tProduct =\t %d\n", num1*num2); System.out.printf("\tDifference =\t %d\n", num1-num2); System.out.printf("\tQuotient =\t %d\n", num1/num2); } }

CHAPTER3
7. Writeanapplicationthataskstheusertoentertwointegers,obtainsthemfromtheuseranddisplaysthelarger numberfollowedbythewordsislarger.Ifthenumbersareequal,printThesenumbersareequal
// File: Question1.java // Author: Abdulla Faris

import java.util.Scanner; public class Question1 {

// include scanner utility for accepting keyboard input

// begin class

public static void main(String[] args) { // begin the main method Scanner input=new Scanner (System.in); //create a new Scanner object to use (system.in for Keyboard
inputs)

int num1=0, num2=0, bigger=0;

// initialize variables

System.out.printf("Enter First Number: "); num1=input.nextInt(); // store next integer in num1 System.out.printf("Enter Second Number: "); num2=input.nextInt(); // store next integer in num2 if (num1>num2){ // checks which number is larger bigger=num1; System.out.printf("%d Is Larger", bigger); } else if (num1<num2) { bigger=num2; System.out.printf("%d Is Larger", bigger); } else { //if both numbers are equal System.out.printf("The numbers are equal"); } } }
www.oumstudents.tk

8. Writeanapplicationthatinputsthreeintegersfromtheuseranddisplaysthesum,average,product,smallest andlargestofthenumbers.
// File: Question2.java // Author: Abdulla Faris

import java.util.Scanner;

// include scanner utility for accepting keyboard input

public class Question2 { // begin class public static void main(String[] args) { // begin the main method Scanner input=new Scanner (System.in); //create a new Scanner object to use int num1=0, num2=0, num3, bigger=0, smaller=0; // initialize variables System.out.printf("NUMBER CALCULATIONS\n\n"); System.out.printf("Enter First Number:\t\t "); num1=input.nextInt(); // store next integer in num1 System.out.printf("Enter Second Number:\t "); num2=input.nextInt(); // store next integer in num2 System.out.printf("Enter Third Number:\t "); num3=input.nextInt(); // store next integer in num3 bigger=num1>num2?num1:num2; // checks the biggest number in and assigns it to bigger variable bigger=bigger>num3?bigger:num3; smaller=num1<num2?num1:num2; // checks the smallest number in and assigns it to smaller variable smaller=smaller<num3?smaller:num3;
// display the sum, average, product, smallest and the biggest of all three numbers

System.out.printf("\t-------------------------\n"); System.out.printf("\t\t\tSum =\t\t %d\n", num1+num2+num3); System.out.printf("\t\t\tAverage =\t %d\n", (num1+num2+num3)/3); System.out.printf("\t\t\tProduct =\t %d\n", num1*num2*num3); System.out.printf("\t\t\tBiggest =\t %d\n", bigger); System.out.printf("\t\t\tSmallest =\t %d\n", smaller); } }

9. Writeanapplicationthatreadstwointegers,determineswhetherthefirstisamultipleofthesecondandprint theresult.[HintUsetheremainderoperator.]
// File: Question3.java // Author: Abdulla Faris

import java.util.Scanner;

// include scanner utility for accepting keyboard input

public class Question3 { // begin class public static void main(String[] args) { // begin the main method Scanner input=new Scanner (System.in); //create a new Scanner object to use int num1=0, num2=0,k; // initialize variables System.out.printf("Enter First Number: "); num1=input.nextInt(); // store next integer in num1 System.out.printf("Enter Second Number: "); num2=input.nextInt(); // store next integer in num2 k=num2%num1;
// assign the remainder ofnum2 divided by num1 to the integer k

if (k==0){ // check if k is 0. remainder k will be 0 if num1 is a multiple of num2, System.out.printf("%d is a multiple of %d", num1,num2); } else { System.out.printf("%d is not a multiple of %d", num1,num2); } } }
www.oumstudents.tk

10. Theprocessoffindingthelargestvalue(i.e.,themaximumofagroupofvalues)isusedfrequentlyincomputer applications.Forexample,aprogramthatdeterminesthewinnerofasalescontestwouldinputthenumberof unitssoldbyeachsalesperson.Thesalespersonwhosellsthemostunitswinsthecontest.WriteaJava applicationthatinputsaseriesof10integersanddeterminesandprintsthelargestinteger.Yourprogramshould useatleastthefollowingthreevariables: a. counter:Acountertocountto10(i.e.,tokeeptrackofhowmanynumbershavebeeninputandto determinewhenall10numbershavebeenprocessed). b. number:Theintegermostrecentlyinputbytheuser. c. largest:Thelargestnumberfoundsofar.
// File: Question4.java // Author: Abdulla Faris

import java.util.Scanner; public class Question4 {

// include scanner utility for accepting keyboard input // begin class

public static void main(String[] args) { // begin the main method Scanner input=new Scanner (System.in); //create a new Scanner object to use int counter=0, number=0, largest=0; // initialize variables for (counter=0; counter<10;counter++){ // loop ten times from 0 to 9 System.out.printf("Enter Number [%d]: ", counter+1); number=input.nextInt(); // store next integer in number largest=largest>number?largest:number; // check if new number is larger, if so assign it to larger } System.out.printf("Largest = %d", largest); } }
// display the largest value

11. WriteaJavaapplicationthatusesloopingtoprintthefollowingtableofvalues:

// File: Question5.java // Author: Abdulla Faris

public class Question5 {

// begin class

public static void main(String[] args) { // begin the main method int counter=1; // initialize variables System.out.printf("N\t10*N\t100*N\t1000*N\n\n", counter, counter*10, counter*100, counter*1000); // display header for (counter=1; counter<=5;counter++){ // loop five times, 1 to 5 System.out.printf("%d\t%d\t%d\t%d\n", counter, counter*10, counter*100, counter*1000); // display the table of values } } }

12. WriteacompleteJavaapplicationtoprompttheuserforthedoubleradiusofasphere,andcallmethod sphereVolumetocalculateanddisplaythevolumeofthesphere.Usethefollowingstatementtocalculatethe volume:


// File: Question6.java // Author: Abdulla Faris

import java.util.Scanner;

// include scanner utility for accepting keyboard input

www.oumstudents.tk

public class Question6 { public static double sphereVolume(double radius) { // begin sphereVolume method return (4.0/3.0)* Math.PI * Math.pow (radius,3); // return the volume after calculation } public static void main(String[] args) { // begin the main method Scanner input=new Scanner (System.in); //create a new Scanner object to use double radius=0.0, volume=0.0; // initialize variables System.out.printf("Enter Radius: "); radius=input.nextInt();// store next integer in radius
// display the Volume by calling the sphereVolume method

System.out.printf("Volume = %.3f", sphereVolume(radius)); } }

CHAPTER4
13. Writestatementsthatperformthefollowingonedimensionalarrayoperations: d. Setthe10elementsofintegerarraycountstozero. e. Addonetoeachofthe15elementsofintegerarraybonus. f. DisplaythefivevaluesofintegerarraybestScoresincolumnformat.
// File: Question1.java // Author: Abdulla Faris

public class Question1 {

// begin class // begin the main method

public static void main(String args[]) {


// part a

int array[]={0,0,0,0,0,0,0,0,0,0};
// part b

// declaring and setting 10 elements in the array with zero

int bonus[]; bonus=new int[15];

// declaring array bonus with 15 elements // adding 1 to each element

for(int i=0;i<15;i++){ bonus[i]+=1; }


// part c

int bestScores[]={10,20,30,40,50}; // declaring the array bestScores of 5 elements for (int j=0;j<5;j++){ System.out.printf("%d\t", bestScores[j]); // displaying them in a column format } } }

14. WriteaJavaprogramthatreadsastringfromthekeyboard,andoutputsthestringtwiceinarow,firstall uppercaseandnextalllowercase.If,forinstance,thestringHello"isgiven,theoutputwillbeHELLOhello"


// File: Question2.java // Author: Abdulla Faris

import java.util.Scanner; // include scanner utility for accepting input public class Question2 {
// begin class

public static void main(String[] args) {// begin the main method Scanner input=new Scanner(System.in); //create a new Scanner object to use

www.oumstudents.tk

String str; //declaring a string variable str System.out.printf("Enter String: "); str=input.nextLine();// store next line in str
// display the same string in both uppercase and lowercase

System.out.printf("%s%s",str.toUpperCase(),str.toLowerCase()); } }

15. WriteaJavaapplicationthatallowstheusertoenterupto20integergradesintoanarray.Stoptheloopby typingin1.YourmainmethodshouldcallanAveragemethodthatreturnstheaverageofthegrades.Usethe DecimalFormatclasstoformattheaverageto2decimalplaces.


// File: Question3.java // Author: Abdulla Faris

import java.util.Scanner; // include scanner utility for accepting input public class Question3 {// begin class public static double Average(int grades[], int max ) {// begin Average method int sum=0; // initialize variables double average=0.0; for (int i=1;i<max;i++){ sum+=grades[i]; average=sum/(i); }
// loop and calculate the Average

return average; // return the average after calculation } public static void main(String[] args) {// begin the main method Scanner input=new Scanner(System.in); //create a new Scanner object to use int i, grades[]; // initialize variables grades=new int[20]; for (i=0;i<20;i++){ // start to loop 20 times System.out.printf("Enter Grade: "); grades[i]=input.nextInt();// store next integer in grades[i] if (grades[i]==-1) break; } System.out.printf("%.2f", Average(grades, i-1)); } }

CHAPTER5
16. ModifyclassAccount(intheexample)toprovideamethodcalleddebitthatwithdrawsmoneyfromanAccount. EnsurethatthedebitamountdoesnotexceedtheAccountsbalance.Ifitdoes,thebalanceshouldbeleft unchangedandthemethodshouldprintamessageindicatingDebitamountexceededaccountbalance. ModifyclassAccountTest(intheexample)totestmethoddebit.
//filename: Account.java // Accout class

public class Account { private double balance; public Account(double initialBalance) {


www.oumstudents.tk

if (initialBalance > 0.0) balance=initialBalance; } public void credit(double amount){ balance=balance+amount; } public void debit(double amount){ balance=balance-amount; } public double getBalance(){ return balance; } }

//filename: AccountTest.java // Accout testing class with the main() method

import java.util.Scanner; public class AccountTest { public static void main (String args[]){ Account account1 = new Account (50.00); Account account2 = new Account (-7.53); System.out.printf("Account1 Balance: $%.2f\n", account1.getBalance()); System.out.printf("Account2 Balance: $%.2f\n\n", account2.getBalance()); Scanner input = new Scanner( System.in ); double depositAmount; double debitAmount; System.out.print( "Enter deposit amount for account1: " ); // prompt depositAmount = input.nextDouble(); // obtain user input System.out.printf( "\nadding %.2f to account1 balance\n\n", depositAmount ); account1.credit( depositAmount ); // add to account1 balance
// display balances

System.out.printf( "Account1 balance: $%.2f\n", account1.getBalance() ); System.out.printf( "Account2 balance: $%.2f\n\n", account2.getBalance() ); System.out.print( "Enter deposit amount for account2: " ); // prompt depositAmount = input.nextDouble(); // obtain user input System.out.printf( "\nAdding %.2f to account2 balance\n\n", depositAmount ); account2.credit( depositAmount ); // add to account2 balance
// display balances

System.out.printf( "Account1 balance: $%.2f\n", account1.getBalance() ); System.out.printf( "Account2 balance: $%.2f\n", account2.getBalance() ); System.out.print( "Enter debit amount for account1: " ); debitAmount = input.nextDouble(); System.out.printf( "\nSubtracting %.2f from account1 balance\n\n", debitAmount ); if (account1.getBalance()>=debitAmount) { account1.debit( debitAmount ); System.out.printf( "Account1 balance: $%.2f\n", account1.getBalance() ); System.out.printf( "Account2 balance: $%.2f\n\n", account2.getBalance() ); } else { System.out.printf("!!! Debit amount exceeded account balance!!!\n\n"); }

www.oumstudents.tk

// display balances

System.out.print( "Enter debit amount for account2: " ); debitAmount = input.nextDouble(); System.out.printf( "\nSubtracting %.2f from account2 balance\n\n", debitAmount ); if (account1.getBalance()>=debitAmount) { account1.debit( debitAmount ); System.out.printf( "Account1 balance: $%.2f\n", account1.getBalance() ); System.out.printf( "Account2 balance: $%.2f\n\n", account2.getBalance() ); } else { System.out.printf("!!!Debit amount exceeded account balance!!!\n\n"); } } }

17. CreateaclasscalledInvoicethatahardwarestoremightusetorepresentaninvoiceforanitemsoldatthestore. AnInvoiceshouldincludefourpiecesofinformationasinstancevariablesapartnumber(typeString),apart description(typeString),aquantityoftheitembeingpurchased(typeint)andapriceperitem(double).Your classshouldhaveaconstructorthatinitializesthefourinstancevariables.Provideasetandagetmethodfor eachinstancevariable.Inaddition,provideamethodnamedgetInvoiceAmountthatcalculatestheinvoice amount(i.e.,multipliesthequantitybythepriceperitem),thenreturnstheamountasadoublevalue.Ifthe quantityisnotpositive,itshouldbesetto0.Ifthepriceperitemisnotpositive,itshouldbesetto0.0.Writea testapplicationnamedInvoiceTestthatdemonstratesclassInvoicescapabilities.


//filename: Invoice.java // Invoice class

public class Invoice { private String partNumber; private String partDescription; private int quantity; private double price; public if if if if } Invoice(String pNum, String pDesc, int qty, double prc) { (pNum != null) partNumber=pNum; else partNumber="0"; (pDesc != null) partDescription=pDesc; else partDescription="0"; (qty > 0) quantity=qty; else quantity=0; (prc > 0.0) price=prc; else price=0;

public String getPartNum(){ return partNumber; } public String getPartDesc(){ return partDescription; } public int getQuantity(){ return quantity; } public double getPrice(){ return price; } public void setPartNum(String pNum){ if (pNum != null) {partNumber=pNum;} else {partNumber="0";} } public void setPartDesc(String pDesc){ if (pDesc != null) {partDescription=pDesc;} else {partDescription="0";} }
www.oumstudents.tk

public void setQuantity(int qty){ if (qty > 0) {quantity=qty;} else {quantity=0;} } public void setPrice(double prc){ if (prc > 0.0) {price=prc;} else {price=0.0;} } public double getInvoiceAmount(){ return (double)quantity*price; } }


//filename: InvoiceTest.java // Invoice testing class with the main() method

public class InvoiceTest { public static void main (String args[]){ Invoice invoice1=new Invoice ("A5544", "Big Black Book", 500, 250.00); Invoice invoice2=new Invoice ("A5542", "Big Pink Book", 300, 50.00); System.out.printf("Invoice 1: %s\t%s\t%d\t$%.2f\n", invoice1.getPartNum(), invoice1.getPartDesc(), invoice1.getQuantity(), invoice1.getPrice()); System.out.printf("Invoice 2: %s\t%s\t%d\t$%.2f\n", invoice2.getPartNum(), invoice2.getPartDesc(), invoice2.getQuantity(), invoice2.getPrice()); } }

18. CreateaclasscalledEmployeethatincludesthreepiecesofinformationasinstancevariablesafirstname (typeString),alastname(typeString)andamonthlysalary(double).Yourclassshouldhaveaconstructorthat initializesthethreeinstancevariables.Provideasetandagetmethodforeachinstancevariable.Ifthemonthly salaryisnotpositive,setitto0.0.WriteatestapplicationnamedEmployeeTestthatdemonstratesclass Employeescapabilities.CreatetwoEmployeeobjectsanddisplayeachobjectsyearlysalary.Thengiveeach Employeea10%raiseanddisplayeachEmployeesyearlysalaryagain.


//filename: Employee.java // Employee class

public class Employee { private String firstName; private String lastName; private double salary; public Employee(String fName, String lName, double sal) { if (fName != null) firstName =fName; if (lName != null) lastName = lName; if (sal > 0.0) { salary=sal; } else { salary=0.0; } }
//set methods

public String getFirstName(){ return firstName; } public String getLastName(){ return lastName; } public double getSalary(){ return salary; }

www.oumstudents.tk

//get methods

public void setFirstName(String fName){ if (fName != null) firstName = fName; } public void setLastName(String lName){ if (lName != null) lastName = lName; } public void setSalary(double sal){ if (sal > 0.0){ salary = sal; } else { salary = 0.0; } } }

//filename: EmployeeTest.java // Employee testing class with the main() method

public class EmployeeTest { public static void main (String args[]){ Employee employee1=new Employee ("Mohamed", "Ali", 20000.00); Employee employee2=new Employee ("Ahmed", "Ibrahim", 50000.00); System.out.printf("\nNO:\t NAME\t\t\tYEARLY SALARY\n"); System.out.printf("--\t ----\t\t\t-------------\n"); System.out.printf("1:\t %s %s\t\t$%.2f\n", employee1.getFirstName(), employee1.getLastName(), employee1.getSalary()); System.out.printf("2:\t %s %s\t\t$%.2f\n", employee2.getFirstName(), employee2.getLastName(), employee2.getSalary());
//set raise 10%

employee1.setSalary( (.1*employee1.getSalary())+employee1.getSalary()); employee2.setSalary( (.1*employee2.getSalary())+employee2.getSalary()); System.out.printf("\n10 Percent Salary Raised!! Yoohooooo!\n"); System.out.printf("\nNO:\t NAME\t\t\tYEARLY SALARY\n"); System.out.printf("--\t ----\t\t\t-------------\n"); System.out.printf("1:\t %s %s\t\t$%.2f\n", employee1.getFirstName(), employee1.getLastName(), employee1.getSalary()); System.out.printf("2:\t %s %s\t\t$%.2f\n", employee2.getFirstName(), employee2.getLastName(), employee2.getSalary()); } }

19. CreateaclasscalledDatethatincludesthreepiecesofinformationasinstancevariablesamonth(typeint),a day(typeint)andayear(typeint).Yourclassshouldhaveaconstructorthatinitializesthethreeinstance variablesandassumesthatthevaluesprovidedarecorrect.Provideasetandagetmethodforeachinstance variable.ProvideamethoddisplayDatethatdisplaysthemonth,dayandyearseparatedbyforwardslashes(/). WriteatestapplicationnamedDateTestthatdemonstratesclassDatescapabilities.


//filename: Date.java // Date class

public class Date { private int month; private int day; private int year; public Date(int myMonth,int myDay, int myYear) {
www.oumstudents.tk

month = myMonth; day = myDay; year = myYear; } public void setMonthDate(int myMonth) { month = myMonth; } public int getMonthDate() { return month; } public void setDayDate(int myDay) { day = myDay; } public int getDayDate() { return month; } public void setYearDate(int myYear) { year = myYear; } public int getYearDate() { return year; } public void displayDate() { System.out.printf("%d/%d/%d", month,day,year); } }

//filename: DateTest.java // Date testing class with the main() method

import java.util.*; public class DateTest { public static void main(String[] args) { Scanner input = new Scanner(System.in); Date myDate = new Date(9, 11, 1986); System.out.println("Enter The Month"); int myMonth = input.nextInt(); myDate.setMonthDate(myMonth); System.out.println("Enter the Date"); int myDay = input.nextInt(); myDate.setDayDate(myDay); System.out.println("Enter the Year"); int myYear = input.nextInt(); myDate.setYearDate(myYear); myDate.displayDate(); } }

CHAPTER6
20. CreateclassSavingsAccount.UseastaticvariableannualInterestRatetostoretheannualinterestrateforall accountholders.EachobjectoftheclasscontainsaprivateinstancevariablesavingsBalanceindicatingthe amountthesavercurrentlyhasondeposit.ProvidemethodcalculateMonthlyInteresttocalculatethemonthly
www.oumstudents.tk

interestbymultiplyingthesavingsBalancebyannualInterestRatedividedby12thisinterestshouldbeaddedto savingsBalance.ProvideastaticmethodmodifyInterestRatethatsetstheannualInterestRatetoanewvalue. WriteaprogramtotestclassSavingsAccount.InstantiatetwosavingsAccountobjects,saver1andsaver2,with balancesof$2000.00and$3000.00,respectively.SetannualInterestRateto4%,thencalculatethemonthly interestandprintthenewbalancesforbothsavers.ThensettheannualInterestRateto5%,calculatethenext monthsinterestandprintthenewbalancesforbothsavers.


//filename: SavingAccount.java // SavingAccount class

public class SavingsAccount { public static double annualInterestRate; private double savingsBalance; public SavingsAccount() { annualInterestRate = 0.0; savingsBalance = 0.0; } public SavingsAccount(double intRate, double savBal) { annualInterestRate = intRate; savingsBalance = savBal; } public double calculateMonthlyInterest() { double intRate = (savingsBalance * annualInterestRate/12); savingsBalance = savingsBalance + intRate; return intRate; } public static void modifyInterestRate(double newInteresRate) { annualInterestRate = newInteresRate; } public void setSavingsBalance(double newBal) { savingsBalance = newBal; } public double getSavingsBalance() { return savingsBalance; } public double getAnnualInterestRate() { return annualInterestRate; } }

//filename: SavingsAccountTest.java // SavingsAccount testing class with the main() method

public class SavingsAccountTest { public static void main(String[] args) { SavingsAccount saver1 = new SavingsAccount(); SavingsAccount saver2 = new SavingsAccount(); saver1.setSavingsBalance(2000.00); saver2.setSavingsBalance(3000.00); SavingsAccount.modifyInterestRate(0.04); saver1.calculateMonthlyInterest(); saver2.calculateMonthlyInterest(); System.out.printf("New Balance for Saver1=%f\n",saver1.getSavingsBalance()); System.out.printf("New Balance for Saver2=%f\n",saver2.getSavingsBalance());

www.oumstudents.tk

SavingsAccount.modifyInterestRate(0.05); saver1.calculateMonthlyInterest(); saver2.calculateMonthlyInterest(); System.out.printf("New Balance for Saver1=%f\n",saver1.getSavingsBalance()); System.out.printf("New Balance for Saver2=%f\n",saver2.getSavingsBalance()); } }

21. CreateaclasscalledBooktorepresentabook.ABookshouldincludefourpiecesofinformationasinstance variablesabookname,anISBNnumber,anauthornameandapublisher.Yourclassshouldhaveaconstructor thatinitializesthefourinstancevariables.Provideamutatormethodandaccessormethod(querymethod)for eachinstancevariable.Inaddition,provideamethodnamedgetBookInfothatreturnsthedescriptionofthe bookasaString(thedescriptionshouldincludealltheinformationaboutthebook).Youshouldusethiskeyword inmembermethodsandconstructor.WriteatestapplicationnamedBookTesttocreateanarrayofobjectfor30 elementsforclassBooktodemonstratetheclassBook'scapabilities.


//filename: Book.java // Book class

public class Book { private String Name; private String ISBN; private String Author; private String Publisher; public Book() { Name = "NULL"; ISBN = "NULL"; Author = "NULL"; Publisher = "NULL"; } public Book(String name, String isbn, String author, String publisher) { Name = name; ISBN = isbn; Author = author; Publisher = publisher; } public void setName(String Name) { this.Name = Name; } public String getName() { return Name; } public void setISBN(String ISBN) { this.ISBN = ISBN; } public String getISBN() { return ISBN; } public void setAuthor(String Author) { this.Author = Author; } public String getAuthor() { return Author; } public void setPublisher(String Publisher) { this.Publisher = Publisher; } public String getPublisher() { return Publisher; }

www.oumstudents.tk

public void getBookInfo() { System.out.printf("%s %s %s %s", Name,ISBN,Author,Publisher); } }

//filename: SavingsAccountTest.java // SavingsAccount testing class with the main() method

public class BookTest { public static void main(String[] args) {

Book test[] = new Book[13]; test[1] = new Book(); test[1].getBookInfo(); } }

CHAPTER7
22. a. CreateasuperclasscalledCar.TheCarclasshasthefollowingfieldsandmethods. intspeed; doubleregularPrice; Stringcolor; doublegetSalePrice();
//filename: Car.java //Car class

public class Car { private int speed; private double regularPrice; private String color; public Car (int Speed,double regularPrice,String color) { this.speed = Speed; this.regularPrice = regularPrice; this.color = color; }

public double getSalePrice() { return regularPrice; } }

b. CreateasubclassofCarclassandnameitasTruck.TheTruckclasshasthefollowingfieldsandmethods. intweight; doublegetSalePrice();//Ifweight>2000,10%discount.Otherwise,20%discount.


//filename: Truck.java // Truck class, subclass of Car

public class Truck extends private int weight;

Car {

public Truck (int Speed,double regularPrice,String color, int weight) { super(Speed,regularPrice,color); this.weight = weight; }
www.oumstudents.tk

public double getSalePrice() { if (weight > 2000){ return super.getSalePrice() - (0.1 * super.getSalePrice()); } else { return super.getSalePrice(); } } }

c. CreateasubclassofCarclassandnameitasFord.TheFordclasshasthefollowingfieldsandmethods intyear; intmanufacturerDiscount; doublegetSalePrice();//FromthesalepricecomputedfromCarclass,subtractthemanufacturerDiscount.


//filename: Ford.java // Ford class, subclass of Car

public class Ford extends Car { private int year; private int manufacturerDiscount; public Ford (int Speed,double regularPrice,String color, int year, int manufacturerDiscount) { super (Speed,regularPrice,color); this.year = year; this.manufacturerDiscount = manufacturerDiscount; } public double getSalePrice() { return (super.getSalePrice() - manufacturerDiscount); } }

d. CreateasubclassofCarclassandnameitasSedan.TheSedanclasshasthefollowingfieldsandmethods. intlength; doublegetSalePrice();//Iflength>20feet,5%discount,Otherwise,10%discount.


//filename: Sedan.java // Sedan class, subclass of Car

public class Sedan extends Car { private int length; public Sedan (int Speed,double regularPrice,String color, int length) { super (Speed,regularPrice,color); this.length = length; } public double getSalePrice() { if (length > 20) { return super.getSalePrice() - (0.05 * super.getSalePrice()); } else { return super.getSalePrice() - (0.1 * super.getSalePrice()); } } }

e. CreateMyOwnAutoShopclasswhichcontainsthemain()method.Performthefollowingwithinthemain() method. CreateaninstanceofSedanclassandinitializeallthefieldswithappropriatevalues.Usesuper(...)methodin theconstructorforinitializingthefieldsofthesuperclass. CreatetwoinstancesoftheFordclassandinitializeallthefieldswithappropriatevalues.Usesuper(...) methodintheconstructorforinitializingthefieldsofthesuperclass.


www.oumstudents.tk

CreateaninstanceofCarclassandinitializeallthefieldswithappropriatevalues. Displaythesalepricesofallinstance.
//filename: MyOwnAutoShop.java // Testing class with the main() method

public class MyOwnAutoShop { (int Speed,double regularPrice,String color, int year, int manufacturerDiscount) public static void main(String[] args) { Sedan mySedan = new Sedan(160, 20000, "Red", 10); Ford myFord1 = new Ford (156,4452.0,"Black",2005, 10); Ford myFord2 = new Ford (155,5000.0,"Pink",1998, 5); Car myCar - new Car (555, 56856.0, "Red"); System.out.printf("MySedan Price %.2f", mySedan.getSalePrice()); System.out.printf("MyFord1 Price %.2f", myFord1.getSalePrice()); System.out.printf("MyFord2 Price %.2f", myFord2.getSalePrice()); System.out.printf("MyCar Price %.2f", myCar.getSalePrice()); } }

CHAPTER8 CHAPTER9
23. Writeanappletthataskstheusertoentertwofloatingpointnumbers,obtainsthetwonumbersfromtheuser anddrawstheirsum,product(multiplication),differenceandquotient(division).Usethetechniquesshownin example.

//filename: simpleApplet1.java

import java.awt.*; import javax.swing.*; public class simpleApplet1 extends JApplet { double sum; double product; double difference; double quotient; public void init() { String firstNumber; String secondNumber; double number1; double number2; firstNumber = JOptionPane.showInputDialog("Enter the first number"); secondNumber = JOptionPane.showInputDialog("Enter the second number"); number1 = Double.parseDouble(firstNumber); number2 = Double.parseDouble(secondNumber); sum = number1 + number2; product = number1 * number2; difference = number1 - number2; quotient = number1 % number2; } public void paint(Graphics g) {
www.oumstudents.tk

super.paint(g); g.drawRect(15, 10, 270, 60); g.drawString("Sum "+sum, 25, 25); g.drawString("Product "+product, 25, 35); g.drawString("Difference "+difference, 25, 45); g.drawString("Quotient "+quotient, 25, 55); }

CHAPTER10
24. Createanappletthatcandisplaythefollowingcomponent.Noeventhandlingisneededforthecomponents.
//filename: simpleAppet2.java

import javax.swing.*; import java.awt.*; public class simpleAppet2 extends JApplet { private JLabel lblName; private JLabel lblAddress; private JLabel lblEmail; private JTextField txtName; private JTextField txtAddress; private JTextField txtEmail; public void init() { Container conpane = getContentPane(); conpane.setLayout(new FlowLayout()); lblName = new JLabel("name"); lblAddress = new JLabel("address"); lblEmail = new JLabel("email"); txtName = new JTextField(10); txtAddress = new JTextField(10); txtEmail = new JTextField(10); conpane.add(lblName); conpane.add(txtName); conpane.add(lblAddress); conpane.add(txtAddress); conpane.add(lblEmail); conpane.add(txtEmail); } }

25. Createanappletthatcandisplaythefollowingcomponent.No eventhandlingisneededforthecomponents.


//filename: simpleAppet3.java

import javax.swing.*; import java.awt.*; public class simpleAppet3 extends JApplet { private JButton button1, button2, button3, button4, button5; public void init( ){ Container conpane = getContentPane(); conpane.setLayout(new BorderLayout()); JPanel panel = new JPanel(); panel.setLayout(new GridLayout(1,5));
www.oumstudents.tk

button1 button2 button3 button4 button5

= = = = =

new new new new new

JButton("Button JButton("Button JButton("Button JButton("Button JButton("Button

1"); 2"); 3"); 4"); 5");

panel.add(button1); panel.add(button2); panel.add(button3); panel.add(button4); panel.add(button5); conpane.add("South",panel); } }

CHAPTER11
26. TemperatureConversion a. WriteatemperatureconversionappletthatconvertsfromFahrenheittoCelsius.TheFahrenheittemperature shouldbeenteredfromthekeyboard(viaaJTextField).AJLabelshouldbeusedtodisplaytheconverted temperature.Usethefollowingformulafortheconversion: Celcius=((5/9)*(Ferenheit32)). b. EnhancethetemperatureconversionappletofQ1byaddingtheKelvintemperaturescale.Theappletshould alsoallowtheusertomakeconversionsbetweenanytwoscales.Usethefollowingformulafortheconversion betweenKelvinandCelsius(inadditiontotheformulainQ1):Kelvin=Celcius+273.15
/* * Filename: tempCon.java * Author: Abdulla Faris * Date: 13/04/2010 */

import import import import

javax.swing.*; java.awt.*; java.awt.event.*; java.text.*;

public class tempCon extends JApplet implements ActionListener { JTextField txtInput; JLabel lblResult; JRadioButton rbCelcius, rbKelvin; public void init(){ Container conpane = getContentPane(); conpane.setLayout (new FlowLayout()); txtInput = new JTextField("",10); conpane.add(txtInput); rbCelcius= new JRadioButton ("to Celcius", true); conpane.add(rbCelcius); rbKelvin = new JRadioButton("to Kelvin", false); conpane.add(rbKelvin); ButtonGroup selection = new ButtonGroup(); selection.add(rbCelcius); selection.add(rbKelvin); JButton button1 = new JButton ("Show Result"); button1.addActionListener(this); conpane.add(button1);
www.oumstudents.tk

lblResult= new JLabel ("Enter Ferenheit, Choose an option to convert and Click Show Result"); conpane.add(lblResult); } public void actionPerformed(ActionEvent e) { DecimalFormat df = new DecimalFormat ("#.##"); double ferenheit = Double.parseDouble(txtInput.getText()); double answer = 0.0; answer = ((5.0/9.0)*(ferenheit - 32.0)); if (rbKelvin.isSelected()) answer += 273.15; lblResult.setText(String.valueOf(df.format(answer))); } }

www.oumstudents.tk

You might also like