1 /*
2 * CDDL HEADER START
3 *
4 * The contents of this file are subject to the terms of the
5 * Common Development and Distribution License (the "License").
6 * You may not use this file except in compliance with the License.
7 *
8 * You can obtain a copy of the license at usr/src/OPENSOLARIS.LICENSE
9 * or http://www.opensolaris.org/os/licensing.
10 * See the License for the specific language governing permissions
11 * and limitations under the License.
12 *
13 * When distributing Covered Code, include this CDDL HEADER in each
14 * file and include the License file at usr/src/OPENSOLARIS.LICENSE.
15 * If applicable, add the following below this CDDL HEADER, with the
16 * fields enclosed by brackets "[]" replaced with your own identifying
17 * information: Portions Copyright [yyyy] [name of copyright owner]
18 *
19 * CDDL HEADER END
20 */
21
22 /*
23 * Copyright 2008 Sun Microsystems, Inc. All rights reserved.
24 * Use is subject to license terms.
25 */
26
27 /* Copyright (c) 1988 AT&T */
28 /* All Rights Reserved */
29
30 #pragma ident "%Z%%M% %I% %E% SMI"
31
32 #include <sys/types.h>
33 #include <libgen.h>
34
35 /*
36 * strccpy(output, input)
37 * strccpy copys the input string to the output string compressing
38 * any C-like escape sequences to the real character.
39 * Escape sequences recognized are those defined in "The C Programming
40 * Language" by Kernighan and Ritchie. strccpy returns the output
41 * argument.
42 *
43 * strcadd(output, input)
44 * Identical to strccpy() except returns address of null-byte at end
45 * of output. Useful for concatenating strings.
46 */
47
48 char *
strccpy(char * pout,const char * pin)49 strccpy(char *pout, const char *pin)
50 {
51 (void) strcadd(pout, pin);
52 return (pout);
53 }
54
55
56 char *
strcadd(char * pout,const char * pin)57 strcadd(char *pout, const char *pin)
58 {
59 char c;
60 int count;
61 int wd;
62
63 while (c = *pin++) {
64 if (c == '\\')
65 switch (c = *pin++) {
66 case 'n':
67 *pout++ = '\n';
68 continue;
69 case 't':
70 *pout++ = '\t';
71 continue;
72 case 'b':
73 *pout++ = '\b';
74 continue;
75 case 'r':
76 *pout++ = '\r';
77 continue;
78 case 'f':
79 *pout++ = '\f';
80 continue;
81 case 'v':
82 *pout++ = '\v';
83 continue;
84 case 'a':
85 *pout++ = '\007';
86 continue;
87 case '\\':
88 *pout++ = '\\';
89 continue;
90 case '0': case '1': case '2': case '3':
91 case '4': case '5': case '6': case '7':
92 wd = c - '0';
93 count = 0;
94 while ((c = *pin++) >= '0' && c <= '7') {
95 wd <<= 3;
96 wd |= (c - '0');
97 if (++count > 1) { /* 3 digits max */
98 pin++;
99 break;
100 }
101 }
102 *pout++ = (char)wd;
103 --pin;
104 continue;
105 default:
106 *pout++ = c;
107 continue;
108 }
109 *pout++ = c;
110 }
111 *pout = '\0';
112 return (pout);
113 }
114