Objective-C – Constants

Objective-C Constants ”; Previous Next The constants refer to fixed values that the program may not alter during its execution. These fixed values are also called literals. Constants can be of any of the basic data types like an integer constant, a floating constant, a character constant, or a string literal. There are also enumeration constants as well. The constants are treated just like regular variables except that their values cannot be modified after their definition. Integer Literals An integer literal can be a decimal, octal, or hexadecimal constant. A prefix specifies the base or radix: 0x or 0X for hexadecimal, 0 for octal, and nothing for decimal. An integer literal can also have a suffix that is a combination of U and L, for unsigned and long, respectively. The suffix can be uppercase or lowercase and can be in any order. Here are some examples of integer literals − 212 /* Legal */ 215u /* Legal */ 0xFeeL /* Legal */ 078 /* Illegal: 8 is not an octal digit */ 032UU /* Illegal: cannot repeat a suffix */ Following are other examples of various types of Integer literals − 85 /* decimal */ 0213 /* octal */ 0x4b /* hexadecimal */ 30 /* int */ 30u /* unsigned int */ 30l /* long */ 30ul /* unsigned long */ Floating-point Literals A floating-point literal has an integer part, a decimal point, a fractional part, and an exponent part. You can represent floating point literals either in decimal form or exponential form. While representing using decimal form, you must include the decimal point, the exponent, or both and while representing using exponential form, you must include the integer part, the fractional part, or both. The signed exponent is introduced by e or E. Here are some examples of floating-point literals − 3.14159 /* Legal */ 314159E-5L /* Legal */ 510E /* Illegal: incomplete exponent */ 210f /* Illegal: no decimal or exponent */ .e55 /* Illegal: missing integer or fraction */ Character Constants Character literals are enclosed in single quotes e.g., ”x” and can be stored in a simple variable of char type. A character literal can be a plain character (e.g., ”x”), an escape sequence (e.g., ”t”), or a universal character (e.g., ”u02C0”). There are certain characters in C when they are proceeded by a backslash they will have special meaning and they are used to represent like newline (n) or tab (t). Here, you have a list of some of such escape sequence codes − Escape sequence Meaning \ character ” ” character “ ” character ? ? character a Alert or bell b Backspace f Form feed n Newline r Carriage return t Horizontal tab v Vertical tab ooo Octal number of one to three digits xhh . . . Hexadecimal number of one or more digits Following is the example to show few escape sequence characters − Live Demo #import <Foundation/Foundation.h> int main() { NSLog(@”HellotWorldnn”); return 0; } When the above code is compiled and executed, it produces the following result − 2013-09-07 22:17:17.923 demo[17871] Hello World String Literals String literals or constants are enclosed in double quotes “”. A string contains characters that are similar to character literals: plain characters, escape sequences, and universal characters. You can break a long line into multiple lines using string literals and separating them using whitespaces. Here are some examples of string literals. All the three forms are identical strings. “hello, dear” “hello, dear” “hello, ” “d” “ear” Defining Constants There are two simple ways in C to define constants − Using #define preprocessor. Using const keyword. The #define Preprocessor Following is the form to use #define preprocessor to define a constant − #define identifier value Following example explains it in detail − Live Demo #import <Foundation/Foundation.h> #define LENGTH 10 #define WIDTH 5 #define NEWLINE ”n” int main() { int area; area = LENGTH * WIDTH; NSLog(@”value of area : %d”, area); NSLog(@”%c”, NEWLINE); return 0; } When the above code is compiled and executed, it produces the following result − 2013-09-07 22:18:16.637 demo[21460] value of area : 50 2013-09-07 22:18:16.638 demo[21460] The const Keyword You can use const prefix to declare constants with a specific type as follows − const type variable = value; Following example explains it in detail − Live Demo #import <Foundation/Foundation.h> int main() { const int LENGTH = 10; const int WIDTH = 5; const char NEWLINE = ”n”; int area; area = LENGTH * WIDTH; NSLog(@”value of area : %d”, area); NSLog(@”%c”, NEWLINE); return 0; } When the above code is compiled and executed, it produces the following result − 2013-09-07 22:19:24.780 demo[25621] value of area : 50 2013-09-07 22:19:24.781 demo[25621] Note that it is a good programming practice to define constants in CAPITALS. Print Page Previous Next Advertisements ”;

Objective-C – Pointers

