File: 005intro-strings.d

package info (click to toggle)
dtrace 2.0.5-1
  • links: PTS
  • area: main
  • in suites: sid
  • size: 24,408 kB
  • sloc: ansic: 61,247; sh: 17,997; asm: 1,717; lex: 947; awk: 754; yacc: 695; perl: 37; sed: 17; makefile: 15
file content (72 lines) | stat: -rwxr-xr-x 2,286 bytes parent folder | download
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
/*
 * Linux DTrace
 * Copyright (c) 2025, Oracle and/or its affiliates. All rights reserved.
 * Licensed under the Universal Permissive License v 1.0 as shown at
 * http://oss.oracle.com/licenses/upl.
 */

#!/usr/sbin/dtrace -s

/*
 *  SYNOPSIS
 *    sudo ./005intro-strings.d
 *
 *  DESCRIPTION
 *    But D does differ from C when it comes to strings.
 *    The D language has a built-in string data type.
 */

/*
 * Strings are stored in arrays of fixed length.  The
 * default length 256 can be overridden with a D option.
 */
#pragma D option strsize=12

/* string variables can be declared explicitly */
string exp;
string s1, s2, s3, s4;

char carray[32];

BEGIN
{
	/* strings are truncated, if necessary, per strsize */
	printf("%s\n", "abcdefghijklmnopqrstuvwxyz");

	/* string variables can be declared implicitly */
	imp = "abcdefghijklmnopqrstuvwxyz";
	printf("%d chars, string %s\n", sizeof(imp), imp);

	/* operators can be used to order strings lexically (akin to strcmp) */
	exp = "zyxwvutsrqponmlkjihgfedcba";
	printf("%s is %s than %s\n", imp, imp < exp ? "less" : "greater", exp);

	/* set up NULL-terminated char array for some illustration purposes */
	carray[ 0] = 'A'; carray[ 1] = 'B'; carray[ 2] = 'C'; carray[ 3] = 'D';
	carray[ 4] = 'E'; carray[ 5] = 'F'; carray[ 6] = 'G'; carray[ 7] = 'H';
	carray[ 8] = 'I'; carray[ 9] = 'J'; carray[10] = 'K'; carray[11] = 'L';
	carray[12] = 'M'; carray[13] = 'N'; carray[14] = 'O'; carray[15] = 'P';
	carray[16] = 'Q'; carray[17] = 'R'; carray[18] = 'S'; carray[19] = 'T';
	carray[20] = 'U'; carray[21] = 'V'; carray[22] = 'W'; carray[23] = 'X';
	carray[24] = 'Y'; carray[25] = 'Z'; carray[26] = '\0';

	/* char pointers can be turned into strings */
	s1 = (string) carray;	/* type casting */
	s2 = stringof carray;	/* stringof operator */

	/* char pointers can be promoted automatically to strings */
	s3 = carray;
	s4 = strchr(carray, 'B');

	/*
	 * Note that in the above assignments, we did not simply set
	 * a char* to some existing string buffer.  Rather, contents
	 * are copied "by-value" to the destination string buffer.
	 * E.g., if the source buffer is modified, the output strings
	 * nevertheless all stay the same.
	 */
	carray[2] = '\0';
	printf("%s %s %s %s %s\n", s1, s2, s3, s4, carray);

	exit(0);
}