Characters and Strings

Size: px
Start display at page:

Download "Characters and Strings"

Transcription

1 Characters and Strings : Introduction to Algorithms and Programming II School of Computer Science Term: Summer 2013 Instructor: Dr. Asish Mukhopadhyay

2 Character constants A character in single quotes, for example, a It value is determined by the underlying character set, ASCII, for example Thus the value of z and \n in the ASCII character set is 122 and 10 respectively

3 String constants A string constant is a sequence of characters made up of alphanumeric characters, special characters such as +, -, *, / and $ in double quotes Examples: John Doe Main Street

4 String data structure In C a string is represented as an array of characters For example: char name[] = asish or char name[] = { a, s, i, s, h, \0 }

5 Character-handling library <ctype.h> isdigit Syntax: int isdigit( int c ) Explanation: Returns a true value if c is a digit and 0 ( false ) otherwise Almost identical syntax for: isalpha, isalnum, isxdigit See Fig. 8.2 of your text for a sample use.

6 Character-handling library <ctype.h> islower Syntax: int islower( int c ) Explanation: Returns a true value if c is a lowercase letter and 0 otherwise Almost Identical syntax for: isupper See Fig. 8.2 of your text for a sample use

7 Character-handling library <ctype.h> tolower Syntax: int tolower( int c) Explanation: Returns a lowercase letter if c is an uppercase letter; otherwise returns the argument unchanged Identical syntax for: toupper Sample use: See Fig. 8.3 of your text

8 Character-handling library <ctype.h> isspace Syntax : int isspace (int c) Explanation: Returns a true value if c is a whitespace character and 0 otherwise Identical syntax for: iscntrl, ispunct, isprint, isgraph See Fig. 8.4 of text for sample use

9 String conversion functions <stdlib.h> strtod Syntax: double strtod( const char *nptr, char ** endptr ) Explanation: Converts the string nptr to double Sample Use:

10 strtod #include <stdio.h> #include <stdlib.h> int main( void ) { // initialize string pointer const char *string = "51.2% are admitted"; // initialize string double d; // variable to hold converted sequence char *stringptr; // create char pointer d = strtod( string, &stringptr ); printf( "The string \"%s\" is converted to the\n", string ); printf( "double value %.2f and the string \"%s\"\n", d, stringptr ); } // end main

11 strtod Output: The string 51.2% are admitted is converted to the double value and the string % are admitted

12 String conversion functions strtol Syntax: long strtol( const char *nptr, char ** endptr, int base ) Explanation: Converts the string nptr to long Sample Use:

13 #include <stdio.h> #include <stdlib.h> strtol int main( void ) { const char *string = " abc"; // initialize string pointer char *remainderptr; // create char pointer long x; // variable to hold converted sequence x = strtol( string, &remainderptr, 0 ); printf( "%s\"%s\"\n%s%ld\n%s\"%s\"\n%s%ld\n", "The original string is ", string, "The converted value is ", x, "The remainder of the original string is ", remainderptr, "The converted value plus 567 is ", x ); } // end main

14 strtol Output: The original string is abc The converted value is The remainder of the original string is abc The converted value plus 567 is

15 String conversion functions strtoul : Reading assignment

16 Standard I/O library functions fgets and putchar Syntax: char *fgets(char *s, int n, FILE *stream) Explanation: input characters from the specified stream into the array s until a newline or end-offile character is encountered or until n-1 bytes are read. A terminating null character is appended to the array. Returns the string that was read into s

17 Standard I/O library functions Syntax: int putchar(int c) Explanation: Prints the character stored in c and returns it as an integer Sample use

18 fgets and putchar #include <stdio.h> #define SIZE 80 void reverse( const char * const sptr ); // prototype int main( void ) { char sentence[ SIZE ]; // create char array puts( "Enter a line of text:" ); // use fgets to read line of text fgets( sentence, SIZE, stdin ); puts( "\nthe line printed backward is:" ); reverse( sentence ); } // end main

19 fgets and putchar // recursively outputs characters in string in reverse order void reverse( const char * const sptr ) { // if end of the string if ( '\0' == sptr[ 0 ] ) { // base case return; } // end if else { // if not end of the string reverse( &sptr[ 1 ] ); // recursion step putchar( sptr[ 0 ] ); // use putchar to display character } // end else } // end function reverse Output: Enter a line of text: Characters and Strings The line printed backward is: sgnirts dna sretcarahc

20 Standard I/O library functions getchar Syntax: int getchar( void) Explanation: Inputs the next character from the standard input and returns it as an integer Sample use

21 getchar #include <stdio.h> #define SIZE 80 int main( void ) { int c; // variable to hold character input by user char sentence[ SIZE ]; // create char array int i = 0; // initialize counter i // prompt user to enter line of text puts( "Enter a line of text:" );

22 getchar // use getchar to read each character while ( i < SIZE - 1 && ( c = getchar() )!= '\n' ) { sentence[ i++ ] = c; } // end while sentence[ i ] = '\0'; // terminate string // use puts to display sentence puts( "\nthe line entered was:" ); puts( sentence ); } // end main Output: Enter a line of text: This is a test The line entered was: This is a test

23 Standard I/O library functions sprintf Syntax: int sprintf( char *s, const char *format,.) Explanation: Equivalent to printf, except that the output is stored in the array s instead of printed on the screen. Returns the number of characters written to s or EOF if an error occurs. Sample use

24 sprintf #include <stdio.h> #define SIZE 80 int main( void ) { char s[ SIZE ]; // create char array int x; // x value to be input double y; // y value to be input puts( "Enter an integer and a double:" ); scanf( "%d%lf", &x, &y ); sprintf( s, "integer:%6d\ndouble:%8.2f", x, y ); printf( "%s\n%s\n", "The formatted output stored in array s is:", s ); } // end main

25 sprintf Output: Enter an integer and a double: The formatted output stored in array s is:

26 Standard I/O library functions sscanf Syntax: int sscanf( char *s, const char *format,.) Explanation: Equivalent to sprintf, except that input is read from the array s rather than from the keyboard. Returns the number of items successfully read by the function, or EOF if an error occurs Sample use

27 sscanf #include <stdio.h> #define SIZE 80 int main( void ) { char s[ SIZE ]; // create char array int x; // x value to be input double y; // y value to be input puts( "Enter an integer and a double:" ); scanf( "%d%lf", &x, &y ); sprintf( s, "integer:%6d\ndouble:%8.2f", x, y ); printf( "%s\n%s\n", "The formatted output stored in array s is:", s ); } // end main Output: The values stored in the character array s are: integer: double:

28 String manipulation functions strcpy Syntax: int strcpy(char *s1, const char *s2); Explanation: Copies the string s2 into array s1; the value of s1 is returned Sample use:

29 String manipulation functions Strncpy Syntax: int strncpy(char *s1, const char *s2); Explanation: Copies at most n characters of the string s2 into array s1; the value of s1 is returned Sample use:

30 strcpy and strncpy #include <stdio.h> #include <string.h> #define SIZE1 25 #define SIZE2 15 int main( void ) { char x[] = "Happy Birthday to You"; // initialize char array x char y[ SIZE1 ]; // create char array y char z[ SIZE2 ]; // create char array z // copy contents of x into y printf( "%s%s\n%s%s\n", "The string in array x is: ", x, "The string in array y is: ", strcpy( y, x ) );

31 strcpy and strncpy // copy first 14 characters of x into z. Does not copy null // character strncpy( z, x, SIZE2-1 ); z[ SIZE2-1 ] = '\0'; // terminate string in z printf( "The string in array z is: %s\n", z ); } // end main Output: The string in array x is: Happy birthday to you The string in array y is: Happy birthday to you The string in array z is: Happy birthday

32 String manipulation functions strcat Syntax: char *strcat(char *s1, const char *s2); Explanation: Appends string s2 to array s1; the first character of s2 overwrites the terminating null character of s1. The value of s1 is returned Sample use

33 String manipulation functions strncat Syntax: char *strncat(char *s1, const char *s2); Explanation: Appends at most n characters of the string s2 to array s1; the first character of s2 overwrites the terminating null character of s1. The value of s1 is returned Sample use

34 strcat and strncat #include <stdio.h> #include <string.h> int main( void ) { char s1[ 20 ] = "Happy "; // initialize char array s1 char s2[] = "New Year "; // initialize char array s2 char s3[ 40 ] = ""; // initialize char array s3 to empty printf( "s1 = %s\ns2 = %s\n", s1, s2 ); // concatenate s2 to s1 printf( "strcat( s1, s2 ) = %s\n", strcat( s1, s2 ) );

35 strcat and strncat // concatenate first 6 characters of s1 to s3. Place '\0' // after last character printf( "strncat( s3, s1, 6 ) = %s\n", strncat( s3, s1, 6 ) ); // concatenate s1 to s3 printf( "strcat( s3, s1 ) = %s\n", strcat( s3, s1 ) ); } // end main Output: s1= Happy s2 = New Year strrcat(s1, s2) = Happy New Year strncat(s3, s1, 6) = Happy strcat (s3, s1) = Happy Happy New Year

36 Comparison functions strcmp Syntax: int strcmp(const char *s1, const char *s2); Explanation: Compares the string s1 with the string s2; returns 0, > 0, < 0 respectively if s1 is equal to, greater than or less than s2 Sample use:

37 Comparison functions strncmp Syntax: int strncmp(const char *s1, const char *s2); Explanation: Compares up to n characters of the string s1 with the string s2; returns 0, > 0, < 0 respectively if s1 is equal to, greater than or less than s2 Sample use:

38 #include <stdio.h> #include <string.h> strcmp and strncmp int main( void ) { const char *s1 = "Happy New Year"; // initialize char pointer const char *s2 = "Happy New Year"; // initialize char pointer const char *s3 = "Happy Holidays"; // initialize char pointer printf("%s%s\n%s%s\n%s%s\n\n%s%2d\n%s%2d\n%s%2d\n\n", "s1 = ", s1, "s2 = ", s2, "s3 = ", s3, "strcmp(s1, s2) = ", strcmp( s1, s2 ), "strcmp(s1, s3) = ", strcmp( s1, s3 ), "strcmp(s3, s1) = ", strcmp( s3, s1 ) );

39 strcmp and strncmp printf("%s%2d\n%s%2d\n%s%2d\n", "strncmp(s1, s3, 6) = ", strncmp( s1, s3, 6 ), "strncmp(s1, s3, 7) = ", strncmp( s1, s3, 7 ), "strncmp(s3, s1, 7) = ", strncmp( s3, s1, 7 ) ); } // end main Output: s1 = Happy New Year s2 = Happy New Year s3 = Happy Holidays strcmp(s1, s2) = 0 strcmp(s1, s3) = 1 strcmp(s3, s21= -1 strncmp(s1, s2,6) = 0 strncmp(s1, s3,7) = 6 strncmp(s3, s1, 7)= -6

40 Search functions strchr Syntax: void *strchr(const char *s, int c) Explanation: Locates the first occurrence of character c in string s. If found, a pointer to c in s is returned. Otherwise, a NULL pointer is returned Sample use:

41 strchr #include <stdio.h> #include <string.h> int main( void ) { const char *string = "This is a test"; // initialize char pointer char character1 = 'a'; // initialize character1 char character2 = 'z'; // initialize character2 // if character1 was found in string if ( strchr( string, character1 )!= NULL ) { printf( "\'%c\' was found in \"%s\".\n", character1, string ); } // end if else { // if character1 was not found printf( "\'%c\' was not found in \"%s\".\n", character1, string ); } // end else

42 strchr // if character2 was found in string if ( strchr( string, character2 )!= NULL ) { printf( "\'%c\' was found in \"%s\".\n", character2, string ); } // end if else { // if character2 was not found printf( "\'%c\' was not found in \"%s\".\n", character2, string ); } // end else } // end main Output: a was found in This is a test. z was not found in This is a test.

43 Search functions strcspn Syntax: void *strcspn(const char *s1, const char *s2) Explanation: Determines and returns the length of the initial segment of s1 consisting of characters not contained in s2. Sample use:

44 strcspn This program is missing How about writing one form scratch?

45 #include <stdio.h> #include <string.h> strcspn int main(void) { const char *string1 = "The value is "; // no const to avoid warning const char *string2 = " "; int length = 0; char *p = string1; } while (*p!= '\0'){ if(strchr(string2, *p) == NULL) ++length; else break; p++; } // end while printf("the initial part of the string is of length %d\n", length);

46 Search functions strpbrk Syntax: void *strpbrk(const char *s1, const char *s2) Explanation: Locates the first occurrence in string s1 of any character in s2; if found, a pointer to the character in s1 is returned, else NULL is returned. Sample use:

47 strpbrk #include <stdio.h> #include <string.h> int main( void ) { const char *string1 = "This is a test"; // initialize char pointer const char *string2 = "beware"; // initialize char pointer printf( "%s\"%s\"\n'%c'%s\n\"%s\"\n", "Of the characters in ", string2, *strpbrk( string1, string2 ), " appears earliest in ", string1 ); } // end main Output: Of the characters in beware a appears earliest in This is a test

48 Search functions strrchr Syntax: void *strrchr(const char *s, int c) Explanation: Locates the last occurrence of c in string s ; if found, a pointer to the character in s is returned, else NULL is returned. Sample use:

49 strrchr #include <stdio.h> #include <string.h> int main( void ) { // initialize char pointer const char *string1 = "A zoo has many animals including zebras"; int c = 'z'; // character to search for printf( "%s\n%s'%c'%s\"%s\"\n", "The remainder of string1 beginning with the", "last occurrence of character ", c, " is: ", strrchr( string1, c ) ); } // end main Output: The remainder of the string with the beginning with the last occurrence of character z is : zebras