Objective-C Pointers ”; Previous Next Pointers in Objective-C are easy and fun to learn. Some Objective-C programming tasks are performed more easily with pointers, and other tasks, such as dynamic memory allocation, cannot be performed without using pointers. So it becomes necessary to learn pointers to become a perfect Objective-C programmer. Let”s start learning them in simple and easy steps. As you know, every variable is a memory location and every memory location has its address defined which can be accessed using ampersand (&) operator, which denotes an address in memory. Consider the following example, which will print the address of the variables defined − Live Demo #import <Foundation/Foundation.h> int main () { int var1; char var2[10]; NSLog(@”Address of var1 variable: %xn”, &var1 ); NSLog(@”Address of var2 variable: %xn”, &var2 ); return 0; } When the above code is compiled and executed, it produces the result something as follows − 2013-09-13 03:18:45.727 demo[17552] Address of var1 variable: 1c0843fc 2013-09-13 03:18:45.728 demo[17552] Address of var2 variable: 1c0843f0 So, you understood what is memory address and how to access it, so base of the concept is over. Now let us see what is a pointer. What Are Pointers? A pointer is a variable whose value is the address of another variable, i.e., direct address of the memory location. Like any variable or constant, you must declare a pointer before you can use it to store any variable address. The general form of a pointer variable declaration is − type *var-name; Here, type is the pointer”s base type; it must be a valid Objective-C data type and var-name is the name of the pointer variable. The asterisk * you used to declare a pointer is the same asterisk that you use for multiplication. However, in this statement the asterisk is being used to designate a variable as a pointer. Following are the valid pointer declaration − int *ip; /* pointer to an integer */ double *dp; /* pointer to a double */ float *fp; /* pointer to a float */ char *ch /* pointer to a character */ The actual data type of the value of all pointers, whether integer, float, character, or otherwise, is the same, a long hexadecimal number that represents a memory address. The only difference between pointers of different data types is the data type of the variable or constant that the pointer points to. How to use Pointers? There are few important operations, which we will do with the help of pointers very frequently. (a) we define a pointer variable, (b) assign the address of a variable to a pointer, and (c) finally access the value at the address available in the pointer variable. This is done by using unary operator * that returns the value of the variable located at the address specified by its operand. Following example makes use of these operations − Live Demo #import <Foundation/Foundation.h> int main () { int var = 20; /* actual variable declaration */ int *ip; /* pointer variable declaration */ ip = &var; /* store address of var in pointer variable*/ NSLog(@”Address of var variable: %xn”, &var ); /* address stored in pointer variable */ NSLog(@”Address stored in ip variable: %xn”, ip ); /* access the value using the pointer */ NSLog(@”Value of *ip variable: %dn”, *ip ); return 0; } When the above code is compiled and executed, it produces the result something as follows − 2013-09-13 03:20:21.873 demo[24179] Address of var variable: 337ed41c 2013-09-13 03:20:21.873 demo[24179] Address stored in ip variable: 337ed41c 2013-09-13 03:20:21.874 demo[24179] Value of *ip variable: 20 NULL Pointers in Objective-C It is always a good practice to assign a NULL value to a pointer variable in case you do not have exact address to be assigned. This is done at the time of variable declaration. A pointer that is assigned NULL is called a null pointer. The NULL pointer is a constant with a value of zero defined in several standard libraries. Consider the following program − Live Demo #import <Foundation/Foundation.h> int main () { int *ptr = NULL; NSLog(@”The value of ptr is : %xn”, ptr ); return 0; } When the above code is compiled and executed, it produces the following result − 2013-09-13 03:21:19.447 demo[28027] The value of ptr is : 0 On most of the operating systems, programs are not permitted to access memory at address 0 because that memory is reserved by the operating system. However, the memory address 0 has special significance; it signals that the pointer is not intended to point to an accessible memory location. But by convention, if a pointer contains the null (zero) value, it is assumed to point to nothing. To check for a null pointer, you can use an if statement as follows − if(ptr) /* succeeds if p is not null */ if(!ptr) /* succeeds if p is null */ Objective-C Pointers in Detail Pointers have many but easy concepts and they are very important to Objective-C programming. There are following few important pointer concepts, which should be clear to a Objective-C programmer − Sr.No. Concept & Description 1 Objective-C – Pointer arithmetic There are four arithmetic operators that can be used on pointers: ++, –, +, – 2 Objective-C – Array of pointers You can define arrays to hold a number of pointers. 3 Objective-C – Pointer to pointer Objective-C allows you to have pointer on a pointer and so on. 4 Passing pointers to functions in Objective-C Passing an argument by reference or by address both enable the passed argument to be changed in the calling function by the called function. 5 Return pointer from functions in Objective-C Objective-C allows a function to return a pointer to local variable, static variable and dynamically allocated memory as well. Print Page Previous Next Advertisements ”;

Objective-C – Structures

