Online Encyclopedia Search Tool

Your Online Encyclopedia

 

Online Encylopedia and Dictionary Research Site

Online Encyclopedia Free Search Online Encyclopedia Search    Online Encyclopedia Browse    welcome to our free dictionary for your research of every kind

Online Encyclopedia



C programming language

(Redirected from C language)


The C programming language is a low-level standardized programming language developed in the early 1970s by Ken Thompson and Dennis Ritchie for use on the UNIX operating system. It has since spread to many other operating systems, and is one of the most widely used programming languages. C is prized for its efficiency, and is the most popular programming language for writing system software, though it is also used for writing applications. It is also commonly used in computer science education, despite not being designed for novices.

Contents

Features

Overview

C is a relatively minimalist programming language that operates close to the hardware, and is more similar to assembly language than most other programming languages. Indeed, C is sometimes referred to as "portable assembly," reflecting its important difference from assembly languages: C code can be compiled for and run on almost any machine, more than any other language in existence, while assembly languages run on at most a few very specific models of machines. C is typically called a low level or medium level language, indicating how closely it operates with the hardware.

This is no accident; C was created with one important goal in mind: to make it easier to write large programs with fewer errors in the procedural programming paradigm, but without putting a burden on the writer of the C compiler, who is encumbered by complex language features. To this end, C has the following important features:

Some useful features that C lacks that are found in other languages include:

Although the list of useful features C lacks is long, this has not been important to its acceptance, because it allows new compilers to be written quickly for it on new platforms, and because it keeps the programmer in close control of what the program is doing. This is what often allows C code to run more efficiently than many other languages. Typically only hand-tuned assembly language code runs more quickly, since it has complete control of the machine, but advances in compilers along with new complexity in modern processors have quickly narrowed this gap.

One consequence of C's wide acceptance and efficiency is that the compilers, libraries, and interpreters of other higher-level languages are often implemented in C.

"Hello, World!" in C

The following simple application appeared in the first edition of K&R C, and has become a standard introductory program in most textbooks on C. The program prints out "Hello, World!" to standard output (which is usually the screen, but might be a file or some other hardware device or perhaps even the bit bucket depending on how standard output is mapped at the time the program is executed).


main()
{
    printf("Hello, World!\n");
}

Although the above program will compile correctly under most modern compilers when invoked in a non-conforming mode, it now produces several warning messages when compiled with a compiler that conforms to the ANSI C standard. (Additionally, the code will not compile if the compiler strictly conforms to the C99 standard, as a return value of type int will no longer be inferred if the source code has not specified otherwise.) These messages can be eliminated with a few minor modifications to the original program:


#include <stdio.h>

int main(void)
{
    printf("Hello, World!\n");

    return 0;
}

The first line of the program is an #include preprocessing directive, which causes the compiler to substitute for that line the entire text of the file (or other entity) it refers to; in this case the standard file stdio.h will replace that line. The angle brackets indicate that the stdio.h file is to be found in whatever place is designated for the compiler to find standard include files.

The next (non-blank) line indicates that a function named "main" is being defined; the main() function is special in C programs, as it is the function that is first run when the program starts (for hosted implementations of C, and leaving aside "housekeeping" code). The curly brackets delimit the extent of the function. The int defines "main" as a function that returns or evaluates to, an integral number; the void indicates that no arguments or data must be given to function main by its caller.

The next line "calls", or executes, a function named printf; the included file, stdio.h, contains the information describing how the printf function is to be called. In this call, the printf function is passed a single argument, the constant string "Hello, World!\n"; the \n is translated to a "newline" character, which when displayed causes the line break. printf returns a value, an int, but since it is not used it is discarded by the compiler.

The return statement tells the program to exit the current function (in this case main), returning the value zero to the function that called the current function. Since the current function is "main", the caller is whatever started our program. Finally, the close curly bracket indicates the end of the function "main".

Note that text surrounded by "/*" and "*/" (comment text) is ignored by the compiler. C99-compliant compilers also allow comments to be introduced with "//", indicating that the comment extends to the end of the current line.

Types

C has a type system similar to that of other Algol decendants such as Pascal. There are types for integers of various sizes, both signed and unsigned, floating-point numbers, characters, enumerated types (enums), and records (structs). In addition, C has a union type, which allows the programmer to create an object that can hold object of various types, but only one at a time.

