我将在将近30年后重新审视C编程。
我在1991 - 1992年左右首次研究了C programming language。我当时在印度班加罗尔的一家小型软件咨询公司担任程序员。我主要使用COBOL编程。我休假了几天,并参加了UNIX和C的培训计划。培训是由印度数字设备公司(DEC)进行的(DEC的Unix风味被称为Ultrix)。
尽管我学会了C,但我从来没有使用过它。 unix各种口味,是的。几周前,我购买了这本书的副本, c编程语言(第二版),Brian W. Kernighan和Dennis M. Ritchie 。我正在研究这本书,尝试代码样本并解决了很少的练习。
我完成了标题为第1章的第一章:教程简介。这是一个介绍性章节,其中包含基本的编程主题,示例和练习。总体上的主题是:打印Hello World,使用算术表达式声明变量和符号常数,使用for and and for语句,字符输入和输出,数组和字符数组,函数和参数,外部变量和范围。
。。我尝试了大多数练习,这是本章中各个部分的八个。练习解决方案是基于我从本书的第一章中了解C的知识。
我已经从下面的几个练习解决方案中发布了代码。其余的位于 github gist C Programming Exercise Solutions中。
我在Windows计算机上使用了 mingw c编译器来编译程序。
这是部分和练习:
1.1入门
练习1-1 在系统上运行“ Hello,World”程序。试验省略程序的部分以查看您收到的错误消息。
#include <stdio.h>
/* The Hello world program */
int main()
{
printf("Hello World!\n");
}
1.2变量和算术表达式
练习1-3 修改温度转换程序以打印桌子上方的标题。 Solution
1.3语句
练习1-5 修改温度转换程序以相反的顺序打印表,FOM 300度到0。
#include <stdio.h>
/* Fahrenheit to celsius table - prints in reverse,
for the fahrenheit 300 to 0 in steps of 20 */
int main()
{
int fahr;
printf("Fahrenheit\tCelsius\n");
for (fahr = 300; fahr >= 0; fahr = fahr - 20)
printf(" %3d\t\t%6.1f\n", fahr, (5.0 / 9.0) * (fahr - 32));
}
1.5字符输入和输出
练习1-8 编写一个程序来计算空白,选项卡和新线。 Solution
1.6数组
练习1-13 编写一个程序,以打印输入中单词的lenghts的直方图。用水平绘制直方图很容易。垂直方向具有挑战性。 Solution
1.7功能
练习1-15 重写第1.2节的温度转换程序以使用函数进行转换。 Solution
1.9字符数组
练习1-19 编写一个逆转功能,以逆转字符字符串s。使用它来编写一个程序,一次逆转其输入线。
#include <stdio.h>
#define MAX_LINE_LEN 1000 /* Assume each line is limited to this length */
int get_line(char line[], int maxline);
void reverse(char s[]);
/* Program that reverses its input a line at a time.
Uses a function reverse(s) that reverses the character string s. */
int main()
{
char line[MAX_LINE_LEN];
while((get_line(line, MAX_LINE_LEN)) > 0) {
reverse(line);
printf("%s\n", line);
}
return 0;
}
/* get_line: read a line into s, return length */
int get_line(char s[], int lim)
{
int c, i;
for (i = 0; i < lim-1 && (c = getchar()) != EOF && c != '\n'; ++i)
s[i] = c;
if (c == '\n') {
s[i] = c;
++i;
}
s[i] = '\0';
return i;
}
/* length: returns the length of string s */
int length(char s[])
{
int i;
i = 0;
while (s[i] != '\0')
++i;
return i;
}
/* copy: copy from into to; assume to is big enough */
void copy(char to[], char from[])
{
int i;
i = 0;
while ((to[i] = from[i]) != '\0')
++i;
}
/* reverse: reverses the input string */
void reverse(char s1[])
{
int i, j, len;
len = length(s1); /* get length of the string */
/* make copy of the original string */
char s2[len];
copy(s2, s1);
/* make a reverse of the original string */
j = 0;
for (i = len-1; i >= 0; --i, ++j)
s1[j] = s2[i];
}
1.10外部变量和范围
练习1-23 编写一个程序,以删除C程序中的所有注释。不要忘记正确处理引用的字符串和角色常数。 c评论不嵌套。 Solution