Objective-C Structures ”; Previous Next Objective-C arrays allow you to define type of variables that can hold several data items of the same kind but structure is another user-defined data type available in Objective-C programming which allows you to combine data items of different kinds. Structures are used to represent a record, Suppose you want to keep track of your books in a library. You might want to track the following attributes about each book − Title Author Subject Book ID Defining a Structure To define a structure, you must use the struct statement. The struct statement defines a new data type, with more than one member for your program. The format of the struct statement is shown below − struct [structure tag] { member definition; member definition; … member definition; } [one or more structure variables]; The structure tag is optional and each member definition is a normal variable definition, such as int i; or float f; or any other valid variable definition. At the end of the structure”s definition, before the final semicolon, you can specify one or more structure variables but it is optional. Here is the way you would declare the Book structure − struct Books { NSString *title; NSString *author; NSString *subject; int book_id; } book; Accessing Structure Members To access any member of a structure, we use the member access operator (.). The member access operator is coded as a period between the structure variable name and the structure member that we wish to access. You would use struct keyword to define variables of structure type. Following is the example to explain usage of structure − Live Demo #import <Foundation/Foundation.h> struct Books { NSString *title; NSString *author; NSString *subject; int book_id; }; int main() { struct Books Book1; /* Declare Book1 of type Book */ struct Books Book2; /* Declare Book2 of type Book */ /* book 1 specification */ Book1.title = @”Objective-C Programming”; Book1.author = @”Nuha Ali”; Book1.subject = @”Objective-C Programming Tutorial”; Book1.book_id = 6495407; /* book 2 specification */ Book2.title = @”Telecom Billing”; Book2.author = @”Zara Ali”; Book2.subject = @”Telecom Billing Tutorial”; Book2.book_id = 6495700; /* print Book1 info */ NSLog(@”Book 1 title : %@n”, Book1.title); NSLog(@”Book 1 author : %@n”, Book1.author); NSLog(@”Book 1 subject : %@n”, Book1.subject); NSLog(@”Book 1 book_id : %dn”, Book1.book_id); /* print Book2 info */ NSLog(@”Book 2 title : %@n”, Book2.title); NSLog(@”Book 2 author : %@n”, Book2.author); NSLog(@”Book 2 subject : %@n”, Book2.subject); NSLog(@”Book 2 book_id : %dn”, Book2.book_id); return 0; } When the above code is compiled and executed, it produces the following result − 2013-09-14 04:20:07.947 demo[20591] Book 1 title : Objective-C Programming 2013-09-14 04:20:07.947 demo[20591] Book 1 author : Nuha Ali 2013-09-14 04:20:07.947 demo[20591] Book 1 subject : Objective-C Programming Tutorial 2013-09-14 04:20:07.947 demo[20591] Book 1 book_id : 6495407 2013-09-14 04:20:07.947 demo[20591] Book 2 title : Telecom Billing 2013-09-14 04:20:07.947 demo[20591] Book 2 author : Zara Ali 2013-09-14 04:20:07.947 demo[20591] Book 2 subject : Telecom Billing Tutorial 2013-09-14 04:20:07.947 demo[20591] Book 2 book_id : 6495700 Structures as Function Arguments You can pass a structure as a function argument in very similar way as you pass any other variable or pointer. You would access structure variables in the similar way as you have accessed in the above example − Live Demo #import <Foundation/Foundation.h> struct Books { NSString *title; NSString *author; NSString *subject; int book_id; }; @interface SampleClass:NSObject /* function declaration */ – (void) printBook:( struct Books) book ; @end @implementation SampleClass – (void) printBook:( struct Books) book { NSLog(@”Book title : %@n”, book.title); NSLog(@”Book author : %@n”, book.author); NSLog(@”Book subject : %@n”, book.subject); NSLog(@”Book book_id : %dn”, book.book_id); } @end int main() { struct Books Book1; /* Declare Book1 of type Book */ struct Books Book2; /* Declare Book2 of type Book */ /* book 1 specification */ Book1.title = @”Objective-C Programming”; Book1.author = @”Nuha Ali”; Book1.subject = @”Objective-C Programming Tutorial”; Book1.book_id = 6495407; /* book 2 specification */ Book2.title = @”Telecom Billing”; Book2.author = @”Zara Ali”; Book2.subject = @”Telecom Billing Tutorial”; Book2.book_id = 6495700; SampleClass *sampleClass = [[SampleClass alloc]init]; /* print Book1 info */ [sampleClass printBook: Book1]; /* Print Book2 info */ [sampleClass printBook: Book2]; return 0; } When the above code is compiled and executed, it produces the following result − 2013-09-14 04:34:45.725 demo[8060] Book title : Objective-C Programming 2013-09-14 04:34:45.725 demo[8060] Book author : Nuha Ali 2013-09-14 04:34:45.725 demo[8060] Book subject : Objective-C Programming Tutorial 2013-09-14 04:34:45.725 demo[8060] Book book_id : 6495407 2013-09-14 04:34:45.725 demo[8060] Book title : Telecom Billing 2013-09-14 04:34:45.725 demo[8060] Book author : Zara Ali 2013-09-14 04:34:45.725 demo[8060] Book subject : Telecom Billing Tutorial 2013-09-14 04:34:45.725 demo[8060] Book book_id : 6495700 Pointers to Structures You can define pointers to structures in very similar way as you define pointer to any other variable as follows − struct Books *struct_pointer; Now, you can store the address of a structure variable in the above-defined pointer variable. To find the address of a structure variable, place the & operator before the structure”s name as follows − struct_pointer = &Book1; To access the members of a structure using a pointer to that structure, you must use the -> operator as follows − struct_pointer->title; Let us re-write above example using structure pointer, hope this will be easy for you to understand the concept − Live Demo #import <Foundation/Foundation.h> struct Books { NSString *title; NSString *author; NSString *subject; int book_id; }; @interface SampleClass:NSObject /* function declaration */ – (void) printBook:( struct Books *) book ; @end @implementation SampleClass – (void) printBook:( struct Books *) book { NSLog(@”Book title : %@n”, book->title); NSLog(@”Book author : %@n”, book->author); NSLog(@”Book subject : %@n”, book->subject); NSLog(@”Book book_id : %dn”, book->book_id); } @end int main() { struct Books Book1; /* Declare Book1 of type Book */ struct Books Book2; /* Declare Book2 of type Book */ /* book 1 specification */ Book1.title = @”Objective-C Programming”; Book1.author = @”Nuha Ali”; Book1.subject = @”Objective-C Programming Tutorial”; Book1.book_id = 6495407; /* book 2 specification */ Book2.title = @”Telecom Billing”; Book2.author =