C makes extensive use of pointers, a very simple type of reference that stores the address of a memory location. The pointer can be dereferenced, an operation which retrieves the object stored at the memory location the pointer contains, and the address can be manipulated with pointer arithmetic. At runtime, a pointer is usually a machine address like those manipulated in assembly, but at compile-time it has a complex type that indicates the type of the object it points to, allowing expressions including pointers to be type-checked. Pointers are used widely in C; the C string type is simply a pointer to an array of characters, and dynamic memory allocation, described below, is performed using pointers.

Pointers in C have a special reserved null value which indicates that they are not pointing to anything. This is useful in constructing many data structures, but causes undefined behavior if dereferenced. A pointer with the null value is called a null pointer . C pointers also have a special void pointer type, meant to indicate a pointer that points to an object of unknown type.

C also has language-level support for static, or fixed-size, arrays. The arrays can appear to have more than one dimension, although they are technically arrays of arrays (e.g., tbl[10][20] rather than tbl[10,20]) Dimensions are laid out in row-major order. Arrays are accessed using pointers and pointer arithmetic; the array name is treated as a pointer to the beginning of the array. In many applications, having fixed-size arrays is unreasonable, and so dynamic memory allocation can be used to create dynamically-sized arrays (see Data storage below).

Because C is often used in low-level systems programming, there are cases where it's actually necessary to treat an integer as an address, a floating-point number as an integer, or one type of pointer as another. For these, C supplies casting, an operation that forces an explicit conversion of an object from one type to another, if this is possible. While sometimes necessary, the use of casts sacrifices some of the safety normally provided by the type system.

Data storage

One of the most important functions of a programming language is to provide facilities for managing memory and the objects that are stored in memory. C provides three distinct ways of allocating memory for objects:

  • Static memory allocation : space for the object is provided in the binary at compile-time; these objects have a lifetime as long as the binary which contains them exists
  • Automatic memory allocation : temporary objects can be stored on the stack, and this space is automatically freed and reusable after the block they are declared in is left
  • Dynamic memory allocation: blocks of memory of any desired size can be requested at run-time using the library functions malloc(), realloc(), and free() from a region of memory called the heap; these blocks are reused after free() is called on them

These three approaches are appropriate in different situations and have various tradeoffs. For example, static memory allocation has no allocation overhead, automatic has only a little during function calls, and dynamic memory allocation can potentially have a great deal of overhead for both allocation and deallocation. On the other hand, stack space is typically much more limited than either static memory or heap space, and only dynamic memory allocation allows allocation of objects whose size is only known at run-time. Most C programs make extensive use of all three.

For most objects, automatic or static allocation is preferred where possible because the error-prone hassle of releasing the allocated memory can be avoided. However, an exception is arrays: statically allocated arrays are limited to a fixed size, and this is inappropriate for many applications; by allocating them in dynamic memory, they can be resized at any time. (See "malloc" for an example of dynamic arrays).

Multidimensional arrays can also be allocated dynamically (although they seldom are), in two different ways:

  • They can be allocated as a single block of memory, similar to static arrays. This requires the programmer to compute the index into it manually when it's used.
  • They can be allocated as an "array of arrays", by first allocating an array of pointers, and then allocating arrays and storing their addresses in the array of pointers. This approach has the advantage of a simple indexing syntax identical to that used by statically allocated arrays and the ability to make ragged arrays. However, it also uses more space and requires more levels of indirection to index into, and can have worse cache performance.

In many cases, rather than use multi-dimensional arrays, an easier approach is to define a data structure to store what would have been contained within the rows of the multi-dimensional array, and then create a single-dimensional array of pointers to the new data structure. This has the advantage of being able to store different types of data within the structure, whereas for arrays, all elements must be the same data type. An array of structures (rather than pointers) can also be used, but using an array of pointers allows the array to be dynamically resized, and since memory for elements does not have to be allocated until it is used, it is more memory-efficient.

Consider the following data structure:

 struct foo {
     int id;
     char *name;
     char *addr;
     double balance;
 };

A dynamic array of pointers to structures can then be created:

 struct foo **table;
 table = calloc(maxent, sizeof(*table)); /* maxent is max. entries */
 for (i = 0; i < maxent; i++)
     table[i] = NULL; /* clear all entries */

As structures are required, they can be allocated and a pointer stored into the next free entry in table (i.e., the first cell that is NULL).

 struct foo *f;
 f = calloc(1, sizeof(*f));
 for (i = 0; i < maxent && table[i] != NULL; i++); /* find first empty entry */
 table[i] = f; /* store new entry in the cell found above */

In practice, it is a good idea to create a constructor (and destructor) rather than allocating and freeing memory directly, similar to object oriented programming. This allows you to initialize the data structure so that all fields have valid (default) values in the constructor. The destructor can free additional memory as needed.