50 Search functions strspn Syntax: void *strcspn(const char *s1, const char *s2) Explanation: Determines and returns the length of the initial segment of s1 consisting only of characters contained in s2. Sample use

51 #include <stdio.h> #include <string.h> strspn int main( void ) { // initialize two char pointers const char *string1 = "The value is "; const char *string2 = "aehi lstuv"; printf( "%s%s\n%s%s\n\n%s\n%s%u\n", "string1 = ", string1, "string2 = ", string2, "The length of the initial segment of string1", "containing only characters from string2 = ", strspn( string1, string2 ) ); } // end main Output: string1 = The value is string2 = aehi lstuv The length of the initial segment of string1 containing only characters fro string2 is 13

52 Search functions strstr Syntax: char *strstr(const char *s1, const char* s2) Explanation: Locates the fisrt occurrence of syring s2 in string s1 ; if found, a pointer to the occurrence in s1 is returned, else NULL is returned. Sample use

53 strstr #include <stdio.h> #include <string.h> int main( void ) { const char *string1 = "abcdefabcdef"; // string to search const char *string2 = "def"; // string to search for printf( "%s%s\n%s%s\n\n%s\n%s%s\n", "string1 = ", string1, "string2 = ", string2, "The remainder of string1 beginning with the", "first occurrence of string2 is: ", strstr( string1, string2 ) ); } // end main Output: string1 = abcdefabcdef string2 = def The remainder of the string1 beginning with the first occurrence of string 2 is defabcedf

54 Search functions strtok Syntax: char *strtok(const char *s1, const char* s2) Explanation: A sequence of calls to strtok breaks string s1 into tokens logical pieces separated by characters in string s2. The first call has s1 as the first argument; subsequent calls NULL, tokenizing the same string. A pointer to the current token is returned by each call. NULL is returned when there are no more tokens left. Sample use

55 strtok #include <stdio.h> #include <string.h> int main( void ) { // initialize array string char string[] = "This is a sentence with 7 tokens"; char *tokenptr; // create char pointer printf( "%s\n%s\n\n%s\n", "The string to be tokenized is:", string, "The tokens are:" ); tokenptr = strtok( string, " " ); // begin tokenizing sentence

56 strtok // continue tokenizing sentence until tokenptr becomes NULL while ( tokenptr!= NULL ) { printf( "%s\n", tokenptr ); tokenptr = strtok( NULL, " " ); // get next token } // end while } // end main Output: The string to be tokensized is: This is a sentence with 7 tokens The tokens are: This Is a sentence with 7 tokens

57 Memory functions The string handling functions of this genre manipulate, compare and search blocks of memory

58 Memory functions memcpy Syntax: void *memcpy(void *s1, const void *s2, size_t n) Explanation: Copies n characters from the object pointed to by s2 into the object pointed to by s1. A pointer to the resulting object is returned Sample use:

59 memcpy #include <stdio.h> #include <string.h> int main( void ) { char s1[ 17 ]; // create char array s1 char s2[] = "Copy this string"; // initialize char array s2 memcpy( s1, s2, 17 ); printf( "%s\n%s\"%s\"\n", "After s2 is copied into s1 with memcpy,", "s1 contains ", s1 ); } // end main

60 Memory functions memmove Syntax: void *memmove(void *s1, const void *s2, size_t n) Explanation: Copies n characters from the object pointed to by s2 into the object pointed to by s1 by first copying into a temporary array. Returns pointer to resulting object Sample use

61 memmove #include <stdio.h> #include <string.h> int main( void ) { char x[] = "Home Sweet Home"; // initialize char array x printf( "%s%s\n", "The string in array x before memmove is: ", x ); printf( "%s%s\n", "The string in array x after memmove is: ", (char *) memmove( x, &x[ 5 ], 10 ) ); } // end main Output: The string in the array x before memmove is: Home Sweet Home The string in the array x after memmove is: Sweet Home Home

62 Memory functions memcmp Syntax: void *memcmp(void *s1, const void *s2, size_t n) Explanation: Compares the first n characters of the objects pointed to by s1 and s2; returns 0, less than 0 or greater than 0 if s1 is equal to, less than or greater than s2. Sample use

63 memcmp #include <stdio.h> #include <string.h> int main( void ) { char s1[] = "ABCDEFG"; // initialize char array s1 char s2[] = "ABCDXYZ"; // initialize char array s2 printf( "%s%s\n%s%s\n\n%s%2d\n%s%2d\n%s%2d\n", "s1 = ", s1, "s2 = ", s2, "memcmp( s1, s2, 4 ) = ", memcmp( s1, s2, 4 ), "memcmp( s1, s2, 7 ) = ", memcmp( s1, s2, 7 ), "memcmp( s2, s1, 7 ) = ", memcmp( s2, s1, 7 ) ); } // end main Output: s1 = ABCDEFG s2 = ABCDXYZ memcmp(s1, s2, 4) =0 memcmp(s1, s2, 7) = -1 memcmp(s2, s1, 7) = 1

64 Memory functions memchr Syntax: void *memcmp( const void *s, int c, size_t n) Explanation: Locates the first occurrence of c in the first n characters of the object pointed to by s; if found a pointer to c in the object is returned else NULL is returned Sample use

65 memchr #include <stdio.h> #include <string.h> int main( void ) { const char *s = "This is a string"; // initialize char pointer printf( "%s\'%c\'%s\"%s\"\n", "The remainder of s after character ", 'r', " is found is ", (char *) memchr( s, 'r', 16 ) ); } // end main Output: The remainder of s after character r is found is ring

66 Memory functions memset Syntax: void *memset( void *s, int c, size_t n) Explanation: Copies c into the first n characters of the object pointed to by s; a pointer to the result is returned Sample use

67 memset #include <stdio.h> #include <string.h> int main( void ) { char string1[ 15 ] = "BBBBBBBBBBBBBB"; // initialize string1 printf( "string1 = %s\n", string1 ); printf( "string1 after memset = %s\n", (char *) memset( string1, 'b', 7 ) ); } // end main Output: string1 = BBBBBBBBBBBBBB string 1 after memset =bbbbbbbbbbbbbb

68 Other functions strerror Syntax: char *strerror(int ernum) Explanation: Maps errnum into a full text string in a locale-compiler manner. A pointer to the string is returned Sample use:

69 strerror #include <stdio.h> #include <string.h> int main( void ) { printf( "%s\n", strerror( 2 ) ); } // end main Output: No such file or directory

70 Other functions strlen Syntax: size_t strlen(const char *s) Sample use :

71 strlen #include <stdio.h> #include <string.h> int main( void ) { // initialize char pointer const char *string = "abcdefghi"; printf("%s\"%s\"%s%u\n", "The length of ", string, " is ", strlen( string1 )) } // end main Output: The length of abcdefghi is 9