Objective-C – Variables

Objective-C Variables ”; Previous Next A variable is nothing but a name given to a storage area that our programs can manipulate. Each variable in Objective-C has a specific type, which determines the size and layout of the variable”s memory; the range of values that can be stored within that memory; and the set of operations that can be applied to the variable. The name of a variable can be composed of letters, digits, and the underscore character. It must begin with either a letter or an underscore. Upper and lowercase letters are distinct because Objective-C is case-sensitive. Based on the basic types explained in previous chapter, there will be the following basic variable types − Sr.No. Type & Description 1 char Typically a single octet (one byte). This is an integer type. 2 int The most natural size of integer for the machine. 3 float A single-precision floating point value. 4 double A double-precision floating point value. 5 void Represents the absence of type. Objective-C programming language also allows to define various other types of variables, which we will cover in subsequent chapters like Enumeration, Pointer, Array, Structure, Union, etc. For this chapter, let us study only basic variable types. Variable Definition in Objective-C A variable definition means to tell the compiler where and how much to create the storage for the variable. A variable definition specifies a data type and contains a list of one or more variables of that type as follows − type variable_list; Here, type must be a valid Objective-C data type including char, w_char, int, float, double, bool or any user-defined object, etc., and variable_list may consist of one or more identifier names separated by commas. Some valid declarations are shown here − int i, j, k; char c, ch; float f, salary; double d; The line int i, j, k; both declares and defines the variables i, j and k; which instructs the compiler to create variables named i, j and k of type int. Variables can be initialized (assigned an initial value) in their declaration. The initializer consists of an equal sign followed by a constant expression as follows − type variable_name = value; Some examples are − extern int d = 3, f = 5; // declaration of d and f. int d = 3, f = 5; // definition and initializing d and f. byte z = 22; // definition and initializes z. char x = ”x”; // the variable x has the value ”x”. For definition without an initializer: variables with static storage duration are implicitly initialized with NULL (all bytes have the value 0); the initial value of all other variables is undefined. Variable Declaration in Objective-C A variable declaration provides assurance to the compiler that there is one variable existing with the given type and name so that compiler proceed for further compilation without needing complete detail about the variable. A variable declaration has its meaning at the time of compilation only, compiler needs actual variable declaration at the time of linking of the program. A variable declaration is useful when you are using multiple files and you define your variable in one of the files, which will be available at the time of linking of the program. You will use extern keyword to declare a variable at any place. Though you can declare a variable multiple times in your Objective-C program but it can be defined only once in a file, a function or a block of code. Example Try the following example, where variables have been declared at the top, but they have been defined and initialized inside the main function − Live Demo #import <Foundation/Foundation.h> // Variable declaration: extern int a, b; extern int c; extern float f; int main () { /* variable definition: */ int a, b; int c; float f; /* actual initialization */ a = 10; b = 20; c = a + b; NSLog(@”value of c : %d n”, c); f = 70.0/3.0; NSLog(@”value of f : %f n”, f); return 0; } When the above code is compiled and executed, it produces the following result − 2013-09-07 22:43:31.695 demo[14019] value of c : 30 2013-09-07 22:43:31.695 demo[14019] value of f : 23.333334 Same concept applies on function declaration where you provide a function name at the time of its declaration and its actual definition can be given anywhere else. In the following example, it”s explained using C function and as you know Objective-C supports C style functions also − // function declaration int func(); int main() { // function call int i = func(); } // function definition int func() { return 0; } Lvalues and Rvalues in Objective-C There are two kinds of expressions in Objective-C − lvalue − Expressions that refer to a memory location is called “lvalue” expression. An lvalue may appear as either the left-hand or right-hand side of an assignment. rvalue − The term rvalue refers to a data value that is stored at some address in memory. An rvalue is an expression that cannot have a value assigned to it which means an rvalue may appear on the right- but not left-hand side of an assignment. Variables are lvalues and so may appear on the left-hand side of an assignment. Numeric literals are rvalues and so may not be assigned and can not appear on the left-hand side. Following is a valid statement − int g = 20; But following is not a valid statement and would generate compile-time error − 10 = 20; Print Page Previous Next Advertisements ”;

Objective-C – Decision Making