These examples assume that the memory will be allocated for name and addr will be allocated via malloc().

 struct foo *create_foo(void)
 {
   struct foo *ret;
   ret = malloc(sizeof(*ret));
   if (ret != NULL)
   {
      ret->name = ret->addr = NULL; /* no strings yet */
      ret->balance = 0.0; /* default balance */
   }
   return ret;
 }
 void free_foo(struct foo *f)
 {
   if (f == NULL) return; /* bad argument */
   /* free any memory associated with this structure */
   if (f->name != NULL) free(f->name); /* name was allocated */
   if (f->addr != NULL) free(f->addr); /* addr was allocated */
   free(f); /* free the structure itself */
 }

Problems with C

A popular saying is that C makes it easy to shoot yourself in the foot. In other words, C permits many operations that are generally not desirable, and thus many simple errors made by a programmer are not detected by the compiler or even when they occur at runtime, leading to programs with unpredictable behavior. Part of the reason for this is to avoid compile and runtime checks that were costly when C was originally designed and to avoid the extra syntax that other languages require to tell the compiler that things were really intended.

One problem is that automatically and dynamically allocated objects are not initialized; they initially have whatever value is present in the memory space they are assigned. This value is highly unpredictable, and can vary between two machines, two program runs, or even two calls to the same function. If the program attempts to use such an uninitialized value, the results are usually unpredictable. Most modern compilers detect and warn about this problem.

C's pointers are one primary source of danger; because they are unchecked, a pointer can be made to point to any object of any type, including code, and then written to, causing unpredictable effects. Although most pointers point to safe places, they can be moved to unsafe places using pointer arithmetic, the memory they point to may be deallocated and reused (dangling pointer s), or they may be uninitialized (wild pointers). Another problem with pointers is that C freely allows conversion between any two pointer types; again, most modern compilers warn about this. Other languages attempt to address these problems by using more restrictive reference types.

Although C has native support for static arrays, it does not verify that arrays are indexed into with a valid index (bounds checking). For example, one can write to the sixth element of an array with five elements, yielding unpredictable results. This is called a buffer overflow. Although this is in keeping with the C philosophy of giving the programmer full control, it has also been notorious as the source of a number of security problems in C-based network servers.

Another common problem in C is that heap memory cannot be reused until it is explicitly released by the programmer with free(). The result is that if the programmer accidentally forgets to free memory, but continues to allocate it, more and more memory will be consumed over time. This is called a memory leak. Conversely, it's possible to release memory too soon, and then continue to use it. Because the allocation system can reuse the memory at any time for unrelated reasons, this results in insidiously unpredictable behavior. These issues in particular are ameliorated in languages with automatic garbage collection.

Tools have been created to help C programmers avoid many of these errors in many cases. Automated source code checking and auditing is fruitful in any language, and for C many such tools exist, such as Lint. A common practice is to use lint to detect questionable code when a program is first written. Once a program passes lint, it would then be compiled using the C compiler. There are also libraries for performing array bounds checking and a limited form of automatic garbage collection, but they are not a standard part of C.

History

Early developments

The initial development of C occurred at AT&T Bell Labs between 1969 and 1973; according to Ritchie, the most creative period occurred in 1972. It was named "C" because many of its features were derived from an earlier language called "B". Accounts differ regarding the origins of the name "B": Ken Thompson credits the BCPL programming language, but he had also created a language called Bon in honor of his wife Bonnie.

By 1973, the C language had become powerful enough that most of the UNIX kernel, originally written in PDP-11/20 assembly language, was rewritten in C. This was one of the first operating system kernels implemented in a language other than assembly, earlier instances being the Multics system (written in PL/I) and TRIPOS (written in BCPL).

K&R C

In 1978, Ritchie and Brian Kernighan published the first edition of The C Programming Language. This book, known to C programmers as "K&R", served for many years as an informal specification of the language. The version of C that it describes is commonly referred to as "K&R C." (The second edition of the book covers the later ANSI C standard, described below.)