C: How to Program. Week /May/28

C: How to Program. Week /May/28 C: How to Program Week 14 2007/May/28 1 Chapter 8 - Characters and Strings Outline 8.1 Introduction 8.2 Fundamentals of Strings and Characters 8.3 Character Handling Library 8.4 String Conversion Functions

More information

Chapter 8 - Characters and Strings

Chapter 8 - Characters and Strings 1 Chapter 8 - Characters and Strings Outline 8.1 Introduction 8.2 Fundamentals of Strings and Characters 8.3 Character Handling Library 8.4 String Conversion Functions 8.5 Standard Input/Output Library

More information

Chapter 8 C Characters and Strings

Chapter 8 C Characters and Strings Chapter 8 C Characters and Strings Objectives of This Chapter To use the functions of the character handling library (). To use the string conversion functions of the general utilities library

More information

by Pearson Education, Inc. All Rights Reserved.

by Pearson Education, Inc. All Rights Reserved. The string-handling library () provides many useful functions for manipulating string data (copying strings and concatenating strings), comparing strings, searching strings for characters and

More information

Fundamentals of Programming. Lecture 11: C Characters and Strings

Fundamentals of Programming. Lecture 11: C Characters and Strings 1 Fundamentals of Programming Lecture 11: C Characters and Strings Instructor: Fatemeh Zamani f_zamani@ce.sharif.edu Sharif University of Technology Computer Engineering Department The lectures of this

More information

C Characters and Strings

C Characters and Strings CS 2060 Character handling The C Standard Library provides many functions for testing characters in ctype.h. int isdigit(int c); // is c a digit (0-9)? int isalpha(int c); // is c a letter? int isalnum(int

More information

Chapter 8: Character & String. In this chapter, you ll learn about;

Chapter 8: Character & String. In this chapter, you ll learn about; Chapter 8: Character & String Principles of Programming In this chapter, you ll learn about; Fundamentals of Strings and Characters The difference between an integer digit and a character digit Character

More information

Contents. Preface. Introduction. Introduction to C Programming

Contents. Preface. Introduction. Introduction to C Programming c11fptoc.fm Page vii Saturday, March 23, 2013 4:15 PM Preface xv 1 Introduction 1 1.1 1.2 1.3 1.4 1.5 Introduction The C Programming Language C Standard Library C++ and Other C-Based Languages Typical

More information

Scientific Programming in C V. Strings

Scientific Programming in C V. Strings Scientific Programming in C V. Strings Susi Lehtola 1 November 2012 C strings As mentioned before, strings are handled as character arrays in C. String constants are handled as constant arrays. const char

More information

Computer Programming

Computer Programming Computer Programming Make everything as simple as possible, but not simpler. Albert Einstein T.U. Cluj-Napoca - Computer Programming - lecture 4 - M. Joldoş 1 Outline Functions Structure of a function

More information

Structured programming

Structured programming Exercises 10 Version 1.0, 13 December, 2016 Table of Contents 1. Strings...................................................................... 1 1.1. Remainders from lectures................................................

More information

Outline. Computer Programming. Structure of a function. Functions. Function prototype. Structure of a function. Functions

Outline. Computer Programming. Structure of a function. Functions. Function prototype. Structure of a function. Functions Outline Computer Programming Make everything as simple as possible, but not simpler. Albert Einstein Functions Structure of a function Function invocation Parameter passing Functions as parameters Variable

More information

C mini reference. 5 Binary numbers 12

C mini reference. 5 Binary numbers 12 C mini reference Contents 1 Input/Output: stdio.h 2 1.1 int printf ( const char * format,... );......................... 2 1.2 int scanf ( const char * format,... );.......................... 2 1.3 char

More information

C Libraries. Bart Childs Complementary to the text(s)

C Libraries. Bart Childs Complementary to the text(s) C Libraries Bart Childs Complementary to the text(s) 2006 C was designed to make extensive use of a number of libraries. A great reference for student purposes is appendix B of the K&R book. This list

More information

Strings. Arrays of characters. Pallab Dasgupta Professor, Dept. of Computer Sc & Engg INDIAN INSTITUTE OF TECHNOLOGY

Strings. Arrays of characters. Pallab Dasgupta Professor, Dept. of Computer Sc & Engg INDIAN INSTITUTE OF TECHNOLOGY Strings Arrays of characters Pallab Dasgupta Professor, Dept. of Computer Sc & Engg INDIAN INSTITUTE OF TECHNOLOGY 1 Basics Strings A string is a sequence of characters treated as a group We have already

More information

C PROGRAMMING. Characters and Strings File Processing Exercise

C PROGRAMMING. Characters and Strings File Processing Exercise C PROGRAMMING Characters and Strings File Processing Exercise CHARACTERS AND STRINGS A single character defined using the char variable type Character constant is an int value enclosed by single quotes

More information

Lecture 05 Pointers ctd..

Lecture 05 Pointers ctd.. Lecture 05 Pointers ctd.. Note: some notes here are the same as ones in lecture 04 1 Introduction A pointer is an address in the memory. One of the unique advantages of using C is that it provides direct

More information

8. Characters, Strings and Files

8. Characters, Strings and Files REGZ9280: Global Education Short Course - Engineering 8. Characters, Strings and Files Reading: Moffat, Chapter 7, 11 REGZ9280 14s2 8. Characters and Arrays 1 ASCII The ASCII table gives a correspondence

More information