Objective-C Decision Making ”; Previous Next Decision making structures require that the programmer specify one or more conditions to be evaluated or tested by the program, along with a statement or statements to be executed if the condition is determined to be true, and optionally, other statements to be executed if the condition is determined to be false. Following is the general form of a typical decision making structure found in most of the programming languages − Objective-C programming language assumes any non-zero and non-null values as true, and if it is either zero or null, then it is assumed as false value. Objective-C programming language provides following types of decision making statements. Click the following links to check their details − Sr.No. Statement & Description 1 if statement An if statement consists of a boolean expression followed by one or more statements. 2 if…else statement An if statement can be followed by an optional else statement, which executes when the boolean expression is false. 3 nested if statements You can use one if or else if statement inside another if or else if statement(s). 4 switch statement A switch statement allows a variable to be tested for equality against a list of values. 5 nested switch statements You can use one switch statement inside another switch statement(s). The ? : Operator We have covered conditional operator ? : in previous chapter which can be used to replace if…else statements. It has the following general form − Exp1 ? Exp2 : Exp3; Where Exp1, Exp2, and Exp3 are expressions. Notice the use and placement of the colon. The value of a ? expression is determined like this: Exp1 is evaluated. If it is true, then Exp2 is evaluated and becomes the value of the entire ? expression. If Exp1 is false, then Exp3 is evaluated and its value becomes the value of the expression. Print Page Previous Next Advertisements ”;

Objective-C – Strings

Objective-C Strings ”; Previous Next The string in Objective-C programming language is represented using NSString and its subclass NSMutableString provides several ways for creating string objects. The simplest way to create a string object is to use the Objective-C @”…” construct − NSString *greeting = @”Hello”; A simple example for creating and printing a string is shown below. Live Demo #import <Foundation/Foundation.h> int main () { NSString *greeting = @”Hello”; NSLog(@”Greeting message: %@n”, greeting ); return 0; } When the above code is compiled and executed, it produces result something as follows − 2013-09-11 01:21:39.922 demo[23926] Greeting message: Hello Objective-C supports a wide range of methods for manipulate strings − Sr.No. Method & Purpose 1 – (NSString *)capitalizedString; Returns a capitalized representation of the receiver. 2 – (unichar)characterAtIndex:(NSUInteger)index; Returns the character at a given array position. 3 – (double)doubleValue; Returns the floating-point value of the receiver’s text as a double. 4 – (float)floatValue; Returns the floating-point value of the receiver’s text as a float. 5 – (BOOL)hasPrefix:(NSString *)aString; Returns a Boolean value that indicates whether a given string matches the beginning characters of the receiver. 6 – (BOOL)hasSuffix:(NSString *)aString; Returns a Boolean value that indicates whether a given string matches the ending characters of the receiver. 7 – (id)initWithFormat:(NSString *)format …; Returns an NSString object initialized by using a given format string as a template into which the remaining argument values are substituted. 8 – (NSInteger)integerValue; Returns the NSInteger value of the receiver’s text. 9 – (BOOL)isEqualToString:(NSString *)aString; Returns a Boolean value that indicates whether a given string is equal to the receiver using a literal Unicode-based comparison. 10 – (NSUInteger)length; Returns the number of Unicode characters in the receiver. 11 – (NSString *)lowercaseString; Returns lowercased representation of the receiver. 12 – (NSRange)rangeOfString:(NSString *)aString; Finds and returns the range of the first occurrence of a given string within the receiver. 13 – (NSString *)stringByAppendingFormat:(NSString *)format …; Returns a string made by appending to the receiver a string constructed from a given format string and the following arguments. 14 – (NSString *)stringByTrimmingCharactersInSet:(NSCharacterSet *)set; Returns a new string made by removing from both ends of the receiver characters contained in a given character set. 15 – (NSString *)substringFromIndex:(NSUInteger)anIndex; Returns a new string containing the characters of the receiver from the one at a given index to the end. Following example makes use of few of the above-mentioned functions − Live Demo #import <Foundation/Foundation.h> int main () { NSString *str1 = @”Hello”; NSString *str2 = @”World”; NSString *str3; int len ; NSAutoreleasePool * pool = [[NSAutoreleasePool alloc] init]; /* uppercase string */ str3 = [str2 uppercaseString]; NSLog(@”Uppercase String : %@n”, str3 ); /* concatenates str1 and str2 */ str3 = [str1 stringByAppendingFormat:@”World”]; NSLog(@”Concatenated string: %@n”, str3 ); /* total length of str3 after concatenation */ len = [str3 length]; NSLog(@”Length of Str3 : %dn”, len ); /* InitWithFormat */ str3 = [[NSString alloc] initWithFormat:@”%@ %@”,str1,str2]; NSLog(@”Using initWithFormat: %@n”, str3 ); [pool drain]; return 0; } When the above code is compiled and executed, it produces result something as follows − 2013-09-11 01:15:45.069 demo[30378] Uppercase String : WORLD 2013-09-11 01:15:45.070 demo[30378] Concatenated string: HelloWorld 2013-09-11 01:15:45.070 demo[30378] Length of Str3 : 10 2013-09-11 01:15:45.070 demo[30378] Using initWithFormat: Hello World You can find a complete list of Objective-C NSString related methods in NSString Class Reference. Print Page Previous Next Advertisements ”;

Objective-C – Operators

