This is a live mirror of the Perl 5 development currently hosted at https://github.com/perl/perl5
Paste in the output of Porting/acknowledgements.pl in pod/perl5159delta.pod
[perl5.git] / pod / perlhacktips.pod
1
2 =encoding utf8
3
4 =for comment
5 Consistent formatting of this file is achieved with:
6   perl ./Porting/podtidy pod/perlhacktips.pod
7
8 =head1 NAME
9
10 perlhacktips - Tips for Perl core C code hacking
11
12 =head1 DESCRIPTION
13
14 This document will help you learn the best way to go about hacking on
15 the Perl core C code. It covers common problems, debugging, profiling,
16 and more.
17
18 If you haven't read L<perlhack> and L<perlhacktut> yet, you might want
19 to do that first.
20
21 =head1 COMMON PROBLEMS
22
23 Perl source plays by ANSI C89 rules: no C99 (or C++) extensions. In
24 some cases we have to take pre-ANSI requirements into consideration.
25 You don't care about some particular platform having broken Perl? I
26 hear there is still a strong demand for J2EE programmers.
27
28 =head2 Perl environment problems
29
30 =over 4
31
32 =item *
33
34 Not compiling with threading
35
36 Compiling with threading (-Duseithreads) completely rewrites the
37 function prototypes of Perl. You better try your changes with that.
38 Related to this is the difference between "Perl_-less" and "Perl_-ly"
39 APIs, for example:
40
41   Perl_sv_setiv(aTHX_ ...);
42   sv_setiv(...);
43
44 The first one explicitly passes in the context, which is needed for
45 e.g. threaded builds. The second one does that implicitly; do not get
46 them mixed. If you are not passing in a aTHX_, you will need to do a
47 dTHX (or a dVAR) as the first thing in the function.
48
49 See L<perlguts/"How multiple interpreters and concurrency are
50 supported"> for further discussion about context.
51
52 =item *
53
54 Not compiling with -DDEBUGGING
55
56 The DEBUGGING define exposes more code to the compiler, therefore more
57 ways for things to go wrong. You should try it.
58
59 =item *
60
61 Introducing (non-read-only) globals
62
63 Do not introduce any modifiable globals, truly global or file static.
64 They are bad form and complicate multithreading and other forms of
65 concurrency. The right way is to introduce them as new interpreter
66 variables, see F<intrpvar.h> (at the very end for binary
67 compatibility).
68
69 Introducing read-only (const) globals is okay, as long as you verify
70 with e.g. C<nm libperl.a|egrep -v ' [TURtr] '> (if your C<nm> has
71 BSD-style output) that the data you added really is read-only. (If it
72 is, it shouldn't show up in the output of that command.)
73
74 If you want to have static strings, make them constant:
75
76   static const char etc[] = "...";
77
78 If you want to have arrays of constant strings, note carefully the
79 right combination of C<const>s:
80
81     static const char * const yippee[] =
82         {"hi", "ho", "silver"};
83
84 There is a way to completely hide any modifiable globals (they are all
85 moved to heap), the compilation setting
86 C<-DPERL_GLOBAL_STRUCT_PRIVATE>. It is not normally used, but can be
87 used for testing, read more about it in L<perlguts/"Background and
88 PERL_IMPLICIT_CONTEXT">.
89
90 =item *
91
92 Not exporting your new function
93
94 Some platforms (Win32, AIX, VMS, OS/2, to name a few) require any
95 function that is part of the public API (the shared Perl library) to be
96 explicitly marked as exported. See the discussion about F<embed.pl> in
97 L<perlguts>.
98
99 =item *
100
101 Exporting your new function
102
103 The new shiny result of either genuine new functionality or your
104 arduous refactoring is now ready and correctly exported. So what could
105 possibly go wrong?
106
107 Maybe simply that your function did not need to be exported in the
108 first place. Perl has a long and not so glorious history of exporting
109 functions that it should not have.
110
111 If the function is used only inside one source code file, make it
112 static. See the discussion about F<embed.pl> in L<perlguts>.
113
114 If the function is used across several files, but intended only for
115 Perl's internal use (and this should be the common case), do not export
116 it to the public API. See the discussion about F<embed.pl> in
117 L<perlguts>.
118
119 =back
120
121 =head2 Portability problems
122
123 The following are common causes of compilation and/or execution
124 failures, not common to Perl as such. The C FAQ is good bedtime
125 reading. Please test your changes with as many C compilers and
126 platforms as possible; we will, anyway, and it's nice to save oneself
127 from public embarrassment.
128
129 If using gcc, you can add the C<-std=c89> option which will hopefully
130 catch most of these unportabilities. (However it might also catch
131 incompatibilities in your system's header files.)
132
133 Use the Configure C<-Dgccansipedantic> flag to enable the gcc C<-ansi
134 -pedantic> flags which enforce stricter ANSI rules.
135
136 If using the C<gcc -Wall> note that not all the possible warnings (like
137 C<-Wunitialized>) are given unless you also compile with C<-O>.
138
139 Note that if using gcc, starting from Perl 5.9.5 the Perl core source
140 code files (the ones at the top level of the source code distribution,
141 but not e.g. the extensions under ext/) are automatically compiled with
142 as many as possible of the C<-std=c89>, C<-ansi>, C<-pedantic>, and a
143 selection of C<-W> flags (see cflags.SH).
144
145 Also study L<perlport> carefully to avoid any bad assumptions about the
146 operating system, filesystems, and so forth.
147
148 You may once in a while try a "make microperl" to see whether we can
149 still compile Perl with just the bare minimum of interfaces. (See
150 README.micro.)
151
152 Do not assume an operating system indicates a certain compiler.
153
154 =over 4
155
156 =item *
157
158 Casting pointers to integers or casting integers to pointers
159
160     void castaway(U8* p)
161     {
162       IV i = p;
163
164 or
165
166     void castaway(U8* p)
167     {
168       IV i = (IV)p;
169
170 Both are bad, and broken, and unportable. Use the PTR2IV() macro that
171 does it right. (Likewise, there are PTR2UV(), PTR2NV(), INT2PTR(), and
172 NUM2PTR().)
173
174 =item *
175
176 Casting between data function pointers and data pointers
177
178 Technically speaking casting between function pointers and data
179 pointers is unportable and undefined, but practically speaking it seems
180 to work, but you should use the FPTR2DPTR() and DPTR2FPTR() macros.
181 Sometimes you can also play games with unions.
182
183 =item *
184
185 Assuming sizeof(int) == sizeof(long)
186
187 There are platforms where longs are 64 bits, and platforms where ints
188 are 64 bits, and while we are out to shock you, even platforms where
189 shorts are 64 bits. This is all legal according to the C standard. (In
190 other words, "long long" is not a portable way to specify 64 bits, and
191 "long long" is not even guaranteed to be any wider than "long".)
192
193 Instead, use the definitions IV, UV, IVSIZE, I32SIZE, and so forth.
194 Avoid things like I32 because they are B<not> guaranteed to be
195 I<exactly> 32 bits, they are I<at least> 32 bits, nor are they
196 guaranteed to be B<int> or B<long>. If you really explicitly need
197 64-bit variables, use I64 and U64, but only if guarded by HAS_QUAD.
198
199 =item *
200
201 Assuming one can dereference any type of pointer for any type of data
202
203   char *p = ...;
204   long pony = *p;    /* BAD */
205
206 Many platforms, quite rightly so, will give you a core dump instead of
207 a pony if the p happens not to be correctly aligned.
208
209 =item *
210
211 Lvalue casts
212
213   (int)*p = ...;    /* BAD */
214
215 Simply not portable. Get your lvalue to be of the right type, or maybe
216 use temporary variables, or dirty tricks with unions.
217
218 =item *
219
220 Assume B<anything> about structs (especially the ones you don't
221 control, like the ones coming from the system headers)
222
223 =over 8
224
225 =item *
226
227 That a certain field exists in a struct
228
229 =item *
230
231 That no other fields exist besides the ones you know of
232
233 =item *
234
235 That a field is of certain signedness, sizeof, or type
236
237 =item *
238
239 That the fields are in a certain order
240
241 =over 8
242
243 =item *
244
245 While C guarantees the ordering specified in the struct definition,
246 between different platforms the definitions might differ
247
248 =back
249
250 =item *
251
252 That the sizeof(struct) or the alignments are the same everywhere
253
254 =over 8
255
256 =item *
257
258 There might be padding bytes between the fields to align the fields -
259 the bytes can be anything
260
261 =item *
262
263 Structs are required to be aligned to the maximum alignment required by
264 the fields - which for native types is for usually equivalent to
265 sizeof() of the field
266
267 =back
268
269 =back
270
271 =item *
272
273 Assuming the character set is ASCIIish
274
275 Perl can compile and run under EBCDIC platforms. See L<perlebcdic>.
276 This is transparent for the most part, but because the character sets
277 differ, you shouldn't use numeric (decimal, octal, nor hex) constants
278 to refer to characters. You can safely say 'A', but not 0x41. You can
279 safely say '\n', but not \012. If a character doesn't have a trivial
280 input form, you can create a #define for it in both C<utfebcdic.h> and
281 C<utf8.h>, so that it resolves to different values depending on the
282 character set being used. (There are three different EBCDIC character
283 sets defined in C<utfebcdic.h>, so it might be best to insert the
284 #define three times in that file.)
285
286 Also, the range 'A' - 'Z' in ASCII is an unbroken sequence of 26 upper
287 case alphabetic characters. That is not true in EBCDIC. Nor for 'a' to
288 'z'. But '0' - '9' is an unbroken range in both systems. Don't assume
289 anything about other ranges.
290
291 Many of the comments in the existing code ignore the possibility of
292 EBCDIC, and may be wrong therefore, even if the code works. This is
293 actually a tribute to the successful transparent insertion of being
294 able to handle EBCDIC without having to change pre-existing code.
295
296 UTF-8 and UTF-EBCDIC are two different encodings used to represent
297 Unicode code points as sequences of bytes. Macros  with the same names
298 (but different definitions) in C<utf8.h> and C<utfebcdic.h> are used to
299 allow the calling code to think that there is only one such encoding.
300 This is almost always referred to as C<utf8>, but it means the EBCDIC
301 version as well. Again, comments in the code may well be wrong even if
302 the code itself is right. For example, the concept of C<invariant
303 characters> differs between ASCII and EBCDIC. On ASCII platforms, only
304 characters that do not have the high-order bit set (i.e. whose ordinals
305 are strict ASCII, 0 - 127) are invariant, and the documentation and
306 comments in the code may assume that, often referring to something
307 like, say, C<hibit>. The situation differs and is not so simple on
308 EBCDIC machines, but as long as the code itself uses the
309 C<NATIVE_IS_INVARIANT()> macro appropriately, it works, even if the
310 comments are wrong.
311
312 =item *
313
314 Assuming the character set is just ASCII
315
316 ASCII is a 7 bit encoding, but bytes have 8 bits in them. The 128 extra
317 characters have different meanings depending on the locale.  Absent a
318 locale, currently these extra characters are generally considered to be
319 unassigned, and this has presented some problems. This is being changed
320 starting in 5.12 so that these characters will be considered to be
321 Latin-1 (ISO-8859-1).
322
323 =item *
324
325 Mixing #define and #ifdef
326
327   #define BURGLE(x) ... \
328   #ifdef BURGLE_OLD_STYLE        /* BAD */
329   ... do it the old way ... \
330   #else
331   ... do it the new way ... \
332   #endif
333
334 You cannot portably "stack" cpp directives. For example in the above
335 you need two separate BURGLE() #defines, one for each #ifdef branch.
336
337 =item *
338
339 Adding non-comment stuff after #endif or #else
340
341   #ifdef SNOSH
342   ...
343   #else !SNOSH    /* BAD */
344   ...
345   #endif SNOSH    /* BAD */
346
347 The #endif and #else cannot portably have anything non-comment after
348 them. If you want to document what is going (which is a good idea
349 especially if the branches are long), use (C) comments:
350
351   #ifdef SNOSH
352   ...
353   #else /* !SNOSH */
354   ...
355   #endif /* SNOSH */
356
357 The gcc option C<-Wendif-labels> warns about the bad variant (by
358 default on starting from Perl 5.9.4).
359
360 =item *
361
362 Having a comma after the last element of an enum list
363
364   enum color {
365     CERULEAN,
366     CHARTREUSE,
367     CINNABAR,     /* BAD */
368   };
369
370 is not portable. Leave out the last comma.
371
372 Also note that whether enums are implicitly morphable to ints varies
373 between compilers, you might need to (int).
374
375 =item *
376
377 Using //-comments
378
379   // This function bamfoodles the zorklator.   /* BAD */
380
381 That is C99 or C++. Perl is C89. Using the //-comments is silently
382 allowed by many C compilers but cranking up the ANSI C89 strictness
383 (which we like to do) causes the compilation to fail.
384
385 =item *
386
387 Mixing declarations and code
388
389   void zorklator()
390   {
391     int n = 3;
392     set_zorkmids(n);    /* BAD */
393     int q = 4;
394
395 That is C99 or C++. Some C compilers allow that, but you shouldn't.
396
397 The gcc option C<-Wdeclaration-after-statements> scans for such
398 problems (by default on starting from Perl 5.9.4).
399
400 =item *
401
402 Introducing variables inside for()
403
404   for(int i = ...; ...; ...) {    /* BAD */
405
406 That is C99 or C++. While it would indeed be awfully nice to have that
407 also in C89, to limit the scope of the loop variable, alas, we cannot.
408
409 =item *
410
411 Mixing signed char pointers with unsigned char pointers
412
413   int foo(char *s) { ... }
414   ...
415   unsigned char *t = ...; /* Or U8* t = ... */
416   foo(t);   /* BAD */
417
418 While this is legal practice, it is certainly dubious, and downright
419 fatal in at least one platform: for example VMS cc considers this a
420 fatal error. One cause for people often making this mistake is that a
421 "naked char" and therefore dereferencing a "naked char pointer" have an
422 undefined signedness: it depends on the compiler and the flags of the
423 compiler and the underlying platform whether the result is signed or
424 unsigned. For this very same reason using a 'char' as an array index is
425 bad.
426
427 =item *
428
429 Macros that have string constants and their arguments as substrings of
430 the string constants
431
432   #define FOO(n) printf("number = %d\n", n)    /* BAD */
433   FOO(10);
434
435 Pre-ANSI semantics for that was equivalent to
436
437   printf("10umber = %d\10");
438
439 which is probably not what you were expecting. Unfortunately at least
440 one reasonably common and modern C compiler does "real backward
441 compatibility" here, in AIX that is what still happens even though the
442 rest of the AIX compiler is very happily C89.
443
444 =item *
445
446 Using printf formats for non-basic C types
447
448    IV i = ...;
449    printf("i = %d\n", i);    /* BAD */
450
451 While this might by accident work in some platform (where IV happens to
452 be an C<int>), in general it cannot. IV might be something larger. Even
453 worse the situation is with more specific types (defined by Perl's
454 configuration step in F<config.h>):
455
456    Uid_t who = ...;
457    printf("who = %d\n", who);    /* BAD */
458
459 The problem here is that Uid_t might be not only not C<int>-wide but it
460 might also be unsigned, in which case large uids would be printed as
461 negative values.
462
463 There is no simple solution to this because of printf()'s limited
464 intelligence, but for many types the right format is available as with
465 either 'f' or '_f' suffix, for example:
466
467    IVdf /* IV in decimal */
468    UVxf /* UV is hexadecimal */
469
470    printf("i = %"IVdf"\n", i); /* The IVdf is a string constant. */
471
472    Uid_t_f /* Uid_t in decimal */
473
474    printf("who = %"Uid_t_f"\n", who);
475
476 Or you can try casting to a "wide enough" type:
477
478    printf("i = %"IVdf"\n", (IV)something_very_small_and_signed);
479
480 Also remember that the C<%p> format really does require a void pointer:
481
482    U8* p = ...;
483    printf("p = %p\n", (void*)p);
484
485 The gcc option C<-Wformat> scans for such problems.
486
487 =item *
488
489 Blindly using variadic macros
490
491 gcc has had them for a while with its own syntax, and C99 brought them
492 with a standardized syntax. Don't use the former, and use the latter
493 only if the HAS_C99_VARIADIC_MACROS is defined.
494
495 =item *
496
497 Blindly passing va_list
498
499 Not all platforms support passing va_list to further varargs (stdarg)
500 functions. The right thing to do is to copy the va_list using the
501 Perl_va_copy() if the NEED_VA_COPY is defined.
502
503 =item *
504
505 Using gcc statement expressions
506
507    val = ({...;...;...});    /* BAD */
508
509 While a nice extension, it's not portable. The Perl code does
510 admittedly use them if available to gain some extra speed (essentially
511 as a funky form of inlining), but you shouldn't.
512
513 =item *
514
515 Binding together several statements in a macro
516
517 Use the macros STMT_START and STMT_END.
518
519    STMT_START {
520       ...
521    } STMT_END
522
523 =item *
524
525 Testing for operating systems or versions when should be testing for
526 features
527
528   #ifdef __FOONIX__    /* BAD */
529   foo = quux();
530   #endif
531
532 Unless you know with 100% certainty that quux() is only ever available
533 for the "Foonix" operating system B<and> that is available B<and>
534 correctly working for B<all> past, present, B<and> future versions of
535 "Foonix", the above is very wrong. This is more correct (though still
536 not perfect, because the below is a compile-time check):
537
538   #ifdef HAS_QUUX
539   foo = quux();
540   #endif
541
542 How does the HAS_QUUX become defined where it needs to be?  Well, if
543 Foonix happens to be Unixy enough to be able to run the Configure
544 script, and Configure has been taught about detecting and testing
545 quux(), the HAS_QUUX will be correctly defined. In other platforms, the
546 corresponding configuration step will hopefully do the same.
547
548 In a pinch, if you cannot wait for Configure to be educated, or if you
549 have a good hunch of where quux() might be available, you can
550 temporarily try the following:
551
552   #if (defined(__FOONIX__) || defined(__BARNIX__))
553   # define HAS_QUUX
554   #endif
555
556   ...
557
558   #ifdef HAS_QUUX
559   foo = quux();
560   #endif
561
562 But in any case, try to keep the features and operating systems
563 separate.
564
565 =back
566
567 =head2 Problematic System Interfaces
568
569 =over 4
570
571 =item *
572
573 malloc(0), realloc(0), calloc(0, 0) are non-portable. To be portable
574 allocate at least one byte. (In general you should rarely need to work
575 at this low level, but instead use the various malloc wrappers.)
576
577 =item *
578
579 snprintf() - the return type is unportable. Use my_snprintf() instead.
580
581 =back
582
583 =head2 Security problems
584
585 Last but not least, here are various tips for safer coding.
586
587 =over 4
588
589 =item *
590
591 Do not use gets()
592
593 Or we will publicly ridicule you. Seriously.
594
595 =item *
596
597 Do not use strcpy() or strcat() or strncpy() or strncat()
598
599 Use my_strlcpy() and my_strlcat() instead: they either use the native
600 implementation, or Perl's own implementation (borrowed from the public
601 domain implementation of INN).
602
603 =item *
604
605 Do not use sprintf() or vsprintf()
606
607 If you really want just plain byte strings, use my_snprintf() and
608 my_vsnprintf() instead, which will try to use snprintf() and
609 vsnprintf() if those safer APIs are available. If you want something
610 fancier than a plain byte string, use SVs and Perl_sv_catpvf().
611
612 =back
613
614 =head1 DEBUGGING
615
616 You can compile a special debugging version of Perl, which allows you
617 to use the C<-D> option of Perl to tell more about what Perl is doing.
618 But sometimes there is no alternative than to dive in with a debugger,
619 either to see the stack trace of a core dump (very useful in a bug
620 report), or trying to figure out what went wrong before the core dump
621 happened, or how did we end up having wrong or unexpected results.
622
623 =head2 Poking at Perl
624
625 To really poke around with Perl, you'll probably want to build Perl for
626 debugging, like this:
627
628     ./Configure -d -D optimize=-g
629     make
630
631 C<-g> is a flag to the C compiler to have it produce debugging
632 information which will allow us to step through a running program, and
633 to see in which C function we are at (without the debugging information
634 we might see only the numerical addresses of the functions, which is
635 not very helpful).
636
637 F<Configure> will also turn on the C<DEBUGGING> compilation symbol
638 which enables all the internal debugging code in Perl. There are a
639 whole bunch of things you can debug with this: L<perlrun> lists them
640 all, and the best way to find out about them is to play about with
641 them. The most useful options are probably
642
643     l  Context (loop) stack processing
644     t  Trace execution
645     o  Method and overloading resolution
646     c  String/numeric conversions
647
648 Some of the functionality of the debugging code can be achieved using
649 XS modules.
650
651     -Dr => use re 'debug'
652     -Dx => use O 'Debug'
653
654 =head2 Using a source-level debugger
655
656 If the debugging output of C<-D> doesn't help you, it's time to step
657 through perl's execution with a source-level debugger.
658
659 =over 3
660
661 =item *
662
663 We'll use C<gdb> for our examples here; the principles will apply to
664 any debugger (many vendors call their debugger C<dbx>), but check the
665 manual of the one you're using.
666
667 =back
668
669 To fire up the debugger, type
670
671     gdb ./perl
672
673 Or if you have a core dump:
674
675     gdb ./perl core
676
677 You'll want to do that in your Perl source tree so the debugger can
678 read the source code. You should see the copyright message, followed by
679 the prompt.
680
681     (gdb)
682
683 C<help> will get you into the documentation, but here are the most
684 useful commands:
685
686 =over 3
687
688 =item * run [args]
689
690 Run the program with the given arguments.
691
692 =item * break function_name
693
694 =item * break source.c:xxx
695
696 Tells the debugger that we'll want to pause execution when we reach
697 either the named function (but see L<perlguts/Internal Functions>!) or
698 the given line in the named source file.
699
700 =item * step
701
702 Steps through the program a line at a time.
703
704 =item * next
705
706 Steps through the program a line at a time, without descending into
707 functions.
708
709 =item * continue
710
711 Run until the next breakpoint.
712
713 =item * finish
714
715 Run until the end of the current function, then stop again.
716
717 =item * 'enter'
718
719 Just pressing Enter will do the most recent operation again - it's a
720 blessing when stepping through miles of source code.
721
722 =item * print
723
724 Execute the given C code and print its results. B<WARNING>: Perl makes
725 heavy use of macros, and F<gdb> does not necessarily support macros
726 (see later L</"gdb macro support">). You'll have to substitute them
727 yourself, or to invoke cpp on the source code files (see L</"The .i
728 Targets">) So, for instance, you can't say
729
730     print SvPV_nolen(sv)
731
732 but you have to say
733
734     print Perl_sv_2pv_nolen(sv)
735
736 =back
737
738 You may find it helpful to have a "macro dictionary", which you can
739 produce by saying C<cpp -dM perl.c | sort>. Even then, F<cpp> won't
740 recursively apply those macros for you.
741
742 =head2 gdb macro support
743
744 Recent versions of F<gdb> have fairly good macro support, but in order
745 to use it you'll need to compile perl with macro definitions included
746 in the debugging information. Using F<gcc> version 3.1, this means
747 configuring with C<-Doptimize=-g3>. Other compilers might use a
748 different switch (if they support debugging macros at all).
749
750 =head2 Dumping Perl Data Structures
751
752 One way to get around this macro hell is to use the dumping functions
753 in F<dump.c>; these work a little like an internal
754 L<Devel::Peek|Devel::Peek>, but they also cover OPs and other
755 structures that you can't get at from Perl. Let's take an example.
756 We'll use the C<$a = $b + $c> we used before, but give it a bit of
757 context: C<$b = "6XXXX"; $c = 2.3;>. Where's a good place to stop and
758 poke around?
759
760 What about C<pp_add>, the function we examined earlier to implement the
761 C<+> operator:
762
763     (gdb) break Perl_pp_add
764     Breakpoint 1 at 0x46249f: file pp_hot.c, line 309.
765
766 Notice we use C<Perl_pp_add> and not C<pp_add> - see
767 L<perlguts/Internal Functions>. With the breakpoint in place, we can
768 run our program:
769
770     (gdb) run -e '$b = "6XXXX"; $c = 2.3; $a = $b + $c'
771
772 Lots of junk will go past as gdb reads in the relevant source files and
773 libraries, and then:
774
775     Breakpoint 1, Perl_pp_add () at pp_hot.c:309
776     309         dSP; dATARGET; tryAMAGICbin(add,opASSIGN);
777     (gdb) step
778     311           dPOPTOPnnrl_ul;
779     (gdb)
780
781 We looked at this bit of code before, and we said that
782 C<dPOPTOPnnrl_ul> arranges for two C<NV>s to be placed into C<left> and
783 C<right> - let's slightly expand it:
784
785  #define dPOPTOPnnrl_ul  NV right = POPn; \
786                          SV *leftsv = TOPs; \
787                          NV left = USE_LEFT(leftsv) ? SvNV(leftsv) : 0.0
788
789 C<POPn> takes the SV from the top of the stack and obtains its NV
790 either directly (if C<SvNOK> is set) or by calling the C<sv_2nv>
791 function. C<TOPs> takes the next SV from the top of the stack - yes,
792 C<POPn> uses C<TOPs> - but doesn't remove it. We then use C<SvNV> to
793 get the NV from C<leftsv> in the same way as before - yes, C<POPn> uses
794 C<SvNV>.
795
796 Since we don't have an NV for C<$b>, we'll have to use C<sv_2nv> to
797 convert it. If we step again, we'll find ourselves there:
798
799     Perl_sv_2nv (sv=0xa0675d0) at sv.c:1669
800     1669        if (!sv)
801     (gdb)
802
803 We can now use C<Perl_sv_dump> to investigate the SV:
804
805     SV = PV(0xa057cc0) at 0xa0675d0
806     REFCNT = 1
807     FLAGS = (POK,pPOK)
808     PV = 0xa06a510 "6XXXX"\0
809     CUR = 5
810     LEN = 6
811     $1 = void
812
813 We know we're going to get C<6> from this, so let's finish the
814 subroutine:
815
816     (gdb) finish
817     Run till exit from #0  Perl_sv_2nv (sv=0xa0675d0) at sv.c:1671
818     0x462669 in Perl_pp_add () at pp_hot.c:311
819     311           dPOPTOPnnrl_ul;
820
821 We can also dump out this op: the current op is always stored in
822 C<PL_op>, and we can dump it with C<Perl_op_dump>. This'll give us
823 similar output to L<B::Debug|B::Debug>.
824
825     {
826     13  TYPE = add  ===> 14
827         TARG = 1
828         FLAGS = (SCALAR,KIDS)
829         {
830             TYPE = null  ===> (12)
831               (was rv2sv)
832             FLAGS = (SCALAR,KIDS)
833             {
834     11          TYPE = gvsv  ===> 12
835                 FLAGS = (SCALAR)
836                 GV = main::b
837             }
838         }
839
840 # finish this later #
841
842 =head1 SOURCE CODE STATIC ANALYSIS
843
844 Various tools exist for analysing C source code B<statically>, as
845 opposed to B<dynamically>, that is, without executing the code. It is
846 possible to detect resource leaks, undefined behaviour, type
847 mismatches, portability problems, code paths that would cause illegal
848 memory accesses, and other similar problems by just parsing the C code
849 and looking at the resulting graph, what does it tell about the
850 execution and data flows. As a matter of fact, this is exactly how C
851 compilers know to give warnings about dubious code.
852
853 =head2 lint, splint
854
855 The good old C code quality inspector, C<lint>, is available in several
856 platforms, but please be aware that there are several different
857 implementations of it by different vendors, which means that the flags
858 are not identical across different platforms.
859
860 There is a lint variant called C<splint> (Secure Programming Lint)
861 available from http://www.splint.org/ that should compile on any
862 Unix-like platform.
863
864 There are C<lint> and <splint> targets in Makefile, but you may have to
865 diddle with the flags (see above).
866
867 =head2 Coverity
868
869 Coverity (http://www.coverity.com/) is a product similar to lint and as
870 a testbed for their product they periodically check several open source
871 projects, and they give out accounts to open source developers to the
872 defect databases.
873
874 =head2 cpd (cut-and-paste detector)
875
876 The cpd tool detects cut-and-paste coding. If one instance of the
877 cut-and-pasted code changes, all the other spots should probably be
878 changed, too. Therefore such code should probably be turned into a
879 subroutine or a macro.
880
881 cpd (http://pmd.sourceforge.net/cpd.html) is part of the pmd project
882 (http://pmd.sourceforge.net/). pmd was originally written for static
883 analysis of Java code, but later the cpd part of it was extended to
884 parse also C and C++.
885
886 Download the pmd-bin-X.Y.zip () from the SourceForge site, extract the
887 pmd-X.Y.jar from it, and then run that on source code thusly:
888
889   java -cp pmd-X.Y.jar net.sourceforge.pmd.cpd.CPD --minimum-tokens 100 --files /some/where/src --language c > cpd.txt
890
891 You may run into memory limits, in which case you should use the -Xmx
892 option:
893
894   java -Xmx512M ...
895
896 =head2 gcc warnings
897
898 Though much can be written about the inconsistency and coverage
899 problems of gcc warnings (like C<-Wall> not meaning "all the warnings",
900 or some common portability problems not being covered by C<-Wall>, or
901 C<-ansi> and C<-pedantic> both being a poorly defined collection of
902 warnings, and so forth), gcc is still a useful tool in keeping our
903 coding nose clean.
904
905 The C<-Wall> is by default on.
906
907 The C<-ansi> (and its sidekick, C<-pedantic>) would be nice to be on
908 always, but unfortunately they are not safe on all platforms, they can
909 for example cause fatal conflicts with the system headers (Solaris
910 being a prime example). If Configure C<-Dgccansipedantic> is used, the
911 C<cflags> frontend selects C<-ansi -pedantic> for the platforms where
912 they are known to be safe.
913
914 Starting from Perl 5.9.4 the following extra flags are added:
915
916 =over 4
917
918 =item *
919
920 C<-Wendif-labels>
921
922 =item *
923
924 C<-Wextra>
925
926 =item *
927
928 C<-Wdeclaration-after-statement>
929
930 =back
931
932 The following flags would be nice to have but they would first need
933 their own Augean stablemaster:
934
935 =over 4
936
937 =item *
938
939 C<-Wpointer-arith>
940
941 =item *
942
943 C<-Wshadow>
944
945 =item *
946
947 C<-Wstrict-prototypes>
948
949 =back
950
951 The C<-Wtraditional> is another example of the annoying tendency of gcc
952 to bundle a lot of warnings under one switch (it would be impossible to
953 deploy in practice because it would complain a lot) but it does contain
954 some warnings that would be beneficial to have available on their own,
955 such as the warning about string constants inside macros containing the
956 macro arguments: this behaved differently pre-ANSI than it does in
957 ANSI, and some C compilers are still in transition, AIX being an
958 example.
959
960 =head2 Warnings of other C compilers
961
962 Other C compilers (yes, there B<are> other C compilers than gcc) often
963 have their "strict ANSI" or "strict ANSI with some portability
964 extensions" modes on, like for example the Sun Workshop has its C<-Xa>
965 mode on (though implicitly), or the DEC (these days, HP...) has its
966 C<-std1> mode on.
967
968 =head1 MEMORY DEBUGGERS
969
970 B<NOTE 1>: Running under memory debuggers such as Purify, valgrind, or
971 Third Degree greatly slows down the execution: seconds become minutes,
972 minutes become hours. For example as of Perl 5.8.1, the
973 ext/Encode/t/Unicode.t takes extraordinarily long to complete under
974 e.g. Purify, Third Degree, and valgrind. Under valgrind it takes more
975 than six hours, even on a snappy computer. The said test must be doing
976 something that is quite unfriendly for memory debuggers. If you don't
977 feel like waiting, that you can simply kill away the perl process.
978
979 B<NOTE 2>: To minimize the number of memory leak false alarms (see
980 L</PERL_DESTRUCT_LEVEL> for more information), you have to set the
981 environment variable PERL_DESTRUCT_LEVEL to 2.
982
983 For csh-like shells:
984
985     setenv PERL_DESTRUCT_LEVEL 2
986
987 For Bourne-type shells:
988
989     PERL_DESTRUCT_LEVEL=2
990     export PERL_DESTRUCT_LEVEL
991
992 In Unixy environments you can also use the C<env> command:
993
994     env PERL_DESTRUCT_LEVEL=2 valgrind ./perl -Ilib ...
995
996 B<NOTE 3>: There are known memory leaks when there are compile-time
997 errors within eval or require, seeing C<S_doeval> in the call stack is
998 a good sign of these. Fixing these leaks is non-trivial, unfortunately,
999 but they must be fixed eventually.
1000
1001 B<NOTE 4>: L<DynaLoader> will not clean up after itself completely
1002 unless Perl is built with the Configure option
1003 C<-Accflags=-DDL_UNLOAD_ALL_AT_EXIT>.
1004
1005 =head2 Rational Software's Purify
1006
1007 Purify is a commercial tool that is helpful in identifying memory
1008 overruns, wild pointers, memory leaks and other such badness. Perl must
1009 be compiled in a specific way for optimal testing with Purify.  Purify
1010 is available under Windows NT, Solaris, HP-UX, SGI, and Siemens Unix.
1011
1012 =head3 Purify on Unix
1013
1014 On Unix, Purify creates a new Perl binary. To get the most benefit out
1015 of Purify, you should create the perl to Purify using:
1016
1017     sh Configure -Accflags=-DPURIFY -Doptimize='-g' \
1018      -Uusemymalloc -Dusemultiplicity
1019
1020 where these arguments mean:
1021
1022 =over 4
1023
1024 =item * -Accflags=-DPURIFY
1025
1026 Disables Perl's arena memory allocation functions, as well as forcing
1027 use of memory allocation functions derived from the system malloc.
1028
1029 =item * -Doptimize='-g'
1030
1031 Adds debugging information so that you see the exact source statements
1032 where the problem occurs. Without this flag, all you will see is the
1033 source filename of where the error occurred.
1034
1035 =item * -Uusemymalloc
1036
1037 Disable Perl's malloc so that Purify can more closely monitor
1038 allocations and leaks. Using Perl's malloc will make Purify report most
1039 leaks in the "potential" leaks category.
1040
1041 =item * -Dusemultiplicity
1042
1043 Enabling the multiplicity option allows perl to clean up thoroughly
1044 when the interpreter shuts down, which reduces the number of bogus leak
1045 reports from Purify.
1046
1047 =back
1048
1049 Once you've compiled a perl suitable for Purify'ing, then you can just:
1050
1051     make pureperl
1052
1053 which creates a binary named 'pureperl' that has been Purify'ed. This
1054 binary is used in place of the standard 'perl' binary when you want to
1055 debug Perl memory problems.
1056
1057 As an example, to show any memory leaks produced during the standard
1058 Perl testset you would create and run the Purify'ed perl as:
1059
1060     make pureperl
1061     cd t
1062     ../pureperl -I../lib harness
1063
1064 which would run Perl on test.pl and report any memory problems.
1065
1066 Purify outputs messages in "Viewer" windows by default. If you don't
1067 have a windowing environment or if you simply want the Purify output to
1068 unobtrusively go to a log file instead of to the interactive window,
1069 use these following options to output to the log file "perl.log":
1070
1071     setenv PURIFYOPTIONS "-chain-length=25 -windows=no \
1072      -log-file=perl.log -append-logfile=yes"
1073
1074 If you plan to use the "Viewer" windows, then you only need this
1075 option:
1076
1077     setenv PURIFYOPTIONS "-chain-length=25"
1078
1079 In Bourne-type shells:
1080
1081     PURIFYOPTIONS="..."
1082     export PURIFYOPTIONS
1083
1084 or if you have the "env" utility:
1085
1086     env PURIFYOPTIONS="..." ../pureperl ...
1087
1088 =head3 Purify on NT
1089
1090 Purify on Windows NT instruments the Perl binary 'perl.exe' on the fly.
1091  There are several options in the makefile you should change to get the
1092 most use out of Purify:
1093
1094 =over 4
1095
1096 =item * DEFINES
1097
1098 You should add -DPURIFY to the DEFINES line so the DEFINES line looks
1099 something like:
1100
1101    DEFINES = -DWIN32 -D_CONSOLE -DNO_STRICT $(CRYPT_FLAG) -DPURIFY=1
1102
1103 to disable Perl's arena memory allocation functions, as well as to
1104 force use of memory allocation functions derived from the system
1105 malloc.
1106
1107 =item * USE_MULTI = define
1108
1109 Enabling the multiplicity option allows perl to clean up thoroughly
1110 when the interpreter shuts down, which reduces the number of bogus leak
1111 reports from Purify.
1112
1113 =item * #PERL_MALLOC = define
1114
1115 Disable Perl's malloc so that Purify can more closely monitor
1116 allocations and leaks. Using Perl's malloc will make Purify report most
1117 leaks in the "potential" leaks category.
1118
1119 =item * CFG = Debug
1120
1121 Adds debugging information so that you see the exact source statements
1122 where the problem occurs. Without this flag, all you will see is the
1123 source filename of where the error occurred.
1124
1125 =back
1126
1127 As an example, to show any memory leaks produced during the standard
1128 Perl testset you would create and run Purify as:
1129
1130     cd win32
1131     make
1132     cd ../t
1133     purify ../perl -I../lib harness
1134
1135 which would instrument Perl in memory, run Perl on test.pl, then
1136 finally report any memory problems.
1137
1138 =head2 valgrind
1139
1140 The excellent valgrind tool can be used to find out both memory leaks
1141 and illegal memory accesses. As of version 3.3.0, Valgrind only
1142 supports Linux on x86, x86-64 and PowerPC and Darwin (OS X) on x86 and
1143 x86-64). The special "test.valgrind" target can be used to run the
1144 tests under valgrind. Found errors and memory leaks are logged in
1145 files named F<testfile.valgrind>.
1146
1147 Valgrind also provides a cachegrind tool, invoked on perl as:
1148
1149     VG_OPTS=--tool=cachegrind make test.valgrind
1150
1151 As system libraries (most notably glibc) are also triggering errors,
1152 valgrind allows to suppress such errors using suppression files. The
1153 default suppression file that comes with valgrind already catches a lot
1154 of them. Some additional suppressions are defined in F<t/perl.supp>.
1155
1156 To get valgrind and for more information see
1157
1158     http://valgrind.org/
1159
1160 =head1 PROFILING
1161
1162 Depending on your platform there are various ways of profiling Perl.
1163
1164 There are two commonly used techniques of profiling executables:
1165 I<statistical time-sampling> and I<basic-block counting>.
1166
1167 The first method takes periodically samples of the CPU program counter,
1168 and since the program counter can be correlated with the code generated
1169 for functions, we get a statistical view of in which functions the
1170 program is spending its time. The caveats are that very small/fast
1171 functions have lower probability of showing up in the profile, and that
1172 periodically interrupting the program (this is usually done rather
1173 frequently, in the scale of milliseconds) imposes an additional
1174 overhead that may skew the results. The first problem can be alleviated
1175 by running the code for longer (in general this is a good idea for
1176 profiling), the second problem is usually kept in guard by the
1177 profiling tools themselves.
1178
1179 The second method divides up the generated code into I<basic blocks>.
1180 Basic blocks are sections of code that are entered only in the
1181 beginning and exited only at the end. For example, a conditional jump
1182 starts a basic block. Basic block profiling usually works by
1183 I<instrumenting> the code by adding I<enter basic block #nnnn>
1184 book-keeping code to the generated code. During the execution of the
1185 code the basic block counters are then updated appropriately. The
1186 caveat is that the added extra code can skew the results: again, the
1187 profiling tools usually try to factor their own effects out of the
1188 results.
1189
1190 =head2 Gprof Profiling
1191
1192 gprof is a profiling tool available in many Unix platforms, it uses
1193 F<statistical time-sampling>.
1194
1195 You can build a profiled version of perl called "perl.gprof" by
1196 invoking the make target "perl.gprof"  (What is required is that Perl
1197 must be compiled using the C<-pg> flag, you may need to re-Configure).
1198 Running the profiled version of Perl will create an output file called
1199 F<gmon.out> is created which contains the profiling data collected
1200 during the execution.
1201
1202 The gprof tool can then display the collected data in various ways.
1203 Usually gprof understands the following options:
1204
1205 =over 4
1206
1207 =item * -a
1208
1209 Suppress statically defined functions from the profile.
1210
1211 =item * -b
1212
1213 Suppress the verbose descriptions in the profile.
1214
1215 =item * -e routine
1216
1217 Exclude the given routine and its descendants from the profile.
1218
1219 =item * -f routine
1220
1221 Display only the given routine and its descendants in the profile.
1222
1223 =item * -s
1224
1225 Generate a summary file called F<gmon.sum> which then may be given to
1226 subsequent gprof runs to accumulate data over several runs.
1227
1228 =item * -z
1229
1230 Display routines that have zero usage.
1231
1232 =back
1233
1234 For more detailed explanation of the available commands and output
1235 formats, see your own local documentation of gprof.
1236
1237 quick hint:
1238
1239     $ sh Configure -des -Dusedevel -Doptimize='-pg' && make perl.gprof
1240     $ ./perl.gprof someprog # creates gmon.out in current directory
1241     $ gprof ./perl.gprof > out
1242     $ view out
1243
1244 =head2 GCC gcov Profiling
1245
1246 Starting from GCC 3.0 I<basic block profiling> is officially available
1247 for the GNU CC.
1248
1249 You can build a profiled version of perl called F<perl.gcov> by
1250 invoking the make target "perl.gcov" (what is required that Perl must
1251 be compiled using gcc with the flags C<-fprofile-arcs -ftest-coverage>,
1252 you may need to re-Configure).
1253
1254 Running the profiled version of Perl will cause profile output to be
1255 generated. For each source file an accompanying ".da" file will be
1256 created.
1257
1258 To display the results you use the "gcov" utility (which should be
1259 installed if you have gcc 3.0 or newer installed). F<gcov> is run on
1260 source code files, like this
1261
1262     gcov sv.c
1263
1264 which will cause F<sv.c.gcov> to be created. The F<.gcov> files contain
1265 the source code annotated with relative frequencies of execution
1266 indicated by "#" markers.
1267
1268 Useful options of F<gcov> include C<-b> which will summarise the basic
1269 block, branch, and function call coverage, and C<-c> which instead of
1270 relative frequencies will use the actual counts. For more information
1271 on the use of F<gcov> and basic block profiling with gcc, see the
1272 latest GNU CC manual, as of GCC 3.0 see
1273
1274     http://gcc.gnu.org/onlinedocs/gcc-3.0/gcc.html
1275
1276 and its section titled "8. gcov: a Test Coverage Program"
1277
1278     http://gcc.gnu.org/onlinedocs/gcc-3.0/gcc_8.html#SEC132
1279
1280 quick hint:
1281
1282     $ sh Configure -des -Dusedevel -Doptimize='-g' \
1283         -Accflags='-fprofile-arcs -ftest-coverage' \
1284         -Aldflags='-fprofile-arcs -ftest-coverage' && make perl.gcov
1285     $ rm -f regexec.c.gcov regexec.gcda
1286     $ ./perl.gcov
1287     $ gcov regexec.c
1288     $ view regexec.c.gcov
1289
1290 =head1 MISCELLANEOUS TRICKS
1291
1292 =head2 PERL_DESTRUCT_LEVEL
1293
1294 If you want to run any of the tests yourself manually using e.g.
1295 valgrind, or the pureperl or perl.third executables, please note that
1296 by default perl B<does not> explicitly cleanup all the memory it has
1297 allocated (such as global memory arenas) but instead lets the exit() of
1298 the whole program "take care" of such allocations, also known as
1299 "global destruction of objects".
1300
1301 There is a way to tell perl to do complete cleanup: set the environment
1302 variable PERL_DESTRUCT_LEVEL to a non-zero value. The t/TEST wrapper
1303 does set this to 2, and this is what you need to do too, if you don't
1304 want to see the "global leaks": For example, for "third-degreed" Perl:
1305
1306         env PERL_DESTRUCT_LEVEL=2 ./perl.third -Ilib t/foo/bar.t
1307
1308 (Note: the mod_perl apache module uses also this environment variable
1309 for its own purposes and extended its semantics. Refer to the mod_perl
1310 documentation for more information. Also, spawned threads do the
1311 equivalent of setting this variable to the value 1.)
1312
1313 If, at the end of a run you get the message I<N scalars leaked>, you
1314 can recompile with C<-DDEBUG_LEAKING_SCALARS>, which will cause the
1315 addresses of all those leaked SVs to be dumped along with details as to
1316 where each SV was originally allocated. This information is also
1317 displayed by Devel::Peek. Note that the extra details recorded with
1318 each SV increases memory usage, so it shouldn't be used in production
1319 environments. It also converts C<new_SV()> from a macro into a real
1320 function, so you can use your favourite debugger to discover where
1321 those pesky SVs were allocated.
1322
1323 If you see that you're leaking memory at runtime, but neither valgrind
1324 nor C<-DDEBUG_LEAKING_SCALARS> will find anything, you're probably
1325 leaking SVs that are still reachable and will be properly cleaned up
1326 during destruction of the interpreter. In such cases, using the C<-Dm>
1327 switch can point you to the source of the leak. If the executable was
1328 built with C<-DDEBUG_LEAKING_SCALARS>, C<-Dm> will output SV
1329 allocations in addition to memory allocations. Each SV allocation has a
1330 distinct serial number that will be written on creation and destruction
1331 of the SV. So if you're executing the leaking code in a loop, you need
1332 to look for SVs that are created, but never destroyed between each
1333 cycle. If such an SV is found, set a conditional breakpoint within
1334 C<new_SV()> and make it break only when C<PL_sv_serial> is equal to the
1335 serial number of the leaking SV. Then you will catch the interpreter in
1336 exactly the state where the leaking SV is allocated, which is
1337 sufficient in many cases to find the source of the leak.
1338
1339 As C<-Dm> is using the PerlIO layer for output, it will by itself
1340 allocate quite a bunch of SVs, which are hidden to avoid recursion. You
1341 can bypass the PerlIO layer if you use the SV logging provided by
1342 C<-DPERL_MEM_LOG> instead.
1343
1344 =head2 PERL_MEM_LOG
1345
1346 If compiled with C<-DPERL_MEM_LOG>, both memory and SV allocations go
1347 through logging functions, which is handy for breakpoint setting.
1348
1349 Unless C<-DPERL_MEM_LOG_NOIMPL> is also compiled, the logging functions
1350 read $ENV{PERL_MEM_LOG} to determine whether to log the event, and if
1351 so how:
1352
1353     $ENV{PERL_MEM_LOG} =~ /m/           Log all memory ops
1354     $ENV{PERL_MEM_LOG} =~ /s/           Log all SV ops
1355     $ENV{PERL_MEM_LOG} =~ /t/           include timestamp in Log
1356     $ENV{PERL_MEM_LOG} =~ /^(\d+)/      write to FD given (default is 2)
1357
1358 Memory logging is somewhat similar to C<-Dm> but is independent of
1359 C<-DDEBUGGING>, and at a higher level; all uses of Newx(), Renew(), and
1360 Safefree() are logged with the caller's source code file and line
1361 number (and C function name, if supported by the C compiler). In
1362 contrast, C<-Dm> is directly at the point of C<malloc()>. SV logging is
1363 similar.
1364
1365 Since the logging doesn't use PerlIO, all SV allocations are logged and
1366 no extra SV allocations are introduced by enabling the logging. If
1367 compiled with C<-DDEBUG_LEAKING_SCALARS>, the serial number for each SV
1368 allocation is also logged.
1369
1370 =head2 DDD over gdb
1371
1372 Those debugging perl with the DDD frontend over gdb may find the
1373 following useful:
1374
1375 You can extend the data conversion shortcuts menu, so for example you
1376 can display an SV's IV value with one click, without doing any typing.
1377 To do that simply edit ~/.ddd/init file and add after:
1378
1379   ! Display shortcuts.
1380   Ddd*gdbDisplayShortcuts: \
1381   /t ()   // Convert to Bin\n\
1382   /d ()   // Convert to Dec\n\
1383   /x ()   // Convert to Hex\n\
1384   /o ()   // Convert to Oct(\n\
1385
1386 the following two lines:
1387
1388   ((XPV*) (())->sv_any )->xpv_pv  // 2pvx\n\
1389   ((XPVIV*) (())->sv_any )->xiv_iv // 2ivx
1390
1391 so now you can do ivx and pvx lookups or you can plug there the sv_peek
1392 "conversion":
1393
1394   Perl_sv_peek(my_perl, (SV*)()) // sv_peek
1395
1396 (The my_perl is for threaded builds.) Just remember that every line,
1397 but the last one, should end with \n\
1398
1399 Alternatively edit the init file interactively via: 3rd mouse button ->
1400 New Display -> Edit Menu
1401
1402 Note: you can define up to 20 conversion shortcuts in the gdb section.
1403
1404 =head2 Poison
1405
1406 If you see in a debugger a memory area mysteriously full of 0xABABABAB
1407 or 0xEFEFEFEF, you may be seeing the effect of the Poison() macros, see
1408 L<perlclib>.
1409
1410 =head2 Read-only optrees
1411
1412 Under ithreads the optree is read only. If you want to enforce this, to
1413 check for write accesses from buggy code, compile with
1414 C<-DPL_OP_SLAB_ALLOC> to enable the OP slab allocator and
1415 C<-DPERL_DEBUG_READONLY_OPS> to enable code that allocates op memory
1416 via C<mmap>, and sets it read-only at run time. Any write access to an
1417 op results in a C<SIGBUS> and abort.
1418
1419 This code is intended for development only, and may not be portable
1420 even to all Unix variants. Also, it is an 80% solution, in that it
1421 isn't able to make all ops read only. Specifically it
1422
1423 =over
1424
1425 =item * 1
1426
1427 Only sets read-only on all slabs of ops at C<CHECK> time, hence ops
1428 allocated later via C<require> or C<eval> will be re-write
1429
1430 =item * 2
1431
1432 Turns an entire slab of ops read-write if the refcount of any op in the
1433 slab needs to be decreased.
1434
1435 =item * 3
1436
1437 Turns an entire slab of ops read-write if any op from the slab is
1438 freed.
1439
1440 =back
1441
1442 It's not possible to turn the slabs to read-only after an action
1443 requiring read-write access, as either can happen during op tree
1444 building time, so there may still be legitimate write access.
1445
1446 However, as an 80% solution it is still effective, as currently it
1447 catches a write access during the generation of F<Config.pm>, which
1448 means that we can't yet build F<perl> with this enabled.
1449
1450 =head2 The .i Targets
1451
1452 You can expand the macros in a F<foo.c> file by saying
1453
1454     make foo.i
1455
1456 which will expand the macros using cpp.  Don't be scared by the results.
1457
1458 =head1 AUTHOR
1459
1460 This document was originally written by Nathan Torkington, and is
1461 maintained by the perl5-porters mailing list.