Information Processing Language
Information Processing Language (IPL) is a programming language created by Allen Newell, Cliff Shaw, and Herbert A. Simon at RAND Corporation and the Carnegie Institute of Technology at about 1956. Newell had the job of language specifier-application programmer, Shaw was the system programmer, and Simon took the job of application programmer-user.
The language includes features intended to help with programs that perform simple problem solving actions such as lists, dynamic memory allocation, data types, recursion, functions as arguments, generators, and cooperative multitasking. IPL invented the concept of list processing, albeit in an assembly-language style.
Sample Programming Problems
JAVA:
Top Ten Errors Java Programmers Make
(How to spot them. How to fix/prevent them.)
By David Reilly
Whether you program regularly in Java, and know it like the back of your hand, or whether you're new to the language or a casual programmer, you'll make mistakes. It's natural, it's human, and guess what? You'll more than likely make the same mistakes that others do, over and over again. Here's my top ten list of errors that we all seem to make at one time or another, how to spot them, and how to fix them.10. Accessing non-static member variables from static methods (such as main)
Many programmers, particularly when first introduced to Java, have problems with accessing member variables from their main method. The method signature for main is marked static - meaning that we don't need to create an instance of the class to invoke the main method. For example, a Java Virtual Machine (JVM) could call the class MyApplication like this :-MyApplication.main ( command_line_args );This means, however, that there isn't an instance of MyApplication - it doesn't have any member variables to access! Take for example the following application, which will generate a compiler error message.
public class StaticDemo { public String my_member_variable = "somedata";
public static void main (String args[]) { // Access a non-static member from static method System.out.println ("This generates a compiler error" + my_member_variable ); }
}If you want to access its member variables from a non-static method (like main), you must create an instance of the object. Here's a simple example of how to correctly write code to access non-static member variables, by first creating an instance of the object.
public class NonStaticDemo { public String my_member_variable = "somedata"; public static void main (String args[]) { NonStaticDemo demo = new NonStaticDemo(); // Access member variable of demo System.out.println ("This WON'T generate an error" + demo.my_member_variable ); } }
9. Mistyping the name of a method when overriding
Overriding allows programmers to replace a method's implementation with new code. Overriding is a handy feature, and most OO programmers make heavy use of it. If you use the AWT 1.1 event handling model, you'll often override listener implementations to provide custom functionality. One easy trap to fall into with overriding, is to mistype the method name. If you mistype the name, you're no longer overriding a method - you're creating an entirely new method, but with the same parameter and return type.public class MyWindowListener extends WindowAdapter { // This should be WindowClosed public void WindowClose(WindowEvent e) { // Exit when user closes window System.exit(0); } });Compilers won't pick up on this one, and the problem can be quite frustrating to detect. In the past, I've looked at a method, believed that it was being called, and taken ages to spot the problem. The symptom of this error will be that your code isn't being called, or you think the method has skipped over its code. The only way to ever be certain is to add a println statement, to record a message in a log file, or to use good trace debugger (like Visual J++ or Borland JBuilder) and step through line by line. If your method still isn't being called, then it's likely you've mistyped the name.
8. Comparison assignment ( = rather than == )
This is an easy error to make. If you're used other languages before, such as Pascal, you'll realize just how poor a choice this was by the language's designers. In Pascal, for example, we use the := operator for assignment, and leave = for comparison. This looks like a throwback to C/C++, from which Java draws its roots.Fortunately, even if you don't spot this one by looking at code on the screen, your compiler will. Most commonly, it will report an error message like this : "Can't convert xxx to boolean", where xxx is a Java type that you're assigning instead of comparing.
7. Comparing two objects ( == instead of .equals)
When we use the == operator, we are actually comparing two object references, to see if they point to the same object. We cannot compare, for example, two strings for equality, using the == operator. We must instead use the .equals method, which is a method inherited by all classes from java.lang.Object.Here's the correct way to compare two strings.
String abc = "abc"; String def = "def"; // Bad way if ( (abc + def) == "abcdef" ) { ...... }
// Good way if ( (abc + def).equals("abcdef") ) { ..... }
6. Confusion over passing by value, and passing by reference
This can be a frustrating problem to diagnose, because when you look at the code, you might be sure that its passing by reference, but find that its actually being passed by value. Java uses both, so you need to understand when you're passing by value, and when you're passing by reference.When you pass a primitive data type, such as a char, int, float, or double, to a function then you are passing by value. That means that a copy of the data type is duplicated, and passed to the function. If the function chooses to modify that value, it will be modifying the copy only. Once the function finishes, and control is returned to the returning function, the "real" variable will be untouched, and no changes will have been saved. If you need to modify a primitive data type, make it a return value for a function, or wrap it inside an object.
When you pass a Java object, such as an array, a vector, or a string, to a function then you are passing by reference. Yes - a String is actually an object, not a primitive data type. So that means that if you pass an object to a function, you are passing a reference to it, not a duplicate. Any changes you make to the object's member variables will be permanent - which can be either good or bad, depending on whether this was what you intended.
On a side note, since String contains no methods to modify its contents, you might as well be passing by value.
5. Writing blank exception handlers
I know it's very tempting to write blank exception handlers, and to just ignore errors. But if you run into problems, and haven't written any error messages, it becomes almost impossible to find out the cause of the error. Even the simplest exception handler can be of benefit. For example, put a try { .. } catch Exception around your code, to catch ANY type of exception, and print out the message. You don't need to write a custom handler for every exception (though this is still good programming practice). Don't ever leave it blank, or you won't know what's happening.For example
public static void main(String args[]) { try { // Your code goes here.. } catch (Exception e) { System.out.println ("Err - " + e ); } }
4. Forgetting that Java is zero-indexed
If you've come from a C/C++ background, you may not find this quite as much a problem as those who have used other languages. In Java, arrays are zero-indexed, meaning that the first element's index is actually 0. Confused? Let's look at a quick example.// Create an array of three strings String[] strArray = new String[3]; // First element's index is actually 0 strArray[0] = "First string"; // Second element's index is actually 1 strArray[1] = "Second string"; // Final element's index is actually 2 strArray[2] = "Third and final string";In this example, we have an array of three strings, but to access elements of the array we actually subtract one. Now, if we were to try and access strArray[3], we'd be accessing the fourth element. This will case an ArrayOutOfBoundsException to be thrown - the most obvious sign of forgetting the zero-indexing rule.
Other areas where zero-indexing can get you into trouble is with strings. Suppose you wanted to get a character at a particular offset within a string. Using the String.charAt(int) function you can look this information up - but under Java, the String class is also zero-indexed. That means than the first character is at offset 0, and second at offset 1. You can run into some very frustrating problems unless you are aware of this - particularly if you write applications with heavy string processing. You can be working on the wrong character, and also throw exceptions at run-time. Just like the ArrayOutOfBoundsException, there is a string equivalent. Accessing beyond the bounds of a String will cause a StringIndexOutOfBoundsException to be thrown, as demonstrated by this example.
public class StrDemo { public static void main (String args[]) { String abc = "abc"; System.out.println ("Char at offset 0 : " + abc.charAt(0) ); System.out.println ("Char at offset 1 : " + abc.charAt(1) ); System.out.println ("Char at offset 2 : " + abc.charAt(2) ); // This line should throw a StringIndexOutOfBoundsException System.out.println ("Char at offset 3 : " + abc.charAt(3) ); } }Note too, that zero-indexing doesn't just apply to arrays, or to Strings. Other parts of Java are also indexed, but not always consistently. The java.util.Date, and java.util.Calendar classes start their months with 0, but days start normally with 1. This problem is demonstrated by the following application.
import java.util.Date; import java.util.Calendar; public class ZeroIndexedDate { public static void main (String args[]) { // Get today's date Date today = new Date(); // Print return value of getMonth System.out.println ("Date.getMonth() returns : " + today.getMonth()); // Get today's date using a Calendar Calendar rightNow = Calendar.getInstance(); // Print return value of get ( Calendar.MONTH ) System.out.println ("Calendar.get (month) returns : " + rightNow.get ( Calendar.MONTH ));
} }Zero-indexing is only a problem if you don't realize that its occurring. If you think you're running into a problem, always consult your API documentation.
3. Preventing concurrent access to shared variables by threads
When writing multi-threaded applications, many programmers (myself included) often cut corners, and leave their applications and applets vulnerable to thread conflicts. When two or more threads access the same data concurrently, there exists the possibility (and Murphy's law holding, the probability) that two threads will access or modify the same data at the same time. Don't be fooled into thinking that such problems won't occur on single-threaded processors. While accessing some data (performing a read), your thread may be suspended, and another thread scheduled. It writes its data, which is then overwritten when the first thread makes its changes.Such problems are not just limited to multi-threaded applications or applets. If you write Java APIs, or JavaBeans, then your code may not be thread-safe. Even if you never write a single application that uses threads, people that use your code WILL. For the sanity of others, if not yourself, you should always take precautions to prevent concurrent access to shared data.
How can this problem be solved? The simplest method is to make your variables private (but you do that already, right?) and to use synchronized accessor methods. Accessor methods allow access to private member variables, but in a controlled manner. Take the following accessor methods, which provide a safe way to change the value of a counter.
public class MyCounter { private int count = 0; // count starts at zero public synchronized void setCount(int amount) { count = amount; } public synchronized int getCount() { return count; } }
2. Capitalization errors
This is one of the most frequent errors that we all make. It's so simple to do, and sometimes one can look at an uncapitalized variable or method and still not spot the problem. I myself have often been puzzled by these errors, because I recognize that the method or variable does exist, but don't spot the lack of capitalization.While there's no silver bullet for detecting this error, you can easily train yourself to make less of them. There's a very simple trick you can learn :-
- all methods and member variables in the Java API begin with lowercase letters
- all methods and member variables use capitalization where a new word begins e.g - getDoubleValue()
(drum roll)
And the number one error that Java programmers make !!!!!
1. Null pointers!
Null pointers are one of the most common errors that Java programmers make. Compilers can't check this one for you - it will only surface at runtime, and if you don't discover it, your users certainly will.When an attempt to access an object is made, and the reference to that object is null, a NullPointerException will be thrown. The cause of null pointers can be varied, but generally it means that either you haven't initialized an object, or you haven't checked the return value of a function.
Many functions return null to indicate an error condition - but unless you check your return values, you'll never know what's happening. Since the cause is an error condition, normal testing may not pick it up - which means that your users will end up discovering the problem for you. If the API function indicates that null may be returned, be sure to check this before using the object reference!
Another cause is where your initialization has been sloppy, or where it is conditional. For example, examine the following code, and see if you can spot the problem.
public static void main(String args[]) { // Accept up to 3 parameters String[] list = new String[3]; int index = 0; while ( (index < args.length) && ( index < 3 ) ) { list[index++] = args[index]; } // Check all the parameters for (int i = 0; i < list.length; i++) { if (list[i].equals "-help") { // ......... } else if (list[i].equals "-cp") { // ......... } // else ..... } }This code (while a contrived example), shows a common mistake. Under some circumstances, where the user enters three or more parameters, the code will run fine. If no parameters are entered, you'll get a NullPointerException at runtime. Sometimes your variables (the array of strings) will be initialized, and other times they won't. One easy solution is to check BEFORE you attempt to access a variable in an array that it is not equal to null.
Summary
These errors represent but some of the many that we all make. Though it is impossible to completely eliminate errors from the coding process, with care and practice you can avoid repeating the same ones. Rest assured, however, that all Java programmers encounter the same sorts of problems. It's comforting to know, that while you work late into the night tracking down an error, someone, somewhere, sometime, will make the same mistake!Follow the link below for more reference
http://users.csc.calpoly.edu/~jdalbey/103/Projects/ProgrammingPractice.html
Elements of the C Language
The C Character Set
C uses the uppercase English alphabets A to Z, the lowercase letters a to z, the digits 0 to 9, and certain special characters as building blocks to form basic program elements viz. constants, variables, operators, expressions and statements.
Identifiers and Keywords
Identifiers are names given to various items in the program, such as variables, functions and arrays. An identifier consists of letters and digits, in any order, except that the first character must be a letter. Both upper and lowercase letters are permitted. Upper and lowercase letters are however not interchangeable (i.e., an uppercase letter is not equivalent to the corresponding lowercase letter). The underscore character (_) can also be included, and it is treated as a letter. Keywords like if, else, int, float, etc., have special meaning and they cannot be used as identifier names.
The following are examples of valid identifier names: A, ab123, velocity, stud_name, circumference, Average, TOTAL
Data Types and Sizes
There are only few basic data types in C. These are listed in the table below:
Data type | Description | Size | Range |
---|---|---|---|
char | single character | 1 byte | 0 - 255 |
int | integer number | 4 bytes | -2147483648 to 2147483647 |
float | single precision floating point number (number containing fraction & or an exponent) | 4 bytes | 3.4E-38 to 3.4E+38 |
double | double precision floating point number | 8 bytes | 1.7E-308 to 1.7E+308 |
The list of data types can be increased by using the data type qualifiers such as - short, long, and unsigned. For example, an integer quantity can be defined as long, short, signed or unsigned integer. The memory requirement of an integer data varies depending on the compilers used. The qualified basic data types and their sizes are shown in table below.
Data type | Size | Range |
---|---|---|
short int | 2 bytes | -32768 to 32767 |
long int | 4 bytes | -2147483648 to 2147483647 |
unsigned short int | 2 bytes | 0 to 65535 |
unsigned int | 4 bytes | 0 to 4294967295 |
unsigned long int | 4 bytes | 0 to 4294967295 |
long double (extended precision) | 8 bytes | 1.7E-308 to1.7E+308 |
Note that the qualifier unsigned can be used along with the qualifiers short and long. The unsigned int occupies the same memory space as an ordinary int but differs on the possible content of the left-most bit. In case of an ordinary int it is reserved for sign (sign bit), but all the bits in an unsigned int are used for determining the magnitude of the integer quantity.
The char type is used to represent individual characters, and occupies one byte of memory. Each character has an equivalent integer representation (since each stores internally the ASCII value for the corresponding character). So charvariables or constants can be used as integer data in arithmetic expressions.
The data objects to be manipulated in a C program are classified as variables and constants. The type of all the variables to be used in the program must be declared before they can be used. The operations that can be performed on the data objects are specified by a set of operators. Expressions used in a program combine the variables, constants and operators to produce new values.
Constants
The constants in C can be classified into four categories namely integer constants, floating point constants, character constants and string constants.
A character constant is written as for example -
'A'
(always enclosed in single quotes).
Examples of string constants are -
"Jamshedpur", "A"
, etc. Note that a string constant is always enclosed within double quotes.
A normal integer constant is written as
1234
.
A long int is recognized by the presence of
L
(uppercase or lowercase) at the end of the constant, e.g. 2748723L
.
The suffix
u
or U
signifies the int to be an unsigned one.
The
UL
or ul
at the end indicates the int quantity is of unsigned long type
Floating point constants contain a decimal point (167.903) or an exponent (1e-2) or both. Their type is double unless suffixed. The suffix of
f
or F
indicates float; 1
or L
indicates long double.
C also supports octal and hexadecimal data. The value of an integer data can be specified in either octal or hexadecimal form. A hexadecimal constant must begin with 0x or 0X, a leading 0 indicates the octal representation. Octal and hexadecimal constants may also be followed by U to indicate unsigned or L to determine long.
The number 0x2A5 is an example of a hexadecimal number. Internally the number is represented by the following bit patterns,
0x2A5 = 0010 1010 0101 = 2 * 162 + 10 * 161 + 5 * 160 = 677
---- ---- ----
2 A 5
---- ---- ----
2 A 5
The number 677 is the decimal equivalent of the number 0x2A5.
Example of an octal number can be 0347. To represent each digit of an octal number in the form of binary, we need maximum of three bits since the last digit in the octal number system is 7.
0347 = 011 100 111 = 3 * 82 + 4 * 81 + 7 * 80 = 231 (in decimal)
--- --- ---
3 4 7
--- --- ---
3 4 7
In numeric constants e.g. integer or floating point constants, blanks and any non-numeric characters cannot be included. The range of these constants will be limited by the maximum and minimum bounds (usually machine dependent).
A character constant is a single character enclosed in apostrophes such as 'A'. Such a constant is internally treated as an integer e.g. 'A' corresponds to the integer 65 (also known as its ASCII value). The ASCII value of 'a' (small) is 97. Hence character constants can participate in a numeric calculation just like any other integer, moreover, they also can be used for comparing with other character constants. Some character constants are of non-printing type which can be expressed by a combination of a back-slash (\) and a character. They are known as escape sequences. Each of them represents a single character even though they are written in terms of two or more characters.
Commonly used escape sequences are listed below:
Character | Escape Sequence | ASCII Value |
---|---|---|
Bell | \a | 007 |
Backspace | \b | 008 |
Null | \0 | 000 |
Newline | \n | 010 |
Carriage return | \r | 013 |
Vertical tab | \v | 011 |
Horizontal tab | \t | 009 |
Form feed | \f | 012 |
Exercises:
Identify which of the following numerical values are valid constants. If a constant is valid, specify whether it is integer or real. Also, specify the base for each valid integer constant.
(a) | 0.7 | b) | 39,634 | c) | 16.3e18 | d) | 16.3e-18 |
(e) | 123456789 | f) | 123456789l | g) | 0.3E+0.4 | h) | 0.3E4 |
(i) | 0412 | j) | 018ACF | k) | 0xABCDE | l) | 0x97e334 |
Which of the following are valid character constants?
(a) | 'a' | (b) | '/n' | (c) | 'F' | (d) | '\0492' |
(e) | 'x' | (f) | '\\' | (g) | '\0' | (h) | '\n' |
(i) | '\b' | (j) | '\x-y-' |
Which of the following are valid string constants?
(a) | '9:25 A.M.' |
(b) | "Blue, Green and Indigo" |
(c) | "Name: |
(d) | "Section 4 (Next \'d')" |
(e) | "1.6e-18" |
(f) | "JAMSHEDPUR BR 831 001" |
(g) | "The Station master announced, "Down Geetanjali express is running late" |
Symbolic Constants
Constants which play crucial roles in a program can be made more meaningful by assigning them appropriate names to make the program more readable and easily changeable. These constants are called symbolic constants and are defined as follows.
Examples:
#define PI 3.141593
#define TRUE 1
#define PROMPT "Enter Your Name :"
PI, TRUE and PROMPT are symbolic constants, so they do not appear in the declaration. #define is a preprocessor directive like #include. The salient feature of a symbolic constant is that the value assigned to a symbolic constant cannot be changed (unlike variables) subsequently in the program.
Exercise:
Write an appropriate definition for each of the following symbolic constants, as it would appear within a C program:
Constant | Text | |
---|---|---|
(a) | AMOUNT | -75 |
(b) | EPSILON | 0.00001 |
(c) | BIGIN | { |
END | } | |
(d) | FIRSTNAME | "Sanjay" |
(e) | ENDOLIN | '\n' |
(f) | COST | "Rs. 125.75" |
Variable Declaration in C
In a C program all variables must be declared before they are used. A declaration determines the type of the data, and contains a list of one or more variables having the same type.
Example:
int | count, index; |
char | flag, text[80]; |
short int | a,b; |
unsigned int | p; |
double | d; |
A variable can be initialized with values at the time of declaration.
Example:
int | c = 5; |
char | reply = 'Y'; |
double | d = 4.64386237445675; |
char | state[] = "ANDHRA PRADESH"; |
float | eps = 1.0e-5; |
Exercises:
Write appropriate declaration for each group of variables and character array (strings):
(a) | Integer variables: x, y |
(b) | Integer variable: count |
Unsigned integer variable: employee no | |
Double-precision variables: net sales, tax, profit | |
(c) | Character variables: first name, last name |
(d) | 70 element character array: message |
Write appropriate declaration and assign the given initial values to each group of variables and array:
(a) | Floating-point variables: x = -9.5, y = 1.0004 |
Integer variables: a = 734, b = 49, c = -63 | |
Character variables: c1 = 'a', c2 = '$' | |
(b) | Double-precision variable: d1 = 3.94 * 10-12, d2 = -9.89 * 107 |
Integer variable: i = 437 (octal), h = 6AFF (hexadecimal) | |
(c) | Long integer variable: large = 123456789 |
Double-precision variables: d = 0.6666666 | |
Character variable: eol = newline character | |
(d) | One-dimensional character array: message = "OVERFLOW" |
0 comments:
Post a Comment