Objective-C Operators ”; Previous Next An operator is a symbol that tells the compiler to perform specific mathematical or logical manipulations. Objective-C language is rich in built-in operators and provides following types of operators − Arithmetic Operators Relational Operators Logical Operators Bitwise Operators Assignment Operators Misc Operators This tutorial will explain the arithmetic, relational, logical, bitwise, assignment and other operators one by one. Arithmetic Operators Following table shows all the arithmetic operators supported by Objective-C language. Assume variable A holds 10 and variable B holds 20, then − Show Examples Operator Description Example + Adds two operands A + B will give 30 – Subtracts second operand from the first A – B will give -10 * Multiplies both operands A * B will give 200 / Divides numerator by denominator B / A will give 2 % Modulus Operator and remainder of after an integer division B % A will give 0 ++ Increment operator increases integer value by one A++ will give 11 — Decrement operator decreases integer value by one A– will give 9 Relational Operators Following table shows all the relational operators supported by Objective-C language. Assume variable A holds 10 and variable B holds 20, then − Show Examples Operator Description Example == Checks if the values of two operands are equal or not; if yes, then condition becomes true. (A == B) is not true. != Checks if the values of two operands are equal or not; if values are not equal, then condition becomes true. (A != B) is true. > Checks if the value of left operand is greater than the value of right operand; if yes, then condition becomes true. (A > B) is not true. < Checks if the value of left operand is less than the value of right operand; if yes, then condition becomes true. (A < B) is true. >= Checks if the value of left operand is greater than or equal to the value of right operand; if yes, then condition becomes true. (A >= B) is not true. <= Checks if the value of left operand is less than or equal to the value of right operand; if yes, then condition becomes true. (A <= B) is true. Logical Operators Following table shows all the logical operators supported by Objective-C language. Assume variable A holds 1 and variable B holds 0, then − Show Examples Operator Description Example && Called Logical AND operator. If both the operands are non zero then condition becomes true. (A && B) is false. || Called Logical OR Operator. If any of the two operands is non zero then condition becomes true. (A || B) is true. ! Called Logical NOT Operator. Use to reverses the logical state of its operand. If a condition is true, then Logical NOT operator will make false. !(A && B) is true. Bitwise Operators Bitwise operator works on bits and perform bit by bit operation. The truth tables for &, |, and ^ are as follows − p q p & q p | q p ^ q 0 0 0 0 0 0 1 0 1 1 1 1 1 1 0 1 0 0 1 1 Assume if A = 60; and B = 13; now in binary format they will be as follows − A = 0011 1100 B = 0000 1101 —————– A&B = 0000 1100 A|B = 0011 1101 A^B = 0011 0001 ~A  = 1100 0011 The Bitwise operators supported by Objective-C language are listed in the following table. Assume variable A holds 60 and variable B holds 13 then − Show Examples Operator Description Example & Binary AND Operator copies a bit to the result if it exists in both operands. (A & B) will give 12, which is 0000 1100 | Binary OR Operator copies a bit if it exists in either operand. (A | B) will give 61, which is 0011 1101 ^ Binary XOR Operator copies the bit if it is set in one operand but not both. (A ^ B) will give 49, which is 0011 0001 ~ Binary Ones Complement Operator is unary and has the effect of ”flipping” bits. (~A ) will give -61, which is 1100 0011 in 2”s complement form. << Binary Left Shift Operator. The left operands value is moved left by the number of bits specified by the right operand. A << 2 will give 240, which is 1111 0000 >> Binary Right Shift Operator. The left operands value is moved right by the number of bits specified by the right operand. A >> 2 will give 15, which is 0000 1111 Assignment Operators There are following assignment operators supported by Objective-C language − Show Examples Operator Description Example = Simple assignment operator, Assigns values from right side operands to left side operand C = A + B will assign value of A + B into C += Add AND assignment operator, It adds right operand to the left operand and assigns the result to left operand C += A is equivalent to C = C + A -= Subtract AND assignment operator, It subtracts right operand from the left operand and assigns the result to left operand C -= A is equivalent to C = C – A *= Multiply AND assignment operator, It multiplies right operand with the left operand and assigns the result to left operand C *= A is equivalent to C = C * A /= Divide AND assignment operator, It divides left operand with the right operand and assigns the result to left operand C /= A is equivalent to C = C / A %= Modulus AND assignment operator, It takes modulus using two operands and assigns the result to left operand C %= A is equivalent to C = C % A <<= Left shift AND assignment operator C <<= 2 is same as C = C << 2 >>= Right shift AND assignment operator

Objective-C – Preprocessors