K&R introduced the following features to the language:

  • struct data types
  • long int data type
  • unsigned int data type
  • The =+ operator was changed to +=, and so forth (=+ was confusing the C compiler's lexical analyzer; for example, i =+ 10 compared with i = +10).

K&R C is often considered the most basic part of the language that is necessary for a C compiler to support. For many years, even after the introduction of ANSI C, it was considered the "lowest common denominator" that C programmers stuck to when maximum portability was desired, since not all compilers were updated to fully support ANSI C, and reasonably well-written K&R C code is also legal ANSI C.

In the years following the publication of K&R C, several "unofficial" features were added to the language, supported by compilers from AT&T and some other vendors. These included:

  • void functions and void * data type
  • functions returning struct or union types
  • struct field names in a separate name space for each struct type
  • assignment for struct data types
  • const qualifier to make an object read-only
  • a standard library incorporating most of the functionality implemented by various vendors
  • enumerations
  • the single-precision float type

ANSI C and ISO C

During the late 1970s, C began to replace BASIC as the leading microcomputer programming language. During the 1980s, it was adopted for use with the IBM PC, and its popularity began to increase significantly. At the same time, Bjarne Stroustrup and others at Bell Labs began work on adding object-oriented programming language constructs to C. The language they produced, called C++, is now the most common application programming language on the Microsoft Windows operating system; C remains more popular in the Unix world.

In 1983, the American National Standards Institute (ANSI) formed a committee, X3J11, to establish a standard specification of C. After a long and arduous process, the standard was completed in 1989 and ratified as ANSI X3.159-1989 "Programming Language C". This version of the language is often referred to as ANSI C. In 1990, the ANSI C standard (with a few minor modifications) was adopted by the International Organization for Standardization (ISO) as ISO/IEC 9899:1990.

One of the aims of the ANSI C standardization process was to produce a superset of K&R C, incorporating many of the unofficial features subsequently introduced. However, the standards committee also included several new features, such as function prototype s (borrowed from C++), and a more capable preprocessor.

ANSI C is now supported by almost all the widely used compilers. Most of the C code being written nowadays is based on ANSI C. Any program written only in standard C is guaranteed to perform correctly on any platform with a conforming C implementation. However, many programs have been written that will only compile on a certain platform, or with a certain compiler, due to (i) the use of non-standard libraries, e.g. for graphical displays, and (ii) some compilers not adhering to the ANSI C standard, or its successor, in their default mode.

C99

After the ANSI standardization process, the C language specification remained relatively static for some time, whereas C++ continued to evolve. (Normative Amendment 1 created a new version of the C language in 1995, but this version is rarely acknowledged.) However, the standard underwent revision in the late 1990s, leading to the publication of ISO 9899:1999 in 1999. This standard is commonly referred to as "C99". It was adopted as an ANSI standard in March 2000.

The new features in C99 include:

Interest in supporting the new C99 features appears to be mixed. Whereas GCC and several other compilers now support most of the new features of C99, the compilers maintained by Microsoft and Borland do not, and these two companies do not seem to be interested in adding such support.

Relation to C++

The C++ programming language was originally derived from C. As C and C++ have evolved independently, there has been an unfortunate growth in the number of incompatibilities between the two languages. The latest revision of C, C99, created a number of conflicting features. The differences make it hard to write programs and libraries that are compiled and function correctly as either C or C++ code, and confuse those who program in both languages.

Bjarne Stroustrup, the creator of C++, has repeatedly suggested[1] that the incompatibilities between C and C++ should be reduced as far as possible in order to maximize interoperability between the two languages. Others have argued that since C and C++ are two different languages, compatibility between them is useful but not vital; according to this camp, efforts to reduce incompatibility should not hinder attempts to improve each language in isolation.

Today, the primary differences between the two languages are:

  • inline — inline functions are in the global scope in C++, and in the file (so-called "static") scope in C. In simple terms, this means that in C++, any definition of any inline function (but irrespective of C++ function overloading) must conform to C++'s "One Definition Rule" or ODR, requiring that either there be a single definition of any inline function or that all definitions be semantically equivalent; but that in C, the same inline function could be defined differently in different translation units (or files).
  • The bool keyword in C99 is in its own header, <stdbool.h>. Previous Standards of C did not define a boolean type, and various (incompatible) methods were used to simulate a boolean type.
  • Character constants (enclosed in single quotes) have the size of an int in C and a char in C++. That is to say, in C, sizeof('a') == sizeof(int); in C++, sizeof('a') == sizeof(char). Nevertheless, even in C they will never exceed the values that a char can store, so (char)'a' is a safe conversion.

Some features originally developed in C++ have also appeared in C. Among them are:

  • Prototyping
  • Line comments, indicated by //; line comments end with a newline character
  • The inline keyword
  • Stronger typing including the addition of the void type and const qualifier and the removal of the "implicit int" return

Programming tools

See also

References

External links

Information

C99

Tools




Last updated: 11-06-2004 20:36:20