Java Programming Language
|
|
|
- Thomasina Reynolds
- 9 years ago
- Views:
Transcription
1 Lecture 1 Part II Java Programming Language Additional Features and Constructs Topics in Quantitative Finance: Numerical Solutions of Partial Differential Equations Instructor: Iraj Kani
2 Subclasses and Inheritance Central to the object-oriented programming paradigm is the ability to add to the functionality of a class by subclassing or extension. To extend a class the key word extends is used, as in the following example: public class StandardStockOption { public double stockprice; public double strikeprice; // other fields public StandardStockOption() { // default constructor // other constructors including all the parameters // getters and setters etc. public double getprice() { BlackScholes bs = new BlackScholes(stockPrice, strikeprice, ); return bs.getprice(); public class ForwardStartStockOption extends StandardStockOption { public double forwardtime; public ForwardStartStockOption(double forwardtime) { super(); // invokes the super class constructor this.forwardtime = forwardtime; //other constructors, e.g. including all the parameters of StandardStockOption public double getprice() { // overriding the getprice method of the superclass if (forwardtime >= timetoexpiration) return 0; // remaining implementation We refer to ForwardStartStockOption as a subclass of StandardStockOption class, or to StandardStockOption class as the superclass of ForwardStartStockOption class. ForwardStartStockOption class inherits the fields and methods of the StandardStockOption class, as the following code segment shows: ForwardStartStockOption fso = new ForwardStartStockOption(1); fso.stockprice = 100; fso.strikeprice = 95; fso.timetoexpiration = 2; double fsoprice = fso.getprice();
3 Every subclass is a perfectly valid instance of its superclass, therefore any ForwardStartStockOption object can be assigned without a cast to a StandardStockOption variable: ForwardStartStockOption fso = new ForwardStartStockOption(1); StandardStockOption so = fso; // assigned uo to an StandardStockOption variable However, the reverse assignment will require casting: ForwardStartStockOption fso = new ForwardStartStockOption(1); StandardStockOption so = fso; ForwardStartStockOption fso1 = (ForwardStartStockOption)so; // casting needed here The ability to override the methods of the superclass is another essential feature of the object-oriented paradigm. Every Java class has a superclass. If a class is not a direct extension of another class through the extends keyword, then its superclass is java.lang.object class. The java.lang.object class is the only class that does not have a superclass. It is the root of the Object Hierarchy in Java. Java ensures that the constructor method of a class is invoked when an object of a class or any subclass of the class is initialized. If necessary, Java will inserts a call to super() as the first statement in the constructor methods. This continues all the way up the class hierarchy, including the Object class. All Java classes inherit the methods of the Object class, some of which are shown below: public String tostring(); public boolean equals(object obj); public int hashcode(); It is sometimes convenient to override one or more methods inherited from the Object class, as shown in the following modification to the StandardStockOption and the ForwardStartOption classes: public class StandardStockOption { public String tostring() { StringBuffer sb = new StringBuffer(); sb.append( stockprice: + stockprice); sb.append( strikeprice: + strikeprice); return sb.tostring();
4 public class ForwardStartStockOption extends StandardStockOption { public String tostring() { // overrides tostring method of superclass StringBuffer sb = new StringBuffer(): sb.append(super.tostring()); // invokes the tostring() method of the superclass sb.append( forwardtime: + forwardtime); return sb.tostring(); The special syntax super.tostring() is used to specifically invoke the superclass s tostring method. Abstract Classes and Methods Suppose we wanted to implement a number of options on the stock, such as standard options, binary options, barrier options etc., each with its own special implementation of getprice() method. To work with this array of claims it would make sense to define a common superclass, StockOption: public abstract class StockOption { public double stockprice; public double dividendyield; public double volatility; public double discountrate; public double strikeprice; public double timetoexpiration; public abstract double getprice(); // an abstract method of abstract StockOption class In Java you can define a method without implementing it by using the abstract keyword. Any class containing an abstract method must also be declared an abstract class. An abstract class can not be instantiated. Any extension of an abstract class that does not implement all the abstract methods it inherits must also be declared abstract. Methods that are static, private and final methods can not be declared abstract since they can not be overridden in a subclass. The following is a possible mock-up of the standard option, binary option and barrier option on a stock: public class StandardStockOption extends StockOption { public static final int CALL = 0; public static final int PUT = 1; public double getprice() {
5 public class BinaryStockOption extends StockOption { // one-touch digital option public double barrier; public double payoff; public double getprice() { public class BarrierStockOption extends StockOption { // standard single barrier option public static final int UP_OUT_CALL = 0; public static final int UP_IN_CALL = 1; public double barrier; public double rebate; public double getprice() { Interfaces Suppose for all one-touch-type options we wanted to set/get barrier level and obtain expected first passage time to the barrier. We can define an abstract OneTouchOption class and extend it, but since Java does not allow multiple inheritance we can not extend the StockOption class as well. Defining an interface, OneTouch, is Java s solution to this: public interface OneTouch { public void setbarrier(double barrier); public double getbarrier(); public double getexpectedfirstpassagetime(); public class BinaryStockOption extends StockOption implements OneTouch { public void setbarrier(double barrier) { this.barrier = barrier; public double getbarrier() { return barrier; public double getexpectedfirstpassagetime() { public class BarrierStockOption extends StockOption implements OneTouch { // similar implementation for barrier options An interface is similar to an abstract class, and is defined using the keyword interface. It
6 contains no implementation for its methods, which are implicitly abstract, with the keyword abstract omitted. All interface methods must be instance methods and are implicitly public. In a sense an interface provides a pure public API. An interface can contain fields but they must be declared as static and final (i.e. should be a Constant). Like an abstract class an interface can not be instantiated. A class declares an interface in its implements clause. If a class implementing an interface does not provide an explicit implementation for all the interface methods, it must be declared abstract. Java classes can implement multiple interfaces. For example, we wanted to access payoff along a given path for all path-dependent options. We can define: public interface PathDependent { public double getpayoff(double[] pathtimes, double[] pathprices); Now we can make binary and barrier options implement both interfaces: public class BinaryOption extends StockOption implements OneTouch, PathDependent { // implementations of OneTouch interface public double getpayoff(double[] pathtimes, double[] pathprices) { Another possibility is to allow OneTouch interface to extend PathDependent interface, and let these options implement all the methods of OneTouch interface, as shown below: public interface OneTouch extends PathDependent { Here is an example usage of these constructs involving a portfolio consisting of different types of options and making use of Java s instanceof operator: Option[] opts = new StockOption[10]; opts[0] = new StandardStockOption( ); opts[1] = new BarrierStockOption( ); for (int i = 0; i < 10; i++) { System.out.println( price[ + i + ]: + opts[i].getprice()); if (opts[i] instanceof OneTouch) { OneTouch ot = (OneTouch)opts[i]; System.out.println( first passage time[ + i + ]: + ot.getexpectedfirstpassagetime());
7 Encapsulation, Inheritance and Polymorphism Encapsulation or Data Hiding refers to hiding of the data within the class and making the data only accessed through trusted methods. It helps the programmer hide the inner workings of the class from users, and to ensure proper working of the class against unintentional disruption by the user. For Java class members this implemented by using the access control modifiers: public, protected, private, and package access. public: member is accessible anywhere the class is accessible. private: member is not accessible anywhere, except within the class. protected: member is accessible to all classes within the package and all subclasses regardless of their package. package access: member is accessible only to all classes in the same package. public class Demo { public int field1; // accessible by everyone protected double field2; // accessible to classes in the same package and all subclasses private long field3; // only accessible in Demo class String field4; // accessible to classes in the same package Java classes can be extended through the process of Inheritance. A subclass inherits all non-private instance fields and methods of its superclass that are accessible to it. In particular, for subclasses in a different package only public and protected members are inherited. Note that private fields and methods, class fields and methods, and constructors are never inherited member visibility Accessibility: public protected package private Defining Class Yes Yes Yes Yes Class / same package Yes Yes Yes No Subclass / different package Yes Yes No No Non-subclass / different package Yes No No No
8 Polymorphism refers to the availability of multiple methods with the same name but different signature within the same Java class: public class Curve { public double interpolate(double time) { public double[] interpolate(double[] times) { Java Exceptions A Java exception is a signal that an error or an exceptional condition has occurred in the Java program. To throw an exception is to indicate occurrence of an exceptional conditional within the program. To catch an exception is to detect it and do whatever handling necessary to recover from it. Every exception in Java is an object. The type of this object is java.lang.throwable or some subclass of Throwable that more specifically handles a given type of exception that has occurred. You can actively throw an exception from a method using the throw statement, as in the following example: public double getprice() { if ( stockprice < 0 ) { throw new IllegalArgumentException( stock price must be positive! ); There are two basic subclasses of Throwable: java.lang.error and java.lang.exception. The subclasses of java.lang.error generally indicate unrecoverable problems during execution. The subclasses of java.lang.exception are generally recoverable these can be generally caught and handled. Java also distinguishes between checked and unchecked exceptions. Any exception object that is an Error is always unchecked. Any exception object of type Exception is checked, except for subclasses of java.lang.runtimeexception, the occurrence of which may not always be predictable. Examples of runtime exceptions in Java are java.lang.nullpointerexception, and java.lang.illegalargumentexception.
9 Any method that throws a checked exception, or invokes a method that throws such a checked exception, must explicitly indicate so by use of the throws clause in its signature: public static void read(string filename) throws java.io.ioexception { // must throw FileReader reader = new FileReader(filename); The Throwable class has a String field containing the error message, which can be read by invoking the getmessage method once the exception is caught using the try/catch/finally statement: try { read(filename); catch(ioexception e) { System.out.println( error: + e.getmessage()); finally { // do any necessary clean-up
10 Homework Assignment 1: 1. If you have a laptop and do not already have a Java IDE installed, begin by installing a JBuilder Foundation from Downloads -> JBuilder -> Select Foundation (Windows, 02/12/05, Mb) 2. Create a new project in JBuilder: Name: course, Directory: z:\ 3. Create the Gaussian class in this project, as discussed in the lecture: Name: Gaussian, Package: edu.columbia.ieor.course.util Write the implementation for pdf() and cdf() methods of the Gaussian class based on the lecture and using the handouts, and Exercise 1: Calculate pdf(x) for values of x in the range [-5,5] in intervals of size 0.2. Exercise 2: Calculate cdf(x) for the same range of x values as above. 4. Create and fully implement StandardStockOption class as discussed in lecture (in edu.columbia.ieor.course.analytic package). Exercise 3: Assume S = 100, K =100, T = 3, r = 0.05, δ = 0.03, σ = Compute the price, delta, gamma, theta, vega, and rho (use numerical calculation for computing all sensitivities) for both standard European call and put options with the following ranges of parameters (in each case keeping other parameters unchanged as given above): Strike price K in the range [80, 120] in steps of 2 Maturity T in the range [0.2, 5] in steps of 0.2 Interest rate r in the range [0, 0.20] in steps of 0.01 Volatility σ in the range [0.02, 0.5] in steps of 0.02 Extra Credit: Create and implement a BarrierStockOption class in the same package and provide implementation for pricing UP_OUT_CALL and DOWN_IN_CALL options, using the pricing formulas provided in the handouts, and using numerical calculations for all sensitivities (delta, gamma, theta, vega, and rho). Assume S = 100, r = 4%, δ = 2%, σ = 15%. Compute the price and sensitivities for: Type Strike Barrier Payoff Expiration Up-Out-Call Down-In-Call
11
CS 111 Classes I 1. Software Organization View to this point:
CS 111 Classes I 1 Software Organization View to this point: Data Objects and primitive types Primitive types operators (+, /,,*, %). int, float, double, char, boolean Memory location holds the data Objects
Java Programming Fundamentals
Lecture 1 Part I Java Programming Fundamentals Topics in Quantitative Finance: Numerical Solutions of Partial Differential Equations Instructor: Iraj Kani Introduction to Java We start by making a few
AP Computer Science Java Subset
APPENDIX A AP Computer Science Java Subset The AP Java subset is intended to outline the features of Java that may appear on the AP Computer Science A Exam. The AP Java subset is NOT intended as an overall
Fundamentals of Java Programming
Fundamentals of Java Programming This document is exclusive property of Cisco Systems, Inc. Permission is granted to print and copy this document for non-commercial distribution and exclusive use by instructors
The Sun Certified Associate for the Java Platform, Standard Edition, Exam Version 1.0
The following applies to all exams: Once exam vouchers are purchased you have up to one year from the date of purchase to use it. Each voucher is valid for one exam and may only be used at an Authorized
Java Interview Questions and Answers
1. What is the most important feature of Java? Java is a platform independent language. 2. What do you mean by platform independence? Platform independence means that we can write and compile the java
www.virtualians.pk CS506 Web Design and Development Solved Online Quiz No. 01 www.virtualians.pk
CS506 Web Design and Development Solved Online Quiz No. 01 Which of the following is a general purpose container? JFrame Dialog JPanel JApplet Which of the following package needs to be import while handling
Chapter 13 - Inheritance
Goals Chapter 13 - Inheritance To learn about inheritance To understand how to inherit and override superclass methods To be able to invoke superclass constructors To learn about protected and package
Lecture J - Exceptions
Lecture J - Exceptions Slide 1 of 107. Exceptions in Java Java uses the notion of exception for 3 related (but different) purposes: Errors: an internal Java implementation error was discovered E.g: out
Android Application Development Course Program
Android Application Development Course Program Part I Introduction to Programming 1. Introduction to programming. Compilers, interpreters, virtual machines. Primitive data types, variables, basic operators,
3 Pillars of Object-oriented Programming. Industrial Programming Systems Programming & Scripting. Extending the Example.
Industrial Programming Systems Programming & Scripting Lecture 12: C# Revision 3 Pillars of Object-oriented Programming Encapsulation: each class should be selfcontained to localise changes. Realised through
Java Application Developer Certificate Program Competencies
Java Application Developer Certificate Program Competencies After completing the following units, you will be able to: Basic Programming Logic Explain the steps involved in the program development cycle
CSCI 253. Object Oriented Programming (OOP) Overview. George Blankenship 1. Object Oriented Design: Java Review OOP George Blankenship.
CSCI 253 Object Oriented Design: Java Review OOP George Blankenship George Blankenship 1 Object Oriented Programming (OOP) OO Principles Abstraction Encapsulation Abstract Data Type (ADT) Implementation
RMI Client Application Programming Interface
RMI Client Application Programming Interface Java Card 2.2 Java 2 Platform, Micro Edition Sun Microsystems, Inc. 901 San Antonio Road Palo Alto, CA 94303 U.S.A. 650-960-1300 June, 2002 Copyright 2002 Sun
JAVA - EXCEPTIONS. An exception can occur for many different reasons, below given are some scenarios where exception occurs.
http://www.tutorialspoint.com/java/java_exceptions.htm JAVA - EXCEPTIONS Copyright tutorialspoint.com An exception orexceptionalevent is a problem that arises during the execution of a program. When an
Exception Handling. Overloaded methods Interfaces Inheritance hierarchies Constructors. OOP: Exception Handling 1
Exception Handling Error handling in general Java's exception handling mechanism The catch-or-specify priciple Checked and unchecked exceptions Exceptions impact/usage Overloaded methods Interfaces Inheritance
Java EE Web Development Course Program
Java EE Web Development Course Program Part I Introduction to Programming 1. Introduction to programming. Compilers, interpreters, virtual machines. Primitive types, variables, basic operators, expressions,
Programmation 2. Introduction à la programmation Java
Programmation 2 Introduction à la programmation Java 1 Course information CM: 6 x 2 hours TP: 6 x 2 hours CM: Alexandru Costan alexandru.costan at inria.fr TP: Vincent Laporte vincent.laporte at irisa.fr
D06 PROGRAMMING with JAVA
Cicles Formatius de Grau Superior Desenvolupament d Aplicacions Informàtiques D06 PROGRAMMING with JAVA Ch13 Inheritance PowerPoint presentation, created by Angel A. Juan - ajuanp(@)gmail.com, for accompanying
Description of Class Mutation Mutation Operators for Java
Description of Class Mutation Mutation Operators for Java Yu-Seung Ma Electronics and Telecommunications Research Institute, Korea [email protected] Jeff Offutt Software Engineering George Mason University
Object-Oriented Design Lecture 4 CSU 370 Fall 2007 (Pucella) Tuesday, Sep 18, 2007
Object-Oriented Design Lecture 4 CSU 370 Fall 2007 (Pucella) Tuesday, Sep 18, 2007 The Java Type System By now, you have seen a fair amount of Java. Time to study in more depth the foundations of the language,
CS193j, Stanford Handout #10 OOP 3
CS193j, Stanford Handout #10 Summer, 2003 Manu Kumar OOP 3 Abstract Superclass Factor Common Code Up Several related classes with overlapping code Factor common code up into a common superclass Examples
public static void main(string args[]) { System.out.println( "f(0)=" + f(0));
13. Exceptions To Err is Computer, To Forgive is Fine Dr. Who Exceptions are errors that are generated while a computer program is running. Such errors are called run-time errors. These types of errors
Yosemite National Park, California. CSE 114 Computer Science I Inheritance
Yosemite National Park, California CSE 114 Computer Science I Inheritance Containment A class contains another class if it instantiates an object of that class HAS-A also called aggregation PairOfDice
Java CPD (I) Frans Coenen Department of Computer Science
Java CPD (I) Frans Coenen Department of Computer Science Content Session 1, 12:45-14:30 (First Java Programme, Inheritance, Arithmetic) Session 2, 14:45-16:45 (Input and Programme Constructs) Materials
Java 6 'th. Concepts INTERNATIONAL STUDENT VERSION. edition
Java 6 'th edition Concepts INTERNATIONAL STUDENT VERSION CONTENTS PREFACE vii SPECIAL FEATURES xxviii chapter i INTRODUCTION 1 1.1 What Is Programming? 2 J.2 The Anatomy of a Computer 3 1.3 Translating
Software Construction
Software Construction Debugging and Exceptions Jürg Luthiger University of Applied Sciences Northwestern Switzerland Institute for Mobile and Distributed Systems Learning Target You know the proper usage
Java from a C perspective. Plan
Java from a C perspective Cristian Bogdan 2D2052/ingint04 Plan Objectives and Book Packages and Classes Types and memory allocation Syntax and C-like Statements Object Orientation (minimal intro) Exceptions,
Handout 1. Introduction to Java programming language. Java primitive types and operations. Reading keyboard Input using class Scanner.
Handout 1 CS603 Object-Oriented Programming Fall 15 Page 1 of 11 Handout 1 Introduction to Java programming language. Java primitive types and operations. Reading keyboard Input using class Scanner. Java
Masters programmes in Computer Science and Information Systems. Object-Oriented Design and Programming. Sample module entry test xxth December 2013
Masters programmes in Computer Science and Information Systems Object-Oriented Design and Programming Sample module entry test xxth December 2013 This sample paper has more questions than the real paper
The Java Series. Java Essentials I What is Java? Basic Language Constructs. Java Essentials I. What is Java?. Basic Language Constructs Slide 1
The Java Series Java Essentials I What is Java? Basic Language Constructs Slide 1 What is Java? A general purpose Object Oriented programming language. Created by Sun Microsystems. It s a general purpose
Java SE 8 Programming
Oracle University Contact Us: 1.800.529.0165 Java SE 8 Programming Duration: 5 Days What you will learn This Java SE 8 Programming training covers the core language features and Application Programming
Designing with Exceptions. CSE219, Computer Science III Stony Brook University http://www.cs.stonybrook.edu/~cse219
Designing with Exceptions CSE219, Computer Science III Stony Brook University http://www.cs.stonybrook.edu/~cse219 Testing vs. Debugging Testing Coding Does the code work properly YES NO 2 Debugging Testing
D06 PROGRAMMING with JAVA
Cicles Formatius de Grau Superior Desenvolupament d Aplicacions Informàtiques D06 PROGRAMMING with JAVA Ch15 Exception Handling PowerPoint presentation, created by Angel A. Juan - ajuanp(@)gmail.com, for
Author: Sascha Wolski Sebastian Hennebrueder http://www.laliluna.de/tutorials.html Tutorials for Struts, EJB, xdoclet and eclipse.
JUnit Testing JUnit is a simple Java testing framework to write tests for you Java application. This tutorial gives you an overview of the features of JUnit and shows a little example how you can write
Preet raj Core Java and Databases CS4PR. Time Allotted: 3 Hours. Final Exam: Total Possible Points 75
Preet raj Core Java and Databases CS4PR Time Allotted: 3 Hours Final Exam: Total Possible Points 75 Q1. What is difference between overloading and overriding? 10 points a) In overloading, there is a relationship
Java SE 7 Programming
Java SE 7 Programming The second of two courses that cover the Java Standard Edition 7 (Java SE 7) Platform, this course covers the core Application Programming Interfaces (API) you will use to design
ECE 122. Engineering Problem Solving with Java
ECE 122 Engineering Problem Solving with Java Introduction to Electrical and Computer Engineering II Lecture 1 Course Overview Welcome! What is this class about? Java programming somewhat software somewhat
C++ INTERVIEW QUESTIONS
C++ INTERVIEW QUESTIONS http://www.tutorialspoint.com/cplusplus/cpp_interview_questions.htm Copyright tutorialspoint.com Dear readers, these C++ Interview Questions have been designed specially to get
AP Computer Science A - Syllabus Overview of AP Computer Science A Computer Facilities
AP Computer Science A - Syllabus Overview of AP Computer Science A Computer Facilities The classroom is set up like a traditional classroom on the left side of the room. This is where I will conduct my
Hedging. An Undergraduate Introduction to Financial Mathematics. J. Robert Buchanan. J. Robert Buchanan Hedging
Hedging An Undergraduate Introduction to Financial Mathematics J. Robert Buchanan 2010 Introduction Definition Hedging is the practice of making a portfolio of investments less sensitive to changes in
Chapter 1 Fundamentals of Java Programming
Chapter 1 Fundamentals of Java Programming Computers and Computer Programming Writing and Executing a Java Program Elements of a Java Program Features of Java Accessing the Classes and Class Members The
Computing Concepts with Java Essentials
2008 AGI-Information Management Consultants May be used for personal purporses only or by libraries associated to dandelon.com network. Computing Concepts with Java Essentials 3rd Edition Cay Horstmann
15-214: Principles of Software Construction 8 th March 2012
15-214 Midterm Exam Andrew ID: SOLUTIONS 1 / 13 15-214: Principles of Software Construction 8 th March 2012 Name: SOLUTIONS Recitation Section (or Time): Instructions: Make sure that your exam is not missing
Syllabus for CS 134 Java Programming
- Java Programming Syllabus Page 1 Syllabus for CS 134 Java Programming Computer Science Course Catalog 2000-2001: This course is an introduction to objectoriented programming using the Java language.
Free Java textbook available online. Introduction to the Java programming language. Compilation. A simple java program
Free Java textbook available online "Thinking in Java" by Bruce Eckel, 4th edition, 2006, ISBN 0131872486, Pearson Education Introduction to the Java programming language CS 4354 Summer II 2015 The third
core. Volume I - Fundamentals Seventh Edition Sun Microsystems Press A Prentice Hall Title ULB Darmstadt
core. 2008 AGI-Information Management Consultants May be used for personal purporses only or by libraries associated to dandelon.com network. Volume I - Fundamentals Seventh Edition CAY S. HORSTMANN GARY
Agenda. What is and Why Polymorphism? Examples of Polymorphism in Java programs 3 forms of Polymorphism
Polymorphism 1 Agenda What is and Why Polymorphism? Examples of Polymorphism in Java programs 3 forms of Polymorphism 2 What is & Why Polymorphism? 3 What is Polymorphism? Generally, polymorphism refers
Free Java textbook available online. Introduction to the Java programming language. Compilation. A simple java program
Free Java textbook available online "Thinking in Java" by Bruce Eckel, 4th edition, 2006, ISBN 0131872486, Pearson Education Introduction to the Java programming language CS 4354 Summer II 2014 Jill Seaman
Java (12 Weeks) Introduction to Java Programming Language
Java (12 Weeks) Topic Lecture No. Introduction to Java Programming Language 1 An Introduction to Java o Java as a Programming Platform, The Java "White Paper" Buzzwords, Java and the Internet, A Short
Exceptions and their interpretation
Exceptions and their interpretation LeJOS supports most of the standard Java language exception classes, and users can also create their own exception classes. If a program throws an exception on the NXT,
Web Development in Java
Web Development in Java Detailed Course Brochure @All Rights Reserved. Techcanvass, 265, Powai Plaza, Hiranandani Garden, Powai, Mumbai www.techcanvass.com Tel: +91 22 40155175 Mob: 773 877 3108 P a g
PLV Goldstein 315, Tuesdays and Thursdays, 6:00PM-7:50PM. Tuesdays and Thursdays, 4:00PM-5:30PM and 7:50PM 9:30PM at PLV G320
CRN:22430/21519 Pace University Spring 2006 CS122/504 Computer Programming II Instructor Lectures Office Hours Dr. Lixin Tao, [email protected], http://csis.pace.edu/~lixin Pleasantville Office: G320, (914)773-3449
Evaluation. Copy. Evaluation Copy. Chapter 7: Using JDBC with Spring. 1) A Simpler Approach... 7-2. 2) The JdbcTemplate. Class...
Chapter 7: Using JDBC with Spring 1) A Simpler Approach... 7-2 2) The JdbcTemplate Class... 7-3 3) Exception Translation... 7-7 4) Updating with the JdbcTemplate... 7-9 5) Queries Using the JdbcTemplate...
Specialized Programme on Web Application Development using Open Source Tools
Specialized Programme on Web Application Development using Open Source Tools A. NAME OF INSTITUTE Centre For Development of Advanced Computing B. NAME/TITLE OF THE COURSE C. COURSE DATES WITH DURATION
Introduction to Object-Oriented Programming
Introduction to Object-Oriented Programming Programs and Methods Christopher Simpkins [email protected] CS 1331 (Georgia Tech) Programs and Methods 1 / 8 The Anatomy of a Java Program It is customary
J a v a Quiz (Unit 3, Test 0 Practice)
Computer Science S-111a: Intensive Introduction to Computer Science Using Java Handout #11 Your Name Teaching Fellow J a v a Quiz (Unit 3, Test 0 Practice) Multiple-choice questions are worth 2 points
ICOM 4015: Advanced Programming
ICOM 4015: Advanced Programming Lecture 10 Reading: Chapter Ten: Inheritance Copyright 2009 by John Wiley & Sons. All rights reserved. Chapter 10 Inheritance Chapter Goals To learn about inheritance To
Konzepte objektorientierter Programmierung
Konzepte objektorientierter Programmierung Prof. Dr. Peter Müller Werner Dietl Software Component Technology Exercises 3: Some More OO Languages Wintersemester 04/05 Agenda for Today 2 Homework Finish
Objectif. Participant. Prérequis. Remarque. Programme. C# 3.0 Programming in the.net Framework. 1. Introduction to the.
Objectif This six-day instructor-led course provides students with the knowledge and skills to develop applications in the.net 3.5 using the C# 3.0 programming language. C# is one of the most popular programming
Glossary of Object Oriented Terms
Appendix E Glossary of Object Oriented Terms abstract class: A class primarily intended to define an instance, but can not be instantiated without additional methods. abstract data type: An abstraction
Getting Started with the Internet Communications Engine
Getting Started with the Internet Communications Engine David Vriezen April 7, 2014 Contents 1 Introduction 2 2 About Ice 2 2.1 Proxies................................. 2 3 Setting Up ICE 2 4 Slices 2
Basic Programming and PC Skills: Basic Programming and PC Skills:
Texas University Interscholastic League Contest Event: Computer Science The contest challenges high school students to gain an understanding of the significance of computation as well as the details of
Summit Public Schools Summit, New Jersey Grade Level / Content Area: Mathematics Length of Course: 1 Academic Year Curriculum: AP Computer Science A
Summit Public Schools Summit, New Jersey Grade Level / Content Area: Mathematics Length of Course: 1 Academic Year Curriculum: AP Computer Science A Developed By Brian Weinfeld Course Description: AP Computer
JAVA - INHERITANCE. extends is the keyword used to inherit the properties of a class. Below given is the syntax of extends keyword.
http://www.tutorialspoint.com/java/java_inheritance.htm JAVA - INHERITANCE Copyright tutorialspoint.com Inheritance can be defined as the process where one class acquires the properties methodsandfields
Programming Languages Featherweight Java David Walker
Programming Languages Featherweight Java David Walker Overview Featherweight Java (FJ), a minimal Javalike language. Models inheritance and subtyping. Immutable objects: no mutation of fields. Trivialized
Abstract Class & Java Interface
Abstract Class & Java Interface 1 Agenda What is an Abstract method and an Abstract class? What is Interface? Why Interface? Interface as a Type Interface vs. Class Defining an Interface Implementing an
Java SE 7 Programming
Oracle University Contact Us: 1.800.529.0165 Java SE 7 Programming Duration: 5 Days What you will learn This Java SE 7 Programming training explores the core Application Programming Interfaces (API) you'll
Comp 411 Principles of Programming Languages Lecture 34 Semantics of OO Languages. Corky Cartwright Swarat Chaudhuri November 30, 20111
Comp 411 Principles of Programming Languages Lecture 34 Semantics of OO Languages Corky Cartwright Swarat Chaudhuri November 30, 20111 Overview I In OO languages, data values (except for designated non-oo
Java SE 7 Programming
Oracle University Contact Us: Local: 1800 103 4775 Intl: +91 80 4108 4709 Java SE 7 Programming Duration: 5 Days What you will learn This Java Programming training covers the core Application Programming
How To Write A Program In Java (Programming) On A Microsoft Macbook Or Ipad (For Pc) Or Ipa (For Mac) (For Microsoft) (Programmer) (Or Mac) Or Macbook (For
Projet Java Responsables: Ocan Sankur, Guillaume Scerri (LSV, ENS Cachan) Objectives - Apprendre à programmer en Java - Travailler à plusieurs sur un gros projet qui a plusieurs aspects: graphisme, interface
Cohort: BCA/07B/PT - BCA/06/PT - BCNS/06/FT - BCNS/05/FT - BIS/06/FT - BIS/05/FT - BSE/05/FT - BSE/04/PT-BSE/06/FT
BSc (Hons) in Computer Applications, BSc (Hons) Computer Science with Network Security, BSc (Hons) Business Information Systems & BSc (Hons) Software Engineering Cohort: BCA/07B/PT - BCA/06/PT - BCNS/06/FT
Inheritance, overloading and overriding
Inheritance, overloading and overriding Recall with inheritance the behavior and data associated with the child classes are always an extension of the behavior and data associated with the parent class
COMMUNITY COLLEGE OF CITY UNIVERSITY CITY UNIVERSITY OF HONG KONG
COMMUNITY COLLEGE OF CITY UNIVERSITY CITY UNIVERSITY OF HONG KONG Information on a Course offered by Division of Applied Science and Technology Course Title: (English) Java Programming (Chinese) Course
RARITAN VALLEY COMMUNITY COLLEGE ACADEMIC COURSE OUTLINE. CISY 105 Foundations of Computer Science
I. Basic Course Information RARITAN VALLEY COMMUNITY COLLEGE ACADEMIC COURSE OUTLINE CISY 105 Foundations of Computer Science A. Course Number and Title: CISY-105, Foundations of Computer Science B. New
Smallest Java Package? Java.applet.* having 1 class and 3 interfaces. Applet Class and AppletContext, AppletStub, Audioclip interfaces.
OBJECTIVES OF JAVA Objects in java cannot contain other objects; they can only have references to other objects. Deletion of objects will be managed by Run time system. An Object can pass a message to
Specialized Programme on Web Application Development using Open Source Tools
Specialized Programme on Web Application Development using Open Source Tools Objective: At the end of the course, Students will be able to: Understand various open source tools(programming tools and databases)
Java Classes. GEEN163 Introduction to Computer Programming
Java Classes GEEN163 Introduction to Computer Programming Never interrupt someone doing what you said couldn't be done. Amelia Earhart Classes, Objects, & Methods Object-oriented programming uses classes,
Checking Access to Protected Members in the Java Virtual Machine
Checking Access to Protected Members in the Java Virtual Machine Alessandro Coglio Kestrel Institute 3260 Hillview Avenue, Palo Alto, CA 94304, USA Ph. +1-650-493-6871 Fax +1-650-424-1807 http://www.kestrel.edu/
Massachusetts Institute of Technology Department of Electrical Engineering and Computer Science
Massachusetts Institute of Technology Department of Electrical Engineering and Computer Science 6.035, Fall 2005 Handout 7 Scanner Parser Project Wednesday, September 7 DUE: Wednesday, September 21 This
Install Java Development Kit (JDK) 1.8 http://www.oracle.com/technetwork/java/javase/downloads/index.html
CS 259: Data Structures with Java Hello World with the IntelliJ IDE Instructor: Joel Castellanos e-mail: joel.unm.edu Web: http://cs.unm.edu/~joel/ Office: Farris Engineering Center 319 8/19/2015 Install
JAVA IN A NUTSHELL O'REILLY. David Flanagan. Fifth Edition. Beijing Cambridge Farnham Köln Sebastopol Tokyo
JAVA 1i IN A NUTSHELL Fifth Edition David Flanagan O'REILLY Beijing Cambridge Farnham Köln Sebastopol Tokyo Table of Contents Preface xvii Part 1. Introducing Java 1. Introduction 1 What 1s Java? 1 The
Application Programming Interface
Application Programming Interface Java Card Platform, Version 2.2.1 Sun Microsystems, Inc. 4150 Network Circle Santa Clara, California 95054 U.S.A. 650-960-1300 October 21, 2003 Java Card Specification
Contents. 9-1 Copyright (c) 1999-2004 N. Afshartous
Contents 1. Introduction 2. Types and Variables 3. Statements and Control Flow 4. Reading Input 5. Classes and Objects 6. Arrays 7. Methods 8. Scope and Lifetime 9. Utility classes 10. Introduction to
Java Interfaces. Recall: A List Interface. Another Java Interface Example. Interface Notes. Why an interface construct? Interfaces & Java Types
Interfaces & Java Types Lecture 10 CS211 Fall 2005 Java Interfaces So far, we have mostly talked about interfaces informally, in the English sense of the word An interface describes how a client interacts
Part I. Multiple Choice Questions (2 points each):
Part I. Multiple Choice Questions (2 points each): 1. Which of the following is NOT a key component of object oriented programming? (a) Inheritance (b) Encapsulation (c) Polymorphism (d) Parallelism ******
History OOP languages Year Language 1967 Simula-67 1983 Smalltalk
History OOP languages Intro 1 Year Language reported dates vary for some languages... design Vs delievered 1957 Fortran High level programming language 1958 Lisp 1959 Cobol 1960 Algol Structured Programming
DIPLOMADO DE JAVA - OCA
DIPLOMADO DE JAVA - OCA TABLA DE CONTENIDO INTRODUCCION... 3 ESTRUCTURA DEL DIPLOMADO... 4 Nivel I:... 4 Fundamentals of the Java Programming Language Java SE 7... 4 Introducing the Java Technology...
PART-A Questions. 2. How does an enumerated statement differ from a typedef statement?
1. Distinguish & and && operators. PART-A Questions 2. How does an enumerated statement differ from a typedef statement? 3. What are the various members of a class? 4. Who can access the protected members
Mobile App Design Project #1 Java Boot Camp: Design Model for Chutes and Ladders Board Game
Mobile App Design Project #1 Java Boot Camp: Design Model for Chutes and Ladders Board Game Directions: In mobile Applications the Control Model View model works to divide the work within an application.
Introducing Variance into the Java Programming Language DRAFT
Introducing Variance into the Java Programming Language A Quick Tutorial DRAFT Christian Plesner Hansen Peter von der Ahé Erik Ernst Mads Torgersen Gilad Bracha June 3, 2003 1 Introduction Notice: This
The Interface Concept
Multiple inheritance Interfaces Four often used Java interfaces Iterator Cloneable Serializable Comparable The Interface Concept OOP: The Interface Concept 1 Multiple Inheritance, Example Person name()
TYLER JUNIOR COLLEGE School of Continuing Studies 1530 SSW Loop 323 Tyler, TX 75701 1.800.298.5226 www.tjc.edu/continuingstudies/mycaa
TYLER JUNIOR COLLEGE School of Continuing Studies 1530 SSW Loop 323 Tyler, TX 75701 1.800.298.5226 www.tjc.edu/continuingstudies/mycaa Education & Training Plan Java Programming Specialist Program Student
CS170 Lab 11 Abstract Data Types & Objects
CS170 Lab 11 Abstract Data Types & Objects Introduction: Abstract Data Type (ADT) An abstract data type is commonly known as a class of objects An abstract data type in a program is used to represent (the
Object-Oriented Programming Lecture 2: Classes and Objects
Object-Oriented Programming Lecture 2: Classes and Objects Dr. Lê H!ng Ph"#ng -- Department of Mathematics, Mechanics and Informatics, VNUH July 2012 1 Content Class Object More on class Enum types Package