Objective-C Preprocessors ”; Previous Next The Objective-C Preprocessor is not part of the compiler, but is a separate step in the compilation process. In simplistic terms, an Objective-C Preprocessor is just a text substitution tool and it instructs compiler to do required pre-processing before actual compilation. We”ll refer to the Objective-C Preprocessor as the OCPP. All preprocessor commands begin with a pound symbol (#). It must be the first nonblank character, and for readability, a preprocessor directive should begin in first column. Following section lists down all important preprocessor directives − Sr.No. Directive & Description 1 #define Substitutes a preprocessor macro 2 #include Inserts a particular header from another file 3 #undef Undefines a preprocessor macro 4 #ifdef Returns true if this macro is defined 5 #ifndef Returns true if this macro is not defined 6 #if Tests if a compile time condition is true 7 #else The alternative for #if 8 #elif #else an #if in one statement 9 #endif Ends preprocessor conditional 10 #error Prints error message on stderr 11 #pragma Issues special commands to the compiler using a standardized method Preprocessors Examples Analyze the following examples to understand various directives. #define MAX_ARRAY_LENGTH 20 This directive tells the OCPP to replace instances of MAX_ARRAY_LENGTH with 20. Use #define for constants to increase readability. #import <Foundation/Foundation.h> #include “myheader.h” These directives tell the OCPP to get foundation.h from Foundation Framework and add the text to the current source file. The next line tells OCPP to get myheader.h from the local directory and add the content to the current source file. #undef FILE_SIZE #define FILE_SIZE 42 This tells the OCPP to undefine existing FILE_SIZE and define it as 42. #ifndef MESSAGE #define MESSAGE “You wish!” #endif This tells the OCPP to define MESSAGE only if MESSAGE isn”t already defined. #ifdef DEBUG /* Your debugging statements here */ #endif This tells the OCPP to do the process the statements enclosed if DEBUG is defined. This is useful if you pass the -DDEBUG flag to gcc compiler at the time of compilation. This will define DEBUG, so you can turn debugging on and off on the fly during compilation. Predefined Macros ANSI C defines a number of macros. Although each one is available for your use in programming, the predefined macros should not be directly modified. Sr.No. Macro & Description 1 __DATE__ The current date as a character literal in “MMM DD YYYY” format 2 __TIME__ The current time as a character literal in “HH:MM:SS” format 3 __FILE__ This contains the current filename as a string literal. 4 __LINE__ This contains the current line number as a decimal constant. 5 __STDC__ Defined as 1 when the compiler complies with the ANSI standard. Let”s try the following example − Live Demo #import <Foundation/Foundation.h> int main() { NSLog(@”File :%sn”, __FILE__ ); NSLog(@”Date :%sn”, __DATE__ ); NSLog(@”Time :%sn”, __TIME__ ); NSLog(@”Line :%dn”, __LINE__ ); NSLog(@”ANSI :%dn”, __STDC__ ); return 0; } When the above code in a file main.m is compiled and executed, it produces the following result − 2013-09-14 04:46:14.859 demo[20683] File :main.m 2013-09-14 04:46:14.859 demo[20683] Date :Sep 14 2013 2013-09-14 04:46:14.859 demo[20683] Time :04:46:14 2013-09-14 04:46:14.859 demo[20683] Line :8 2013-09-14 04:46:14.859 demo[20683] ANSI :1 Preprocessor Operators The Objective-C preprocessor offers following operators to help you in creating macros − Macro Continuation () A macro usually must be contained on a single line. The macro continuation operator is used to continue a macro that is too long for a single line. For example − #define message_for(a, b) NSLog(@#a ” and ” #b “: We love you!n”) Stringize (#) The stringize or number-sign operator (”#”), when used within a macro definition, converts a macro parameter into a string constant. This operator may be used only in a macro that has a specified argument or parameter list. For example − Live Demo #import <Foundation/Foundation.h> #define message_for(a, b) NSLog(@#a ” and ” #b “: We love you!n”) int main(void) { message_for(Carole, Debra); return 0; } When the above code is compiled and executed, it produces the following result − 2013-09-14 05:46:14.859 demo[20683] Carole and Debra: We love you! Token Pasting (##) The token-pasting operator (##) within a macro definition combines two arguments. It permits two separate tokens in the macro definition to be joined into a single token. For example − Live Demo #import <Foundation/Foundation.h> #define tokenpaster(n) NSLog (@”token” #n ” = %d”, token##n) int main(void) { int token34 = 40; tokenpaster(34); return 0; } When the above code is compiled and executed, it produces the following result − 2013-09-14 05:48:14.859 demo[20683] token34 = 40 How it happened, because this example results in the following actual output from the preprocessor − NSLog (@”token34 = %d”, token34); This example shows the concatenation of token##n into token34 and here we have used both stringize and token-pasting. The defined() Operator The preprocessor defined operator is used in constant expressions to determine if an identifier is defined using #define. If the specified identifier is defined, the value is true (non-zero). If the symbol is not defined, the value is false (zero). The defined operator is specified as follows − Live Demo #import <Foundation/Foundation.h> #if !defined (MESSAGE) #define MESSAGE “You wish!” #endif int main(void) { NSLog(@”Here is the message: %sn”, MESSAGE); return 0; } When the above code is compiled and executed, it produces the following result − 2013-09-14 05:48:19.859 demo[20683] Here is the message: You wish! Parameterized Macros One of the powerful functions of the OCPP is the ability to simulate functions using parameterized macros. For example, we might have some code to square a number as follows − int square(int x) { return x * x; } We can rewrite above code using a macro as follows − #define square(x) ((x) * (x)) Macros with arguments must be defined using the #define directive before they can be used. The argument list is enclosed in parentheses and must immediately follow the macro name. Spaces are not allowed between macro name and open parenthesis. For example − Live Demo

Objective-C – Numbers

Objective-C Numbers ”; Previous Next In Objective-C programming language, in order to save the basic data types like int, float, bool in object form, Objective-C provides a range of methods to work with NSNumber and important ones are listed in following table. Sr.No. Method & Description 1 + (NSNumber *)numberWithBool:(BOOL)value Creates and returns an NSNumber object containing a given value, treating it as a BOOL. 2 + (NSNumber *)numberWithChar:(char)value Creates and returns an NSNumber object containing a given value, treating it as a signed char. 3 + (NSNumber *)numberWithDouble:(double)value Creates and returns an NSNumber object containing a given value, treating it as a double. 4 + (NSNumber *)numberWithFloat:(float)value Creates and returns an NSNumber object containing a given value, treating it as a float. 5 + (NSNumber *)numberWithInt:(int)value Creates and returns an NSNumber object containing a given value, treating it as a signed int. 6 + (NSNumber *)numberWithInteger:(NSInteger)value Creates and returns an NSNumber object containing a given value, treating it as an NSInteger. 7 – (BOOL)boolValue Returns the receiver”s value as a BOOL. 8 – (char)charValue Returns the receiver”s value as a char. 9 – (double)doubleValue Returns the receiver”s value as a double. 10 – (float)floatValue Returns the receiver”s value as a float. 11 – (NSInteger)integerValue Returns the receiver”s value as an NSInteger. 12 – (int)intValue Returns the receiver”s value as an int. 13 – (NSString *)stringValue Returns the receiver”s value as a human-readable string. Here is a simple example for using NSNumber which multiplies two numbers and returns the product. Live Demo #import <Foundation/Foundation.h> @interface SampleClass:NSObject – (NSNumber *)multiplyA:(NSNumber *)a withB:(NSNumber *)b; @end @implementation SampleClass – (NSNumber *)multiplyA:(NSNumber *)a withB:(NSNumber *)b { float number1 = [a floatValue]; float number2 = [b floatValue]; float product = number1 * number2; NSNumber *result = [NSNumber numberWithFloat:product]; return result; } @end int main() { NSAutoreleasePool * pool = [[NSAutoreleasePool alloc] init]; SampleClass *sampleClass = [[SampleClass alloc]init]; NSNumber *a = [NSNumber numberWithFloat:10.5]; NSNumber *b = [NSNumber numberWithFloat:10.0]; NSNumber *result = [sampleClass multiplyA:a withB:b]; NSString *resultString = [result stringValue]; NSLog(@”The product is %@”,resultString); [pool drain]; return 0; } Now when we compile and run the program, we will get the following result. 2013-09-14 18:53:40.575 demo[16787] The product is 105 Print Page Previous Next Advertisements ”;

Objective-C – Blocks

Objective-C Blocks ”; Previous Next An Objective-C class defines an object that combines data with related behavior. Sometimes, it makes sense just to represent a single task or unit of behavior, rather than a collection of methods. Blocks are a language-level feature added to C, Objective-C and C++ which allow you to create distinct segments of code that can be passed around to methods or functions as if they were values. Blocks are Objective-C objects which means they can be added to collections like NSArray or NSDictionary. They also have the ability to capture values from the enclosing scope, making them similar to closures or lambdas in other programming languages Simple Block declaration syntax returntype (^blockName)(argumentType); Simple block implementation returntype (^blockName)(argumentType)= ^{ }; Here is a simple example void (^simpleBlock)(void) = ^{ NSLog(@”This is a block”); }; We can invoke the block using simpleBlock(); Blocks Take Arguments and Return Values Blocks can also take arguments and return values just like methods and functions. Here is a simple example to implement and invoke a block with arguments and return values. double (^multiplyTwoValues)(double, double) = ^(double firstValue, double secondValue) { return firstValue * secondValue; }; double result = multiplyTwoValues(2,4); NSLog(@”The result is %f”, result); Blocks Using Type Definitions Here is a simple example using typedef in block. Please note this sample doesn”t work on the online compiler for now. Use XCode to run the same. #import <Foundation/Foundation.h> typedef void (^CompletionBlock)(); @interface SampleClass:NSObject – (void)performActionWithCompletion:(CompletionBlock)completionBlock; @end @implementation SampleClass – (void)performActionWithCompletion:(CompletionBlock)completionBlock { NSLog(@”Action Performed”); completionBlock(); } @end int main() { /* my first program in Objective-C */ SampleClass *sampleClass = [[SampleClass alloc]init]; [sampleClass performActionWithCompletion:^{ NSLog(@”Completion is called to intimate action is performed.”); }]; return 0; } Let us compile and execute it, it will produce the following result − 2013-09-10 08:13:57.155 demo[284:303] Action Performed 2013-09-10 08:13:57.157 demo[284:303] Completion is called to intimate action is performed. Blocks are used more in iOS applications and Mac OS X. So its more important to understand the usage of blocks. Print Page Previous Next Advertisements ”;