aboutsummaryrefslogtreecommitdiff
path: root/1-21_entab.c
diff options
context:
space:
mode:
authorzlg <zlg@zlg.space>2012-11-26 20:45:37 -0600
committerzlg <zlg@zlg.space>2012-11-26 20:45:37 -0600
commit19fa3daff1447c633029e1730bf0355b21ee029f (patch)
tree8a114d9edcc8ae343be161bb8dc4a8a8056ec332 /1-21_entab.c
parentSolve exercise 1.20: Detab (diff)
downloadknr-19fa3daff1447c633029e1730bf0355b21ee029f.tar.gz
knr-19fa3daff1447c633029e1730bf0355b21ee029f.tar.bz2
knr-19fa3daff1447c633029e1730bf0355b21ee029f.tar.xz
knr-19fa3daff1447c633029e1730bf0355b21ee029f.zip
Solve Exercise 1-21: entab
Diffstat (limited to '1-21_entab.c')
-rw-r--r--1-21_entab.c45
1 files changed, 45 insertions, 0 deletions
diff --git a/1-21_entab.c b/1-21_entab.c
new file mode 100644
index 0000000..595f583
--- /dev/null
+++ b/1-21_entab.c
@@ -0,0 +1,45 @@
+#include <stdio.h>
+
+/* The C Programming Language: 2nd Edition
+ * Exercise 1-21:
+ * "Write a program `entab` that replaces strings of blanks by the minimum
+ * number of tabs and blanks to achieve the same spacing. Use the same tab
+ * stops as for `detab`. When either a tab or a single blank would suffice to
+ * reach a tab stop, which should be given preference?"
+ *
+ * Answer: A blank. A tab character that comes after (tabstop - 1) blanks makes
+ * little-to-no sense and could mess up alignment in some environments.
+ *
+ */
+
+#define TABWIDTH 8
+
+int main(void) {
+ int c, spaces;
+ spaces = 0;
+ while ((c = getchar()) != EOF) {
+ // Make sure the character is a space...
+ if (c == ' ') {
+ ++spaces;
+ // When spaces is equal to TABWIDTH, we can add a tab
+ if (spaces == TABWIDTH) {
+ putchar('\t');
+ spaces = 0;
+ }
+ } else {
+ /* As soon as we hit a non-space character, we need to make sure
+ * there aren't 1-7 spaces leftover. These need to be output before
+ * we output the non-space character itself! This little loop is
+ * interesting because it solves the problem of leftover spaces
+ * _and_ gets the 'spaces' back to zero, which it needs to be once
+ * we hit a non-space character.
+ */
+ while (spaces != 0) {
+ putchar(' ');
+ --spaces;
+ }
+ // Output the non-space character.
+ putchar(c);
+ }
+ }
+}