Appendices E through H are PDF documents posted online at the book s Companion Website (located at

Appendices E through H are PDF documents posted online at the book s Companion Website (located at chtp7_printonlytoc.fm Page vii Monday, January 23, 2012 1:30 PM Appendices E through H are PDF documents posted online at the book s Companion Website (located at www.pearsonhighered.com/deitel). Preface

More information

today cs3157-fall2002-sklar-lect05 1

today cs3157-fall2002-sklar-lect05 1 today homework #1 due on monday sep 23, 6am some miscellaneous topics: logical operators random numbers character handling functions FILE I/O strings arrays pointers cs3157-fall2002-sklar-lect05 1 logical

More information

Reading Assignment. Strings. K.N. King Chapter 13. K.N. King Sections 23.4, Supplementary reading. Harbison & Steele Chapter 12, 13, 14

Reading Assignment. Strings. K.N. King Chapter 13. K.N. King Sections 23.4, Supplementary reading. Harbison & Steele Chapter 12, 13, 14 Reading Assignment Strings char identifier [ size ] ; char * identifier ; K.N. King Chapter 13 K.N. King Sections 23.4, 23.5 Supplementary reading Harbison & Steele Chapter 12, 13, 14 Strings are ultimately

More information

C strings. (Reek, Ch. 9) 1 CS 3090: Safety Critical Programming in C

C strings. (Reek, Ch. 9) 1 CS 3090: Safety Critical Programming in C C strings (Reek, Ch. 9) 1 Review of strings Sequence of zero or more characters, terminated by NUL (literally, the integer value 0) NUL terminates a string, but isn t part of it important for strlen()

More information

CSCE150A. Introduction. Basics. String Library. Substrings. Line Scanning. Sorting. Command Line Arguments. Misc CSCE150A. Introduction.

CSCE150A. Introduction. Basics. String Library. Substrings. Line Scanning. Sorting. Command Line Arguments. Misc CSCE150A. Introduction. Chapter 9 Scanning Computer Science & Engineering 150A Problem Solving Using Computers Lecture 07 - Strings Stephen Scott (Adapted from Christopher M. Bourke) Scanning 9.1 String 9.2 Functions: Assignment

More information

N v 1. Type generic string interfaces honor the const contract of application code ISO/IEC JTC 1/SC 22/WG14. August 20, 2016

N v 1. Type generic string interfaces honor the const contract of application code ISO/IEC JTC 1/SC 22/WG14. August 20, 2016 Type generic string interfaces honor the const contract of application code Jens Gustedt INRIA and ICube, Université de Strasbourg, France ISO/IEC JTC 1/SC 22/WG14 August 20, 2016 N 2068 v 1 In several

More information

Computer Science & Engineering 150A Problem Solving Using Computers. Chapter 9. Strings. Notes. Notes. Notes. Lecture 07 - Strings

Computer Science & Engineering 150A Problem Solving Using Computers. Chapter 9. Strings. Notes. Notes. Notes. Lecture 07 - Strings Computer Science & Engineering 150A Problem Solving Using Computers Lecture 07 - Strings Scanning Stephen Scott (Adapted from Christopher M. Bourke) 1 / 51 Fall 2009 cbourke@cse.unl.edu Chapter 9 Scanning

More information

Computer Science & Engineering 150A Problem Solving Using Computers

Computer Science & Engineering 150A Problem Solving Using Computers Computer Science & Engineering 150A Problem Solving Using Computers Lecture 07 - Strings Stephen Scott (Adapted from Christopher M. Bourke) 1 / 51 Fall 2009 Chapter 9 9.1 String 9.2 Functions: Assignment

More information

Introduction to string

Introduction to string 1 Introduction to string String is a sequence of characters enclosed in double quotes. Normally, it is used for storing data like name, address, city etc. ASCII code is internally used to represent string

More information

CSC209H Lecture 4. Dan Zingaro. January 28, 2015

CSC209H Lecture 4. Dan Zingaro. January 28, 2015 CSC209H Lecture 4 Dan Zingaro January 28, 2015 Strings (King Ch 13) String literals are enclosed in double quotes A string literal of n characters is represented as a n+1-character char array C adds a

More information

Lecture 10 Arrays (2) and Strings. UniMAP SEM II - 11/12 DKT121 1

Lecture 10 Arrays (2) and Strings. UniMAP SEM II - 11/12 DKT121 1 Lecture 10 Arrays (2) and Strings UniMAP SEM II - 11/12 DKT121 1 Outline 8.1 Passing Arrays to Function 8.2 Displaying Array in a Function 8.3 How Arrays are passed in a function call 8.4 Introduction

More information

SYSTEM AND LIBRARY CALLS. UNIX Programming 2015 Fall by Euiseong Seo

SYSTEM AND LIBRARY CALLS. UNIX Programming 2015 Fall by Euiseong Seo SYSTEM AND LIBRARY CALLS UNIX Programming 2015 Fall by Euiseong Seo Now, It s Programming Time! System Call and Library Call Who does process the following functions? strcmp() gettimeofday() printf() getc()

More information

Converting a Lowercase Letter Character to Uppercase (Or Vice Versa)

Converting a Lowercase Letter Character to Uppercase (Or Vice Versa) Looping Forward Through the Characters of a C String A lot of C string algorithms require looping forward through all of the characters of the string. We can use a for loop to do that. The first character

More information

Create a Program in C (Last Class)

Create a Program in C (Last Class) Create a Program in C (Last Class) Input: three floating point numbers Output: the average of those three numbers Use: scanf to get the input printf to show the result a function to calculate the average

More information

Computer Programming: Skills & Concepts (CP) Strings

Computer Programming: Skills & Concepts (CP) Strings CP 14 slide 1 Tuesday 31 October 2017 Computer Programming: Skills & Concepts (CP) Strings Ajitha Rajan Tuesday 31 October 2017 Last lecture Input handling char CP 14 slide 2 Tuesday 31 October 2017 Today

More information

C Programming. Unit 9. Manipulating Strings File Processing.

C Programming. Unit 9. Manipulating Strings File Processing. Introduction to C Programming Unit 9 Manipulating Strings File Processing skong@itt-tech.edu Unit 8 Review Unit 9: Review of Past Material Unit 8 Review Arrays Collection of adjacent memory cells Each

More information

CS167 Programming Assignment 1: Shell

CS167 Programming Assignment 1: Shell CS167 Programming Assignment 1: Assignment Out: Sep. 5, 2007 Helpsession: Sep. 11, 2007 (8:00 pm, Motorola Room, CIT 165) Assignment Due: Sep. 17, 2007 (11:59 pm) 1 Introduction In this assignment you

More information

CS 137 Part 6. ASCII, Characters, Strings and Unicode. November 3rd, 2017

CS 137 Part 6. ASCII, Characters, Strings and Unicode. November 3rd, 2017 CS 137 Part 6 ASCII, Characters, Strings and Unicode November 3rd, 2017 Characters Syntax char c; We ve already seen this briefly earlier in the term. In C, this is an 8-bit integer. The integer can be

More information

Pointers, Arrays, and Strings. CS449 Spring 2016

Pointers, Arrays, and Strings. CS449 Spring 2016 Pointers, Arrays, and Strings CS449 Spring 2016 Pointers Pointers are important. Pointers are fun! Pointers Every variable in your program has a memory location. This location can be accessed using & operator.

More information

Fundamentals of Programming & Procedural Programming

Fundamentals of Programming & Procedural Programming Universität Duisburg-Essen PRACTICAL TRAINING TO THE LECTURE Fundamentals of Programming & Procedural Programming Session Seven: Strings and Files Name: First Name: Tutor: Matriculation-Number: Group-Number:

More information

Strings and Library Functions

Strings and Library Functions Unit 4 String String is an array of character. Strings and Library Functions A string variable is a variable declared as array of character. The general format of declaring string is: char string_name

More information

B.V. Patel Institute of Business Management, Computer & Information Technology, Uka Tarsadia University

B.V. Patel Institute of Business Management, Computer & Information Technology, Uka Tarsadia University Unit 1 Programming Language and Overview of C 1. State whether the following statements are true or false. a. Every line in a C program should end with a semicolon. b. In C language lowercase letters are

More information

Chapter 9 Strings. With this array declaration: char s[10];

Chapter 9 Strings. With this array declaration: char s[10]; Chapter 9 Strings 9.1 Chapter Overview There is no data type in C called ʻstringʼ; instead, strings are represented by an array of characters. There is an assortment of useful functions for strings that

More information

Arrays, Strings, & Pointers

Arrays, Strings, & Pointers Arrays, Strings, & Pointers Alexander Nelson August 31, 2018 University of Arkansas - Department of Computer Science and Computer Engineering Arrays, Strings, & Pointers Arrays, Strings, & Pointers are

More information

ONE DIMENSIONAL ARRAYS

ONE DIMENSIONAL ARRAYS LECTURE 14 ONE DIMENSIONAL ARRAYS Array : An array is a fixed sized sequenced collection of related data items of same data type. In its simplest form an array can be used to represent a list of numbers

More information

Library and function of C. Dr. Donald Davendra Ph.D. (Department of ComputingLibrary Science, andfei function VSB-TU of COstrava)

Library and function of C. Dr. Donald Davendra Ph.D. (Department of ComputingLibrary Science, andfei function VSB-TU of COstrava) Library and function of C Dr. Donald Davendra Ph.D. Department of Computing Science, FEI VSB-TU Ostrava 1 / 30 Description of functions and macros and their standard libraries Macro used for

More information

Characters, c-strings, and the string Class. CS 1: Problem Solving & Program Design Using C++

Characters, c-strings, and the string Class. CS 1: Problem Solving & Program Design Using C++ Characters, c-strings, and the string Class CS 1: Problem Solving & Program Design Using C++ Objectives Perform character checks and conversions Knock down the C-string fundamentals Point at pointers and

More information

Using Character Arrays. What is a String? Using Character Arrays. Using Strings Life is simpler with strings. #include <stdio.

Using Character Arrays. What is a String? Using Character Arrays. Using Strings Life is simpler with strings. #include <stdio. What is a String? A string is actually a character array. You can use it like a regular array of characters. However, it has also some unique features that make string processing easy. Using Character

More information

Programming in C. Session 7. Seema Sirpal Delhi University Computer Centre

Programming in C. Session 7. Seema Sirpal Delhi University Computer Centre Programming in C Session 7 Seema Sirpal Delhi University Computer Centre Relationship between Pointers & Arrays In some cases, a pointer can be used as a convenient way to access or manipulate the data

More information

,$5(0%(''(':25.%(1&+ $16,&'(9(/230(17722/6 EMBEDDED WORKBENCH ANSI C COMPILER C-SPY FOR NATIONAL SEMICONDUCTOR CORP. S &RPSDFW5,6& 70 &5

,$5(0%(''(':25.%(1&+ $16,&'(9(/230(17722/6 EMBEDDED WORKBENCH ANSI C COMPILER C-SPY FOR NATIONAL SEMICONDUCTOR CORP. S &RPSDFW5,6& 70 &5 ,$5(0%(''(':25.%(1&+ $16,&'(9(/230(17722/6 EMBEDDED WORKBENCH Runs under Windows 95, NT and 3.11. Total integration of compiler, assembler, linker and debugger. Plug-in architecture for several IAR toolsets.

More information

Course organization. Course introduction ( Week 1)

Course organization. Course introduction ( Week 1) Course organization Course introduction ( Week 1) Code editor: Emacs Part I: Introduction to C programming language (Week 2-9) Chapter 1: Overall Introduction (Week 1-3) Chapter 2: Types, operators and

More information

Muntaser Abulafi Yacoub Sabatin Omar Qaraeen. C Data Types

Muntaser Abulafi Yacoub Sabatin Omar Qaraeen. C Data Types Programming Fundamentals for Engineers 0702113 5. Basic Data Types Muntaser Abulafi Yacoub Sabatin Omar Qaraeen 1 2 C Data Types Variable definition C has a concept of 'data types' which are used to define

More information

Procedural Programming

Procedural Programming Exercise 5 (SS 2016) 28.06.2016 What will I learn in the 5. exercise Strings (and a little bit about pointer) String functions in strings.h Files Exercise(s) 1 Home exercise 4 (3 points) Write a program

More information

System Design and Programming II

System Design and Programming II System Design and Programming II CSCI 194 Section 01 CRN: 10968 Fall 2017 David L. Sylvester, Sr., Assistant Professor Chapter 10 Characters, Strings, and the string Class Character Testing The C++ library

More information

Chapter 5 - Pointers and Strings

Chapter 5 - Pointers and Strings Chapter 5 - Pointers and Strings 1 5.1 Introduction 2 5.1 Introduction 5.2 Pointer Variable Declarations and Initialization 5.3 Pointer Operators 5. Calling Functions by Reference 5.5 Using const with

More information

Chapter 5 - Pointers and Strings

Chapter 5 - Pointers and Strings Chapter 5 - Pointers and Strings 1 5.1 Introduction 5.2 Pointer Variable Declarations and Initialization 5.3 Pointer Operators 5.4 Calling Functions by Reference 5.5 Using const with Pointers 5.6 Bubble

More information

C Programming Language Review and Dissection III

C Programming Language Review and Dissection III C Programming Language Review and Dissection III Lecture 5 Embedded Systems 5-1 Today Pointers Strings Formatted Text Output Reading Assignment: Patt & Patel Pointers and Arrays Chapter 16 in 2 nd edition

More information

1 Pointer Concepts. 1.1 Pointer Examples

1 Pointer Concepts. 1.1 Pointer Examples 1 1 Pointer Concepts What are pointers? How are they used? Point to a memory location. Call by reference is based on pointers. Operators: & Address operator * Dereferencing operator Machine/compiler dependencies

More information

Iosif Ignat, Marius Joldoș Laboratory Guide 9. Character strings CHARACTER STRINGS

Iosif Ignat, Marius Joldoș Laboratory Guide 9. Character strings CHARACTER STRINGS CHARACTER STRINGS 1. Overview The learning objective of this lab session is to: Understand the internal representation of character strings Acquire skills in manipulating character strings with standard

More information

LECTURE 15. String I/O and cstring library

LECTURE 15. String I/O and cstring library LECTURE 15 String I/O and cstring library RECAP Recall that a C-style string is a character array that ends with the null character. Character literals in single quotes: 'a', '\n', '$ String literals in

More information

SWEN-250 Personal SE. Introduction to C

SWEN-250 Personal SE. Introduction to C SWEN-250 Personal SE Introduction to C A Bit of History Developed in the early to mid 70s Dennis Ritchie as a systems programming language. Adopted by Ken Thompson to write Unix on a the PDP-11. At the

More information

Computers Programming Course 11. Iulian Năstac

Computers Programming Course 11. Iulian Năstac Computers Programming Course 11 Iulian Năstac Recap from previous course Cap. Matrices (Arrays) Matrix representation is a method used by a computer language to store matrices of different dimension in

More information

ECE551 Midterm Version 1

ECE551 Midterm Version 1 Name: ECE551 Midterm Version 1 NetID: There are 7 questions, with the point values as shown below. You have 75 minutes with a total of 75 points. Pace yourself accordingly. This exam must be individual

More information

ECE551 Midterm Version 2

ECE551 Midterm Version 2 Name: ECE551 Midterm Version 2 NetID: There are 7 questions, with the point values as shown below. You have 75 minutes with a total of 75 points. Pace yourself accordingly. This exam must be individual

More information

Chapter 8 Character Arrays and Strings

Chapter 8 Character Arrays and Strings Chapter 8 Character Arrays and Strings INTRODUCTION A string is a sequence of characters that is treated as a single data item. String constant: String constant example. \ String constant example.\ \ includes

More information

Strings(2) CS 201 String. String Constants. Characters. Strings(1) Initializing and Declaring String. Debzani Deb

Strings(2) CS 201 String. String Constants. Characters. Strings(1) Initializing and Declaring String. Debzani Deb CS 201 String Debzani Deb Strings(2) Two interpretations of String Arrays whose elements are characters. Pointer pointing to characters. Strings are always terminated with a NULL characters( \0 ). C needs

More information

Strings. Chuan-Ming Liu. Computer Science & Information Engineering National Taipei University of Technology Taiwan

Strings. Chuan-Ming Liu. Computer Science & Information Engineering National Taipei University of Technology Taiwan Strings Chuan-Ming Liu Computer Science & Information Engineering National Taipei University of Technology Taiwan 1 Outline String Basic String Library Functions Longer Strings: Concatenation and Whole-Line

More information

Overview. Concepts this lecture String constants Null-terminated array representation String library <strlib.h> String initializers Arrays of strings

Overview. Concepts this lecture String constants Null-terminated array representation String library <strlib.h> String initializers Arrays of strings CPE 101 slides based on UW course Lecture 19: Strings Overview Concepts this lecture String constants ull-terminated array representation String library String initializers Arrays of strings

More information

MC8051: Speichertypen und Adressräume

MC8051: Speichertypen und Adressräume MC8051: Speichertypen und Adressräume FFFF FF FF FFFF code sfr sfr16 sbit Special Function Registers 80 data/ idata idata interner Datenspeicher 7F 80 xdata Speichertyp Adresse Speicherbereiche data 00-7F

More information

Strings in C++ Dr. Ferdin Joe John Joseph Kamnoetvidya Science Academy

Strings in C++ Dr. Ferdin Joe John Joseph Kamnoetvidya Science Academy Strings in C++ Dr. Ferdin Joe John Joseph Kamnoetvidya Science Academy Using Strings in C++ Programs String library or provides functions to: - manipulate strings - compare strings -

More information

Intermediate Programming, Spring 2017*

Intermediate Programming, Spring 2017* 600.120 Intermediate Programming, Spring 2017* Misha Kazhdan *Much of the code in these examples is not commented because it would otherwise not fit on the slides. This is bad coding practice in general

More information

ECE551 Midterm. There are 7 questions, with the point values as shown below. You have 75 minutes with a total of 75 points. Pace yourself accordingly.

ECE551 Midterm. There are 7 questions, with the point values as shown below. You have 75 minutes with a total of 75 points. Pace yourself accordingly. Name: ECE551 Midterm NetID: There are 7 questions, with the point values as shown below. You have 75 minutes with a total of 75 points. Pace yourself accordingly. This exam must be individual work. You

More information

upper and lower case English letters: A-Z and a-z digits: 0-9 common punctuation symbols special non-printing characters: e.g newline and space.

upper and lower case English letters: A-Z and a-z digits: 0-9 common punctuation symbols special non-printing characters: e.g newline and space. The char Type The C type char stores small integers. It is 8 bits (almost always). char guaranteed able to represent integers 0.. +127. char mostly used to store ASCII character codes. Don t use char for

More information

C Style Strings. Lecture 11 COP 3014 Spring March 19, 2018

C Style Strings. Lecture 11 COP 3014 Spring March 19, 2018 C Style Strings Lecture 11 COP 3014 Spring 2018 March 19, 2018 Recap Recall that a C-style string is a character array that ends with the null character Character literals in single quotes a, \n, $ string

More information

Strings. Daily Puzzle

Strings. Daily Puzzle Lecture 20 Strings Daily Puzzle German mathematician Gauss (1777-1855) was nine when he was asked to add all the integers from 1 to 100 = (1+100)+(2+99)+... = 5050. Sum all the digits in the integers from

More information

Approximately a Test II CPSC 206

Approximately a Test II CPSC 206 Approximately a Test II CPSC 206 Sometime in history based on Kelly and Pohl Last name, First Name Last 5 digits of ID Write your section number(s): All parts of this exam are required unless plainly and

More information

Lecture07: Strings, Variable Scope, Memory Model 4/8/2013

Lecture07: Strings, Variable Scope, Memory Model 4/8/2013 Lecture07: Strings, Variable Scope, Memory Model 4/8/2013 Slides modified from Yin Lou, Cornell CS2022: Introduction to C 1 Outline Review pointers New: Strings New: Variable Scope (global vs. local variables)

More information

CROSSWARE C8051NT ANSI C Compiler for Windows

CROSSWARE C8051NT ANSI C Compiler for Windows CROSSWARE C8051NT 7 The Crossware C8051NT is a sophisticated ANSI standard C compiler that generates code for the 8051 family of microcontrollers. It provides numerous extensions that allow access to 8051

More information

ECE551 Midterm Version 1

ECE551 Midterm Version 1 Name: ECE551 Midterm Version 1 NetID: There are 7 questions, with the point values as shown below. You have 75 minutes with a total of 75 points. Pace yourself accordingly. This exam must be individual

More information

LAB7 : Characters and Strings

LAB7 : Characters and Strings 1 LAB7 : Characters and Strings Task1: Write a C Program to Copy One String into Other Without Using Library Function. (use pointer) char s1[100], s2[100]; printf("\nenter the string :"); gets(s1); i =

More information

CS107 Spring 2019, Lecture 4 C Strings

CS107 Spring 2019, Lecture 4 C Strings CS107 Spring 2019, Lecture 4 C Strings Reading: K&R (1.9, 5.5, Appendix B3) or Essential C section 3 This document is copyright (C) Stanford Computer Science and Nick Troccoli, licensed under Creative

More information

Strings. Steven R. Bagley

Strings. Steven R. Bagley Strings Steven R. Bagley Recap Programs are a series of statements Defined in functions Functions, loops and conditionals can alter program flow Data stored in variables or arrays Or pointed at by pointers

More information

mith College Computer Science CSC270 Spring 2016 Circuits and Systems Lecture Notes, Week 11 Dominique Thiébaut

mith College Computer Science CSC270 Spring 2016 Circuits and Systems Lecture Notes, Week 11 Dominique Thiébaut mith College Computer Science CSC270 Spring 2016 Circuits and Systems Lecture Notes, Week 11 Dominique Thiébaut dthiebaut@smithedu Outline A Few Words about HW 8 Finish the Input Port Lab! Revisiting Homework

More information

CSCI 6610: Intermediate Programming / C Chapter 12 Strings

CSCI 6610: Intermediate Programming / C Chapter 12 Strings ... 1/26 CSCI 6610: Intermediate Programming / C Chapter 12 Alice E. Fischer February 10, 2016 ... 2/26 Outline The C String Library String Processing in C Compare and Search in C C++ String Functions

More information

Computer Security. Robust and secure programming in C. Marius Minea. 12 October 2017

Computer Security. Robust and secure programming in C. Marius Minea. 12 October 2017 Computer Security Robust and secure programming in C Marius Minea marius@cs.upt.ro 12 October 2017 In this lecture Write correct code minimizing risks with proper error handling avoiding security pitfalls

More information

A function is a named group of statements developed to solve a sub-problem and returns a value to other functions when it is called.

A function is a named group of statements developed to solve a sub-problem and returns a value to other functions when it is called. Chapter-12 FUNCTIONS Introduction A function is a named group of statements developed to solve a sub-problem and returns a value to other functions when it is called. Types of functions There are two types

More information

C programming basics T3-1 -

C programming basics T3-1 - C programming basics T3-1 - Outline 1. Introduction 2. Basic concepts 3. Functions 4. Data types 5. Control structures 6. Arrays and pointers 7. File management T3-2 - 3.1: Introduction T3-3 - Review of

More information

Midterm Examination # 2 Wednesday, March 18, Duration of examination: 75 minutes STUDENT NAME: STUDENT ID NUMBER:

Midterm Examination # 2 Wednesday, March 18, Duration of examination: 75 minutes STUDENT NAME: STUDENT ID NUMBER: Page 1 of 8 School of Computer Science 60-141-01 Introduction to Algorithms and Programming Winter 2015 Midterm Examination # 2 Wednesday, March 18, 2015 ANSWERS Duration of examination: 75 minutes STUDENT

More information

Characters, Character Strings, and string-manipulation functions in C

Characters, Character Strings, and string-manipulation functions in C Characters, Character Strings, and string-manipulation functions in C see Kernighan & Ritchie Section 1.9, Appendix B3 Characters Printable characters (and some non-printable ones) are represented as 8-bit

More information

Introduction to Algorithms and Data Structures. Lecture 6 - Stringing Along - Character and String Manipulation

Introduction to Algorithms and Data Structures. Lecture 6 - Stringing Along - Character and String Manipulation Introduction to Algorithms and Data Structures Lecture 6 - Stringing Along - Character and String Manipulation What are Strings? Character data is stored as a numeric code that represents that particular

More information

SYSC 2006 C Winter String Processing in C. D.L. Bailey, Systems and Computer Engineering, Carleton University

SYSC 2006 C Winter String Processing in C. D.L. Bailey, Systems and Computer Engineering, Carleton University SYSC 2006 C Winter 2012 String Processing in C D.L. Bailey, Systems and Computer Engineering, Carleton University References Hanly & Koffman, Chapter 9 Some examples adapted from code in The C Programming

More information

cs3157: another C lecture (mon-21-feb-2005) C pre-processor (3).

cs3157: another C lecture (mon-21-feb-2005) C pre-processor (3). cs3157: another C lecture (mon-21-feb-2005) C pre-processor (1). today: C pre-processor command-line arguments more on data types and operators: booleans in C logical and bitwise operators type conversion

More information

Introduction C CC. Advanced C

Introduction C CC. Advanced C Introduction C C CC Advanced C i ii Advanced C C CIntroduction CC C CC Advanced C Peter D. Hipson A Division of Prentice Hall Computer Publishing 201 W. 103rd St., Indianapolis, Indiana 46290 USA iii Advanced

More information

Index. backslash character, 19 backup, off-site, 11. abs, 72 abstraction, 63, 83, 133, 141, 174, 181 acos, 72

Index. backslash character, 19 backup, off-site, 11. abs, 72 abstraction, 63, 83, 133, 141, 174, 181 acos, 72 Index */, 7, 62 ++, 47 -lm, 71 /*, 7, 62 //, 7, 62 #define, 14, 95, 100, 108, 235 #if, 237 #ifdef, 237 #include, 7, 70, 174 FILE, 236 LINE, 236 * operator, 19, 20, 91, 93, 236 + operator, 19, 20, 236 ++

More information

LESSON 4. The DATA TYPE char

LESSON 4. The DATA TYPE char LESSON 4 This lesson introduces some of the basic ideas involved in character processing. The lesson discusses how characters are stored and manipulated by the C language, how characters can be treated

More information

Arrays and Strings (2H) Young Won Lim 3/7/18

Arrays and Strings (2H) Young Won Lim 3/7/18 Arrays and Strings (2H) Copyright (c) 2014-2018 Young W. Lim. Permission is granted to copy, distribute and/or modify this document under the terms of the GNU Free Documentation License, Version 1.2 or

More information

Utility Functions. 3.1 Introduction

Utility Functions. 3.1 Introduction 3 Utility Functions 3.1 Introduction Solaris provides a large number of utility functions that we can use in our programs, many of which will be familiar to experienced C programmers (even those who don

More information

CS3157: Advanced Programming. Outline

CS3157: Advanced Programming. Outline CS3157: Advanced Programming Lecture #8 Feb 27 Shlomo Hershkop shlomo@cs.columbia.edu 1 Outline More c Preprocessor Bitwise operations Character handling Math/random Review for midterm Reading: k&r ch

More information

CSC 270 Survey of Programming Languages. C-String Values

CSC 270 Survey of Programming Languages. C-String Values CSC 270 Survey of Programming Languages C Lecture 4 Strings C-String Values The most basic way to represent a string of characters in C++ is using an array of characters that ends with a null byte. Example

More information

CS107, Lecture 4 C Strings

CS107, Lecture 4 C Strings CS107, Lecture 4 C Strings Reading: K&R (1.9, 5.5, Appendix B3) or Essential C section 3 This document is copyright (C) Stanford Computer Science and Nick Troccoli, licensed under Creative Commons Attribution

More information

AVR Development Tools

AVR Development Tools Development Tools AVR Development Tools This section describes some of the development tools that are available for the 8-bit AVR family. ATMEL AVR Assembler ATMEL AVR Simulator IAR ANSI C-Compiler, Assembler,

More information

Announcements. Strings and Pointers. Strings. Initializing Strings. Character I/O. Lab 4. Quiz. July 18, Special character arrays

Announcements. Strings and Pointers. Strings. Initializing Strings. Character I/O. Lab 4. Quiz. July 18, Special character arrays Strings and Pointers Announcements Lab 4 Why are you taking this course? Lab 5 #, 8: Reading in data from file using fscanf Quiz Quiz Strings Special character arrays End in null character, \ char hi[6];

More information