Removing unused context
[p5sagit/p5-mst-13.2.git] / sv.c
1 /*    sv.c
2  *
3  *    Copyright (C) 1991, 1992, 1993, 1994, 1995, 1996, 1997, 1998, 1999,
4  *    2000, 2001, 2002, 2003, 2004, 2005, 2006, by Larry Wall and others
5  *
6  *    You may distribute under the terms of either the GNU General Public
7  *    License or the Artistic License, as specified in the README file.
8  *
9  * "I wonder what the Entish is for 'yes' and 'no'," he thought.
10  *
11  *
12  * This file contains the code that creates, manipulates and destroys
13  * scalar values (SVs). The other types (AV, HV, GV, etc.) reuse the
14  * structure of an SV, so their creation and destruction is handled
15  * here; higher-level functions are in av.c, hv.c, and so on. Opcode
16  * level functions (eg. substr, split, join) for each of the types are
17  * in the pp*.c files.
18  */
19
20 #include "EXTERN.h"
21 #define PERL_IN_SV_C
22 #include "perl.h"
23 #include "regcomp.h"
24
25 #define FCALL *f
26
27 #ifdef __Lynx__
28 /* Missing proto on LynxOS */
29   char *gconvert(double, int, int,  char *);
30 #endif
31
32 #ifdef PERL_UTF8_CACHE_ASSERT
33 /* if adding more checks watch out for the following tests:
34  *   t/op/index.t t/op/length.t t/op/pat.t t/op/substr.t
35  *   lib/utf8.t lib/Unicode/Collate/t/index.t
36  * --jhi
37  */
38 #   define ASSERT_UTF8_CACHE(cache) \
39     STMT_START { if (cache) { assert((cache)[0] <= (cache)[1]); \
40                               assert((cache)[2] <= (cache)[3]); \
41                               assert((cache)[3] <= (cache)[1]);} \
42                               } STMT_END
43 #else
44 #   define ASSERT_UTF8_CACHE(cache) NOOP
45 #endif
46
47 #ifdef PERL_OLD_COPY_ON_WRITE
48 #define SV_COW_NEXT_SV(sv)      INT2PTR(SV *,SvUVX(sv))
49 #define SV_COW_NEXT_SV_SET(current,next)        SvUV_set(current, PTR2UV(next))
50 /* This is a pessimistic view. Scalar must be purely a read-write PV to copy-
51    on-write.  */
52 #endif
53
54 /* ============================================================================
55
56 =head1 Allocation and deallocation of SVs.
57
58 An SV (or AV, HV, etc.) is allocated in two parts: the head (struct
59 sv, av, hv...) contains type and reference count information, and for
60 many types, a pointer to the body (struct xrv, xpv, xpviv...), which
61 contains fields specific to each type.  Some types store all they need
62 in the head, so don't have a body.
63
64 In all but the most memory-paranoid configuations (ex: PURIFY), heads
65 and bodies are allocated out of arenas, which by default are
66 approximately 4K chunks of memory parcelled up into N heads or bodies.
67 Sv-bodies are allocated by their sv-type, guaranteeing size
68 consistency needed to allocate safely from arrays.
69
70 For SV-heads, the first slot in each arena is reserved, and holds a
71 link to the next arena, some flags, and a note of the number of slots.
72 Snaked through each arena chain is a linked list of free items; when
73 this becomes empty, an extra arena is allocated and divided up into N
74 items which are threaded into the free list.
75
76 SV-bodies are similar, but they use arena-sets by default, which
77 separate the link and info from the arena itself, and reclaim the 1st
78 slot in the arena.  SV-bodies are further described later.
79
80 The following global variables are associated with arenas:
81
82     PL_sv_arenaroot     pointer to list of SV arenas
83     PL_sv_root          pointer to list of free SV structures
84
85     PL_body_arenas      head of linked-list of body arenas
86     PL_body_roots[]     array of pointers to list of free bodies of svtype
87                         arrays are indexed by the svtype needed
88
89 A few special SV heads are not allocated from an arena, but are
90 instead directly created in the interpreter structure, eg PL_sv_undef.
91 The size of arenas can be changed from the default by setting
92 PERL_ARENA_SIZE appropriately at compile time.
93
94 The SV arena serves the secondary purpose of allowing still-live SVs
95 to be located and destroyed during final cleanup.
96
97 At the lowest level, the macros new_SV() and del_SV() grab and free
98 an SV head.  (If debugging with -DD, del_SV() calls the function S_del_sv()
99 to return the SV to the free list with error checking.) new_SV() calls
100 more_sv() / sv_add_arena() to add an extra arena if the free list is empty.
101 SVs in the free list have their SvTYPE field set to all ones.
102
103 At the time of very final cleanup, sv_free_arenas() is called from
104 perl_destruct() to physically free all the arenas allocated since the
105 start of the interpreter.
106
107 Manipulation of any of the PL_*root pointers is protected by enclosing
108 LOCK_SV_MUTEX; ... UNLOCK_SV_MUTEX calls which should Do the Right Thing
109 if threads are enabled.
110
111 The function visit() scans the SV arenas list, and calls a specified
112 function for each SV it finds which is still live - ie which has an SvTYPE
113 other than all 1's, and a non-zero SvREFCNT. visit() is used by the
114 following functions (specified as [function that calls visit()] / [function
115 called by visit() for each SV]):
116
117     sv_report_used() / do_report_used()
118                         dump all remaining SVs (debugging aid)
119
120     sv_clean_objs() / do_clean_objs(),do_clean_named_objs()
121                         Attempt to free all objects pointed to by RVs,
122                         and, unless DISABLE_DESTRUCTOR_KLUDGE is defined,
123                         try to do the same for all objects indirectly
124                         referenced by typeglobs too.  Called once from
125                         perl_destruct(), prior to calling sv_clean_all()
126                         below.
127
128     sv_clean_all() / do_clean_all()
129                         SvREFCNT_dec(sv) each remaining SV, possibly
130                         triggering an sv_free(). It also sets the
131                         SVf_BREAK flag on the SV to indicate that the
132                         refcnt has been artificially lowered, and thus
133                         stopping sv_free() from giving spurious warnings
134                         about SVs which unexpectedly have a refcnt
135                         of zero.  called repeatedly from perl_destruct()
136                         until there are no SVs left.
137
138 =head2 Arena allocator API Summary
139
140 Private API to rest of sv.c
141
142     new_SV(),  del_SV(),
143
144     new_XIV(), del_XIV(),
145     new_XNV(), del_XNV(),
146     etc
147
148 Public API:
149
150     sv_report_used(), sv_clean_objs(), sv_clean_all(), sv_free_arenas()
151
152 =cut
153
154 ============================================================================ */
155
156 /*
157  * "A time to plant, and a time to uproot what was planted..."
158  */
159
160 /*
161  * nice_chunk and nice_chunk size need to be set
162  * and queried under the protection of sv_mutex
163  */
164 void
165 Perl_offer_nice_chunk(pTHX_ void *chunk, U32 chunk_size)
166 {
167     dVAR;
168     void *new_chunk;
169     U32 new_chunk_size;
170     LOCK_SV_MUTEX;
171     new_chunk = (void *)(chunk);
172     new_chunk_size = (chunk_size);
173     if (new_chunk_size > PL_nice_chunk_size) {
174         Safefree(PL_nice_chunk);
175         PL_nice_chunk = (char *) new_chunk;
176         PL_nice_chunk_size = new_chunk_size;
177     } else {
178         Safefree(chunk);
179     }
180     UNLOCK_SV_MUTEX;
181 }
182
183 #ifdef DEBUG_LEAKING_SCALARS
184 #  define FREE_SV_DEBUG_FILE(sv) Safefree((sv)->sv_debug_file)
185 #else
186 #  define FREE_SV_DEBUG_FILE(sv)
187 #endif
188
189 #ifdef PERL_POISON
190 #  define SvARENA_CHAIN(sv)     ((sv)->sv_u.svu_rv)
191 /* Whilst I'd love to do this, it seems that things like to check on
192    unreferenced scalars
193 #  define POSION_SV_HEAD(sv)    PoisonNew(sv, 1, struct STRUCT_SV)
194 */
195 #  define POSION_SV_HEAD(sv)    PoisonNew(&SvANY(sv), 1, void *), \
196                                 PoisonNew(&SvREFCNT(sv), 1, U32)
197 #else
198 #  define SvARENA_CHAIN(sv)     SvANY(sv)
199 #  define POSION_SV_HEAD(sv)
200 #endif
201
202 #define plant_SV(p) \
203     STMT_START {                                        \
204         FREE_SV_DEBUG_FILE(p);                          \
205         POSION_SV_HEAD(p);                              \
206         SvARENA_CHAIN(p) = (void *)PL_sv_root;          \
207         SvFLAGS(p) = SVTYPEMASK;                        \
208         PL_sv_root = (p);                               \
209         --PL_sv_count;                                  \
210     } STMT_END
211
212 /* sv_mutex must be held while calling uproot_SV() */
213 #define uproot_SV(p) \
214     STMT_START {                                        \
215         (p) = PL_sv_root;                               \
216         PL_sv_root = (SV*)SvARENA_CHAIN(p);             \
217         ++PL_sv_count;                                  \
218     } STMT_END
219
220
221 /* make some more SVs by adding another arena */
222
223 /* sv_mutex must be held while calling more_sv() */
224 STATIC SV*
225 S_more_sv(pTHX)
226 {
227     dVAR;
228     SV* sv;
229
230     if (PL_nice_chunk) {
231         sv_add_arena(PL_nice_chunk, PL_nice_chunk_size, 0);
232         PL_nice_chunk = NULL;
233         PL_nice_chunk_size = 0;
234     }
235     else {
236         char *chunk;                /* must use New here to match call to */
237         Newx(chunk,PERL_ARENA_SIZE,char);  /* Safefree() in sv_free_arenas() */
238         sv_add_arena(chunk, PERL_ARENA_SIZE, 0);
239     }
240     uproot_SV(sv);
241     return sv;
242 }
243
244 /* new_SV(): return a new, empty SV head */
245
246 #ifdef DEBUG_LEAKING_SCALARS
247 /* provide a real function for a debugger to play with */
248 STATIC SV*
249 S_new_SV(pTHX)
250 {
251     SV* sv;
252
253     LOCK_SV_MUTEX;
254     if (PL_sv_root)
255         uproot_SV(sv);
256     else
257         sv = S_more_sv(aTHX);
258     UNLOCK_SV_MUTEX;
259     SvANY(sv) = 0;
260     SvREFCNT(sv) = 1;
261     SvFLAGS(sv) = 0;
262     sv->sv_debug_optype = PL_op ? PL_op->op_type : 0;
263     sv->sv_debug_line = (U16) ((PL_copline == NOLINE) ?
264         (PL_curcop ? CopLINE(PL_curcop) : 0) : PL_copline);
265     sv->sv_debug_inpad = 0;
266     sv->sv_debug_cloned = 0;
267     sv->sv_debug_file = PL_curcop ? savepv(CopFILE(PL_curcop)): NULL;
268     
269     return sv;
270 }
271 #  define new_SV(p) (p)=S_new_SV(aTHX)
272
273 #else
274 #  define new_SV(p) \
275     STMT_START {                                        \
276         LOCK_SV_MUTEX;                                  \
277         if (PL_sv_root)                                 \
278             uproot_SV(p);                               \
279         else                                            \
280             (p) = S_more_sv(aTHX);                      \
281         UNLOCK_SV_MUTEX;                                \
282         SvANY(p) = 0;                                   \
283         SvREFCNT(p) = 1;                                \
284         SvFLAGS(p) = 0;                                 \
285     } STMT_END
286 #endif
287
288
289 /* del_SV(): return an empty SV head to the free list */
290
291 #ifdef DEBUGGING
292
293 #define del_SV(p) \
294     STMT_START {                                        \
295         LOCK_SV_MUTEX;                                  \
296         if (DEBUG_D_TEST)                               \
297             del_sv(p);                                  \
298         else                                            \
299             plant_SV(p);                                \
300         UNLOCK_SV_MUTEX;                                \
301     } STMT_END
302
303 STATIC void
304 S_del_sv(pTHX_ SV *p)
305 {
306     dVAR;
307     if (DEBUG_D_TEST) {
308         SV* sva;
309         bool ok = 0;
310         for (sva = PL_sv_arenaroot; sva; sva = (SV *) SvANY(sva)) {
311             const SV * const sv = sva + 1;
312             const SV * const svend = &sva[SvREFCNT(sva)];
313             if (p >= sv && p < svend) {
314                 ok = 1;
315                 break;
316             }
317         }
318         if (!ok) {
319             if (ckWARN_d(WARN_INTERNAL))        
320                 Perl_warner(aTHX_ packWARN(WARN_INTERNAL),
321                             "Attempt to free non-arena SV: 0x%"UVxf
322                             pTHX__FORMAT, PTR2UV(p) pTHX__VALUE);
323             return;
324         }
325     }
326     plant_SV(p);
327 }
328
329 #else /* ! DEBUGGING */
330
331 #define del_SV(p)   plant_SV(p)
332
333 #endif /* DEBUGGING */
334
335
336 /*
337 =head1 SV Manipulation Functions
338
339 =for apidoc sv_add_arena
340
341 Given a chunk of memory, link it to the head of the list of arenas,
342 and split it into a list of free SVs.
343
344 =cut
345 */
346
347 void
348 Perl_sv_add_arena(pTHX_ char *ptr, U32 size, U32 flags)
349 {
350     dVAR;
351     SV* const sva = (SV*)ptr;
352     register SV* sv;
353     register SV* svend;
354
355     /* The first SV in an arena isn't an SV. */
356     SvANY(sva) = (void *) PL_sv_arenaroot;              /* ptr to next arena */
357     SvREFCNT(sva) = size / sizeof(SV);          /* number of SV slots */
358     SvFLAGS(sva) = flags;                       /* FAKE if not to be freed */
359
360     PL_sv_arenaroot = sva;
361     PL_sv_root = sva + 1;
362
363     svend = &sva[SvREFCNT(sva) - 1];
364     sv = sva + 1;
365     while (sv < svend) {
366         SvARENA_CHAIN(sv) = (void *)(SV*)(sv + 1);
367 #ifdef DEBUGGING
368         SvREFCNT(sv) = 0;
369 #endif
370         /* Must always set typemask because it's awlays checked in on cleanup
371            when the arenas are walked looking for objects.  */
372         SvFLAGS(sv) = SVTYPEMASK;
373         sv++;
374     }
375     SvARENA_CHAIN(sv) = 0;
376 #ifdef DEBUGGING
377     SvREFCNT(sv) = 0;
378 #endif
379     SvFLAGS(sv) = SVTYPEMASK;
380 }
381
382 /* visit(): call the named function for each non-free SV in the arenas
383  * whose flags field matches the flags/mask args. */
384
385 STATIC I32
386 S_visit(pTHX_ SVFUNC_t f, U32 flags, U32 mask)
387 {
388     dVAR;
389     SV* sva;
390     I32 visited = 0;
391
392     for (sva = PL_sv_arenaroot; sva; sva = (SV*)SvANY(sva)) {
393         register const SV * const svend = &sva[SvREFCNT(sva)];
394         register SV* sv;
395         for (sv = sva + 1; sv < svend; ++sv) {
396             if (SvTYPE(sv) != SVTYPEMASK
397                     && (sv->sv_flags & mask) == flags
398                     && SvREFCNT(sv))
399             {
400                 (FCALL)(aTHX_ sv);
401                 ++visited;
402             }
403         }
404     }
405     return visited;
406 }
407
408 #ifdef DEBUGGING
409
410 /* called by sv_report_used() for each live SV */
411
412 static void
413 do_report_used(pTHX_ SV *sv)
414 {
415     if (SvTYPE(sv) != SVTYPEMASK) {
416         PerlIO_printf(Perl_debug_log, "****\n");
417         sv_dump(sv);
418     }
419 }
420 #endif
421
422 /*
423 =for apidoc sv_report_used
424
425 Dump the contents of all SVs not yet freed. (Debugging aid).
426
427 =cut
428 */
429
430 void
431 Perl_sv_report_used(pTHX)
432 {
433 #ifdef DEBUGGING
434     visit(do_report_used, 0, 0);
435 #else
436     PERL_UNUSED_CONTEXT;
437 #endif
438 }
439
440 /* called by sv_clean_objs() for each live SV */
441
442 static void
443 do_clean_objs(pTHX_ SV *ref)
444 {
445     dVAR;
446     if (SvROK(ref)) {
447         SV * const target = SvRV(ref);
448         if (SvOBJECT(target)) {
449             DEBUG_D((PerlIO_printf(Perl_debug_log, "Cleaning object ref:\n "), sv_dump(ref)));
450             if (SvWEAKREF(ref)) {
451                 sv_del_backref(target, ref);
452                 SvWEAKREF_off(ref);
453                 SvRV_set(ref, NULL);
454             } else {
455                 SvROK_off(ref);
456                 SvRV_set(ref, NULL);
457                 SvREFCNT_dec(target);
458             }
459         }
460     }
461
462     /* XXX Might want to check arrays, etc. */
463 }
464
465 /* called by sv_clean_objs() for each live SV */
466
467 #ifndef DISABLE_DESTRUCTOR_KLUDGE
468 static void
469 do_clean_named_objs(pTHX_ SV *sv)
470 {
471     dVAR;
472     if (SvTYPE(sv) == SVt_PVGV && isGV_with_GP(sv) && GvGP(sv)) {
473         if ((
474 #ifdef PERL_DONT_CREATE_GVSV
475              GvSV(sv) &&
476 #endif
477              SvOBJECT(GvSV(sv))) ||
478              (GvAV(sv) && SvOBJECT(GvAV(sv))) ||
479              (GvHV(sv) && SvOBJECT(GvHV(sv))) ||
480              (GvIO(sv) && SvOBJECT(GvIO(sv))) ||
481              (GvCV(sv) && SvOBJECT(GvCV(sv))) )
482         {
483             DEBUG_D((PerlIO_printf(Perl_debug_log, "Cleaning named glob object:\n "), sv_dump(sv)));
484             SvFLAGS(sv) |= SVf_BREAK;
485             SvREFCNT_dec(sv);
486         }
487     }
488 }
489 #endif
490
491 /*
492 =for apidoc sv_clean_objs
493
494 Attempt to destroy all objects not yet freed
495
496 =cut
497 */
498
499 void
500 Perl_sv_clean_objs(pTHX)
501 {
502     dVAR;
503     PL_in_clean_objs = TRUE;
504     visit(do_clean_objs, SVf_ROK, SVf_ROK);
505 #ifndef DISABLE_DESTRUCTOR_KLUDGE
506     /* some barnacles may yet remain, clinging to typeglobs */
507     visit(do_clean_named_objs, SVt_PVGV, SVTYPEMASK);
508 #endif
509     PL_in_clean_objs = FALSE;
510 }
511
512 /* called by sv_clean_all() for each live SV */
513
514 static void
515 do_clean_all(pTHX_ SV *sv)
516 {
517     dVAR;
518     DEBUG_D((PerlIO_printf(Perl_debug_log, "Cleaning loops: SV at 0x%"UVxf"\n", PTR2UV(sv)) ));
519     SvFLAGS(sv) |= SVf_BREAK;
520     if (PL_comppad == (AV*)sv) {
521         PL_comppad = NULL;
522         PL_curpad = NULL;
523     }
524     SvREFCNT_dec(sv);
525 }
526
527 /*
528 =for apidoc sv_clean_all
529
530 Decrement the refcnt of each remaining SV, possibly triggering a
531 cleanup. This function may have to be called multiple times to free
532 SVs which are in complex self-referential hierarchies.
533
534 =cut
535 */
536
537 I32
538 Perl_sv_clean_all(pTHX)
539 {
540     dVAR;
541     I32 cleaned;
542     PL_in_clean_all = TRUE;
543     cleaned = visit(do_clean_all, 0,0);
544     PL_in_clean_all = FALSE;
545     return cleaned;
546 }
547
548 /*
549   ARENASETS: a meta-arena implementation which separates arena-info
550   into struct arena_set, which contains an array of struct
551   arena_descs, each holding info for a single arena.  By separating
552   the meta-info from the arena, we recover the 1st slot, formerly
553   borrowed for list management.  The arena_set is about the size of an
554   arena, avoiding the needless malloc overhead of a naive linked-list
555
556   The cost is 1 arena-set malloc per ~320 arena-mallocs, + the unused
557   memory in the last arena-set (1/2 on average).  In trade, we get
558   back the 1st slot in each arena (ie 1.7% of a CV-arena, less for
559   smaller types).  The recovery of the wasted space allows use of
560   small arenas for large, rare body types,
561 */
562 struct arena_desc {
563     char       *arena;          /* the raw storage, allocated aligned */
564     size_t      size;           /* its size ~4k typ */
565     int         unit_type;      /* useful for arena audits */
566     /* info for sv-heads (eventually)
567        int count, flags;
568     */
569 };
570
571 struct arena_set;
572
573 /* Get the maximum number of elements in set[] such that struct arena_set
574    will fit within PERL_ARENA_SIZE, which is probabably just under 4K, and
575    therefore likely to be 1 aligned memory page.  */
576
577 #define ARENAS_PER_SET  ((PERL_ARENA_SIZE - sizeof(struct arena_set*) \
578                           - 2 * sizeof(int)) / sizeof (struct arena_desc))
579
580 struct arena_set {
581     struct arena_set* next;
582     int   set_size;             /* ie ARENAS_PER_SET */
583     int   curr;                 /* index of next available arena-desc */
584     struct arena_desc set[ARENAS_PER_SET];
585 };
586
587 /*
588 =for apidoc sv_free_arenas
589
590 Deallocate the memory used by all arenas. Note that all the individual SV
591 heads and bodies within the arenas must already have been freed.
592
593 =cut
594 */
595 void
596 Perl_sv_free_arenas(pTHX)
597 {
598     dVAR;
599     SV* sva;
600     SV* svanext;
601     int i;
602
603     /* Free arenas here, but be careful about fake ones.  (We assume
604        contiguity of the fake ones with the corresponding real ones.) */
605
606     for (sva = PL_sv_arenaroot; sva; sva = svanext) {
607         svanext = (SV*) SvANY(sva);
608         while (svanext && SvFAKE(svanext))
609             svanext = (SV*) SvANY(svanext);
610
611         if (!SvFAKE(sva))
612             Safefree(sva);
613     }
614
615     {
616         struct arena_set *next, *aroot = (struct arena_set*) PL_body_arenas;
617         
618         for (; aroot; aroot = next) {
619             const int max = aroot->curr;
620             for (i=0; i<max; i++) {
621                 assert(aroot->set[i].arena);
622                 Safefree(aroot->set[i].arena);
623             }
624             next = aroot->next;
625             Safefree(aroot);
626         }
627     }
628     PL_body_arenas = 0;
629
630     for (i=0; i<PERL_ARENA_ROOTS_SIZE; i++)
631         PL_body_roots[i] = 0;
632
633     Safefree(PL_nice_chunk);
634     PL_nice_chunk = NULL;
635     PL_nice_chunk_size = 0;
636     PL_sv_arenaroot = 0;
637     PL_sv_root = 0;
638 }
639
640 /*
641   Here are mid-level routines that manage the allocation of bodies out
642   of the various arenas.  There are 5 kinds of arenas:
643
644   1. SV-head arenas, which are discussed and handled above
645   2. regular body arenas
646   3. arenas for reduced-size bodies
647   4. Hash-Entry arenas
648   5. pte arenas (thread related)
649
650   Arena types 2 & 3 are chained by body-type off an array of
651   arena-root pointers, which is indexed by svtype.  Some of the
652   larger/less used body types are malloced singly, since a large
653   unused block of them is wasteful.  Also, several svtypes dont have
654   bodies; the data fits into the sv-head itself.  The arena-root
655   pointer thus has a few unused root-pointers (which may be hijacked
656   later for arena types 4,5)
657
658   3 differs from 2 as an optimization; some body types have several
659   unused fields in the front of the structure (which are kept in-place
660   for consistency).  These bodies can be allocated in smaller chunks,
661   because the leading fields arent accessed.  Pointers to such bodies
662   are decremented to point at the unused 'ghost' memory, knowing that
663   the pointers are used with offsets to the real memory.
664
665   HE, HEK arenas are managed separately, with separate code, but may
666   be merge-able later..
667
668   PTE arenas are not sv-bodies, but they share these mid-level
669   mechanics, so are considered here.  The new mid-level mechanics rely
670   on the sv_type of the body being allocated, so we just reserve one
671   of the unused body-slots for PTEs, then use it in those (2) PTE
672   contexts below (line ~10k)
673 */
674
675 /* get_arena(size): this creates custom-sized arenas
676    TBD: export properly for hv.c: S_more_he().
677 */
678 void*
679 Perl_get_arena(pTHX_ int arena_size)
680 {
681     struct arena_desc* adesc;
682     struct arena_set *newroot, **aroot = (struct arena_set**) &PL_body_arenas;
683     int curr;
684
685     /* shouldnt need this
686     if (!arena_size)    arena_size = PERL_ARENA_SIZE;
687     */
688
689     /* may need new arena-set to hold new arena */
690     if (!*aroot || (*aroot)->curr >= (*aroot)->set_size) {
691         Newxz(newroot, 1, struct arena_set);
692         newroot->set_size = ARENAS_PER_SET;
693         newroot->next = *aroot;
694         *aroot = newroot;
695         DEBUG_m(PerlIO_printf(Perl_debug_log, "new arenaset %p\n", *aroot));
696     }
697
698     /* ok, now have arena-set with at least 1 empty/available arena-desc */
699     curr = (*aroot)->curr++;
700     adesc = &((*aroot)->set[curr]);
701     assert(!adesc->arena);
702     
703     Newxz(adesc->arena, arena_size, char);
704     adesc->size = arena_size;
705     DEBUG_m(PerlIO_printf(Perl_debug_log, "arena %d added: %p size %d\n", 
706                           curr, adesc->arena, arena_size));
707
708     return adesc->arena;
709 }
710
711
712 /* return a thing to the free list */
713
714 #define del_body(thing, root)                   \
715     STMT_START {                                \
716         void ** const thing_copy = (void **)thing;\
717         LOCK_SV_MUTEX;                          \
718         *thing_copy = *root;                    \
719         *root = (void*)thing_copy;              \
720         UNLOCK_SV_MUTEX;                        \
721     } STMT_END
722
723 /* 
724
725 =head1 SV-Body Allocation
726
727 Allocation of SV-bodies is similar to SV-heads, differing as follows;
728 the allocation mechanism is used for many body types, so is somewhat
729 more complicated, it uses arena-sets, and has no need for still-live
730 SV detection.
731
732 At the outermost level, (new|del)_X*V macros return bodies of the
733 appropriate type.  These macros call either (new|del)_body_type or
734 (new|del)_body_allocated macro pairs, depending on specifics of the
735 type.  Most body types use the former pair, the latter pair is used to
736 allocate body types with "ghost fields".
737
738 "ghost fields" are fields that are unused in certain types, and
739 consequently dont need to actually exist.  They are declared because
740 they're part of a "base type", which allows use of functions as
741 methods.  The simplest examples are AVs and HVs, 2 aggregate types
742 which don't use the fields which support SCALAR semantics.
743
744 For these types, the arenas are carved up into *_allocated size
745 chunks, we thus avoid wasted memory for those unaccessed members.
746 When bodies are allocated, we adjust the pointer back in memory by the
747 size of the bit not allocated, so it's as if we allocated the full
748 structure.  (But things will all go boom if you write to the part that
749 is "not there", because you'll be overwriting the last members of the
750 preceding structure in memory.)
751
752 We calculate the correction using the STRUCT_OFFSET macro. For
753 example, if xpv_allocated is the same structure as XPV then the two
754 OFFSETs sum to zero, and the pointer is unchanged. If the allocated
755 structure is smaller (no initial NV actually allocated) then the net
756 effect is to subtract the size of the NV from the pointer, to return a
757 new pointer as if an initial NV were actually allocated.
758
759 This is the same trick as was used for NV and IV bodies. Ironically it
760 doesn't need to be used for NV bodies any more, because NV is now at
761 the start of the structure. IV bodies don't need it either, because
762 they are no longer allocated.
763
764 In turn, the new_body_* allocators call S_new_body(), which invokes
765 new_body_inline macro, which takes a lock, and takes a body off the
766 linked list at PL_body_roots[sv_type], calling S_more_bodies() if
767 necessary to refresh an empty list.  Then the lock is released, and
768 the body is returned.
769
770 S_more_bodies calls get_arena(), and carves it up into an array of N
771 bodies, which it strings into a linked list.  It looks up arena-size
772 and body-size from the body_details table described below, thus
773 supporting the multiple body-types.
774
775 If PURIFY is defined, or PERL_ARENA_SIZE=0, arenas are not used, and
776 the (new|del)_X*V macros are mapped directly to malloc/free.
777
778 */
779
780 /* 
781
782 For each sv-type, struct body_details bodies_by_type[] carries
783 parameters which control these aspects of SV handling:
784
785 Arena_size determines whether arenas are used for this body type, and if
786 so, how big they are.  PURIFY or PERL_ARENA_SIZE=0 set this field to
787 zero, forcing individual mallocs and frees.
788
789 Body_size determines how big a body is, and therefore how many fit into
790 each arena.  Offset carries the body-pointer adjustment needed for
791 *_allocated body types, and is used in *_allocated macros.
792
793 But its main purpose is to parameterize info needed in
794 Perl_sv_upgrade().  The info here dramatically simplifies the function
795 vs the implementation in 5.8.7, making it table-driven.  All fields
796 are used for this, except for arena_size.
797
798 For the sv-types that have no bodies, arenas are not used, so those
799 PL_body_roots[sv_type] are unused, and can be overloaded.  In
800 something of a special case, SVt_NULL is borrowed for HE arenas;
801 PL_body_roots[SVt_NULL] is filled by S_more_he, but the
802 bodies_by_type[SVt_NULL] slot is not used, as the table is not
803 available in hv.c,
804
805 PTEs also use arenas, but are never seen in Perl_sv_upgrade.
806 Nonetheless, they get their own slot in bodies_by_type[SVt_NULL], so
807 they can just use the same allocation semantics.  At first, PTEs were
808 also overloaded to a non-body sv-type, but this yielded hard-to-find
809 malloc bugs, so was simplified by claiming a new slot.  This choice
810 has no consequence at this time.
811
812 */
813
814 struct body_details {
815     U8 body_size;       /* Size to allocate  */
816     U8 copy;            /* Size of structure to copy (may be shorter)  */
817     U8 offset;
818     unsigned int type : 4;          /* We have space for a sanity check.  */
819     unsigned int cant_upgrade : 1;  /* Cannot upgrade this type */
820     unsigned int zero_nv : 1;       /* zero the NV when upgrading from this */
821     unsigned int arena : 1;         /* Allocated from an arena */
822     size_t arena_size;              /* Size of arena to allocate */
823 };
824
825 #define HADNV FALSE
826 #define NONV TRUE
827
828
829 #ifdef PURIFY
830 /* With -DPURFIY we allocate everything directly, and don't use arenas.
831    This seems a rather elegant way to simplify some of the code below.  */
832 #define HASARENA FALSE
833 #else
834 #define HASARENA TRUE
835 #endif
836 #define NOARENA FALSE
837
838 /* Size the arenas to exactly fit a given number of bodies.  A count
839    of 0 fits the max number bodies into a PERL_ARENA_SIZE.block,
840    simplifying the default.  If count > 0, the arena is sized to fit
841    only that many bodies, allowing arenas to be used for large, rare
842    bodies (XPVFM, XPVIO) without undue waste.  The arena size is
843    limited by PERL_ARENA_SIZE, so we can safely oversize the
844    declarations.
845  */
846 #define FIT_ARENA0(body_size)                           \
847     ((size_t)(PERL_ARENA_SIZE / body_size) * body_size)
848 #define FIT_ARENAn(count,body_size)                     \
849     ( count * body_size <= PERL_ARENA_SIZE)             \
850     ? count * body_size                                 \
851     : FIT_ARENA0 (body_size)
852 #define FIT_ARENA(count,body_size)                      \
853     count                                               \
854     ? FIT_ARENAn (count, body_size)                     \
855     : FIT_ARENA0 (body_size)
856
857 /* A macro to work out the offset needed to subtract from a pointer to (say)
858
859 typedef struct {
860     STRLEN      xpv_cur;
861     STRLEN      xpv_len;
862 } xpv_allocated;
863
864 to make its members accessible via a pointer to (say)
865
866 struct xpv {
867     NV          xnv_nv;
868     STRLEN      xpv_cur;
869     STRLEN      xpv_len;
870 };
871
872 */
873
874 #define relative_STRUCT_OFFSET(longer, shorter, member) \
875     (STRUCT_OFFSET(shorter, member) - STRUCT_OFFSET(longer, member))
876
877 /* Calculate the length to copy. Specifically work out the length less any
878    final padding the compiler needed to add.  See the comment in sv_upgrade
879    for why copying the padding proved to be a bug.  */
880
881 #define copy_length(type, last_member) \
882         STRUCT_OFFSET(type, last_member) \
883         + sizeof (((type*)SvANY((SV*)0))->last_member)
884
885 static const struct body_details bodies_by_type[] = {
886     { sizeof(HE), 0, 0, SVt_NULL,
887       FALSE, NONV, NOARENA, FIT_ARENA(0, sizeof(HE)) },
888
889     /* IVs are in the head, so the allocation size is 0.
890        However, the slot is overloaded for PTEs.  */
891     { sizeof(struct ptr_tbl_ent), /* This is used for PTEs.  */
892       sizeof(IV), /* This is used to copy out the IV body.  */
893       STRUCT_OFFSET(XPVIV, xiv_iv), SVt_IV, FALSE, NONV,
894       NOARENA /* IVS don't need an arena  */,
895       /* But PTEs need to know the size of their arena  */
896       FIT_ARENA(0, sizeof(struct ptr_tbl_ent))
897     },
898
899     /* 8 bytes on most ILP32 with IEEE doubles */
900     { sizeof(NV), sizeof(NV), 0, SVt_NV, FALSE, HADNV, HASARENA,
901       FIT_ARENA(0, sizeof(NV)) },
902
903     /* RVs are in the head now.  */
904     { 0, 0, 0, SVt_RV, FALSE, NONV, NOARENA, 0 },
905
906     /* 8 bytes on most ILP32 with IEEE doubles */
907     { sizeof(xpv_allocated),
908       copy_length(XPV, xpv_len)
909       - relative_STRUCT_OFFSET(xpv_allocated, XPV, xpv_cur),
910       + relative_STRUCT_OFFSET(xpv_allocated, XPV, xpv_cur),
911       SVt_PV, FALSE, NONV, HASARENA, FIT_ARENA(0, sizeof(xpv_allocated)) },
912
913     /* 12 */
914     { sizeof(xpviv_allocated),
915       copy_length(XPVIV, xiv_u)
916       - relative_STRUCT_OFFSET(xpviv_allocated, XPVIV, xpv_cur),
917       + relative_STRUCT_OFFSET(xpviv_allocated, XPVIV, xpv_cur),
918       SVt_PVIV, FALSE, NONV, HASARENA, FIT_ARENA(0, sizeof(xpviv_allocated)) },
919
920     /* 20 */
921     { sizeof(XPVNV), copy_length(XPVNV, xiv_u), 0, SVt_PVNV, FALSE, HADNV,
922       HASARENA, FIT_ARENA(0, sizeof(XPVNV)) },
923
924     /* 28 */
925     { sizeof(XPVMG), copy_length(XPVMG, xmg_stash), 0, SVt_PVMG, FALSE, HADNV,
926       HASARENA, FIT_ARENA(0, sizeof(XPVMG)) },
927     
928     /* 36 */
929     { sizeof(XPVBM), sizeof(XPVBM), 0, SVt_PVBM, TRUE, HADNV,
930       HASARENA, FIT_ARENA(0, sizeof(XPVBM)) },
931
932     /* 48 */
933     { sizeof(XPVGV), sizeof(XPVGV), 0, SVt_PVGV, TRUE, HADNV,
934       HASARENA, FIT_ARENA(0, sizeof(XPVGV)) },
935     
936     /* 64 */
937     { sizeof(XPVLV), sizeof(XPVLV), 0, SVt_PVLV, TRUE, HADNV,
938       HASARENA, FIT_ARENA(0, sizeof(XPVLV)) },
939
940     { sizeof(xpvav_allocated),
941       copy_length(XPVAV, xmg_stash)
942       - relative_STRUCT_OFFSET(xpvav_allocated, XPVAV, xav_fill),
943       + relative_STRUCT_OFFSET(xpvav_allocated, XPVAV, xav_fill),
944       SVt_PVAV, TRUE, HADNV, HASARENA, FIT_ARENA(0, sizeof(xpvav_allocated)) },
945
946     { sizeof(xpvhv_allocated),
947       copy_length(XPVHV, xmg_stash)
948       - relative_STRUCT_OFFSET(xpvhv_allocated, XPVHV, xhv_fill),
949       + relative_STRUCT_OFFSET(xpvhv_allocated, XPVHV, xhv_fill),
950       SVt_PVHV, TRUE, HADNV, HASARENA, FIT_ARENA(0, sizeof(xpvhv_allocated)) },
951
952     /* 56 */
953     { sizeof(xpvcv_allocated), sizeof(xpvcv_allocated),
954       + relative_STRUCT_OFFSET(xpvcv_allocated, XPVCV, xpv_cur),
955       SVt_PVCV, TRUE, NONV, HASARENA, FIT_ARENA(0, sizeof(xpvcv_allocated)) },
956
957     { sizeof(xpvfm_allocated), sizeof(xpvfm_allocated),
958       + relative_STRUCT_OFFSET(xpvfm_allocated, XPVFM, xpv_cur),
959       SVt_PVFM, TRUE, NONV, NOARENA, FIT_ARENA(20, sizeof(xpvfm_allocated)) },
960
961     /* XPVIO is 84 bytes, fits 48x */
962     { sizeof(XPVIO), sizeof(XPVIO), 0, SVt_PVIO, TRUE, HADNV,
963       HASARENA, FIT_ARENA(24, sizeof(XPVIO)) },
964 };
965
966 #define new_body_type(sv_type)          \
967     (void *)((char *)S_new_body(aTHX_ sv_type))
968
969 #define del_body_type(p, sv_type)       \
970     del_body(p, &PL_body_roots[sv_type])
971
972
973 #define new_body_allocated(sv_type)             \
974     (void *)((char *)S_new_body(aTHX_ sv_type)  \
975              - bodies_by_type[sv_type].offset)
976
977 #define del_body_allocated(p, sv_type)          \
978     del_body(p + bodies_by_type[sv_type].offset, &PL_body_roots[sv_type])
979
980
981 #define my_safemalloc(s)        (void*)safemalloc(s)
982 #define my_safecalloc(s)        (void*)safecalloc(s, 1)
983 #define my_safefree(p)  safefree((char*)p)
984
985 #ifdef PURIFY
986
987 #define new_XNV()       my_safemalloc(sizeof(XPVNV))
988 #define del_XNV(p)      my_safefree(p)
989
990 #define new_XPVNV()     my_safemalloc(sizeof(XPVNV))
991 #define del_XPVNV(p)    my_safefree(p)
992
993 #define new_XPVAV()     my_safemalloc(sizeof(XPVAV))
994 #define del_XPVAV(p)    my_safefree(p)
995
996 #define new_XPVHV()     my_safemalloc(sizeof(XPVHV))
997 #define del_XPVHV(p)    my_safefree(p)
998
999 #define new_XPVMG()     my_safemalloc(sizeof(XPVMG))
1000 #define del_XPVMG(p)    my_safefree(p)
1001
1002 #define new_XPVGV()     my_safemalloc(sizeof(XPVGV))
1003 #define del_XPVGV(p)    my_safefree(p)
1004
1005 #else /* !PURIFY */
1006
1007 #define new_XNV()       new_body_type(SVt_NV)
1008 #define del_XNV(p)      del_body_type(p, SVt_NV)
1009
1010 #define new_XPVNV()     new_body_type(SVt_PVNV)
1011 #define del_XPVNV(p)    del_body_type(p, SVt_PVNV)
1012
1013 #define new_XPVAV()     new_body_allocated(SVt_PVAV)
1014 #define del_XPVAV(p)    del_body_allocated(p, SVt_PVAV)
1015
1016 #define new_XPVHV()     new_body_allocated(SVt_PVHV)
1017 #define del_XPVHV(p)    del_body_allocated(p, SVt_PVHV)
1018
1019 #define new_XPVMG()     new_body_type(SVt_PVMG)
1020 #define del_XPVMG(p)    del_body_type(p, SVt_PVMG)
1021
1022 #define new_XPVGV()     new_body_type(SVt_PVGV)
1023 #define del_XPVGV(p)    del_body_type(p, SVt_PVGV)
1024
1025 #endif /* PURIFY */
1026
1027 /* no arena for you! */
1028
1029 #define new_NOARENA(details) \
1030         my_safemalloc((details)->body_size + (details)->offset)
1031 #define new_NOARENAZ(details) \
1032         my_safecalloc((details)->body_size + (details)->offset)
1033
1034 #ifdef DEBUGGING
1035 static bool done_sanity_check;
1036 #endif
1037
1038 STATIC void *
1039 S_more_bodies (pTHX_ svtype sv_type)
1040 {
1041     dVAR;
1042     void ** const root = &PL_body_roots[sv_type];
1043     const struct body_details * const bdp = &bodies_by_type[sv_type];
1044     const size_t body_size = bdp->body_size;
1045     char *start;
1046     const char *end;
1047
1048     assert(bdp->arena_size);
1049
1050 #ifdef DEBUGGING
1051     if (!done_sanity_check) {
1052         unsigned int i = SVt_LAST;
1053
1054         done_sanity_check = TRUE;
1055
1056         while (i--)
1057             assert (bodies_by_type[i].type == i);
1058     }
1059 #endif
1060
1061     start = (char*) Perl_get_arena(aTHX_ bdp->arena_size);
1062
1063     end = start + bdp->arena_size - body_size;
1064
1065     /* computed count doesnt reflect the 1st slot reservation */
1066     DEBUG_m(PerlIO_printf(Perl_debug_log,
1067                           "arena %p end %p arena-size %d type %d size %d ct %d\n",
1068                           start, end, bdp->arena_size, sv_type, body_size,
1069                           bdp->arena_size / body_size));
1070
1071     *root = (void *)start;
1072
1073     while (start < end) {
1074         char * const next = start + body_size;
1075         *(void**) start = (void *)next;
1076         start = next;
1077     }
1078     *(void **)start = 0;
1079
1080     return *root;
1081 }
1082
1083 /* grab a new thing from the free list, allocating more if necessary.
1084    The inline version is used for speed in hot routines, and the
1085    function using it serves the rest (unless PURIFY).
1086 */
1087 #define new_body_inline(xpv, sv_type) \
1088     STMT_START { \
1089         void ** const r3wt = &PL_body_roots[sv_type]; \
1090         LOCK_SV_MUTEX; \
1091         xpv = *((void **)(r3wt)) \
1092           ? *((void **)(r3wt)) : more_bodies(sv_type); \
1093         *(r3wt) = *(void**)(xpv); \
1094         UNLOCK_SV_MUTEX; \
1095     } STMT_END
1096
1097 #ifndef PURIFY
1098
1099 STATIC void *
1100 S_new_body(pTHX_ svtype sv_type)
1101 {
1102     dVAR;
1103     void *xpv;
1104     new_body_inline(xpv, sv_type);
1105     return xpv;
1106 }
1107
1108 #endif
1109
1110 /*
1111 =for apidoc sv_upgrade
1112
1113 Upgrade an SV to a more complex form.  Generally adds a new body type to the
1114 SV, then copies across as much information as possible from the old body.
1115 You generally want to use the C<SvUPGRADE> macro wrapper. See also C<svtype>.
1116
1117 =cut
1118 */
1119
1120 void
1121 Perl_sv_upgrade(pTHX_ register SV *sv, U32 new_type)
1122 {
1123     dVAR;
1124     void*       old_body;
1125     void*       new_body;
1126     const U32   old_type = SvTYPE(sv);
1127     const struct body_details *new_type_details;
1128     const struct body_details *const old_type_details
1129         = bodies_by_type + old_type;
1130
1131     if (new_type != SVt_PV && SvIsCOW(sv)) {
1132         sv_force_normal_flags(sv, 0);
1133     }
1134
1135     if (old_type == new_type)
1136         return;
1137
1138     if (old_type > new_type)
1139         Perl_croak(aTHX_ "sv_upgrade from type %d down to type %d",
1140                 (int)old_type, (int)new_type);
1141
1142
1143     old_body = SvANY(sv);
1144
1145     /* Copying structures onto other structures that have been neatly zeroed
1146        has a subtle gotcha. Consider XPVMG
1147
1148        +------+------+------+------+------+-------+-------+
1149        |     NV      | CUR  | LEN  |  IV  | MAGIC | STASH |
1150        +------+------+------+------+------+-------+-------+
1151        0      4      8     12     16     20      24      28
1152
1153        where NVs are aligned to 8 bytes, so that sizeof that structure is
1154        actually 32 bytes long, with 4 bytes of padding at the end:
1155
1156        +------+------+------+------+------+-------+-------+------+
1157        |     NV      | CUR  | LEN  |  IV  | MAGIC | STASH | ???  |
1158        +------+------+------+------+------+-------+-------+------+
1159        0      4      8     12     16     20      24      28     32
1160
1161        so what happens if you allocate memory for this structure:
1162
1163        +------+------+------+------+------+-------+-------+------+------+...
1164        |     NV      | CUR  | LEN  |  IV  | MAGIC | STASH |  GP  | NAME |
1165        +------+------+------+------+------+-------+-------+------+------+...
1166        0      4      8     12     16     20      24      28     32     36
1167
1168        zero it, then copy sizeof(XPVMG) bytes on top of it? Not quite what you
1169        expect, because you copy the area marked ??? onto GP. Now, ??? may have
1170        started out as zero once, but it's quite possible that it isn't. So now,
1171        rather than a nicely zeroed GP, you have it pointing somewhere random.
1172        Bugs ensue.
1173
1174        (In fact, GP ends up pointing at a previous GP structure, because the
1175        principle cause of the padding in XPVMG getting garbage is a copy of
1176        sizeof(XPVMG) bytes from a XPVGV structure in sv_unglob)
1177
1178        So we are careful and work out the size of used parts of all the
1179        structures.  */
1180
1181     switch (old_type) {
1182     case SVt_NULL:
1183         break;
1184     case SVt_IV:
1185         if (new_type < SVt_PVIV) {
1186             new_type = (new_type == SVt_NV)
1187                 ? SVt_PVNV : SVt_PVIV;
1188         }
1189         break;
1190     case SVt_NV:
1191         if (new_type < SVt_PVNV) {
1192             new_type = SVt_PVNV;
1193         }
1194         break;
1195     case SVt_RV:
1196         break;
1197     case SVt_PV:
1198         assert(new_type > SVt_PV);
1199         assert(SVt_IV < SVt_PV);
1200         assert(SVt_NV < SVt_PV);
1201         break;
1202     case SVt_PVIV:
1203         break;
1204     case SVt_PVNV:
1205         break;
1206     case SVt_PVMG:
1207         /* Because the XPVMG of PL_mess_sv isn't allocated from the arena,
1208            there's no way that it can be safely upgraded, because perl.c
1209            expects to Safefree(SvANY(PL_mess_sv))  */
1210         assert(sv != PL_mess_sv);
1211         /* This flag bit is used to mean other things in other scalar types.
1212            Given that it only has meaning inside the pad, it shouldn't be set
1213            on anything that can get upgraded.  */
1214         assert(!SvPAD_TYPED(sv));
1215         break;
1216     default:
1217         if (old_type_details->cant_upgrade)
1218             Perl_croak(aTHX_ "Can't upgrade %s (%" UVuf ") to %" UVuf,
1219                        sv_reftype(sv, 0), (UV) old_type, (UV) new_type);
1220     }
1221     new_type_details = bodies_by_type + new_type;
1222
1223     SvFLAGS(sv) &= ~SVTYPEMASK;
1224     SvFLAGS(sv) |= new_type;
1225
1226     /* This can't happen, as SVt_NULL is <= all values of new_type, so one of
1227        the return statements above will have triggered.  */
1228     assert (new_type != SVt_NULL);
1229     switch (new_type) {
1230     case SVt_IV:
1231         assert(old_type == SVt_NULL);
1232         SvANY(sv) = (XPVIV*)((char*)&(sv->sv_u.svu_iv) - STRUCT_OFFSET(XPVIV, xiv_iv));
1233         SvIV_set(sv, 0);
1234         return;
1235     case SVt_NV:
1236         assert(old_type == SVt_NULL);
1237         SvANY(sv) = new_XNV();
1238         SvNV_set(sv, 0);
1239         return;
1240     case SVt_RV:
1241         assert(old_type == SVt_NULL);
1242         SvANY(sv) = &sv->sv_u.svu_rv;
1243         SvRV_set(sv, 0);
1244         return;
1245     case SVt_PVHV:
1246     case SVt_PVAV:
1247         assert(new_type_details->body_size);
1248
1249 #ifndef PURIFY  
1250         assert(new_type_details->arena);
1251         assert(new_type_details->arena_size);
1252         /* This points to the start of the allocated area.  */
1253         new_body_inline(new_body, new_type);
1254         Zero(new_body, new_type_details->body_size, char);
1255         new_body = ((char *)new_body) - new_type_details->offset;
1256 #else
1257         /* We always allocated the full length item with PURIFY. To do this
1258            we fake things so that arena is false for all 16 types..  */
1259         new_body = new_NOARENAZ(new_type_details);
1260 #endif
1261         SvANY(sv) = new_body;
1262         if (new_type == SVt_PVAV) {
1263             AvMAX(sv)   = -1;
1264             AvFILLp(sv) = -1;
1265             AvREAL_only(sv);
1266         }
1267
1268         /* SVt_NULL isn't the only thing upgraded to AV or HV.
1269            The target created by newSVrv also is, and it can have magic.
1270            However, it never has SvPVX set.
1271         */
1272         if (old_type >= SVt_RV) {
1273             assert(SvPVX_const(sv) == 0);
1274         }
1275
1276         /* Could put this in the else clause below, as PVMG must have SvPVX
1277            0 already (the assertion above)  */
1278         SvPV_set(sv, NULL);
1279
1280         if (old_type >= SVt_PVMG) {
1281             SvMAGIC_set(sv, ((XPVMG*)old_body)->xmg_u.xmg_magic);
1282             SvSTASH_set(sv, ((XPVMG*)old_body)->xmg_stash);
1283         }
1284         break;
1285
1286
1287     case SVt_PVIV:
1288         /* XXX Is this still needed?  Was it ever needed?   Surely as there is
1289            no route from NV to PVIV, NOK can never be true  */
1290         assert(!SvNOKp(sv));
1291         assert(!SvNOK(sv));
1292     case SVt_PVIO:
1293     case SVt_PVFM:
1294     case SVt_PVBM:
1295     case SVt_PVGV:
1296     case SVt_PVCV:
1297     case SVt_PVLV:
1298     case SVt_PVMG:
1299     case SVt_PVNV:
1300     case SVt_PV:
1301
1302         assert(new_type_details->body_size);
1303         /* We always allocated the full length item with PURIFY. To do this
1304            we fake things so that arena is false for all 16 types..  */
1305         if(new_type_details->arena) {
1306             /* This points to the start of the allocated area.  */
1307             new_body_inline(new_body, new_type);
1308             Zero(new_body, new_type_details->body_size, char);
1309             new_body = ((char *)new_body) - new_type_details->offset;
1310         } else {
1311             new_body = new_NOARENAZ(new_type_details);
1312         }
1313         SvANY(sv) = new_body;
1314
1315         if (old_type_details->copy) {
1316             /* There is now the potential for an upgrade from something without
1317                an offset (PVNV or PVMG) to something with one (PVCV, PVFM)  */
1318             int offset = old_type_details->offset;
1319             int length = old_type_details->copy;
1320
1321             if (new_type_details->offset > old_type_details->offset) {
1322                 const int difference
1323                     = new_type_details->offset - old_type_details->offset;
1324                 offset += difference;
1325                 length -= difference;
1326             }
1327             assert (length >= 0);
1328                 
1329             Copy((char *)old_body + offset, (char *)new_body + offset, length,
1330                  char);
1331         }
1332
1333 #ifndef NV_ZERO_IS_ALLBITS_ZERO
1334         /* If NV 0.0 is stores as all bits 0 then Zero() already creates a
1335          * correct 0.0 for us.  Otherwise, if the old body didn't have an
1336          * NV slot, but the new one does, then we need to initialise the
1337          * freshly created NV slot with whatever the correct bit pattern is
1338          * for 0.0  */
1339         if (old_type_details->zero_nv && !new_type_details->zero_nv)
1340             SvNV_set(sv, 0);
1341 #endif
1342
1343         if (new_type == SVt_PVIO)
1344             IoPAGE_LEN(sv) = 60;
1345         if (old_type < SVt_RV)
1346             SvPV_set(sv, NULL);
1347         break;
1348     default:
1349         Perl_croak(aTHX_ "panic: sv_upgrade to unknown type %lu",
1350                    (unsigned long)new_type);
1351     }
1352
1353     if (old_type_details->arena) {
1354         /* If there was an old body, then we need to free it.
1355            Note that there is an assumption that all bodies of types that
1356            can be upgraded came from arenas. Only the more complex non-
1357            upgradable types are allowed to be directly malloc()ed.  */
1358 #ifdef PURIFY
1359         my_safefree(old_body);
1360 #else
1361         del_body((void*)((char*)old_body + old_type_details->offset),
1362                  &PL_body_roots[old_type]);
1363 #endif
1364     }
1365 }
1366
1367 /*
1368 =for apidoc sv_backoff
1369
1370 Remove any string offset. You should normally use the C<SvOOK_off> macro
1371 wrapper instead.
1372
1373 =cut
1374 */
1375
1376 int
1377 Perl_sv_backoff(pTHX_ register SV *sv)
1378 {
1379     PERL_UNUSED_CONTEXT;
1380     assert(SvOOK(sv));
1381     assert(SvTYPE(sv) != SVt_PVHV);
1382     assert(SvTYPE(sv) != SVt_PVAV);
1383     if (SvIVX(sv)) {
1384         const char * const s = SvPVX_const(sv);
1385         SvLEN_set(sv, SvLEN(sv) + SvIVX(sv));
1386         SvPV_set(sv, SvPVX(sv) - SvIVX(sv));
1387         SvIV_set(sv, 0);
1388         Move(s, SvPVX(sv), SvCUR(sv)+1, char);
1389     }
1390     SvFLAGS(sv) &= ~SVf_OOK;
1391     return 0;
1392 }
1393
1394 /*
1395 =for apidoc sv_grow
1396
1397 Expands the character buffer in the SV.  If necessary, uses C<sv_unref> and
1398 upgrades the SV to C<SVt_PV>.  Returns a pointer to the character buffer.
1399 Use the C<SvGROW> wrapper instead.
1400
1401 =cut
1402 */
1403
1404 char *
1405 Perl_sv_grow(pTHX_ register SV *sv, register STRLEN newlen)
1406 {
1407     register char *s;
1408
1409     if (PL_madskills && newlen >= 0x100000) {
1410         PerlIO_printf(Perl_debug_log,
1411                       "Allocation too large: %"UVxf"\n", (UV)newlen);
1412     }
1413 #ifdef HAS_64K_LIMIT
1414     if (newlen >= 0x10000) {
1415         PerlIO_printf(Perl_debug_log,
1416                       "Allocation too large: %"UVxf"\n", (UV)newlen);
1417         my_exit(1);
1418     }
1419 #endif /* HAS_64K_LIMIT */
1420     if (SvROK(sv))
1421         sv_unref(sv);
1422     if (SvTYPE(sv) < SVt_PV) {
1423         sv_upgrade(sv, SVt_PV);
1424         s = SvPVX_mutable(sv);
1425     }
1426     else if (SvOOK(sv)) {       /* pv is offset? */
1427         sv_backoff(sv);
1428         s = SvPVX_mutable(sv);
1429         if (newlen > SvLEN(sv))
1430             newlen += 10 * (newlen - SvCUR(sv)); /* avoid copy each time */
1431 #ifdef HAS_64K_LIMIT
1432         if (newlen >= 0x10000)
1433             newlen = 0xFFFF;
1434 #endif
1435     }
1436     else
1437         s = SvPVX_mutable(sv);
1438
1439     if (newlen > SvLEN(sv)) {           /* need more room? */
1440         newlen = PERL_STRLEN_ROUNDUP(newlen);
1441         if (SvLEN(sv) && s) {
1442 #ifdef MYMALLOC
1443             const STRLEN l = malloced_size((void*)SvPVX_const(sv));
1444             if (newlen <= l) {
1445                 SvLEN_set(sv, l);
1446                 return s;
1447             } else
1448 #endif
1449             s = saferealloc(s, newlen);
1450         }
1451         else {
1452             s = safemalloc(newlen);
1453             if (SvPVX_const(sv) && SvCUR(sv)) {
1454                 Move(SvPVX_const(sv), s, (newlen < SvCUR(sv)) ? newlen : SvCUR(sv), char);
1455             }
1456         }
1457         SvPV_set(sv, s);
1458         SvLEN_set(sv, newlen);
1459     }
1460     return s;
1461 }
1462
1463 /*
1464 =for apidoc sv_setiv
1465
1466 Copies an integer into the given SV, upgrading first if necessary.
1467 Does not handle 'set' magic.  See also C<sv_setiv_mg>.
1468
1469 =cut
1470 */
1471
1472 void
1473 Perl_sv_setiv(pTHX_ register SV *sv, IV i)
1474 {
1475     dVAR;
1476     SV_CHECK_THINKFIRST_COW_DROP(sv);
1477     switch (SvTYPE(sv)) {
1478     case SVt_NULL:
1479         sv_upgrade(sv, SVt_IV);
1480         break;
1481     case SVt_NV:
1482         sv_upgrade(sv, SVt_PVNV);
1483         break;
1484     case SVt_RV:
1485     case SVt_PV:
1486         sv_upgrade(sv, SVt_PVIV);
1487         break;
1488
1489     case SVt_PVGV:
1490     case SVt_PVAV:
1491     case SVt_PVHV:
1492     case SVt_PVCV:
1493     case SVt_PVFM:
1494     case SVt_PVIO:
1495         Perl_croak(aTHX_ "Can't coerce %s to integer in %s", sv_reftype(sv,0),
1496                    OP_DESC(PL_op));
1497     }
1498     (void)SvIOK_only(sv);                       /* validate number */
1499     SvIV_set(sv, i);
1500     SvTAINT(sv);
1501 }
1502
1503 /*
1504 =for apidoc sv_setiv_mg
1505
1506 Like C<sv_setiv>, but also handles 'set' magic.
1507
1508 =cut
1509 */
1510
1511 void
1512 Perl_sv_setiv_mg(pTHX_ register SV *sv, IV i)
1513 {
1514     sv_setiv(sv,i);
1515     SvSETMAGIC(sv);
1516 }
1517
1518 /*
1519 =for apidoc sv_setuv
1520
1521 Copies an unsigned integer into the given SV, upgrading first if necessary.
1522 Does not handle 'set' magic.  See also C<sv_setuv_mg>.
1523
1524 =cut
1525 */
1526
1527 void
1528 Perl_sv_setuv(pTHX_ register SV *sv, UV u)
1529 {
1530     /* With these two if statements:
1531        u=1.49  s=0.52  cu=72.49  cs=10.64  scripts=270  tests=20865
1532
1533        without
1534        u=1.35  s=0.47  cu=73.45  cs=11.43  scripts=270  tests=20865
1535
1536        If you wish to remove them, please benchmark to see what the effect is
1537     */
1538     if (u <= (UV)IV_MAX) {
1539        sv_setiv(sv, (IV)u);
1540        return;
1541     }
1542     sv_setiv(sv, 0);
1543     SvIsUV_on(sv);
1544     SvUV_set(sv, u);
1545 }
1546
1547 /*
1548 =for apidoc sv_setuv_mg
1549
1550 Like C<sv_setuv>, but also handles 'set' magic.
1551
1552 =cut
1553 */
1554
1555 void
1556 Perl_sv_setuv_mg(pTHX_ register SV *sv, UV u)
1557 {
1558     sv_setiv(sv, 0);
1559     SvIsUV_on(sv);
1560     sv_setuv(sv,u);
1561     SvSETMAGIC(sv);
1562 }
1563
1564 /*
1565 =for apidoc sv_setnv
1566
1567 Copies a double into the given SV, upgrading first if necessary.
1568 Does not handle 'set' magic.  See also C<sv_setnv_mg>.
1569
1570 =cut
1571 */
1572
1573 void
1574 Perl_sv_setnv(pTHX_ register SV *sv, NV num)
1575 {
1576     dVAR;
1577     SV_CHECK_THINKFIRST_COW_DROP(sv);
1578     switch (SvTYPE(sv)) {
1579     case SVt_NULL:
1580     case SVt_IV:
1581         sv_upgrade(sv, SVt_NV);
1582         break;
1583     case SVt_RV:
1584     case SVt_PV:
1585     case SVt_PVIV:
1586         sv_upgrade(sv, SVt_PVNV);
1587         break;
1588
1589     case SVt_PVGV:
1590     case SVt_PVAV:
1591     case SVt_PVHV:
1592     case SVt_PVCV:
1593     case SVt_PVFM:
1594     case SVt_PVIO:
1595         Perl_croak(aTHX_ "Can't coerce %s to number in %s", sv_reftype(sv,0),
1596                    OP_NAME(PL_op));
1597     }
1598     SvNV_set(sv, num);
1599     (void)SvNOK_only(sv);                       /* validate number */
1600     SvTAINT(sv);
1601 }
1602
1603 /*
1604 =for apidoc sv_setnv_mg
1605
1606 Like C<sv_setnv>, but also handles 'set' magic.
1607
1608 =cut
1609 */
1610
1611 void
1612 Perl_sv_setnv_mg(pTHX_ register SV *sv, NV num)
1613 {
1614     sv_setnv(sv,num);
1615     SvSETMAGIC(sv);
1616 }
1617
1618 /* Print an "isn't numeric" warning, using a cleaned-up,
1619  * printable version of the offending string
1620  */
1621
1622 STATIC void
1623 S_not_a_number(pTHX_ SV *sv)
1624 {
1625      dVAR;
1626      SV *dsv;
1627      char tmpbuf[64];
1628      const char *pv;
1629
1630      if (DO_UTF8(sv)) {
1631           dsv = sv_2mortal(newSVpvs(""));
1632           pv = sv_uni_display(dsv, sv, 10, 0);
1633      } else {
1634           char *d = tmpbuf;
1635           const char * const limit = tmpbuf + sizeof(tmpbuf) - 8;
1636           /* each *s can expand to 4 chars + "...\0",
1637              i.e. need room for 8 chars */
1638         
1639           const char *s = SvPVX_const(sv);
1640           const char * const end = s + SvCUR(sv);
1641           for ( ; s < end && d < limit; s++ ) {
1642                int ch = *s & 0xFF;
1643                if (ch & 128 && !isPRINT_LC(ch)) {
1644                     *d++ = 'M';
1645                     *d++ = '-';
1646                     ch &= 127;
1647                }
1648                if (ch == '\n') {
1649                     *d++ = '\\';
1650                     *d++ = 'n';
1651                }
1652                else if (ch == '\r') {
1653                     *d++ = '\\';
1654                     *d++ = 'r';
1655                }
1656                else if (ch == '\f') {
1657                     *d++ = '\\';
1658                     *d++ = 'f';
1659                }
1660                else if (ch == '\\') {
1661                     *d++ = '\\';
1662                     *d++ = '\\';
1663                }
1664                else if (ch == '\0') {
1665                     *d++ = '\\';
1666                     *d++ = '0';
1667                }
1668                else if (isPRINT_LC(ch))
1669                     *d++ = ch;
1670                else {
1671                     *d++ = '^';
1672                     *d++ = toCTRL(ch);
1673                }
1674           }
1675           if (s < end) {
1676                *d++ = '.';
1677                *d++ = '.';
1678                *d++ = '.';
1679           }
1680           *d = '\0';
1681           pv = tmpbuf;
1682     }
1683
1684     if (PL_op)
1685         Perl_warner(aTHX_ packWARN(WARN_NUMERIC),
1686                     "Argument \"%s\" isn't numeric in %s", pv,
1687                     OP_DESC(PL_op));
1688     else
1689         Perl_warner(aTHX_ packWARN(WARN_NUMERIC),
1690                     "Argument \"%s\" isn't numeric", pv);
1691 }
1692
1693 /*
1694 =for apidoc looks_like_number
1695
1696 Test if the content of an SV looks like a number (or is a number).
1697 C<Inf> and C<Infinity> are treated as numbers (so will not issue a
1698 non-numeric warning), even if your atof() doesn't grok them.
1699
1700 =cut
1701 */
1702
1703 I32
1704 Perl_looks_like_number(pTHX_ SV *sv)
1705 {
1706     register const char *sbegin;
1707     STRLEN len;
1708
1709     if (SvPOK(sv)) {
1710         sbegin = SvPVX_const(sv);
1711         len = SvCUR(sv);
1712     }
1713     else if (SvPOKp(sv))
1714         sbegin = SvPV_const(sv, len);
1715     else
1716         return SvFLAGS(sv) & (SVf_NOK|SVp_NOK|SVf_IOK|SVp_IOK);
1717     return grok_number(sbegin, len, NULL);
1718 }
1719
1720 STATIC bool
1721 S_glob_2number(pTHX_ GV * const gv)
1722 {
1723     const U32 wasfake = SvFLAGS(gv) & SVf_FAKE;
1724     SV *const buffer = sv_newmortal();
1725
1726     /* FAKE globs can get coerced, so need to turn this off temporarily if it
1727        is on.  */
1728     SvFAKE_off(gv);
1729     gv_efullname3(buffer, gv, "*");
1730     SvFLAGS(gv) |= wasfake;
1731
1732     /* We know that all GVs stringify to something that is not-a-number,
1733         so no need to test that.  */
1734     if (ckWARN(WARN_NUMERIC))
1735         not_a_number(buffer);
1736     /* We just want something true to return, so that S_sv_2iuv_common
1737         can tail call us and return true.  */
1738     return TRUE;
1739 }
1740
1741 STATIC char *
1742 S_glob_2pv(pTHX_ GV * const gv, STRLEN * const len)
1743 {
1744     const U32 wasfake = SvFLAGS(gv) & SVf_FAKE;
1745     SV *const buffer = sv_newmortal();
1746
1747     /* FAKE globs can get coerced, so need to turn this off temporarily if it
1748        is on.  */
1749     SvFAKE_off(gv);
1750     gv_efullname3(buffer, gv, "*");
1751     SvFLAGS(gv) |= wasfake;
1752
1753     assert(SvPOK(buffer));
1754     *len = SvCUR(buffer);
1755     return SvPVX(buffer);
1756 }
1757
1758 /* Actually, ISO C leaves conversion of UV to IV undefined, but
1759    until proven guilty, assume that things are not that bad... */
1760
1761 /*
1762    NV_PRESERVES_UV:
1763
1764    As 64 bit platforms often have an NV that doesn't preserve all bits of
1765    an IV (an assumption perl has been based on to date) it becomes necessary
1766    to remove the assumption that the NV always carries enough precision to
1767    recreate the IV whenever needed, and that the NV is the canonical form.
1768    Instead, IV/UV and NV need to be given equal rights. So as to not lose
1769    precision as a side effect of conversion (which would lead to insanity
1770    and the dragon(s) in t/op/numconvert.t getting very angry) the intent is
1771    1) to distinguish between IV/UV/NV slots that have cached a valid
1772       conversion where precision was lost and IV/UV/NV slots that have a
1773       valid conversion which has lost no precision
1774    2) to ensure that if a numeric conversion to one form is requested that
1775       would lose precision, the precise conversion (or differently
1776       imprecise conversion) is also performed and cached, to prevent
1777       requests for different numeric formats on the same SV causing
1778       lossy conversion chains. (lossless conversion chains are perfectly
1779       acceptable (still))
1780
1781
1782    flags are used:
1783    SvIOKp is true if the IV slot contains a valid value
1784    SvIOK  is true only if the IV value is accurate (UV if SvIOK_UV true)
1785    SvNOKp is true if the NV slot contains a valid value
1786    SvNOK  is true only if the NV value is accurate
1787
1788    so
1789    while converting from PV to NV, check to see if converting that NV to an
1790    IV(or UV) would lose accuracy over a direct conversion from PV to
1791    IV(or UV). If it would, cache both conversions, return NV, but mark
1792    SV as IOK NOKp (ie not NOK).
1793
1794    While converting from PV to IV, check to see if converting that IV to an
1795    NV would lose accuracy over a direct conversion from PV to NV. If it
1796    would, cache both conversions, flag similarly.
1797
1798    Before, the SV value "3.2" could become NV=3.2 IV=3 NOK, IOK quite
1799    correctly because if IV & NV were set NV *always* overruled.
1800    Now, "3.2" will become NV=3.2 IV=3 NOK, IOKp, because the flag's meaning
1801    changes - now IV and NV together means that the two are interchangeable:
1802    SvIVX == (IV) SvNVX && SvNVX == (NV) SvIVX;
1803
1804    The benefit of this is that operations such as pp_add know that if
1805    SvIOK is true for both left and right operands, then integer addition
1806    can be used instead of floating point (for cases where the result won't
1807    overflow). Before, floating point was always used, which could lead to
1808    loss of precision compared with integer addition.
1809
1810    * making IV and NV equal status should make maths accurate on 64 bit
1811      platforms
1812    * may speed up maths somewhat if pp_add and friends start to use
1813      integers when possible instead of fp. (Hopefully the overhead in
1814      looking for SvIOK and checking for overflow will not outweigh the
1815      fp to integer speedup)
1816    * will slow down integer operations (callers of SvIV) on "inaccurate"
1817      values, as the change from SvIOK to SvIOKp will cause a call into
1818      sv_2iv each time rather than a macro access direct to the IV slot
1819    * should speed up number->string conversion on integers as IV is
1820      favoured when IV and NV are equally accurate
1821
1822    ####################################################################
1823    You had better be using SvIOK_notUV if you want an IV for arithmetic:
1824    SvIOK is true if (IV or UV), so you might be getting (IV)SvUV.
1825    On the other hand, SvUOK is true iff UV.
1826    ####################################################################
1827
1828    Your mileage will vary depending your CPU's relative fp to integer
1829    performance ratio.
1830 */
1831
1832 #ifndef NV_PRESERVES_UV
1833 #  define IS_NUMBER_UNDERFLOW_IV 1
1834 #  define IS_NUMBER_UNDERFLOW_UV 2
1835 #  define IS_NUMBER_IV_AND_UV    2
1836 #  define IS_NUMBER_OVERFLOW_IV  4
1837 #  define IS_NUMBER_OVERFLOW_UV  5
1838
1839 /* sv_2iuv_non_preserve(): private routine for use by sv_2iv() and sv_2uv() */
1840
1841 /* For sv_2nv these three cases are "SvNOK and don't bother casting"  */
1842 STATIC int
1843 S_sv_2iuv_non_preserve(pTHX_ register SV *sv, I32 numtype)
1844 {
1845     dVAR;
1846     DEBUG_c(PerlIO_printf(Perl_debug_log,"sv_2iuv_non '%s', IV=0x%"UVxf" NV=%"NVgf" inttype=%"UVXf"\n", SvPVX_const(sv), SvIVX(sv), SvNVX(sv), (UV)numtype));
1847     if (SvNVX(sv) < (NV)IV_MIN) {
1848         (void)SvIOKp_on(sv);
1849         (void)SvNOK_on(sv);
1850         SvIV_set(sv, IV_MIN);
1851         return IS_NUMBER_UNDERFLOW_IV;
1852     }
1853     if (SvNVX(sv) > (NV)UV_MAX) {
1854         (void)SvIOKp_on(sv);
1855         (void)SvNOK_on(sv);
1856         SvIsUV_on(sv);
1857         SvUV_set(sv, UV_MAX);
1858         return IS_NUMBER_OVERFLOW_UV;
1859     }
1860     (void)SvIOKp_on(sv);
1861     (void)SvNOK_on(sv);
1862     /* Can't use strtol etc to convert this string.  (See truth table in
1863        sv_2iv  */
1864     if (SvNVX(sv) <= (UV)IV_MAX) {
1865         SvIV_set(sv, I_V(SvNVX(sv)));
1866         if ((NV)(SvIVX(sv)) == SvNVX(sv)) {
1867             SvIOK_on(sv); /* Integer is precise. NOK, IOK */
1868         } else {
1869             /* Integer is imprecise. NOK, IOKp */
1870         }
1871         return SvNVX(sv) < 0 ? IS_NUMBER_UNDERFLOW_UV : IS_NUMBER_IV_AND_UV;
1872     }
1873     SvIsUV_on(sv);
1874     SvUV_set(sv, U_V(SvNVX(sv)));
1875     if ((NV)(SvUVX(sv)) == SvNVX(sv)) {
1876         if (SvUVX(sv) == UV_MAX) {
1877             /* As we know that NVs don't preserve UVs, UV_MAX cannot
1878                possibly be preserved by NV. Hence, it must be overflow.
1879                NOK, IOKp */
1880             return IS_NUMBER_OVERFLOW_UV;
1881         }
1882         SvIOK_on(sv); /* Integer is precise. NOK, UOK */
1883     } else {
1884         /* Integer is imprecise. NOK, IOKp */
1885     }
1886     return IS_NUMBER_OVERFLOW_IV;
1887 }
1888 #endif /* !NV_PRESERVES_UV*/
1889
1890 STATIC bool
1891 S_sv_2iuv_common(pTHX_ SV *sv) {
1892     dVAR;
1893     if (SvNOKp(sv)) {
1894         /* erm. not sure. *should* never get NOKp (without NOK) from sv_2nv
1895          * without also getting a cached IV/UV from it at the same time
1896          * (ie PV->NV conversion should detect loss of accuracy and cache
1897          * IV or UV at same time to avoid this. */
1898         /* IV-over-UV optimisation - choose to cache IV if possible */
1899
1900         if (SvTYPE(sv) == SVt_NV)
1901             sv_upgrade(sv, SVt_PVNV);
1902
1903         (void)SvIOKp_on(sv);    /* Must do this first, to clear any SvOOK */
1904         /* < not <= as for NV doesn't preserve UV, ((NV)IV_MAX+1) will almost
1905            certainly cast into the IV range at IV_MAX, whereas the correct
1906            answer is the UV IV_MAX +1. Hence < ensures that dodgy boundary
1907            cases go to UV */
1908 #if defined(NAN_COMPARE_BROKEN) && defined(Perl_isnan)
1909         if (Perl_isnan(SvNVX(sv))) {
1910             SvUV_set(sv, 0);
1911             SvIsUV_on(sv);
1912             return FALSE;
1913         }
1914 #endif
1915         if (SvNVX(sv) < (NV)IV_MAX + 0.5) {
1916             SvIV_set(sv, I_V(SvNVX(sv)));
1917             if (SvNVX(sv) == (NV) SvIVX(sv)
1918 #ifndef NV_PRESERVES_UV
1919                 && (((UV)1 << NV_PRESERVES_UV_BITS) >
1920                     (UV)(SvIVX(sv) > 0 ? SvIVX(sv) : -SvIVX(sv)))
1921                 /* Don't flag it as "accurately an integer" if the number
1922                    came from a (by definition imprecise) NV operation, and
1923                    we're outside the range of NV integer precision */
1924 #endif
1925                 ) {
1926                 SvIOK_on(sv);  /* Can this go wrong with rounding? NWC */
1927                 DEBUG_c(PerlIO_printf(Perl_debug_log,
1928                                       "0x%"UVxf" iv(%"NVgf" => %"IVdf") (precise)\n",
1929                                       PTR2UV(sv),
1930                                       SvNVX(sv),
1931                                       SvIVX(sv)));
1932
1933             } else {
1934                 /* IV not precise.  No need to convert from PV, as NV
1935                    conversion would already have cached IV if it detected
1936                    that PV->IV would be better than PV->NV->IV
1937                    flags already correct - don't set public IOK.  */
1938                 DEBUG_c(PerlIO_printf(Perl_debug_log,
1939                                       "0x%"UVxf" iv(%"NVgf" => %"IVdf") (imprecise)\n",
1940                                       PTR2UV(sv),
1941                                       SvNVX(sv),
1942                                       SvIVX(sv)));
1943             }
1944             /* Can the above go wrong if SvIVX == IV_MIN and SvNVX < IV_MIN,
1945                but the cast (NV)IV_MIN rounds to a the value less (more
1946                negative) than IV_MIN which happens to be equal to SvNVX ??
1947                Analogous to 0xFFFFFFFFFFFFFFFF rounding up to NV (2**64) and
1948                NV rounding back to 0xFFFFFFFFFFFFFFFF, so UVX == UV(NVX) and
1949                (NV)UVX == NVX are both true, but the values differ. :-(
1950                Hopefully for 2s complement IV_MIN is something like
1951                0x8000000000000000 which will be exact. NWC */
1952         }
1953         else {
1954             SvUV_set(sv, U_V(SvNVX(sv)));
1955             if (
1956                 (SvNVX(sv) == (NV) SvUVX(sv))
1957 #ifndef  NV_PRESERVES_UV
1958                 /* Make sure it's not 0xFFFFFFFFFFFFFFFF */
1959                 /*&& (SvUVX(sv) != UV_MAX) irrelevant with code below */
1960                 && (((UV)1 << NV_PRESERVES_UV_BITS) > SvUVX(sv))
1961                 /* Don't flag it as "accurately an integer" if the number
1962                    came from a (by definition imprecise) NV operation, and
1963                    we're outside the range of NV integer precision */
1964 #endif
1965                 )
1966                 SvIOK_on(sv);
1967             SvIsUV_on(sv);
1968             DEBUG_c(PerlIO_printf(Perl_debug_log,
1969                                   "0x%"UVxf" 2iv(%"UVuf" => %"IVdf") (as unsigned)\n",
1970                                   PTR2UV(sv),
1971                                   SvUVX(sv),
1972                                   SvUVX(sv)));
1973         }
1974     }
1975     else if (SvPOKp(sv) && SvLEN(sv)) {
1976         UV value;
1977         const int numtype = grok_number(SvPVX_const(sv), SvCUR(sv), &value);
1978         /* We want to avoid a possible problem when we cache an IV/ a UV which
1979            may be later translated to an NV, and the resulting NV is not
1980            the same as the direct translation of the initial string
1981            (eg 123.456 can shortcut to the IV 123 with atol(), but we must
1982            be careful to ensure that the value with the .456 is around if the
1983            NV value is requested in the future).
1984         
1985            This means that if we cache such an IV/a UV, we need to cache the
1986            NV as well.  Moreover, we trade speed for space, and do not
1987            cache the NV if we are sure it's not needed.
1988          */
1989
1990         /* SVt_PVNV is one higher than SVt_PVIV, hence this order  */
1991         if ((numtype & (IS_NUMBER_IN_UV | IS_NUMBER_NOT_INT))
1992              == IS_NUMBER_IN_UV) {
1993             /* It's definitely an integer, only upgrade to PVIV */
1994             if (SvTYPE(sv) < SVt_PVIV)
1995                 sv_upgrade(sv, SVt_PVIV);
1996             (void)SvIOK_on(sv);
1997         } else if (SvTYPE(sv) < SVt_PVNV)
1998             sv_upgrade(sv, SVt_PVNV);
1999
2000         /* If NVs preserve UVs then we only use the UV value if we know that
2001            we aren't going to call atof() below. If NVs don't preserve UVs
2002            then the value returned may have more precision than atof() will
2003            return, even though value isn't perfectly accurate.  */
2004         if ((numtype & (IS_NUMBER_IN_UV
2005 #ifdef NV_PRESERVES_UV
2006                         | IS_NUMBER_NOT_INT
2007 #endif
2008             )) == IS_NUMBER_IN_UV) {
2009             /* This won't turn off the public IOK flag if it was set above  */
2010             (void)SvIOKp_on(sv);
2011
2012             if (!(numtype & IS_NUMBER_NEG)) {
2013                 /* positive */;
2014                 if (value <= (UV)IV_MAX) {
2015                     SvIV_set(sv, (IV)value);
2016                 } else {
2017                     /* it didn't overflow, and it was positive. */
2018                     SvUV_set(sv, value);
2019                     SvIsUV_on(sv);
2020                 }
2021             } else {
2022                 /* 2s complement assumption  */
2023                 if (value <= (UV)IV_MIN) {
2024                     SvIV_set(sv, -(IV)value);
2025                 } else {
2026                     /* Too negative for an IV.  This is a double upgrade, but
2027                        I'm assuming it will be rare.  */
2028                     if (SvTYPE(sv) < SVt_PVNV)
2029                         sv_upgrade(sv, SVt_PVNV);
2030                     SvNOK_on(sv);
2031                     SvIOK_off(sv);
2032                     SvIOKp_on(sv);
2033                     SvNV_set(sv, -(NV)value);
2034                     SvIV_set(sv, IV_MIN);
2035                 }
2036             }
2037         }
2038         /* For !NV_PRESERVES_UV and IS_NUMBER_IN_UV and IS_NUMBER_NOT_INT we
2039            will be in the previous block to set the IV slot, and the next
2040            block to set the NV slot.  So no else here.  */
2041         
2042         if ((numtype & (IS_NUMBER_IN_UV | IS_NUMBER_NOT_INT))
2043             != IS_NUMBER_IN_UV) {
2044             /* It wasn't an (integer that doesn't overflow the UV). */
2045             SvNV_set(sv, Atof(SvPVX_const(sv)));
2046
2047             if (! numtype && ckWARN(WARN_NUMERIC))
2048                 not_a_number(sv);
2049
2050 #if defined(USE_LONG_DOUBLE)
2051             DEBUG_c(PerlIO_printf(Perl_debug_log, "0x%"UVxf" 2iv(%" PERL_PRIgldbl ")\n",
2052                                   PTR2UV(sv), SvNVX(sv)));
2053 #else
2054             DEBUG_c(PerlIO_printf(Perl_debug_log, "0x%"UVxf" 2iv(%"NVgf")\n",
2055                                   PTR2UV(sv), SvNVX(sv)));
2056 #endif
2057
2058 #ifdef NV_PRESERVES_UV
2059             (void)SvIOKp_on(sv);
2060             (void)SvNOK_on(sv);
2061             if (SvNVX(sv) < (NV)IV_MAX + 0.5) {
2062                 SvIV_set(sv, I_V(SvNVX(sv)));
2063                 if ((NV)(SvIVX(sv)) == SvNVX(sv)) {
2064                     SvIOK_on(sv);
2065                 } else {
2066                     NOOP;  /* Integer is imprecise. NOK, IOKp */
2067                 }
2068                 /* UV will not work better than IV */
2069             } else {
2070                 if (SvNVX(sv) > (NV)UV_MAX) {
2071                     SvIsUV_on(sv);
2072                     /* Integer is inaccurate. NOK, IOKp, is UV */
2073                     SvUV_set(sv, UV_MAX);
2074                 } else {
2075                     SvUV_set(sv, U_V(SvNVX(sv)));
2076                     /* 0xFFFFFFFFFFFFFFFF not an issue in here, NVs
2077                        NV preservse UV so can do correct comparison.  */
2078                     if ((NV)(SvUVX(sv)) == SvNVX(sv)) {
2079                         SvIOK_on(sv);
2080                     } else {
2081                         NOOP;   /* Integer is imprecise. NOK, IOKp, is UV */
2082                     }
2083                 }
2084                 SvIsUV_on(sv);
2085             }
2086 #else /* NV_PRESERVES_UV */
2087             if ((numtype & (IS_NUMBER_IN_UV | IS_NUMBER_NOT_INT))
2088                 == (IS_NUMBER_IN_UV | IS_NUMBER_NOT_INT)) {
2089                 /* The IV/UV slot will have been set from value returned by
2090                    grok_number above.  The NV slot has just been set using
2091                    Atof.  */
2092                 SvNOK_on(sv);
2093                 assert (SvIOKp(sv));
2094             } else {
2095                 if (((UV)1 << NV_PRESERVES_UV_BITS) >
2096                     U_V(SvNVX(sv) > 0 ? SvNVX(sv) : -SvNVX(sv))) {
2097                     /* Small enough to preserve all bits. */
2098                     (void)SvIOKp_on(sv);
2099                     SvNOK_on(sv);
2100                     SvIV_set(sv, I_V(SvNVX(sv)));
2101                     if ((NV)(SvIVX(sv)) == SvNVX(sv))
2102                         SvIOK_on(sv);
2103                     /* Assumption: first non-preserved integer is < IV_MAX,
2104                        this NV is in the preserved range, therefore: */
2105                     if (!(U_V(SvNVX(sv) > 0 ? SvNVX(sv) : -SvNVX(sv))
2106                           < (UV)IV_MAX)) {
2107                         Perl_croak(aTHX_ "sv_2iv assumed (U_V(fabs((double)SvNVX(sv))) < (UV)IV_MAX) but SvNVX(sv)=%"NVgf" U_V is 0x%"UVxf", IV_MAX is 0x%"UVxf"\n", SvNVX(sv), U_V(SvNVX(sv)), (UV)IV_MAX);
2108                     }
2109                 } else {
2110                     /* IN_UV NOT_INT
2111                          0      0       already failed to read UV.
2112                          0      1       already failed to read UV.
2113                          1      0       you won't get here in this case. IV/UV
2114                                         slot set, public IOK, Atof() unneeded.
2115                          1      1       already read UV.
2116                        so there's no point in sv_2iuv_non_preserve() attempting
2117                        to use atol, strtol, strtoul etc.  */
2118                     sv_2iuv_non_preserve (sv, numtype);
2119                 }
2120             }
2121 #endif /* NV_PRESERVES_UV */
2122         }
2123     }
2124     else  {
2125         if (isGV_with_GP(sv))
2126             return glob_2number((GV *)sv);
2127
2128         if (!(SvFLAGS(sv) & SVs_PADTMP)) {
2129             if (!PL_localizing && ckWARN(WARN_UNINITIALIZED))
2130                 report_uninit(sv);
2131         }
2132         if (SvTYPE(sv) < SVt_IV)
2133             /* Typically the caller expects that sv_any is not NULL now.  */
2134             sv_upgrade(sv, SVt_IV);
2135         /* Return 0 from the caller.  */
2136         return TRUE;
2137     }
2138     return FALSE;
2139 }
2140
2141 /*
2142 =for apidoc sv_2iv_flags
2143
2144 Return the integer value of an SV, doing any necessary string
2145 conversion.  If flags includes SV_GMAGIC, does an mg_get() first.
2146 Normally used via the C<SvIV(sv)> and C<SvIVx(sv)> macros.
2147
2148 =cut
2149 */
2150
2151 IV
2152 Perl_sv_2iv_flags(pTHX_ register SV *sv, I32 flags)
2153 {
2154     dVAR;
2155     if (!sv)
2156         return 0;
2157     if (SvGMAGICAL(sv)) {
2158         if (flags & SV_GMAGIC)
2159             mg_get(sv);
2160         if (SvIOKp(sv))
2161             return SvIVX(sv);
2162         if (SvNOKp(sv)) {
2163             return I_V(SvNVX(sv));
2164         }
2165         if (SvPOKp(sv) && SvLEN(sv)) {
2166             UV value;
2167             const int numtype
2168                 = grok_number(SvPVX_const(sv), SvCUR(sv), &value);
2169
2170             if ((numtype & (IS_NUMBER_IN_UV | IS_NUMBER_NOT_INT))
2171                 == IS_NUMBER_IN_UV) {
2172                 /* It's definitely an integer */
2173                 if (numtype & IS_NUMBER_NEG) {
2174                     if (value < (UV)IV_MIN)
2175                         return -(IV)value;
2176                 } else {
2177                     if (value < (UV)IV_MAX)
2178                         return (IV)value;
2179                 }
2180             }
2181             if (!numtype) {
2182                 if (ckWARN(WARN_NUMERIC))
2183                     not_a_number(sv);
2184             }
2185             return I_V(Atof(SvPVX_const(sv)));
2186         }
2187         if (SvROK(sv)) {
2188             goto return_rok;
2189         }
2190         assert(SvTYPE(sv) >= SVt_PVMG);
2191         /* This falls through to the report_uninit inside S_sv_2iuv_common.  */
2192     } else if (SvTHINKFIRST(sv)) {
2193         if (SvROK(sv)) {
2194         return_rok:
2195             if (SvAMAGIC(sv)) {
2196                 SV * const tmpstr=AMG_CALLun(sv,numer);
2197                 if (tmpstr && (!SvROK(tmpstr) || (SvRV(tmpstr) != SvRV(sv)))) {
2198                     return SvIV(tmpstr);
2199                 }
2200             }
2201             return PTR2IV(SvRV(sv));
2202         }
2203         if (SvIsCOW(sv)) {
2204             sv_force_normal_flags(sv, 0);
2205         }
2206         if (SvREADONLY(sv) && !SvOK(sv)) {
2207             if (ckWARN(WARN_UNINITIALIZED))
2208                 report_uninit(sv);
2209             return 0;
2210         }
2211     }
2212     if (!SvIOKp(sv)) {
2213         if (S_sv_2iuv_common(aTHX_ sv))
2214             return 0;
2215     }
2216     DEBUG_c(PerlIO_printf(Perl_debug_log, "0x%"UVxf" 2iv(%"IVdf")\n",
2217         PTR2UV(sv),SvIVX(sv)));
2218     return SvIsUV(sv) ? (IV)SvUVX(sv) : SvIVX(sv);
2219 }
2220
2221 /*
2222 =for apidoc sv_2uv_flags
2223
2224 Return the unsigned integer value of an SV, doing any necessary string
2225 conversion.  If flags includes SV_GMAGIC, does an mg_get() first.
2226 Normally used via the C<SvUV(sv)> and C<SvUVx(sv)> macros.
2227
2228 =cut
2229 */
2230
2231 UV
2232 Perl_sv_2uv_flags(pTHX_ register SV *sv, I32 flags)
2233 {
2234     dVAR;
2235     if (!sv)
2236         return 0;
2237     if (SvGMAGICAL(sv)) {
2238         if (flags & SV_GMAGIC)
2239             mg_get(sv);
2240         if (SvIOKp(sv))
2241             return SvUVX(sv);
2242         if (SvNOKp(sv))
2243             return U_V(SvNVX(sv));
2244         if (SvPOKp(sv) && SvLEN(sv)) {
2245             UV value;
2246             const int numtype
2247                 = grok_number(SvPVX_const(sv), SvCUR(sv), &value);
2248
2249             if ((numtype & (IS_NUMBER_IN_UV | IS_NUMBER_NOT_INT))
2250                 == IS_NUMBER_IN_UV) {
2251                 /* It's definitely an integer */
2252                 if (!(numtype & IS_NUMBER_NEG))
2253                     return value;
2254             }
2255             if (!numtype) {
2256                 if (ckWARN(WARN_NUMERIC))
2257                     not_a_number(sv);
2258             }
2259             return U_V(Atof(SvPVX_const(sv)));
2260         }
2261         if (SvROK(sv)) {
2262             goto return_rok;
2263         }
2264         assert(SvTYPE(sv) >= SVt_PVMG);
2265         /* This falls through to the report_uninit inside S_sv_2iuv_common.  */
2266     } else if (SvTHINKFIRST(sv)) {
2267         if (SvROK(sv)) {
2268         return_rok:
2269             if (SvAMAGIC(sv)) {
2270                 SV *const tmpstr = AMG_CALLun(sv,numer);
2271                 if (tmpstr && (!SvROK(tmpstr) || (SvRV(tmpstr) != SvRV(sv)))) {
2272                     return SvUV(tmpstr);
2273                 }
2274             }
2275             return PTR2UV(SvRV(sv));
2276         }
2277         if (SvIsCOW(sv)) {
2278             sv_force_normal_flags(sv, 0);
2279         }
2280         if (SvREADONLY(sv) && !SvOK(sv)) {
2281             if (ckWARN(WARN_UNINITIALIZED))
2282                 report_uninit(sv);
2283             return 0;
2284         }
2285     }
2286     if (!SvIOKp(sv)) {
2287         if (S_sv_2iuv_common(aTHX_ sv))
2288             return 0;
2289     }
2290
2291     DEBUG_c(PerlIO_printf(Perl_debug_log, "0x%"UVxf" 2uv(%"UVuf")\n",
2292                           PTR2UV(sv),SvUVX(sv)));
2293     return SvIsUV(sv) ? SvUVX(sv) : (UV)SvIVX(sv);
2294 }
2295
2296 /*
2297 =for apidoc sv_2nv
2298
2299 Return the num value of an SV, doing any necessary string or integer
2300 conversion, magic etc. Normally used via the C<SvNV(sv)> and C<SvNVx(sv)>
2301 macros.
2302
2303 =cut
2304 */
2305
2306 NV
2307 Perl_sv_2nv(pTHX_ register SV *sv)
2308 {
2309     dVAR;
2310     if (!sv)
2311         return 0.0;
2312     if (SvGMAGICAL(sv)) {
2313         mg_get(sv);
2314         if (SvNOKp(sv))
2315             return SvNVX(sv);
2316         if ((SvPOKp(sv) && SvLEN(sv)) && !SvIOKp(sv)) {
2317             if (!SvIOKp(sv) && ckWARN(WARN_NUMERIC) &&
2318                 !grok_number(SvPVX_const(sv), SvCUR(sv), NULL))
2319                 not_a_number(sv);
2320             return Atof(SvPVX_const(sv));
2321         }
2322         if (SvIOKp(sv)) {
2323             if (SvIsUV(sv))
2324                 return (NV)SvUVX(sv);
2325             else
2326                 return (NV)SvIVX(sv);
2327         }
2328         if (SvROK(sv)) {
2329             goto return_rok;
2330         }
2331         assert(SvTYPE(sv) >= SVt_PVMG);
2332         /* This falls through to the report_uninit near the end of the
2333            function. */
2334     } else if (SvTHINKFIRST(sv)) {
2335         if (SvROK(sv)) {
2336         return_rok:
2337             if (SvAMAGIC(sv)) {
2338                 SV *const tmpstr = AMG_CALLun(sv,numer);
2339                 if (tmpstr && (!SvROK(tmpstr) || (SvRV(tmpstr) != SvRV(sv)))) {
2340                     return SvNV(tmpstr);
2341                 }
2342             }
2343             return PTR2NV(SvRV(sv));
2344         }
2345         if (SvIsCOW(sv)) {
2346             sv_force_normal_flags(sv, 0);
2347         }
2348         if (SvREADONLY(sv) && !SvOK(sv)) {
2349             if (ckWARN(WARN_UNINITIALIZED))
2350                 report_uninit(sv);
2351             return 0.0;
2352         }
2353     }
2354     if (SvTYPE(sv) < SVt_NV) {
2355         /* The logic to use SVt_PVNV if necessary is in sv_upgrade.  */
2356         sv_upgrade(sv, SVt_NV);
2357 #ifdef USE_LONG_DOUBLE
2358         DEBUG_c({
2359             STORE_NUMERIC_LOCAL_SET_STANDARD();
2360             PerlIO_printf(Perl_debug_log,
2361                           "0x%"UVxf" num(%" PERL_PRIgldbl ")\n",
2362                           PTR2UV(sv), SvNVX(sv));
2363             RESTORE_NUMERIC_LOCAL();
2364         });
2365 #else
2366         DEBUG_c({
2367             STORE_NUMERIC_LOCAL_SET_STANDARD();
2368             PerlIO_printf(Perl_debug_log, "0x%"UVxf" num(%"NVgf")\n",
2369                           PTR2UV(sv), SvNVX(sv));
2370             RESTORE_NUMERIC_LOCAL();
2371         });
2372 #endif
2373     }
2374     else if (SvTYPE(sv) < SVt_PVNV)
2375         sv_upgrade(sv, SVt_PVNV);
2376     if (SvNOKp(sv)) {
2377         return SvNVX(sv);
2378     }
2379     if (SvIOKp(sv)) {
2380         SvNV_set(sv, SvIsUV(sv) ? (NV)SvUVX(sv) : (NV)SvIVX(sv));
2381 #ifdef NV_PRESERVES_UV
2382         SvNOK_on(sv);
2383 #else
2384         /* Only set the public NV OK flag if this NV preserves the IV  */
2385         /* Check it's not 0xFFFFFFFFFFFFFFFF */
2386         if (SvIsUV(sv) ? ((SvUVX(sv) != UV_MAX)&&(SvUVX(sv) == U_V(SvNVX(sv))))
2387                        : (SvIVX(sv) == I_V(SvNVX(sv))))
2388             SvNOK_on(sv);
2389         else
2390             SvNOKp_on(sv);
2391 #endif
2392     }
2393     else if (SvPOKp(sv) && SvLEN(sv)) {
2394         UV value;
2395         const int numtype = grok_number(SvPVX_const(sv), SvCUR(sv), &value);
2396         if (!SvIOKp(sv) && !numtype && ckWARN(WARN_NUMERIC))
2397             not_a_number(sv);
2398 #ifdef NV_PRESERVES_UV
2399         if ((numtype & (IS_NUMBER_IN_UV | IS_NUMBER_NOT_INT))
2400             == IS_NUMBER_IN_UV) {
2401             /* It's definitely an integer */
2402             SvNV_set(sv, (numtype & IS_NUMBER_NEG) ? -(NV)value : (NV)value);
2403         } else
2404             SvNV_set(sv, Atof(SvPVX_const(sv)));
2405         SvNOK_on(sv);
2406 #else
2407         SvNV_set(sv, Atof(SvPVX_const(sv)));
2408         /* Only set the public NV OK flag if this NV preserves the value in
2409            the PV at least as well as an IV/UV would.
2410            Not sure how to do this 100% reliably. */
2411         /* if that shift count is out of range then Configure's test is
2412            wonky. We shouldn't be in here with NV_PRESERVES_UV_BITS ==
2413            UV_BITS */
2414         if (((UV)1 << NV_PRESERVES_UV_BITS) >
2415             U_V(SvNVX(sv) > 0 ? SvNVX(sv) : -SvNVX(sv))) {
2416             SvNOK_on(sv); /* Definitely small enough to preserve all bits */
2417         } else if (!(numtype & IS_NUMBER_IN_UV)) {
2418             /* Can't use strtol etc to convert this string, so don't try.
2419                sv_2iv and sv_2uv will use the NV to convert, not the PV.  */
2420             SvNOK_on(sv);
2421         } else {
2422             /* value has been set.  It may not be precise.  */
2423             if ((numtype & IS_NUMBER_NEG) && (value > (UV)IV_MIN)) {
2424                 /* 2s complement assumption for (UV)IV_MIN  */
2425                 SvNOK_on(sv); /* Integer is too negative.  */
2426             } else {
2427                 SvNOKp_on(sv);
2428                 SvIOKp_on(sv);
2429
2430                 if (numtype & IS_NUMBER_NEG) {
2431                     SvIV_set(sv, -(IV)value);
2432                 } else if (value <= (UV)IV_MAX) {
2433                     SvIV_set(sv, (IV)value);
2434                 } else {
2435                     SvUV_set(sv, value);
2436                     SvIsUV_on(sv);
2437                 }
2438
2439                 if (numtype & IS_NUMBER_NOT_INT) {
2440                     /* I believe that even if the original PV had decimals,
2441                        they are lost beyond the limit of the FP precision.
2442                        However, neither is canonical, so both only get p
2443                        flags.  NWC, 2000/11/25 */
2444                     /* Both already have p flags, so do nothing */
2445                 } else {
2446                     const NV nv = SvNVX(sv);
2447                     if (SvNVX(sv) < (NV)IV_MAX + 0.5) {
2448                         if (SvIVX(sv) == I_V(nv)) {
2449                             SvNOK_on(sv);
2450                         } else {
2451                             /* It had no "." so it must be integer.  */
2452                         }
2453                         SvIOK_on(sv);
2454                     } else {
2455                         /* between IV_MAX and NV(UV_MAX).
2456                            Could be slightly > UV_MAX */
2457
2458                         if (numtype & IS_NUMBER_NOT_INT) {
2459                             /* UV and NV both imprecise.  */
2460                         } else {
2461                             const UV nv_as_uv = U_V(nv);
2462
2463                             if (value == nv_as_uv && SvUVX(sv) != UV_MAX) {
2464                                 SvNOK_on(sv);
2465                             }
2466                             SvIOK_on(sv);
2467                         }
2468                     }
2469                 }
2470             }
2471         }
2472 #endif /* NV_PRESERVES_UV */
2473     }
2474     else  {
2475         if (isGV_with_GP(sv)) {
2476             glob_2number((GV *)sv);
2477             return 0.0;
2478         }
2479
2480         if (!PL_localizing && !(SvFLAGS(sv) & SVs_PADTMP) && ckWARN(WARN_UNINITIALIZED))
2481             report_uninit(sv);
2482         assert (SvTYPE(sv) >= SVt_NV);
2483         /* Typically the caller expects that sv_any is not NULL now.  */
2484         /* XXX Ilya implies that this is a bug in callers that assume this
2485            and ideally should be fixed.  */
2486         return 0.0;
2487     }
2488 #if defined(USE_LONG_DOUBLE)
2489     DEBUG_c({
2490         STORE_NUMERIC_LOCAL_SET_STANDARD();
2491         PerlIO_printf(Perl_debug_log, "0x%"UVxf" 2nv(%" PERL_PRIgldbl ")\n",
2492                       PTR2UV(sv), SvNVX(sv));
2493         RESTORE_NUMERIC_LOCAL();
2494     });
2495 #else
2496     DEBUG_c({
2497         STORE_NUMERIC_LOCAL_SET_STANDARD();
2498         PerlIO_printf(Perl_debug_log, "0x%"UVxf" 1nv(%"NVgf")\n",
2499                       PTR2UV(sv), SvNVX(sv));
2500         RESTORE_NUMERIC_LOCAL();
2501     });
2502 #endif
2503     return SvNVX(sv);
2504 }
2505
2506 /* uiv_2buf(): private routine for use by sv_2pv_flags(): print an IV or
2507  * UV as a string towards the end of buf, and return pointers to start and
2508  * end of it.
2509  *
2510  * We assume that buf is at least TYPE_CHARS(UV) long.
2511  */
2512
2513 static char *
2514 S_uiv_2buf(char *buf, IV iv, UV uv, int is_uv, char **peob)
2515 {
2516     char *ptr = buf + TYPE_CHARS(UV);
2517     char * const ebuf = ptr;
2518     int sign;
2519
2520     if (is_uv)
2521         sign = 0;
2522     else if (iv >= 0) {
2523         uv = iv;
2524         sign = 0;
2525     } else {
2526         uv = -iv;
2527         sign = 1;
2528     }
2529     do {
2530         *--ptr = '0' + (char)(uv % 10);
2531     } while (uv /= 10);
2532     if (sign)
2533         *--ptr = '-';
2534     *peob = ebuf;
2535     return ptr;
2536 }
2537
2538 /* stringify_regexp(): private routine for use by sv_2pv_flags(): converts
2539  * a regexp to its stringified form.
2540  */
2541
2542 static char *
2543 S_stringify_regexp(pTHX_ SV *sv, MAGIC *mg, STRLEN *lp) {
2544     dVAR;
2545     const regexp * const re = (regexp *)mg->mg_obj;
2546
2547     if (!mg->mg_ptr) {
2548         const char *fptr = "msix";
2549         char reflags[6];
2550         char ch;
2551         int left = 0;
2552         int right = 4;
2553         bool need_newline = 0;
2554         U16 reganch = (U16)((re->reganch & PMf_COMPILETIME) >> 12);
2555
2556         while((ch = *fptr++)) {
2557             if(reganch & 1) {
2558                 reflags[left++] = ch;
2559             }
2560             else {
2561                 reflags[right--] = ch;
2562             }
2563             reganch >>= 1;
2564         }
2565         if(left != 4) {
2566             reflags[left] = '-';
2567             left = 5;
2568         }
2569
2570         mg->mg_len = re->prelen + 4 + left;
2571         /*
2572          * If /x was used, we have to worry about a regex ending with a
2573          * comment later being embedded within another regex. If so, we don't
2574          * want this regex's "commentization" to leak out to the right part of
2575          * the enclosing regex, we must cap it with a newline.
2576          *
2577          * So, if /x was used, we scan backwards from the end of the regex. If
2578          * we find a '#' before we find a newline, we need to add a newline
2579          * ourself. If we find a '\n' first (or if we don't find '#' or '\n'),
2580          * we don't need to add anything.  -jfriedl
2581          */
2582         if (PMf_EXTENDED & re->reganch) {
2583             const char *endptr = re->precomp + re->prelen;
2584             while (endptr >= re->precomp) {
2585                 const char c = *(endptr--);
2586                 if (c == '\n')
2587                     break; /* don't need another */
2588                 if (c == '#') {
2589                     /* we end while in a comment, so we need a newline */
2590                     mg->mg_len++; /* save space for it */
2591                     need_newline = 1; /* note to add it */
2592                     break;
2593                 }
2594             }
2595         }
2596
2597         Newx(mg->mg_ptr, mg->mg_len + 1 + left, char);
2598         mg->mg_ptr[0] = '(';
2599         mg->mg_ptr[1] = '?';
2600         Copy(reflags, mg->mg_ptr+2, left, char);
2601         *(mg->mg_ptr+left+2) = ':';
2602         Copy(re->precomp, mg->mg_ptr+3+left, re->prelen, char);
2603         if (need_newline)
2604             mg->mg_ptr[mg->mg_len - 2] = '\n';
2605         mg->mg_ptr[mg->mg_len - 1] = ')';
2606         mg->mg_ptr[mg->mg_len] = 0;
2607     }
2608     PL_reginterp_cnt += re->program[0].next_off;
2609     
2610     if (re->reganch & ROPT_UTF8)
2611         SvUTF8_on(sv);
2612     else
2613         SvUTF8_off(sv);
2614     if (lp)
2615         *lp = mg->mg_len;
2616     return mg->mg_ptr;
2617 }
2618
2619 /*
2620 =for apidoc sv_2pv_flags
2621
2622 Returns a pointer to the string value of an SV, and sets *lp to its length.
2623 If flags includes SV_GMAGIC, does an mg_get() first. Coerces sv to a string
2624 if necessary.
2625 Normally invoked via the C<SvPV_flags> macro. C<sv_2pv()> and C<sv_2pv_nomg>
2626 usually end up here too.
2627
2628 =cut
2629 */
2630
2631 char *
2632 Perl_sv_2pv_flags(pTHX_ register SV *sv, STRLEN *lp, I32 flags)
2633 {
2634     dVAR;
2635     register char *s;
2636
2637     if (!sv) {
2638         if (lp)
2639             *lp = 0;
2640         return (char *)"";
2641     }
2642     if (SvGMAGICAL(sv)) {
2643         if (flags & SV_GMAGIC)
2644             mg_get(sv);
2645         if (SvPOKp(sv)) {
2646             if (lp)
2647                 *lp = SvCUR(sv);
2648             if (flags & SV_MUTABLE_RETURN)
2649                 return SvPVX_mutable(sv);
2650             if (flags & SV_CONST_RETURN)
2651                 return (char *)SvPVX_const(sv);
2652             return SvPVX(sv);
2653         }
2654         if (SvIOKp(sv) || SvNOKp(sv)) {
2655             char tbuf[64];  /* Must fit sprintf/Gconvert of longest IV/NV */
2656             STRLEN len;
2657
2658             if (SvIOKp(sv)) {
2659                 len = SvIsUV(sv) ? my_sprintf(tbuf,"%"UVuf, (UV)SvUVX(sv))
2660                     : my_sprintf(tbuf,"%"IVdf, (IV)SvIVX(sv));
2661             } else {
2662                 Gconvert(SvNVX(sv), NV_DIG, 0, tbuf);
2663                 len = strlen(tbuf);
2664             }
2665             assert(!SvROK(sv));
2666             {
2667                 dVAR;
2668
2669 #ifdef FIXNEGATIVEZERO
2670                 if (len == 2 && tbuf[0] == '-' && tbuf[1] == '0') {
2671                     tbuf[0] = '0';
2672                     tbuf[1] = 0;
2673                     len = 1;
2674                 }
2675 #endif
2676                 SvUPGRADE(sv, SVt_PV);
2677                 if (lp)
2678                     *lp = len;
2679                 s = SvGROW_mutable(sv, len + 1);
2680                 SvCUR_set(sv, len);
2681                 SvPOKp_on(sv);
2682                 return memcpy(s, tbuf, len + 1);
2683             }
2684         }
2685         if (SvROK(sv)) {
2686             goto return_rok;
2687         }
2688         assert(SvTYPE(sv) >= SVt_PVMG);
2689         /* This falls through to the report_uninit near the end of the
2690            function. */
2691     } else if (SvTHINKFIRST(sv)) {
2692         if (SvROK(sv)) {
2693         return_rok:
2694             if (SvAMAGIC(sv)) {
2695                 SV *const tmpstr = AMG_CALLun(sv,string);
2696                 if (tmpstr && (!SvROK(tmpstr) || (SvRV(tmpstr) != SvRV(sv)))) {
2697                     /* Unwrap this:  */
2698                     /* char *pv = lp ? SvPV(tmpstr, *lp) : SvPV_nolen(tmpstr);
2699                      */
2700
2701                     char *pv;
2702                     if ((SvFLAGS(tmpstr) & (SVf_POK)) == SVf_POK) {
2703                         if (flags & SV_CONST_RETURN) {
2704                             pv = (char *) SvPVX_const(tmpstr);
2705                         } else {
2706                             pv = (flags & SV_MUTABLE_RETURN)
2707                                 ? SvPVX_mutable(tmpstr) : SvPVX(tmpstr);
2708                         }
2709                         if (lp)
2710                             *lp = SvCUR(tmpstr);
2711                     } else {
2712                         pv = sv_2pv_flags(tmpstr, lp, flags);
2713                     }
2714                     if (SvUTF8(tmpstr))
2715                         SvUTF8_on(sv);
2716                     else
2717                         SvUTF8_off(sv);
2718                     return pv;
2719                 }
2720             }
2721             {
2722                 SV *tsv;
2723                 MAGIC *mg;
2724                 const SV *const referent = (SV*)SvRV(sv);
2725
2726                 if (!referent) {
2727                     tsv = sv_2mortal(newSVpvs("NULLREF"));
2728                 } else if (SvTYPE(referent) == SVt_PVMG
2729                            && ((SvFLAGS(referent) &
2730                                 (SVs_OBJECT|SVf_OK|SVs_GMG|SVs_SMG|SVs_RMG))
2731                                == (SVs_OBJECT|SVs_SMG))
2732                            && (mg = mg_find(referent, PERL_MAGIC_qr))) {
2733                     return stringify_regexp(sv, mg, lp);
2734                 } else {
2735                     const char *const typestr = sv_reftype(referent, 0);
2736
2737                     tsv = sv_newmortal();
2738                     if (SvOBJECT(referent)) {
2739                         const char *const name = HvNAME_get(SvSTASH(referent));
2740                         Perl_sv_setpvf(aTHX_ tsv, "%s=%s(0x%"UVxf")",
2741                                        name ? name : "__ANON__" , typestr,
2742                                        PTR2UV(referent));
2743                     }
2744                     else
2745                         Perl_sv_setpvf(aTHX_ tsv, "%s(0x%"UVxf")", typestr,
2746                                        PTR2UV(referent));
2747                 }
2748                 if (lp)
2749                     *lp = SvCUR(tsv);
2750                 return SvPVX(tsv);
2751             }
2752         }
2753         if (SvREADONLY(sv) && !SvOK(sv)) {
2754             if (ckWARN(WARN_UNINITIALIZED))
2755                 report_uninit(sv);
2756             if (lp)
2757                 *lp = 0;
2758             return (char *)"";
2759         }
2760     }
2761     if (SvIOK(sv) || ((SvIOKp(sv) && !SvNOKp(sv)))) {
2762         /* I'm assuming that if both IV and NV are equally valid then
2763            converting the IV is going to be more efficient */
2764         const U32 isIOK = SvIOK(sv);
2765         const U32 isUIOK = SvIsUV(sv);
2766         char buf[TYPE_CHARS(UV)];
2767         char *ebuf, *ptr;
2768
2769         if (SvTYPE(sv) < SVt_PVIV)
2770             sv_upgrade(sv, SVt_PVIV);
2771         ptr = uiv_2buf(buf, SvIVX(sv), SvUVX(sv), isUIOK, &ebuf);
2772         /* inlined from sv_setpvn */
2773         SvGROW_mutable(sv, (STRLEN)(ebuf - ptr + 1));
2774         Move(ptr,SvPVX_mutable(sv),ebuf - ptr,char);
2775         SvCUR_set(sv, ebuf - ptr);
2776         s = SvEND(sv);
2777         *s = '\0';
2778         if (isIOK)
2779             SvIOK_on(sv);
2780         else
2781             SvIOKp_on(sv);
2782         if (isUIOK)
2783             SvIsUV_on(sv);
2784     }
2785     else if (SvNOKp(sv)) {
2786         const int olderrno = errno;
2787         if (SvTYPE(sv) < SVt_PVNV)
2788             sv_upgrade(sv, SVt_PVNV);
2789         /* The +20 is pure guesswork.  Configure test needed. --jhi */
2790         s = SvGROW_mutable(sv, NV_DIG + 20);
2791         /* some Xenix systems wipe out errno here */
2792 #ifdef apollo
2793         if (SvNVX(sv) == 0.0)
2794             (void)strcpy(s,"0");
2795         else
2796 #endif /*apollo*/
2797         {
2798             Gconvert(SvNVX(sv), NV_DIG, 0, s);
2799         }
2800         errno = olderrno;
2801 #ifdef FIXNEGATIVEZERO
2802         if (*s == '-' && s[1] == '0' && !s[2])
2803             strcpy(s,"0");
2804 #endif
2805         while (*s) s++;
2806 #ifdef hcx
2807         if (s[-1] == '.')
2808             *--s = '\0';
2809 #endif
2810     }
2811     else {
2812         if (isGV_with_GP(sv))
2813             return glob_2pv((GV *)sv, lp);
2814
2815         if (!PL_localizing && !(SvFLAGS(sv) & SVs_PADTMP) && ckWARN(WARN_UNINITIALIZED))
2816             report_uninit(sv);
2817         if (lp)
2818             *lp = 0;
2819         if (SvTYPE(sv) < SVt_PV)
2820             /* Typically the caller expects that sv_any is not NULL now.  */
2821             sv_upgrade(sv, SVt_PV);
2822         return (char *)"";
2823     }
2824     {
2825         const STRLEN len = s - SvPVX_const(sv);
2826         if (lp) 
2827             *lp = len;
2828         SvCUR_set(sv, len);
2829     }
2830     SvPOK_on(sv);
2831     DEBUG_c(PerlIO_printf(Perl_debug_log, "0x%"UVxf" 2pv(%s)\n",
2832                           PTR2UV(sv),SvPVX_const(sv)));
2833     if (flags & SV_CONST_RETURN)
2834         return (char *)SvPVX_const(sv);
2835     if (flags & SV_MUTABLE_RETURN)
2836         return SvPVX_mutable(sv);
2837     return SvPVX(sv);
2838 }
2839
2840 /*
2841 =for apidoc sv_copypv
2842
2843 Copies a stringified representation of the source SV into the
2844 destination SV.  Automatically performs any necessary mg_get and
2845 coercion of numeric values into strings.  Guaranteed to preserve
2846 UTF-8 flag even from overloaded objects.  Similar in nature to
2847 sv_2pv[_flags] but operates directly on an SV instead of just the
2848 string.  Mostly uses sv_2pv_flags to do its work, except when that
2849 would lose the UTF-8'ness of the PV.
2850
2851 =cut
2852 */
2853
2854 void
2855 Perl_sv_copypv(pTHX_ SV *dsv, register SV *ssv)
2856 {
2857     STRLEN len;
2858     const char * const s = SvPV_const(ssv,len);
2859     sv_setpvn(dsv,s,len);
2860     if (SvUTF8(ssv))
2861         SvUTF8_on(dsv);
2862     else
2863         SvUTF8_off(dsv);
2864 }
2865
2866 /*
2867 =for apidoc sv_2pvbyte
2868
2869 Return a pointer to the byte-encoded representation of the SV, and set *lp
2870 to its length.  May cause the SV to be downgraded from UTF-8 as a
2871 side-effect.
2872
2873 Usually accessed via the C<SvPVbyte> macro.
2874
2875 =cut
2876 */
2877
2878 char *
2879 Perl_sv_2pvbyte(pTHX_ register SV *sv, STRLEN *lp)
2880 {
2881     sv_utf8_downgrade(sv,0);
2882     return lp ? SvPV(sv,*lp) : SvPV_nolen(sv);
2883 }
2884
2885 /*
2886 =for apidoc sv_2pvutf8
2887
2888 Return a pointer to the UTF-8-encoded representation of the SV, and set *lp
2889 to its length.  May cause the SV to be upgraded to UTF-8 as a side-effect.
2890
2891 Usually accessed via the C<SvPVutf8> macro.
2892
2893 =cut
2894 */
2895
2896 char *
2897 Perl_sv_2pvutf8(pTHX_ register SV *sv, STRLEN *lp)
2898 {
2899     sv_utf8_upgrade(sv);
2900     return lp ? SvPV(sv,*lp) : SvPV_nolen(sv);
2901 }
2902
2903
2904 /*
2905 =for apidoc sv_2bool
2906
2907 This function is only called on magical items, and is only used by
2908 sv_true() or its macro equivalent.
2909
2910 =cut
2911 */
2912
2913 bool
2914 Perl_sv_2bool(pTHX_ register SV *sv)
2915 {
2916     dVAR;
2917     SvGETMAGIC(sv);
2918
2919     if (!SvOK(sv))
2920         return 0;
2921     if (SvROK(sv)) {
2922         if (SvAMAGIC(sv)) {
2923             SV * const tmpsv = AMG_CALLun(sv,bool_);
2924             if (tmpsv && (!SvROK(tmpsv) || (SvRV(tmpsv) != SvRV(sv))))
2925                 return (bool)SvTRUE(tmpsv);
2926         }
2927         return SvRV(sv) != 0;
2928     }
2929     if (SvPOKp(sv)) {
2930         register XPV* const Xpvtmp = (XPV*)SvANY(sv);
2931         if (Xpvtmp &&
2932                 (*sv->sv_u.svu_pv > '0' ||
2933                 Xpvtmp->xpv_cur > 1 ||
2934                 (Xpvtmp->xpv_cur && *sv->sv_u.svu_pv != '0')))
2935             return 1;
2936         else
2937             return 0;
2938     }
2939     else {
2940         if (SvIOKp(sv))
2941             return SvIVX(sv) != 0;
2942         else {
2943             if (SvNOKp(sv))
2944                 return SvNVX(sv) != 0.0;
2945             else {
2946                 if (isGV_with_GP(sv))
2947                     return TRUE;
2948                 else
2949                     return FALSE;
2950             }
2951         }
2952     }
2953 }
2954
2955 /*
2956 =for apidoc sv_utf8_upgrade
2957
2958 Converts the PV of an SV to its UTF-8-encoded form.
2959 Forces the SV to string form if it is not already.
2960 Always sets the SvUTF8 flag to avoid future validity checks even
2961 if all the bytes have hibit clear.
2962
2963 This is not as a general purpose byte encoding to Unicode interface:
2964 use the Encode extension for that.
2965
2966 =for apidoc sv_utf8_upgrade_flags
2967
2968 Converts the PV of an SV to its UTF-8-encoded form.
2969 Forces the SV to string form if it is not already.
2970 Always sets the SvUTF8 flag to avoid future validity checks even
2971 if all the bytes have hibit clear. If C<flags> has C<SV_GMAGIC> bit set,
2972 will C<mg_get> on C<sv> if appropriate, else not. C<sv_utf8_upgrade> and
2973 C<sv_utf8_upgrade_nomg> are implemented in terms of this function.
2974
2975 This is not as a general purpose byte encoding to Unicode interface:
2976 use the Encode extension for that.
2977
2978 =cut
2979 */
2980
2981 STRLEN
2982 Perl_sv_utf8_upgrade_flags(pTHX_ register SV *sv, I32 flags)
2983 {
2984     dVAR;
2985     if (sv == &PL_sv_undef)
2986         return 0;
2987     if (!SvPOK(sv)) {
2988         STRLEN len = 0;
2989         if (SvREADONLY(sv) && (SvPOKp(sv) || SvIOKp(sv) || SvNOKp(sv))) {
2990             (void) sv_2pv_flags(sv,&len, flags);
2991             if (SvUTF8(sv))
2992                 return len;
2993         } else {
2994             (void) SvPV_force(sv,len);
2995         }
2996     }
2997
2998     if (SvUTF8(sv)) {
2999         return SvCUR(sv);
3000     }
3001
3002     if (SvIsCOW(sv)) {
3003         sv_force_normal_flags(sv, 0);
3004     }
3005
3006     if (PL_encoding && !(flags & SV_UTF8_NO_ENCODING))
3007         sv_recode_to_utf8(sv, PL_encoding);
3008     else { /* Assume Latin-1/EBCDIC */
3009         /* This function could be much more efficient if we
3010          * had a FLAG in SVs to signal if there are any hibit
3011          * chars in the PV.  Given that there isn't such a flag
3012          * make the loop as fast as possible. */
3013         const U8 * const s = (U8 *) SvPVX_const(sv);
3014         const U8 * const e = (U8 *) SvEND(sv);
3015         const U8 *t = s;
3016         
3017         while (t < e) {
3018             const U8 ch = *t++;
3019             /* Check for hi bit */
3020             if (!NATIVE_IS_INVARIANT(ch)) {
3021                 STRLEN len = SvCUR(sv) + 1; /* Plus the \0 */
3022                 U8 * const recoded = bytes_to_utf8((U8*)s, &len);
3023
3024                 SvPV_free(sv); /* No longer using what was there before. */
3025                 SvPV_set(sv, (char*)recoded);
3026                 SvCUR_set(sv, len - 1);
3027                 SvLEN_set(sv, len); /* No longer know the real size. */
3028                 break;
3029             }
3030         }
3031         /* Mark as UTF-8 even if no hibit - saves scanning loop */
3032         SvUTF8_on(sv);
3033     }
3034     return SvCUR(sv);
3035 }
3036
3037 /*
3038 =for apidoc sv_utf8_downgrade
3039
3040 Attempts to convert the PV of an SV from characters to bytes.
3041 If the PV contains a character beyond byte, this conversion will fail;
3042 in this case, either returns false or, if C<fail_ok> is not
3043 true, croaks.
3044
3045 This is not as a general purpose Unicode to byte encoding interface:
3046 use the Encode extension for that.
3047
3048 =cut
3049 */
3050
3051 bool
3052 Perl_sv_utf8_downgrade(pTHX_ register SV* sv, bool fail_ok)
3053 {
3054     dVAR;
3055     if (SvPOKp(sv) && SvUTF8(sv)) {
3056         if (SvCUR(sv)) {
3057             U8 *s;
3058             STRLEN len;
3059
3060             if (SvIsCOW(sv)) {
3061                 sv_force_normal_flags(sv, 0);
3062             }
3063             s = (U8 *) SvPV(sv, len);
3064             if (!utf8_to_bytes(s, &len)) {
3065                 if (fail_ok)
3066                     return FALSE;
3067                 else {
3068                     if (PL_op)
3069                         Perl_croak(aTHX_ "Wide character in %s",
3070                                    OP_DESC(PL_op));
3071                     else
3072                         Perl_croak(aTHX_ "Wide character");
3073                 }
3074             }
3075             SvCUR_set(sv, len);
3076         }
3077     }
3078     SvUTF8_off(sv);
3079     return TRUE;
3080 }
3081
3082 /*
3083 =for apidoc sv_utf8_encode
3084
3085 Converts the PV of an SV to UTF-8, but then turns the C<SvUTF8>
3086 flag off so that it looks like octets again.
3087
3088 =cut
3089 */
3090
3091 void
3092 Perl_sv_utf8_encode(pTHX_ register SV *sv)
3093 {
3094     (void) sv_utf8_upgrade(sv);
3095     if (SvIsCOW(sv)) {
3096         sv_force_normal_flags(sv, 0);
3097     }
3098     if (SvREADONLY(sv)) {
3099         Perl_croak(aTHX_ PL_no_modify);
3100     }
3101     SvUTF8_off(sv);
3102 }
3103
3104 /*
3105 =for apidoc sv_utf8_decode
3106
3107 If the PV of the SV is an octet sequence in UTF-8
3108 and contains a multiple-byte character, the C<SvUTF8> flag is turned on
3109 so that it looks like a character. If the PV contains only single-byte
3110 characters, the C<SvUTF8> flag stays being off.
3111 Scans PV for validity and returns false if the PV is invalid UTF-8.
3112
3113 =cut
3114 */
3115
3116 bool
3117 Perl_sv_utf8_decode(pTHX_ register SV *sv)
3118 {
3119     if (SvPOKp(sv)) {
3120         const U8 *c;
3121         const U8 *e;
3122
3123         /* The octets may have got themselves encoded - get them back as
3124          * bytes
3125          */
3126         if (!sv_utf8_downgrade(sv, TRUE))
3127             return FALSE;
3128
3129         /* it is actually just a matter of turning the utf8 flag on, but
3130          * we want to make sure everything inside is valid utf8 first.
3131          */
3132         c = (const U8 *) SvPVX_const(sv);
3133         if (!is_utf8_string(c, SvCUR(sv)+1))
3134             return FALSE;
3135         e = (const U8 *) SvEND(sv);
3136         while (c < e) {
3137             const U8 ch = *c++;
3138             if (!UTF8_IS_INVARIANT(ch)) {
3139                 SvUTF8_on(sv);
3140                 break;
3141             }
3142         }
3143     }
3144     return TRUE;
3145 }
3146
3147 /*
3148 =for apidoc sv_setsv
3149
3150 Copies the contents of the source SV C<ssv> into the destination SV
3151 C<dsv>.  The source SV may be destroyed if it is mortal, so don't use this
3152 function if the source SV needs to be reused. Does not handle 'set' magic.
3153 Loosely speaking, it performs a copy-by-value, obliterating any previous
3154 content of the destination.
3155
3156 You probably want to use one of the assortment of wrappers, such as
3157 C<SvSetSV>, C<SvSetSV_nosteal>, C<SvSetMagicSV> and
3158 C<SvSetMagicSV_nosteal>.
3159
3160 =for apidoc sv_setsv_flags
3161
3162 Copies the contents of the source SV C<ssv> into the destination SV
3163 C<dsv>.  The source SV may be destroyed if it is mortal, so don't use this
3164 function if the source SV needs to be reused. Does not handle 'set' magic.
3165 Loosely speaking, it performs a copy-by-value, obliterating any previous
3166 content of the destination.
3167 If the C<flags> parameter has the C<SV_GMAGIC> bit set, will C<mg_get> on
3168 C<ssv> if appropriate, else not. If the C<flags> parameter has the
3169 C<NOSTEAL> bit set then the buffers of temps will not be stolen. <sv_setsv>
3170 and C<sv_setsv_nomg> are implemented in terms of this function.
3171
3172 You probably want to use one of the assortment of wrappers, such as
3173 C<SvSetSV>, C<SvSetSV_nosteal>, C<SvSetMagicSV> and
3174 C<SvSetMagicSV_nosteal>.
3175
3176 This is the primary function for copying scalars, and most other
3177 copy-ish functions and macros use this underneath.
3178
3179 =cut
3180 */
3181
3182 static void
3183 S_glob_assign_glob(pTHX_ SV *dstr, SV *sstr, const int dtype)
3184 {
3185     if (dtype != SVt_PVGV) {
3186         const char * const name = GvNAME(sstr);
3187         const STRLEN len = GvNAMELEN(sstr);
3188         /* don't upgrade SVt_PVLV: it can hold a glob */
3189         if (dtype != SVt_PVLV) {
3190             if (dtype >= SVt_PV) {
3191                 SvPV_free(dstr);
3192                 SvPV_set(dstr, 0);
3193                 SvLEN_set(dstr, 0);
3194                 SvCUR_set(dstr, 0);
3195             }
3196             sv_upgrade(dstr, SVt_PVGV);
3197             (void)SvOK_off(dstr);
3198             SvSCREAM_on(dstr);
3199         }
3200         GvSTASH(dstr) = GvSTASH(sstr);
3201         if (GvSTASH(dstr))
3202             Perl_sv_add_backref(aTHX_ (SV*)GvSTASH(dstr), dstr);
3203         gv_name_set((GV *)dstr, name, len, GV_ADD);
3204         SvFAKE_on(dstr);        /* can coerce to non-glob */
3205     }
3206
3207 #ifdef GV_UNIQUE_CHECK
3208     if (GvUNIQUE((GV*)dstr)) {
3209         Perl_croak(aTHX_ PL_no_modify);
3210     }
3211 #endif
3212
3213     gp_free((GV*)dstr);
3214     SvSCREAM_off(dstr);
3215     (void)SvOK_off(dstr);
3216     SvSCREAM_on(dstr);
3217     GvINTRO_off(dstr);          /* one-shot flag */
3218     GvGP(dstr) = gp_ref(GvGP(sstr));
3219     if (SvTAINTED(sstr))
3220         SvTAINT(dstr);
3221     if (GvIMPORTED(dstr) != GVf_IMPORTED
3222         && CopSTASH_ne(PL_curcop, GvSTASH(dstr)))
3223         {
3224             GvIMPORTED_on(dstr);
3225         }
3226     GvMULTI_on(dstr);
3227     return;
3228 }
3229
3230 static void
3231 S_glob_assign_ref(pTHX_ SV *dstr, SV *sstr) {
3232     SV * const sref = SvREFCNT_inc(SvRV(sstr));
3233     SV *dref = NULL;
3234     const int intro = GvINTRO(dstr);
3235     SV **location;
3236     U8 import_flag = 0;
3237     const U32 stype = SvTYPE(sref);
3238
3239
3240 #ifdef GV_UNIQUE_CHECK
3241     if (GvUNIQUE((GV*)dstr)) {
3242         Perl_croak(aTHX_ PL_no_modify);
3243     }
3244 #endif
3245
3246     if (intro) {
3247         GvINTRO_off(dstr);      /* one-shot flag */
3248         GvLINE(dstr) = CopLINE(PL_curcop);
3249         GvEGV(dstr) = (GV*)dstr;
3250     }
3251     GvMULTI_on(dstr);
3252     switch (stype) {
3253     case SVt_PVCV:
3254         location = (SV **) &GvCV(dstr);
3255         import_flag = GVf_IMPORTED_CV;
3256         goto common;
3257     case SVt_PVHV:
3258         location = (SV **) &GvHV(dstr);
3259         import_flag = GVf_IMPORTED_HV;
3260         goto common;
3261     case SVt_PVAV:
3262         location = (SV **) &GvAV(dstr);
3263         import_flag = GVf_IMPORTED_AV;
3264         goto common;
3265     case SVt_PVIO:
3266         location = (SV **) &GvIOp(dstr);
3267         goto common;
3268     case SVt_PVFM:
3269         location = (SV **) &GvFORM(dstr);
3270     default:
3271         location = &GvSV(dstr);
3272         import_flag = GVf_IMPORTED_SV;
3273     common:
3274         if (intro) {
3275             if (stype == SVt_PVCV) {
3276                 if (GvCVGEN(dstr) && GvCV(dstr) != (CV*)sref) {
3277                     SvREFCNT_dec(GvCV(dstr));
3278                     GvCV(dstr) = NULL;
3279                     GvCVGEN(dstr) = 0; /* Switch off cacheness. */
3280                     PL_sub_generation++;
3281                 }
3282             }
3283             SAVEGENERICSV(*location);
3284         }
3285         else
3286             dref = *location;
3287         if (stype == SVt_PVCV && *location != sref) {
3288             CV* const cv = (CV*)*location;
3289             if (cv) {
3290                 if (!GvCVGEN((GV*)dstr) &&
3291                     (CvROOT(cv) || CvXSUB(cv)))
3292                     {
3293                         /* Redefining a sub - warning is mandatory if
3294                            it was a const and its value changed. */
3295                         if (CvCONST(cv) && CvCONST((CV*)sref)
3296                             && cv_const_sv(cv) == cv_const_sv((CV*)sref)) {
3297                             NOOP;
3298                             /* They are 2 constant subroutines generated from
3299                                the same constant. This probably means that
3300                                they are really the "same" proxy subroutine
3301                                instantiated in 2 places. Most likely this is
3302                                when a constant is exported twice.  Don't warn.
3303                             */
3304                         }
3305                         else if (ckWARN(WARN_REDEFINE)
3306                                  || (CvCONST(cv)
3307                                      && (!CvCONST((CV*)sref)
3308                                          || sv_cmp(cv_const_sv(cv),
3309                                                    cv_const_sv((CV*)sref))))) {
3310                             Perl_warner(aTHX_ packWARN(WARN_REDEFINE),
3311                                         CvCONST(cv)
3312                                         ? "Constant subroutine %s::%s redefined"
3313                                         : "Subroutine %s::%s redefined",
3314                                         HvNAME_get(GvSTASH((GV*)dstr)),
3315                                         GvENAME((GV*)dstr));
3316                         }
3317                     }
3318                 if (!intro)
3319                     cv_ckproto_len(cv, (GV*)dstr,
3320                                    SvPOK(sref) ? SvPVX_const(sref) : NULL,
3321                                    SvPOK(sref) ? SvCUR(sref) : 0);
3322             }
3323             GvCVGEN(dstr) = 0; /* Switch off cacheness. */
3324             GvASSUMECV_on(dstr);
3325             PL_sub_generation++;
3326         }
3327         *location = sref;
3328         if (import_flag && !(GvFLAGS(dstr) & import_flag)
3329             && CopSTASH_ne(PL_curcop, GvSTASH(dstr))) {
3330             GvFLAGS(dstr) |= import_flag;
3331         }
3332         break;
3333     }
3334     SvREFCNT_dec(dref);
3335     if (SvTAINTED(sstr))
3336         SvTAINT(dstr);
3337     return;
3338 }
3339
3340 void
3341 Perl_sv_setsv_flags(pTHX_ SV *dstr, register SV *sstr, I32 flags)
3342 {
3343     dVAR;
3344     register U32 sflags;
3345     register int dtype;
3346     register int stype;
3347
3348     if (sstr == dstr)
3349         return;
3350     SV_CHECK_THINKFIRST_COW_DROP(dstr);
3351     if (!sstr)
3352         sstr = &PL_sv_undef;
3353     stype = SvTYPE(sstr);
3354     dtype = SvTYPE(dstr);
3355
3356     SvAMAGIC_off(dstr);
3357     if ( SvVOK(dstr) )
3358     {
3359         /* need to nuke the magic */
3360         mg_free(dstr);
3361         SvRMAGICAL_off(dstr);
3362     }
3363
3364     /* There's a lot of redundancy below but we're going for speed here */
3365
3366     switch (stype) {
3367     case SVt_NULL:
3368       undef_sstr:
3369         if (dtype != SVt_PVGV) {
3370             (void)SvOK_off(dstr);
3371             return;
3372         }
3373         break;
3374     case SVt_IV:
3375         if (SvIOK(sstr)) {
3376             switch (dtype) {
3377             case SVt_NULL:
3378                 sv_upgrade(dstr, SVt_IV);
3379                 break;
3380             case SVt_NV:
3381             case SVt_RV:
3382             case SVt_PV:
3383                 sv_upgrade(dstr, SVt_PVIV);
3384                 break;
3385             }
3386             (void)SvIOK_only(dstr);
3387             SvIV_set(dstr,  SvIVX(sstr));
3388             if (SvIsUV(sstr))
3389                 SvIsUV_on(dstr);
3390             /* SvTAINTED can only be true if the SV has taint magic, which in
3391                turn means that the SV type is PVMG (or greater). This is the
3392                case statement for SVt_IV, so this cannot be true (whatever gcov
3393                may say).  */
3394             assert(!SvTAINTED(sstr));
3395             return;
3396         }
3397         goto undef_sstr;
3398
3399     case SVt_NV:
3400         if (SvNOK(sstr)) {
3401             switch (dtype) {
3402             case SVt_NULL:
3403             case SVt_IV:
3404                 sv_upgrade(dstr, SVt_NV);
3405                 break;
3406             case SVt_RV:
3407             case SVt_PV:
3408             case SVt_PVIV:
3409                 sv_upgrade(dstr, SVt_PVNV);
3410                 break;
3411             }
3412             SvNV_set(dstr, SvNVX(sstr));
3413             (void)SvNOK_only(dstr);
3414             /* SvTAINTED can only be true if the SV has taint magic, which in
3415                turn means that the SV type is PVMG (or greater). This is the
3416                case statement for SVt_NV, so this cannot be true (whatever gcov
3417                may say).  */
3418             assert(!SvTAINTED(sstr));
3419             return;
3420         }
3421         goto undef_sstr;
3422
3423     case SVt_RV:
3424         if (dtype < SVt_RV)
3425             sv_upgrade(dstr, SVt_RV);
3426         break;
3427     case SVt_PVFM:
3428 #ifdef PERL_OLD_COPY_ON_WRITE
3429         if ((SvFLAGS(sstr) & CAN_COW_MASK) == CAN_COW_FLAGS) {
3430             if (dtype < SVt_PVIV)
3431                 sv_upgrade(dstr, SVt_PVIV);
3432             break;
3433         }
3434         /* Fall through */
3435 #endif
3436     case SVt_PV:
3437         if (dtype < SVt_PV)
3438             sv_upgrade(dstr, SVt_PV);
3439         break;
3440     case SVt_PVIV:
3441         if (dtype < SVt_PVIV)
3442             sv_upgrade(dstr, SVt_PVIV);
3443         break;
3444     case SVt_PVNV:
3445         if (dtype < SVt_PVNV)
3446             sv_upgrade(dstr, SVt_PVNV);
3447         break;
3448     default:
3449         {
3450         const char * const type = sv_reftype(sstr,0);
3451         if (PL_op)
3452             Perl_croak(aTHX_ "Bizarre copy of %s in %s", type, OP_NAME(PL_op));
3453         else
3454             Perl_croak(aTHX_ "Bizarre copy of %s", type);
3455         }
3456         break;
3457
3458     case SVt_PVGV:
3459         if (dtype <= SVt_PVGV) {
3460             glob_assign_glob(dstr, sstr, dtype);
3461             return;
3462         }
3463         /*FALLTHROUGH*/
3464
3465     case SVt_PVMG:
3466     case SVt_PVLV:
3467     case SVt_PVBM:
3468         if (SvGMAGICAL(sstr) && (flags & SV_GMAGIC)) {
3469             mg_get(sstr);
3470             if ((int)SvTYPE(sstr) != stype) {
3471                 stype = SvTYPE(sstr);
3472                 if (stype == SVt_PVGV && dtype <= SVt_PVGV) {
3473                     glob_assign_glob(dstr, sstr, dtype);
3474                     return;
3475                 }
3476             }
3477         }
3478         if (stype == SVt_PVLV)
3479             SvUPGRADE(dstr, SVt_PVNV);
3480         else
3481             SvUPGRADE(dstr, (U32)stype);
3482     }
3483
3484     /* dstr may have been upgraded.  */
3485     dtype = SvTYPE(dstr);
3486     sflags = SvFLAGS(sstr);
3487
3488     if (sflags & SVf_ROK) {
3489         if (dtype == SVt_PVGV &&
3490             SvROK(sstr) && SvTYPE(SvRV(sstr)) == SVt_PVGV) {
3491             sstr = SvRV(sstr);
3492             if (sstr == dstr) {
3493                 if (GvIMPORTED(dstr) != GVf_IMPORTED
3494                     && CopSTASH_ne(PL_curcop, GvSTASH(dstr)))
3495                 {
3496                     GvIMPORTED_on(dstr);
3497                 }
3498                 GvMULTI_on(dstr);
3499                 return;
3500             }
3501             glob_assign_glob(dstr, sstr, dtype);
3502             return;
3503         }
3504
3505         if (dtype >= SVt_PV) {
3506             if (dtype == SVt_PVGV) {
3507                 glob_assign_ref(dstr, sstr);
3508                 return;
3509             }
3510             if (SvPVX_const(dstr)) {
3511                 SvPV_free(dstr);
3512                 SvLEN_set(dstr, 0);
3513                 SvCUR_set(dstr, 0);
3514             }
3515         }
3516         (void)SvOK_off(dstr);
3517         SvRV_set(dstr, SvREFCNT_inc(SvRV(sstr)));
3518         SvFLAGS(dstr) |= sflags & (SVf_ROK|SVf_AMAGIC);
3519         assert(!(sflags & SVp_NOK));
3520         assert(!(sflags & SVp_IOK));
3521         assert(!(sflags & SVf_NOK));
3522         assert(!(sflags & SVf_IOK));
3523     }
3524     else if (dtype == SVt_PVGV) {
3525         if (!(sflags & SVf_OK)) {
3526             if (ckWARN(WARN_MISC))
3527                 Perl_warner(aTHX_ packWARN(WARN_MISC),
3528                             "Undefined value assigned to typeglob");
3529         }
3530         else {
3531             GV *gv = gv_fetchsv(sstr, GV_ADD, SVt_PVGV);
3532             if (dstr != (SV*)gv) {
3533                 if (GvGP(dstr))
3534                     gp_free((GV*)dstr);
3535                 GvGP(dstr) = gp_ref(GvGP(gv));
3536             }
3537         }
3538     }
3539     else if (sflags & SVp_POK) {
3540         bool isSwipe = 0;
3541
3542         /*
3543          * Check to see if we can just swipe the string.  If so, it's a
3544          * possible small lose on short strings, but a big win on long ones.
3545          * It might even be a win on short strings if SvPVX_const(dstr)
3546          * has to be allocated and SvPVX_const(sstr) has to be freed.
3547          */
3548
3549         /* Whichever path we take through the next code, we want this true,
3550            and doing it now facilitates the COW check.  */
3551         (void)SvPOK_only(dstr);
3552
3553         if (
3554             /* We're not already COW  */
3555             ((sflags & (SVf_FAKE | SVf_READONLY)) != (SVf_FAKE | SVf_READONLY)
3556 #ifndef PERL_OLD_COPY_ON_WRITE
3557              /* or we are, but dstr isn't a suitable target.  */
3558              || (SvFLAGS(dstr) & CAN_COW_MASK) != CAN_COW_FLAGS
3559 #endif
3560              )
3561             &&
3562             !(isSwipe =
3563                  (sflags & SVs_TEMP) &&   /* slated for free anyway? */
3564                  !(sflags & SVf_OOK) &&   /* and not involved in OOK hack? */
3565                  (!(flags & SV_NOSTEAL)) &&
3566                                         /* and we're allowed to steal temps */
3567                  SvREFCNT(sstr) == 1 &&   /* and no other references to it? */
3568                  SvLEN(sstr)    &&        /* and really is a string */
3569                                 /* and won't be needed again, potentially */
3570               !(PL_op && PL_op->op_type == OP_AASSIGN))
3571 #ifdef PERL_OLD_COPY_ON_WRITE
3572             && !((sflags & CAN_COW_MASK) == CAN_COW_FLAGS
3573                  && (SvFLAGS(dstr) & CAN_COW_MASK) == CAN_COW_FLAGS
3574                  && SvTYPE(sstr) >= SVt_PVIV)
3575 #endif
3576             ) {
3577             /* Failed the swipe test, and it's not a shared hash key either.
3578                Have to copy the string.  */
3579             STRLEN len = SvCUR(sstr);
3580             SvGROW(dstr, len + 1);      /* inlined from sv_setpvn */
3581             Move(SvPVX_const(sstr),SvPVX(dstr),len,char);
3582             SvCUR_set(dstr, len);
3583             *SvEND(dstr) = '\0';
3584         } else {
3585             /* If PERL_OLD_COPY_ON_WRITE is not defined, then isSwipe will always
3586                be true in here.  */
3587             /* Either it's a shared hash key, or it's suitable for
3588                copy-on-write or we can swipe the string.  */
3589             if (DEBUG_C_TEST) {
3590                 PerlIO_printf(Perl_debug_log, "Copy on write: sstr --> dstr\n");
3591                 sv_dump(sstr);
3592                 sv_dump(dstr);
3593             }
3594 #ifdef PERL_OLD_COPY_ON_WRITE
3595             if (!isSwipe) {
3596                 /* I believe I should acquire a global SV mutex if
3597                    it's a COW sv (not a shared hash key) to stop
3598                    it going un copy-on-write.
3599                    If the source SV has gone un copy on write between up there
3600                    and down here, then (assert() that) it is of the correct
3601                    form to make it copy on write again */
3602                 if ((sflags & (SVf_FAKE | SVf_READONLY))
3603                     != (SVf_FAKE | SVf_READONLY)) {
3604                     SvREADONLY_on(sstr);
3605                     SvFAKE_on(sstr);
3606                     /* Make the source SV into a loop of 1.
3607                        (about to become 2) */
3608                     SV_COW_NEXT_SV_SET(sstr, sstr);
3609                 }
3610             }
3611 #endif
3612             /* Initial code is common.  */
3613             if (SvPVX_const(dstr)) {    /* we know that dtype >= SVt_PV */
3614                 SvPV_free(dstr);
3615             }
3616
3617             if (!isSwipe) {
3618                 /* making another shared SV.  */
3619                 STRLEN cur = SvCUR(sstr);
3620                 STRLEN len = SvLEN(sstr);
3621 #ifdef PERL_OLD_COPY_ON_WRITE
3622                 if (len) {
3623                     assert (SvTYPE(dstr) >= SVt_PVIV);
3624                     /* SvIsCOW_normal */
3625                     /* splice us in between source and next-after-source.  */
3626                     SV_COW_NEXT_SV_SET(dstr, SV_COW_NEXT_SV(sstr));
3627                     SV_COW_NEXT_SV_SET(sstr, dstr);
3628                     SvPV_set(dstr, SvPVX_mutable(sstr));
3629                 } else
3630 #endif
3631                 {
3632                     /* SvIsCOW_shared_hash */
3633                     DEBUG_C(PerlIO_printf(Perl_debug_log,
3634                                           "Copy on write: Sharing hash\n"));
3635
3636                     assert (SvTYPE(dstr) >= SVt_PV);
3637                     SvPV_set(dstr,
3638                              HEK_KEY(share_hek_hek(SvSHARED_HEK_FROM_PV(SvPVX_const(sstr)))));
3639                 }
3640                 SvLEN_set(dstr, len);
3641                 SvCUR_set(dstr, cur);
3642                 SvREADONLY_on(dstr);
3643                 SvFAKE_on(dstr);
3644                 /* Relesase a global SV mutex.  */
3645             }
3646             else
3647                 {       /* Passes the swipe test.  */
3648                 SvPV_set(dstr, SvPVX_mutable(sstr));
3649                 SvLEN_set(dstr, SvLEN(sstr));
3650                 SvCUR_set(dstr, SvCUR(sstr));
3651
3652                 SvTEMP_off(dstr);
3653                 (void)SvOK_off(sstr);   /* NOTE: nukes most SvFLAGS on sstr */
3654                 SvPV_set(sstr, NULL);
3655                 SvLEN_set(sstr, 0);
3656                 SvCUR_set(sstr, 0);
3657                 SvTEMP_off(sstr);
3658             }
3659         }
3660         if (sflags & SVp_NOK) {
3661             SvNV_set(dstr, SvNVX(sstr));
3662         }
3663         if (sflags & SVp_IOK) {
3664             SvRELEASE_IVX(dstr);
3665             SvIV_set(dstr, SvIVX(sstr));
3666             /* Must do this otherwise some other overloaded use of 0x80000000
3667                gets confused. I guess SVpbm_VALID */
3668             if (sflags & SVf_IVisUV)
3669                 SvIsUV_on(dstr);
3670         }
3671         SvFLAGS(dstr) |= sflags & (SVf_IOK|SVp_IOK|SVf_NOK|SVp_NOK|SVf_UTF8
3672                                    |SVf_AMAGIC);
3673         {
3674             const MAGIC * const smg = SvVOK(sstr);
3675             if (smg) {
3676                 sv_magic(dstr, NULL, PERL_MAGIC_vstring,
3677                          smg->mg_ptr, smg->mg_len);
3678                 SvRMAGICAL_on(dstr);
3679             }
3680         }
3681     }
3682     else if (sflags & (SVp_IOK|SVp_NOK)) {
3683         (void)SvOK_off(dstr);
3684         SvFLAGS(dstr) |= sflags & (SVf_IOK|SVp_IOK|SVf_IVisUV|SVf_NOK|SVp_NOK
3685                                    |SVf_AMAGIC);
3686         if (sflags & SVp_IOK) {
3687             /* XXXX Do we want to set IsUV for IV(ROK)?  Be extra safe... */
3688             SvIV_set(dstr, SvIVX(sstr));
3689         }
3690         if (sflags & SVp_NOK) {
3691             SvNV_set(dstr, SvNVX(sstr));
3692         }
3693     }
3694     else {
3695         if (isGV_with_GP(sstr)) {
3696             /* This stringification rule for globs is spread in 3 places.
3697                This feels bad. FIXME.  */
3698             const U32 wasfake = sflags & SVf_FAKE;
3699
3700             /* FAKE globs can get coerced, so need to turn this off
3701                temporarily if it is on.  */
3702             SvFAKE_off(sstr);
3703             gv_efullname3(dstr, (GV *)sstr, "*");
3704             SvFLAGS(sstr) |= wasfake;
3705             SvFLAGS(dstr) |= sflags & SVf_AMAGIC;
3706         }
3707         else
3708             (void)SvOK_off(dstr);
3709     }
3710     if (SvTAINTED(sstr))
3711         SvTAINT(dstr);
3712 }
3713
3714 /*
3715 =for apidoc sv_setsv_mg
3716
3717 Like C<sv_setsv>, but also handles 'set' magic.
3718
3719 =cut
3720 */
3721
3722 void
3723 Perl_sv_setsv_mg(pTHX_ SV *dstr, register SV *sstr)
3724 {
3725     sv_setsv(dstr,sstr);
3726     SvSETMAGIC(dstr);
3727 }
3728
3729 #ifdef PERL_OLD_COPY_ON_WRITE
3730 SV *
3731 Perl_sv_setsv_cow(pTHX_ SV *dstr, SV *sstr)
3732 {
3733     STRLEN cur = SvCUR(sstr);
3734     STRLEN len = SvLEN(sstr);
3735     register char *new_pv;
3736
3737     if (DEBUG_C_TEST) {
3738         PerlIO_printf(Perl_debug_log, "Fast copy on write: %p -> %p\n",
3739                       sstr, dstr);
3740         sv_dump(sstr);
3741         if (dstr)
3742                     sv_dump(dstr);
3743     }
3744
3745     if (dstr) {
3746         if (SvTHINKFIRST(dstr))
3747             sv_force_normal_flags(dstr, SV_COW_DROP_PV);
3748         else if (SvPVX_const(dstr))
3749             Safefree(SvPVX_const(dstr));
3750     }
3751     else
3752         new_SV(dstr);
3753     SvUPGRADE(dstr, SVt_PVIV);
3754
3755     assert (SvPOK(sstr));
3756     assert (SvPOKp(sstr));
3757     assert (!SvIOK(sstr));
3758     assert (!SvIOKp(sstr));
3759     assert (!SvNOK(sstr));
3760     assert (!SvNOKp(sstr));
3761
3762     if (SvIsCOW(sstr)) {
3763
3764         if (SvLEN(sstr) == 0) {
3765             /* source is a COW shared hash key.  */
3766             DEBUG_C(PerlIO_printf(Perl_debug_log,
3767                                   "Fast copy on write: Sharing hash\n"));
3768             new_pv = HEK_KEY(share_hek_hek(SvSHARED_HEK_FROM_PV(SvPVX_const(sstr))));
3769             goto common_exit;
3770         }
3771         SV_COW_NEXT_SV_SET(dstr, SV_COW_NEXT_SV(sstr));
3772     } else {
3773         assert ((SvFLAGS(sstr) & CAN_COW_MASK) == CAN_COW_FLAGS);
3774         SvUPGRADE(sstr, SVt_PVIV);
3775         SvREADONLY_on(sstr);
3776         SvFAKE_on(sstr);
3777         DEBUG_C(PerlIO_printf(Perl_debug_log,
3778                               "Fast copy on write: Converting sstr to COW\n"));
3779         SV_COW_NEXT_SV_SET(dstr, sstr);
3780     }
3781     SV_COW_NEXT_SV_SET(sstr, dstr);
3782     new_pv = SvPVX_mutable(sstr);
3783
3784   common_exit:
3785     SvPV_set(dstr, new_pv);
3786     SvFLAGS(dstr) = (SVt_PVIV|SVf_POK|SVp_POK|SVf_FAKE|SVf_READONLY);
3787     if (SvUTF8(sstr))
3788         SvUTF8_on(dstr);
3789     SvLEN_set(dstr, len);
3790     SvCUR_set(dstr, cur);
3791     if (DEBUG_C_TEST) {
3792         sv_dump(dstr);
3793     }
3794     return dstr;
3795 }
3796 #endif
3797
3798 /*
3799 =for apidoc sv_setpvn
3800
3801 Copies a string into an SV.  The C<len> parameter indicates the number of
3802 bytes to be copied.  If the C<ptr> argument is NULL the SV will become
3803 undefined.  Does not handle 'set' magic.  See C<sv_setpvn_mg>.
3804
3805 =cut
3806 */
3807
3808 void
3809 Perl_sv_setpvn(pTHX_ register SV *sv, register const char *ptr, register STRLEN len)
3810 {
3811     dVAR;
3812     register char *dptr;
3813
3814     SV_CHECK_THINKFIRST_COW_DROP(sv);
3815     if (!ptr) {
3816         (void)SvOK_off(sv);
3817         return;
3818     }
3819     else {
3820         /* len is STRLEN which is unsigned, need to copy to signed */
3821         const IV iv = len;
3822         if (iv < 0)
3823             Perl_croak(aTHX_ "panic: sv_setpvn called with negative strlen");
3824     }
3825     SvUPGRADE(sv, SVt_PV);
3826
3827     dptr = SvGROW(sv, len + 1);
3828     Move(ptr,dptr,len,char);
3829     dptr[len] = '\0';
3830     SvCUR_set(sv, len);
3831     (void)SvPOK_only_UTF8(sv);          /* validate pointer */
3832     SvTAINT(sv);
3833 }
3834
3835 /*
3836 =for apidoc sv_setpvn_mg
3837
3838 Like C<sv_setpvn>, but also handles 'set' magic.
3839
3840 =cut
3841 */
3842
3843 void
3844 Perl_sv_setpvn_mg(pTHX_ register SV *sv, register const char *ptr, register STRLEN len)
3845 {
3846     sv_setpvn(sv,ptr,len);
3847     SvSETMAGIC(sv);
3848 }
3849
3850 /*
3851 =for apidoc sv_setpv
3852
3853 Copies a string into an SV.  The string must be null-terminated.  Does not
3854 handle 'set' magic.  See C<sv_setpv_mg>.
3855
3856 =cut
3857 */
3858
3859 void
3860 Perl_sv_setpv(pTHX_ register SV *sv, register const char *ptr)
3861 {
3862     dVAR;
3863     register STRLEN len;
3864
3865     SV_CHECK_THINKFIRST_COW_DROP(sv);
3866     if (!ptr) {
3867         (void)SvOK_off(sv);
3868         return;
3869     }
3870     len = strlen(ptr);
3871     SvUPGRADE(sv, SVt_PV);
3872
3873     SvGROW(sv, len + 1);
3874     Move(ptr,SvPVX(sv),len+1,char);
3875     SvCUR_set(sv, len);
3876     (void)SvPOK_only_UTF8(sv);          /* validate pointer */
3877     SvTAINT(sv);
3878 }
3879
3880 /*
3881 =for apidoc sv_setpv_mg
3882
3883 Like C<sv_setpv>, but also handles 'set' magic.
3884
3885 =cut
3886 */
3887
3888 void
3889 Perl_sv_setpv_mg(pTHX_ register SV *sv, register const char *ptr)
3890 {
3891     sv_setpv(sv,ptr);
3892     SvSETMAGIC(sv);
3893 }
3894
3895 /*
3896 =for apidoc sv_usepvn_flags
3897
3898 Tells an SV to use C<ptr> to find its string value.  Normally the
3899 string is stored inside the SV but sv_usepvn allows the SV to use an
3900 outside string.  The C<ptr> should point to memory that was allocated
3901 by C<malloc>.  The string length, C<len>, must be supplied.  By default
3902 this function will realloc (i.e. move) the memory pointed to by C<ptr>,
3903 so that pointer should not be freed or used by the programmer after
3904 giving it to sv_usepvn, and neither should any pointers from "behind"
3905 that pointer (e.g. ptr + 1) be used.
3906
3907 If C<flags> & SV_SMAGIC is true, will call SvSETMAGIC. If C<flags> &
3908 SV_HAS_TRAILING_NUL is true, then C<ptr[len]> must be NUL, and the realloc
3909 will be skipped. (i.e. the buffer is actually at least 1 byte longer than
3910 C<len>, and already meets the requirements for storing in C<SvPVX>)
3911
3912 =cut
3913 */
3914
3915 void
3916 Perl_sv_usepvn_flags(pTHX_ SV *sv, char *ptr, STRLEN len, U32 flags)
3917 {
3918     dVAR;
3919     STRLEN allocate;
3920     SV_CHECK_THINKFIRST_COW_DROP(sv);
3921     SvUPGRADE(sv, SVt_PV);
3922     if (!ptr) {
3923         (void)SvOK_off(sv);
3924         if (flags & SV_SMAGIC)
3925             SvSETMAGIC(sv);
3926         return;
3927     }
3928     if (SvPVX_const(sv))
3929         SvPV_free(sv);
3930
3931     if (flags & SV_HAS_TRAILING_NUL)
3932         assert(ptr[len] == '\0');
3933
3934     allocate = (flags & SV_HAS_TRAILING_NUL)
3935         ? len + 1: PERL_STRLEN_ROUNDUP(len + 1);
3936     if (flags & SV_HAS_TRAILING_NUL) {
3937         /* It's long enough - do nothing.
3938            Specfically Perl_newCONSTSUB is relying on this.  */
3939     } else {
3940 #ifdef DEBUGGING
3941         /* Force a move to shake out bugs in callers.  */
3942         char *new_ptr = safemalloc(allocate);
3943         Copy(ptr, new_ptr, len, char);
3944         PoisonFree(ptr,len,char);
3945         Safefree(ptr);
3946         ptr = new_ptr;
3947 #else
3948         ptr = saferealloc (ptr, allocate);
3949 #endif
3950     }
3951     SvPV_set(sv, ptr);
3952     SvCUR_set(sv, len);
3953     SvLEN_set(sv, allocate);
3954     if (!(flags & SV_HAS_TRAILING_NUL)) {
3955         *SvEND(sv) = '\0';
3956     }
3957     (void)SvPOK_only_UTF8(sv);          /* validate pointer */
3958     SvTAINT(sv);
3959     if (flags & SV_SMAGIC)
3960         SvSETMAGIC(sv);
3961 }
3962
3963 #ifdef PERL_OLD_COPY_ON_WRITE
3964 /* Need to do this *after* making the SV normal, as we need the buffer
3965    pointer to remain valid until after we've copied it.  If we let go too early,
3966    another thread could invalidate it by unsharing last of the same hash key
3967    (which it can do by means other than releasing copy-on-write Svs)
3968    or by changing the other copy-on-write SVs in the loop.  */
3969 STATIC void
3970 S_sv_release_COW(pTHX_ register SV *sv, const char *pvx, STRLEN len, SV *after)
3971 {
3972     if (len) { /* this SV was SvIsCOW_normal(sv) */
3973          /* we need to find the SV pointing to us.  */
3974         SV *current = SV_COW_NEXT_SV(after);
3975
3976         if (current == sv) {
3977             /* The SV we point to points back to us (there were only two of us
3978                in the loop.)
3979                Hence other SV is no longer copy on write either.  */
3980             SvFAKE_off(after);
3981             SvREADONLY_off(after);
3982         } else {
3983             /* We need to follow the pointers around the loop.  */
3984             SV *next;
3985             while ((next = SV_COW_NEXT_SV(current)) != sv) {
3986                 assert (next);
3987                 current = next;
3988                  /* don't loop forever if the structure is bust, and we have
3989                     a pointer into a closed loop.  */
3990                 assert (current != after);
3991                 assert (SvPVX_const(current) == pvx);
3992             }
3993             /* Make the SV before us point to the SV after us.  */
3994             SV_COW_NEXT_SV_SET(current, after);
3995         }
3996     } else {
3997         unshare_hek(SvSHARED_HEK_FROM_PV(pvx));
3998     }
3999 }
4000
4001 int
4002 Perl_sv_release_IVX(pTHX_ register SV *sv)
4003 {
4004     if (SvIsCOW(sv))
4005         sv_force_normal_flags(sv, 0);
4006     SvOOK_off(sv);
4007     return 0;
4008 }
4009 #endif
4010 /*
4011 =for apidoc sv_force_normal_flags
4012
4013 Undo various types of fakery on an SV: if the PV is a shared string, make
4014 a private copy; if we're a ref, stop refing; if we're a glob, downgrade to
4015 an xpvmg; if we're a copy-on-write scalar, this is the on-write time when
4016 we do the copy, and is also used locally. If C<SV_COW_DROP_PV> is set
4017 then a copy-on-write scalar drops its PV buffer (if any) and becomes
4018 SvPOK_off rather than making a copy. (Used where this scalar is about to be
4019 set to some other value.) In addition, the C<flags> parameter gets passed to
4020 C<sv_unref_flags()> when unrefing. C<sv_force_normal> calls this function
4021 with flags set to 0.
4022
4023 =cut
4024 */
4025
4026 void
4027 Perl_sv_force_normal_flags(pTHX_ register SV *sv, U32 flags)
4028 {
4029     dVAR;
4030 #ifdef PERL_OLD_COPY_ON_WRITE
4031     if (SvREADONLY(sv)) {
4032         /* At this point I believe I should acquire a global SV mutex.  */
4033         if (SvFAKE(sv)) {
4034             const char * const pvx = SvPVX_const(sv);
4035             const STRLEN len = SvLEN(sv);
4036             const STRLEN cur = SvCUR(sv);
4037             SV * const next = SV_COW_NEXT_SV(sv);   /* next COW sv in the loop. */
4038             if (DEBUG_C_TEST) {
4039                 PerlIO_printf(Perl_debug_log,
4040                               "Copy on write: Force normal %ld\n",
4041                               (long) flags);
4042                 sv_dump(sv);
4043             }
4044             SvFAKE_off(sv);
4045             SvREADONLY_off(sv);
4046             /* This SV doesn't own the buffer, so need to Newx() a new one:  */
4047             SvPV_set(sv, NULL);
4048             SvLEN_set(sv, 0);
4049             if (flags & SV_COW_DROP_PV) {
4050                 /* OK, so we don't need to copy our buffer.  */
4051                 SvPOK_off(sv);
4052             } else {
4053                 SvGROW(sv, cur + 1);
4054                 Move(pvx,SvPVX(sv),cur,char);
4055                 SvCUR_set(sv, cur);
4056                 *SvEND(sv) = '\0';
4057             }
4058             sv_release_COW(sv, pvx, len, next);
4059             if (DEBUG_C_TEST) {
4060                 sv_dump(sv);
4061             }
4062         }
4063         else if (IN_PERL_RUNTIME)
4064             Perl_croak(aTHX_ PL_no_modify);
4065         /* At this point I believe that I can drop the global SV mutex.  */
4066     }
4067 #else
4068     if (SvREADONLY(sv)) {
4069         if (SvFAKE(sv)) {
4070             const char * const pvx = SvPVX_const(sv);
4071             const STRLEN len = SvCUR(sv);
4072             SvFAKE_off(sv);
4073             SvREADONLY_off(sv);
4074             SvPV_set(sv, NULL);
4075             SvLEN_set(sv, 0);
4076             SvGROW(sv, len + 1);
4077             Move(pvx,SvPVX(sv),len,char);
4078             *SvEND(sv) = '\0';
4079             unshare_hek(SvSHARED_HEK_FROM_PV(pvx));
4080         }
4081         else if (IN_PERL_RUNTIME)
4082             Perl_croak(aTHX_ PL_no_modify);
4083     }
4084 #endif
4085     if (SvROK(sv))
4086         sv_unref_flags(sv, flags);
4087     else if (SvFAKE(sv) && SvTYPE(sv) == SVt_PVGV)
4088         sv_unglob(sv);
4089 }
4090
4091 /*
4092 =for apidoc sv_chop
4093
4094 Efficient removal of characters from the beginning of the string buffer.
4095 SvPOK(sv) must be true and the C<ptr> must be a pointer to somewhere inside
4096 the string buffer.  The C<ptr> becomes the first character of the adjusted
4097 string. Uses the "OOK hack".
4098 Beware: after this function returns, C<ptr> and SvPVX_const(sv) may no longer
4099 refer to the same chunk of data.
4100
4101 =cut
4102 */
4103
4104 void
4105 Perl_sv_chop(pTHX_ register SV *sv, register const char *ptr)
4106 {
4107     register STRLEN delta;
4108     if (!ptr || !SvPOKp(sv))
4109         return;
4110     delta = ptr - SvPVX_const(sv);
4111     SV_CHECK_THINKFIRST(sv);
4112     if (SvTYPE(sv) < SVt_PVIV)
4113         sv_upgrade(sv,SVt_PVIV);
4114
4115     if (!SvOOK(sv)) {
4116         if (!SvLEN(sv)) { /* make copy of shared string */
4117             const char *pvx = SvPVX_const(sv);
4118             const STRLEN len = SvCUR(sv);
4119             SvGROW(sv, len + 1);
4120             Move(pvx,SvPVX(sv),len,char);
4121             *SvEND(sv) = '\0';
4122         }
4123         SvIV_set(sv, 0);
4124         /* Same SvOOK_on but SvOOK_on does a SvIOK_off
4125            and we do that anyway inside the SvNIOK_off
4126         */
4127         SvFLAGS(sv) |= SVf_OOK;
4128     }
4129     SvNIOK_off(sv);
4130     SvLEN_set(sv, SvLEN(sv) - delta);
4131     SvCUR_set(sv, SvCUR(sv) - delta);
4132     SvPV_set(sv, SvPVX(sv) + delta);
4133     SvIV_set(sv, SvIVX(sv) + delta);
4134 }
4135
4136 /*
4137 =for apidoc sv_catpvn
4138
4139 Concatenates the string onto the end of the string which is in the SV.  The
4140 C<len> indicates number of bytes to copy.  If the SV has the UTF-8
4141 status set, then the bytes appended should be valid UTF-8.
4142 Handles 'get' magic, but not 'set' magic.  See C<sv_catpvn_mg>.
4143
4144 =for apidoc sv_catpvn_flags
4145
4146 Concatenates the string onto the end of the string which is in the SV.  The
4147 C<len> indicates number of bytes to copy.  If the SV has the UTF-8
4148 status set, then the bytes appended should be valid UTF-8.
4149 If C<flags> has C<SV_GMAGIC> bit set, will C<mg_get> on C<dsv> if
4150 appropriate, else not. C<sv_catpvn> and C<sv_catpvn_nomg> are implemented
4151 in terms of this function.
4152
4153 =cut
4154 */
4155
4156 void
4157 Perl_sv_catpvn_flags(pTHX_ register SV *dsv, register const char *sstr, register STRLEN slen, I32 flags)
4158 {
4159     dVAR;
4160     STRLEN dlen;
4161     const char * const dstr = SvPV_force_flags(dsv, dlen, flags);
4162
4163     SvGROW(dsv, dlen + slen + 1);
4164     if (sstr == dstr)
4165         sstr = SvPVX_const(dsv);
4166     Move(sstr, SvPVX(dsv) + dlen, slen, char);
4167     SvCUR_set(dsv, SvCUR(dsv) + slen);
4168     *SvEND(dsv) = '\0';
4169     (void)SvPOK_only_UTF8(dsv);         /* validate pointer */
4170     SvTAINT(dsv);
4171     if (flags & SV_SMAGIC)
4172         SvSETMAGIC(dsv);
4173 }
4174
4175 /*
4176 =for apidoc sv_catsv
4177
4178 Concatenates the string from SV C<ssv> onto the end of the string in
4179 SV C<dsv>.  Modifies C<dsv> but not C<ssv>.  Handles 'get' magic, but
4180 not 'set' magic.  See C<sv_catsv_mg>.
4181
4182 =for apidoc sv_catsv_flags
4183
4184 Concatenates the string from SV C<ssv> onto the end of the string in
4185 SV C<dsv>.  Modifies C<dsv> but not C<ssv>.  If C<flags> has C<SV_GMAGIC>
4186 bit set, will C<mg_get> on the SVs if appropriate, else not. C<sv_catsv>
4187 and C<sv_catsv_nomg> are implemented in terms of this function.
4188
4189 =cut */
4190
4191 void
4192 Perl_sv_catsv_flags(pTHX_ SV *dsv, register SV *ssv, I32 flags)
4193 {
4194     dVAR;
4195     if (ssv) {
4196         STRLEN slen;
4197         const char *spv = SvPV_const(ssv, slen);
4198         if (spv) {
4199             /*  sutf8 and dutf8 were type bool, but under USE_ITHREADS,
4200                 gcc version 2.95.2 20000220 (Debian GNU/Linux) for
4201                 Linux xxx 2.2.17 on sparc64 with gcc -O2, we erroneously
4202                 get dutf8 = 0x20000000, (i.e.  SVf_UTF8) even though
4203                 dsv->sv_flags doesn't have that bit set.
4204                 Andy Dougherty  12 Oct 2001
4205             */
4206             const I32 sutf8 = DO_UTF8(ssv);
4207             I32 dutf8;
4208
4209             if (SvGMAGICAL(dsv) && (flags & SV_GMAGIC))
4210                 mg_get(dsv);
4211             dutf8 = DO_UTF8(dsv);
4212
4213             if (dutf8 != sutf8) {
4214                 if (dutf8) {
4215                     /* Not modifying source SV, so taking a temporary copy. */
4216                     SV* const csv = sv_2mortal(newSVpvn(spv, slen));
4217
4218                     sv_utf8_upgrade(csv);
4219                     spv = SvPV_const(csv, slen);
4220                 }
4221                 else
4222                     sv_utf8_upgrade_nomg(dsv);
4223             }
4224             sv_catpvn_nomg(dsv, spv, slen);
4225         }
4226     }
4227     if (flags & SV_SMAGIC)
4228         SvSETMAGIC(dsv);
4229 }
4230
4231 /*
4232 =for apidoc sv_catpv
4233
4234 Concatenates the string onto the end of the string which is in the SV.
4235 If the SV has the UTF-8 status set, then the bytes appended should be
4236 valid UTF-8.  Handles 'get' magic, but not 'set' magic.  See C<sv_catpv_mg>.
4237
4238 =cut */
4239
4240 void
4241 Perl_sv_catpv(pTHX_ register SV *sv, register const char *ptr)
4242 {
4243     dVAR;
4244     register STRLEN len;
4245     STRLEN tlen;
4246     char *junk;
4247
4248     if (!ptr)
4249         return;
4250     junk = SvPV_force(sv, tlen);
4251     len = strlen(ptr);
4252     SvGROW(sv, tlen + len + 1);
4253     if (ptr == junk)
4254         ptr = SvPVX_const(sv);
4255     Move(ptr,SvPVX(sv)+tlen,len+1,char);
4256     SvCUR_set(sv, SvCUR(sv) + len);
4257     (void)SvPOK_only_UTF8(sv);          /* validate pointer */
4258     SvTAINT(sv);
4259 }
4260
4261 /*
4262 =for apidoc sv_catpv_mg
4263
4264 Like C<sv_catpv>, but also handles 'set' magic.
4265
4266 =cut
4267 */
4268
4269 void
4270 Perl_sv_catpv_mg(pTHX_ register SV *sv, register const char *ptr)
4271 {
4272     sv_catpv(sv,ptr);
4273     SvSETMAGIC(sv);
4274 }
4275
4276 /*
4277 =for apidoc newSV
4278
4279 Creates a new SV.  A non-zero C<len> parameter indicates the number of
4280 bytes of preallocated string space the SV should have.  An extra byte for a
4281 trailing NUL is also reserved.  (SvPOK is not set for the SV even if string
4282 space is allocated.)  The reference count for the new SV is set to 1.
4283
4284 In 5.9.3, newSV() replaces the older NEWSV() API, and drops the first
4285 parameter, I<x>, a debug aid which allowed callers to identify themselves.
4286 This aid has been superseded by a new build option, PERL_MEM_LOG (see
4287 L<perlhack/PERL_MEM_LOG>).  The older API is still there for use in XS
4288 modules supporting older perls.
4289
4290 =cut
4291 */
4292
4293 SV *
4294 Perl_newSV(pTHX_ STRLEN len)
4295 {
4296     dVAR;
4297     register SV *sv;
4298
4299     new_SV(sv);
4300     if (len) {
4301         sv_upgrade(sv, SVt_PV);
4302         SvGROW(sv, len + 1);
4303     }
4304     return sv;
4305 }
4306 /*
4307 =for apidoc sv_magicext
4308
4309 Adds magic to an SV, upgrading it if necessary. Applies the
4310 supplied vtable and returns a pointer to the magic added.
4311
4312 Note that C<sv_magicext> will allow things that C<sv_magic> will not.
4313 In particular, you can add magic to SvREADONLY SVs, and add more than
4314 one instance of the same 'how'.
4315
4316 If C<namlen> is greater than zero then a C<savepvn> I<copy> of C<name> is
4317 stored, if C<namlen> is zero then C<name> is stored as-is and - as another
4318 special case - if C<(name && namlen == HEf_SVKEY)> then C<name> is assumed
4319 to contain an C<SV*> and is stored as-is with its REFCNT incremented.
4320
4321 (This is now used as a subroutine by C<sv_magic>.)
4322
4323 =cut
4324 */
4325 MAGIC * 
4326 Perl_sv_magicext(pTHX_ SV* sv, SV* obj, int how, MGVTBL *vtable,
4327                  const char* name, I32 namlen)
4328 {
4329     dVAR;
4330     MAGIC* mg;
4331
4332     if (SvTYPE(sv) < SVt_PVMG) {
4333         SvUPGRADE(sv, SVt_PVMG);
4334     }
4335     Newxz(mg, 1, MAGIC);
4336     mg->mg_moremagic = SvMAGIC(sv);
4337     SvMAGIC_set(sv, mg);
4338
4339     /* Sometimes a magic contains a reference loop, where the sv and
4340        object refer to each other.  To prevent a reference loop that
4341        would prevent such objects being freed, we look for such loops
4342        and if we find one we avoid incrementing the object refcount.
4343
4344        Note we cannot do this to avoid self-tie loops as intervening RV must
4345        have its REFCNT incremented to keep it in existence.
4346
4347     */
4348     if (!obj || obj == sv ||
4349         how == PERL_MAGIC_arylen ||
4350         how == PERL_MAGIC_qr ||
4351         how == PERL_MAGIC_symtab ||
4352         (SvTYPE(obj) == SVt_PVGV &&
4353             (GvSV(obj) == sv || GvHV(obj) == (HV*)sv || GvAV(obj) == (AV*)sv ||
4354             GvCV(obj) == (CV*)sv || GvIOp(obj) == (IO*)sv ||
4355             GvFORM(obj) == (CV*)sv)))
4356     {
4357         mg->mg_obj = obj;
4358     }
4359     else {
4360         mg->mg_obj = SvREFCNT_inc_simple(obj);
4361         mg->mg_flags |= MGf_REFCOUNTED;
4362     }
4363
4364     /* Normal self-ties simply pass a null object, and instead of
4365        using mg_obj directly, use the SvTIED_obj macro to produce a
4366        new RV as needed.  For glob "self-ties", we are tieing the PVIO
4367        with an RV obj pointing to the glob containing the PVIO.  In
4368        this case, to avoid a reference loop, we need to weaken the
4369        reference.
4370     */
4371
4372     if (how == PERL_MAGIC_tiedscalar && SvTYPE(sv) == SVt_PVIO &&
4373         obj && SvROK(obj) && GvIO(SvRV(obj)) == (IO*)sv)
4374     {
4375       sv_rvweaken(obj);
4376     }
4377
4378     mg->mg_type = how;
4379     mg->mg_len = namlen;
4380     if (name) {
4381         if (namlen > 0)
4382             mg->mg_ptr = savepvn(name, namlen);
4383         else if (namlen == HEf_SVKEY)
4384             mg->mg_ptr = (char*)SvREFCNT_inc_simple_NN((SV*)name);
4385         else
4386             mg->mg_ptr = (char *) name;
4387     }
4388     mg->mg_virtual = vtable;
4389
4390     mg_magical(sv);
4391     if (SvGMAGICAL(sv))
4392         SvFLAGS(sv) &= ~(SVf_IOK|SVf_NOK|SVf_POK);
4393     return mg;
4394 }
4395
4396 /*
4397 =for apidoc sv_magic
4398
4399 Adds magic to an SV. First upgrades C<sv> to type C<SVt_PVMG> if necessary,
4400 then adds a new magic item of type C<how> to the head of the magic list.
4401
4402 See C<sv_magicext> (which C<sv_magic> now calls) for a description of the
4403 handling of the C<name> and C<namlen> arguments.
4404
4405 You need to use C<sv_magicext> to add magic to SvREADONLY SVs and also
4406 to add more than one instance of the same 'how'.
4407
4408 =cut
4409 */
4410
4411 void
4412 Perl_sv_magic(pTHX_ register SV *sv, SV *obj, int how, const char *name, I32 namlen)
4413 {
4414     dVAR;
4415     MGVTBL *vtable;
4416     MAGIC* mg;
4417
4418 #ifdef PERL_OLD_COPY_ON_WRITE
4419     if (SvIsCOW(sv))
4420         sv_force_normal_flags(sv, 0);
4421 #endif
4422     if (SvREADONLY(sv)) {
4423         if (
4424             /* its okay to attach magic to shared strings; the subsequent
4425              * upgrade to PVMG will unshare the string */
4426             !(SvFAKE(sv) && SvTYPE(sv) < SVt_PVMG)
4427
4428             && IN_PERL_RUNTIME
4429             && how != PERL_MAGIC_regex_global
4430             && how != PERL_MAGIC_bm
4431             && how != PERL_MAGIC_fm
4432             && how != PERL_MAGIC_sv
4433             && how != PERL_MAGIC_backref
4434            )
4435         {
4436             Perl_croak(aTHX_ PL_no_modify);
4437         }
4438     }
4439     if (SvMAGICAL(sv) || (how == PERL_MAGIC_taint && SvTYPE(sv) >= SVt_PVMG)) {
4440         if (SvMAGIC(sv) && (mg = mg_find(sv, how))) {
4441             /* sv_magic() refuses to add a magic of the same 'how' as an
4442                existing one
4443              */
4444             if (how == PERL_MAGIC_taint) {
4445                 mg->mg_len |= 1;
4446                 /* Any scalar which already had taint magic on which someone
4447                    (erroneously?) did SvIOK_on() or similar will now be
4448                    incorrectly sporting public "OK" flags.  */
4449                 SvFLAGS(sv) &= ~(SVf_IOK|SVf_NOK|SVf_POK);
4450             }
4451             return;
4452         }
4453     }
4454
4455     switch (how) {
4456     case PERL_MAGIC_sv:
4457         vtable = &PL_vtbl_sv;
4458         break;
4459     case PERL_MAGIC_overload:
4460         vtable = &PL_vtbl_amagic;
4461         break;
4462     case PERL_MAGIC_overload_elem:
4463         vtable = &PL_vtbl_amagicelem;
4464         break;
4465     case PERL_MAGIC_overload_table:
4466         vtable = &PL_vtbl_ovrld;
4467         break;
4468     case PERL_MAGIC_bm:
4469         vtable = &PL_vtbl_bm;
4470         break;
4471     case PERL_MAGIC_regdata:
4472         vtable = &PL_vtbl_regdata;
4473         break;
4474     case PERL_MAGIC_regdatum:
4475         vtable = &PL_vtbl_regdatum;
4476         break;
4477     case PERL_MAGIC_env:
4478         vtable = &PL_vtbl_env;
4479         break;
4480     case PERL_MAGIC_fm:
4481         vtable = &PL_vtbl_fm;
4482         break;
4483     case PERL_MAGIC_envelem:
4484         vtable = &PL_vtbl_envelem;
4485         break;
4486     case PERL_MAGIC_regex_global:
4487         vtable = &PL_vtbl_mglob;
4488         break;
4489     case PERL_MAGIC_isa:
4490         vtable = &PL_vtbl_isa;
4491         break;
4492     case PERL_MAGIC_isaelem:
4493         vtable = &PL_vtbl_isaelem;
4494         break;
4495     case PERL_MAGIC_nkeys:
4496         vtable = &PL_vtbl_nkeys;
4497         break;
4498     case PERL_MAGIC_dbfile:
4499         vtable = NULL;
4500         break;
4501     case PERL_MAGIC_dbline:
4502         vtable = &PL_vtbl_dbline;
4503         break;
4504 #ifdef USE_LOCALE_COLLATE
4505     case PERL_MAGIC_collxfrm:
4506         vtable = &PL_vtbl_collxfrm;
4507         break;
4508 #endif /* USE_LOCALE_COLLATE */
4509     case PERL_MAGIC_tied:
4510         vtable = &PL_vtbl_pack;
4511         break;
4512     case PERL_MAGIC_tiedelem:
4513     case PERL_MAGIC_tiedscalar:
4514         vtable = &PL_vtbl_packelem;
4515         break;
4516     case PERL_MAGIC_qr:
4517         vtable = &PL_vtbl_regexp;
4518         break;
4519     case PERL_MAGIC_hints:
4520         /* As this vtable is all NULL, we can reuse it.  */
4521     case PERL_MAGIC_sig:
4522         vtable = &PL_vtbl_sig;
4523         break;
4524     case PERL_MAGIC_sigelem:
4525         vtable = &PL_vtbl_sigelem;
4526         break;
4527     case PERL_MAGIC_taint:
4528         vtable = &PL_vtbl_taint;
4529         break;
4530     case PERL_MAGIC_uvar:
4531         vtable = &PL_vtbl_uvar;
4532         break;
4533     case PERL_MAGIC_vec:
4534         vtable = &PL_vtbl_vec;
4535         break;
4536     case PERL_MAGIC_arylen_p:
4537     case PERL_MAGIC_rhash:
4538     case PERL_MAGIC_symtab:
4539     case PERL_MAGIC_vstring:
4540         vtable = NULL;
4541         break;
4542     case PERL_MAGIC_utf8:
4543         vtable = &PL_vtbl_utf8;
4544         break;
4545     case PERL_MAGIC_substr:
4546         vtable = &PL_vtbl_substr;
4547         break;
4548     case PERL_MAGIC_defelem:
4549         vtable = &PL_vtbl_defelem;
4550         break;
4551     case PERL_MAGIC_arylen:
4552         vtable = &PL_vtbl_arylen;
4553         break;
4554     case PERL_MAGIC_pos:
4555         vtable = &PL_vtbl_pos;
4556         break;
4557     case PERL_MAGIC_backref:
4558         vtable = &PL_vtbl_backref;
4559         break;
4560     case PERL_MAGIC_hintselem:
4561         vtable = &PL_vtbl_hintselem;
4562         break;
4563     case PERL_MAGIC_ext:
4564         /* Reserved for use by extensions not perl internals.           */
4565         /* Useful for attaching extension internal data to perl vars.   */
4566         /* Note that multiple extensions may clash if magical scalars   */
4567         /* etc holding private data from one are passed to another.     */
4568         vtable = NULL;
4569         break;
4570     default:
4571         Perl_croak(aTHX_ "Don't know how to handle magic of type \\%o", how);
4572     }
4573
4574     /* Rest of work is done else where */
4575     mg = sv_magicext(sv,obj,how,vtable,name,namlen);
4576
4577     switch (how) {
4578     case PERL_MAGIC_taint:
4579         mg->mg_len = 1;
4580         break;
4581     case PERL_MAGIC_ext:
4582     case PERL_MAGIC_dbfile:
4583         SvRMAGICAL_on(sv);
4584         break;
4585     }
4586 }
4587
4588 /*
4589 =for apidoc sv_unmagic
4590
4591 Removes all magic of type C<type> from an SV.
4592
4593 =cut
4594 */
4595
4596 int
4597 Perl_sv_unmagic(pTHX_ SV *sv, int type)
4598 {
4599     MAGIC* mg;
4600     MAGIC** mgp;
4601     if (SvTYPE(sv) < SVt_PVMG || !SvMAGIC(sv))
4602         return 0;
4603     mgp = &(((XPVMG*) SvANY(sv))->xmg_u.xmg_magic);
4604     for (mg = *mgp; mg; mg = *mgp) {
4605         if (mg->mg_type == type) {
4606             const MGVTBL* const vtbl = mg->mg_virtual;
4607             *mgp = mg->mg_moremagic;
4608             if (vtbl && vtbl->svt_free)
4609                 CALL_FPTR(vtbl->svt_free)(aTHX_ sv, mg);
4610             if (mg->mg_ptr && mg->mg_type != PERL_MAGIC_regex_global) {
4611                 if (mg->mg_len > 0)
4612                     Safefree(mg->mg_ptr);
4613                 else if (mg->mg_len == HEf_SVKEY)
4614                     SvREFCNT_dec((SV*)mg->mg_ptr);
4615                 else if (mg->mg_type == PERL_MAGIC_utf8)
4616                     Safefree(mg->mg_ptr);
4617             }
4618             if (mg->mg_flags & MGf_REFCOUNTED)
4619                 SvREFCNT_dec(mg->mg_obj);
4620             Safefree(mg);
4621         }
4622         else
4623             mgp = &mg->mg_moremagic;
4624     }
4625     if (!SvMAGIC(sv)) {
4626         SvMAGICAL_off(sv);
4627         SvFLAGS(sv) |= (SvFLAGS(sv) & (SVp_IOK|SVp_NOK|SVp_POK)) >> PRIVSHIFT;
4628         SvMAGIC_set(sv, NULL);
4629     }
4630
4631     return 0;
4632 }
4633
4634 /*
4635 =for apidoc sv_rvweaken
4636
4637 Weaken a reference: set the C<SvWEAKREF> flag on this RV; give the
4638 referred-to SV C<PERL_MAGIC_backref> magic if it hasn't already; and
4639 push a back-reference to this RV onto the array of backreferences
4640 associated with that magic.
4641
4642 =cut
4643 */
4644
4645 SV *
4646 Perl_sv_rvweaken(pTHX_ SV *sv)
4647 {
4648     SV *tsv;
4649     if (!SvOK(sv))  /* let undefs pass */
4650         return sv;
4651     if (!SvROK(sv))
4652         Perl_croak(aTHX_ "Can't weaken a nonreference");
4653     else if (SvWEAKREF(sv)) {
4654         if (ckWARN(WARN_MISC))
4655             Perl_warner(aTHX_ packWARN(WARN_MISC), "Reference is already weak");
4656         return sv;
4657     }
4658     tsv = SvRV(sv);
4659     Perl_sv_add_backref(aTHX_ tsv, sv);
4660     SvWEAKREF_on(sv);
4661     SvREFCNT_dec(tsv);
4662     return sv;
4663 }
4664
4665 /* Give tsv backref magic if it hasn't already got it, then push a
4666  * back-reference to sv onto the array associated with the backref magic.
4667  */
4668
4669 void
4670 Perl_sv_add_backref(pTHX_ SV *tsv, SV *sv)
4671 {
4672     dVAR;
4673     AV *av;
4674
4675     if (SvTYPE(tsv) == SVt_PVHV) {
4676         AV **const avp = Perl_hv_backreferences_p(aTHX_ (HV*)tsv);
4677
4678         av = *avp;
4679         if (!av) {
4680             /* There is no AV in the offical place - try a fixup.  */
4681             MAGIC *const mg = mg_find(tsv, PERL_MAGIC_backref);
4682
4683             if (mg) {
4684                 /* Aha. They've got it stowed in magic.  Bring it back.  */
4685                 av = (AV*)mg->mg_obj;
4686                 /* Stop mg_free decreasing the refernce count.  */
4687                 mg->mg_obj = NULL;
4688                 /* Stop mg_free even calling the destructor, given that
4689                    there's no AV to free up.  */
4690                 mg->mg_virtual = 0;
4691                 sv_unmagic(tsv, PERL_MAGIC_backref);
4692             } else {
4693                 av = newAV();
4694                 AvREAL_off(av);
4695                 SvREFCNT_inc_simple_void(av);
4696             }
4697             *avp = av;
4698         }
4699     } else {
4700         const MAGIC *const mg
4701             = SvMAGICAL(tsv) ? mg_find(tsv, PERL_MAGIC_backref) : NULL;
4702         if (mg)
4703             av = (AV*)mg->mg_obj;
4704         else {
4705             av = newAV();
4706             AvREAL_off(av);
4707             sv_magic(tsv, (SV*)av, PERL_MAGIC_backref, NULL, 0);
4708             /* av now has a refcnt of 2, which avoids it getting freed
4709              * before us during global cleanup. The extra ref is removed
4710              * by magic_killbackrefs() when tsv is being freed */
4711         }
4712     }
4713     if (AvFILLp(av) >= AvMAX(av)) {
4714         av_extend(av, AvFILLp(av)+1);
4715     }
4716     AvARRAY(av)[++AvFILLp(av)] = sv; /* av_push() */
4717 }
4718
4719 /* delete a back-reference to ourselves from the backref magic associated
4720  * with the SV we point to.
4721  */
4722
4723 STATIC void
4724 S_sv_del_backref(pTHX_ SV *tsv, SV *sv)
4725 {
4726     dVAR;
4727     AV *av = NULL;
4728     SV **svp;
4729     I32 i;
4730
4731     if (SvTYPE(tsv) == SVt_PVHV && SvOOK(tsv)) {
4732         av = *Perl_hv_backreferences_p(aTHX_ (HV*)tsv);
4733         /* We mustn't attempt to "fix up" the hash here by moving the
4734            backreference array back to the hv_aux structure, as that is stored
4735            in the main HvARRAY(), and hfreentries assumes that no-one
4736            reallocates HvARRAY() while it is running.  */
4737     }
4738     if (!av) {
4739         const MAGIC *const mg
4740             = SvMAGICAL(tsv) ? mg_find(tsv, PERL_MAGIC_backref) : NULL;
4741         if (mg)
4742             av = (AV *)mg->mg_obj;
4743     }
4744     if (!av) {
4745         if (PL_in_clean_all)
4746             return;
4747         Perl_croak(aTHX_ "panic: del_backref");
4748     }
4749
4750     if (SvIS_FREED(av))
4751         return;
4752
4753     svp = AvARRAY(av);
4754     /* We shouldn't be in here more than once, but for paranoia reasons lets
4755        not assume this.  */
4756     for (i = AvFILLp(av); i >= 0; i--) {
4757         if (svp[i] == sv) {
4758             const SSize_t fill = AvFILLp(av);
4759             if (i != fill) {
4760                 /* We weren't the last entry.
4761                    An unordered list has this property that you can take the
4762                    last element off the end to fill the hole, and it's still
4763                    an unordered list :-)
4764                 */
4765                 svp[i] = svp[fill];
4766             }
4767             svp[fill] = NULL;
4768             AvFILLp(av) = fill - 1;
4769         }
4770     }
4771 }
4772
4773 int
4774 Perl_sv_kill_backrefs(pTHX_ SV *sv, AV *av)
4775 {
4776     SV **svp = AvARRAY(av);
4777
4778     PERL_UNUSED_ARG(sv);
4779
4780     /* Not sure why the av can get freed ahead of its sv, but somehow it does
4781        in ext/B/t/bytecode.t test 15 (involving print <DATA>)  */
4782     if (svp && !SvIS_FREED(av)) {
4783         SV *const *const last = svp + AvFILLp(av);
4784
4785         while (svp <= last) {
4786             if (*svp) {
4787                 SV *const referrer = *svp;
4788                 if (SvWEAKREF(referrer)) {
4789                     /* XXX Should we check that it hasn't changed? */
4790                     SvRV_set(referrer, 0);
4791                     SvOK_off(referrer);
4792                     SvWEAKREF_off(referrer);
4793                 } else if (SvTYPE(referrer) == SVt_PVGV ||
4794                            SvTYPE(referrer) == SVt_PVLV) {
4795                     /* You lookin' at me?  */
4796                     assert(GvSTASH(referrer));
4797                     assert(GvSTASH(referrer) == (HV*)sv);
4798                     GvSTASH(referrer) = 0;
4799                 } else {
4800                     Perl_croak(aTHX_
4801                                "panic: magic_killbackrefs (flags=%"UVxf")",
4802                                (UV)SvFLAGS(referrer));
4803                 }
4804
4805                 *svp = NULL;
4806             }
4807             svp++;
4808         }
4809     }
4810     SvREFCNT_dec(av); /* remove extra count added by sv_add_backref() */
4811     return 0;
4812 }
4813
4814 /*
4815 =for apidoc sv_insert
4816
4817 Inserts a string at the specified offset/length within the SV. Similar to
4818 the Perl substr() function.
4819
4820 =cut
4821 */
4822
4823 void
4824 Perl_sv_insert(pTHX_ SV *bigstr, STRLEN offset, STRLEN len, const char *little, STRLEN littlelen)
4825 {
4826     dVAR;
4827     register char *big;
4828     register char *mid;
4829     register char *midend;
4830     register char *bigend;
4831     register I32 i;
4832     STRLEN curlen;
4833
4834
4835     if (!bigstr)
4836         Perl_croak(aTHX_ "Can't modify non-existent substring");
4837     SvPV_force(bigstr, curlen);
4838     (void)SvPOK_only_UTF8(bigstr);
4839     if (offset + len > curlen) {
4840         SvGROW(bigstr, offset+len+1);
4841         Zero(SvPVX(bigstr)+curlen, offset+len-curlen, char);
4842         SvCUR_set(bigstr, offset+len);
4843     }
4844
4845     SvTAINT(bigstr);
4846     i = littlelen - len;
4847     if (i > 0) {                        /* string might grow */
4848         big = SvGROW(bigstr, SvCUR(bigstr) + i + 1);
4849         mid = big + offset + len;
4850         midend = bigend = big + SvCUR(bigstr);
4851         bigend += i;
4852         *bigend = '\0';
4853         while (midend > mid)            /* shove everything down */
4854             *--bigend = *--midend;
4855         Move(little,big+offset,littlelen,char);
4856         SvCUR_set(bigstr, SvCUR(bigstr) + i);
4857         SvSETMAGIC(bigstr);
4858         return;
4859     }
4860     else if (i == 0) {
4861         Move(little,SvPVX(bigstr)+offset,len,char);
4862         SvSETMAGIC(bigstr);
4863         return;
4864     }
4865
4866     big = SvPVX(bigstr);
4867     mid = big + offset;
4868     midend = mid + len;
4869     bigend = big + SvCUR(bigstr);
4870
4871     if (midend > bigend)
4872         Perl_croak(aTHX_ "panic: sv_insert");
4873
4874     if (mid - big > bigend - midend) {  /* faster to shorten from end */
4875         if (littlelen) {
4876             Move(little, mid, littlelen,char);
4877             mid += littlelen;
4878         }
4879         i = bigend - midend;
4880         if (i > 0) {
4881             Move(midend, mid, i,char);
4882             mid += i;
4883         }
4884         *mid = '\0';
4885         SvCUR_set(bigstr, mid - big);
4886     }
4887     else if ((i = mid - big)) { /* faster from front */
4888         midend -= littlelen;
4889         mid = midend;
4890         sv_chop(bigstr,midend-i);
4891         big += i;
4892         while (i--)
4893             *--midend = *--big;
4894         if (littlelen)
4895             Move(little, mid, littlelen,char);
4896     }
4897     else if (littlelen) {
4898         midend -= littlelen;
4899         sv_chop(bigstr,midend);
4900         Move(little,midend,littlelen,char);
4901     }
4902     else {
4903         sv_chop(bigstr,midend);
4904     }
4905     SvSETMAGIC(bigstr);
4906 }
4907
4908 /*
4909 =for apidoc sv_replace
4910
4911 Make the first argument a copy of the second, then delete the original.
4912 The target SV physically takes over ownership of the body of the source SV
4913 and inherits its flags; however, the target keeps any magic it owns,
4914 and any magic in the source is discarded.
4915 Note that this is a rather specialist SV copying operation; most of the
4916 time you'll want to use C<sv_setsv> or one of its many macro front-ends.
4917
4918 =cut
4919 */
4920
4921 void
4922 Perl_sv_replace(pTHX_ register SV *sv, register SV *nsv)
4923 {
4924     dVAR;
4925     const U32 refcnt = SvREFCNT(sv);
4926     SV_CHECK_THINKFIRST_COW_DROP(sv);
4927     if (SvREFCNT(nsv) != 1) {
4928         Perl_croak(aTHX_ "panic: reference miscount on nsv in sv_replace() (%"
4929                    UVuf " != 1)", (UV) SvREFCNT(nsv));
4930     }
4931     if (SvMAGICAL(sv)) {
4932         if (SvMAGICAL(nsv))
4933             mg_free(nsv);
4934         else
4935             sv_upgrade(nsv, SVt_PVMG);
4936         SvMAGIC_set(nsv, SvMAGIC(sv));
4937         SvFLAGS(nsv) |= SvMAGICAL(sv);
4938         SvMAGICAL_off(sv);
4939         SvMAGIC_set(sv, NULL);
4940     }
4941     SvREFCNT(sv) = 0;
4942     sv_clear(sv);
4943     assert(!SvREFCNT(sv));
4944 #ifdef DEBUG_LEAKING_SCALARS
4945     sv->sv_flags  = nsv->sv_flags;
4946     sv->sv_any    = nsv->sv_any;
4947     sv->sv_refcnt = nsv->sv_refcnt;
4948     sv->sv_u      = nsv->sv_u;
4949 #else
4950     StructCopy(nsv,sv,SV);
4951 #endif
4952     /* Currently could join these into one piece of pointer arithmetic, but
4953        it would be unclear.  */
4954     if(SvTYPE(sv) == SVt_IV)
4955         SvANY(sv)
4956             = (XPVIV*)((char*)&(sv->sv_u.svu_iv) - STRUCT_OFFSET(XPVIV, xiv_iv));
4957     else if (SvTYPE(sv) == SVt_RV) {
4958         SvANY(sv) = &sv->sv_u.svu_rv;
4959     }
4960         
4961
4962 #ifdef PERL_OLD_COPY_ON_WRITE
4963     if (SvIsCOW_normal(nsv)) {
4964         /* We need to follow the pointers around the loop to make the
4965            previous SV point to sv, rather than nsv.  */
4966         SV *next;
4967         SV *current = nsv;
4968         while ((next = SV_COW_NEXT_SV(current)) != nsv) {
4969             assert(next);
4970             current = next;
4971             assert(SvPVX_const(current) == SvPVX_const(nsv));
4972         }
4973         /* Make the SV before us point to the SV after us.  */
4974         if (DEBUG_C_TEST) {
4975             PerlIO_printf(Perl_debug_log, "previous is\n");
4976             sv_dump(current);
4977             PerlIO_printf(Perl_debug_log,
4978                           "move it from 0x%"UVxf" to 0x%"UVxf"\n",
4979                           (UV) SV_COW_NEXT_SV(current), (UV) sv);
4980         }
4981         SV_COW_NEXT_SV_SET(current, sv);
4982     }
4983 #endif
4984     SvREFCNT(sv) = refcnt;
4985     SvFLAGS(nsv) |= SVTYPEMASK;         /* Mark as freed */
4986     SvREFCNT(nsv) = 0;
4987     del_SV(nsv);
4988 }
4989
4990 /*
4991 =for apidoc sv_clear
4992
4993 Clear an SV: call any destructors, free up any memory used by the body,
4994 and free the body itself. The SV's head is I<not> freed, although
4995 its type is set to all 1's so that it won't inadvertently be assumed
4996 to be live during global destruction etc.
4997 This function should only be called when REFCNT is zero. Most of the time
4998 you'll want to call C<sv_free()> (or its macro wrapper C<SvREFCNT_dec>)
4999 instead.
5000
5001 =cut
5002 */
5003
5004 void
5005 Perl_sv_clear(pTHX_ register SV *sv)
5006 {
5007     dVAR;
5008     const U32 type = SvTYPE(sv);
5009     const struct body_details *const sv_type_details
5010         = bodies_by_type + type;
5011
5012     assert(sv);
5013     assert(SvREFCNT(sv) == 0);
5014
5015     if (type <= SVt_IV) {
5016         /* See the comment in sv.h about the collusion between this early
5017            return and the overloading of the NULL and IV slots in the size
5018            table.  */
5019         return;
5020     }
5021
5022     if (SvOBJECT(sv)) {
5023         if (PL_defstash) {              /* Still have a symbol table? */
5024             dSP;
5025             HV* stash;
5026             do {        
5027                 CV* destructor;
5028                 stash = SvSTASH(sv);
5029                 destructor = StashHANDLER(stash,DESTROY);
5030                 if (destructor) {
5031                     SV* const tmpref = newRV(sv);
5032                     SvREADONLY_on(tmpref);   /* DESTROY() could be naughty */
5033                     ENTER;
5034                     PUSHSTACKi(PERLSI_DESTROY);
5035                     EXTEND(SP, 2);
5036                     PUSHMARK(SP);
5037                     PUSHs(tmpref);
5038                     PUTBACK;
5039                     call_sv((SV*)destructor, G_DISCARD|G_EVAL|G_KEEPERR|G_VOID);
5040                 
5041                 
5042                     POPSTACK;
5043                     SPAGAIN;
5044                     LEAVE;
5045                     if(SvREFCNT(tmpref) < 2) {
5046                         /* tmpref is not kept alive! */
5047                         SvREFCNT(sv)--;
5048                         SvRV_set(tmpref, NULL);
5049                         SvROK_off(tmpref);
5050                     }
5051                     SvREFCNT_dec(tmpref);
5052                 }
5053             } while (SvOBJECT(sv) && SvSTASH(sv) != stash);
5054
5055
5056             if (SvREFCNT(sv)) {
5057                 if (PL_in_clean_objs)
5058                     Perl_croak(aTHX_ "DESTROY created new reference to dead object '%s'",
5059                           HvNAME_get(stash));
5060                 /* DESTROY gave object new lease on life */
5061                 return;
5062             }
5063         }
5064
5065         if (SvOBJECT(sv)) {
5066             SvREFCNT_dec(SvSTASH(sv));  /* possibly of changed persuasion */
5067             SvOBJECT_off(sv);   /* Curse the object. */
5068             if (type != SVt_PVIO)
5069                 --PL_sv_objcount;       /* XXX Might want something more general */
5070         }
5071     }
5072     if (type >= SVt_PVMG) {
5073         HV *ourstash;
5074         if ((type == SVt_PVMG || type == SVt_PVGV) &&
5075             (ourstash = OURSTASH(sv))) {
5076             SvREFCNT_dec(ourstash);
5077         } else if (SvMAGIC(sv))
5078             mg_free(sv);
5079         if (type == SVt_PVMG && SvPAD_TYPED(sv))
5080             SvREFCNT_dec(SvSTASH(sv));
5081     }
5082     switch (type) {
5083     case SVt_PVIO:
5084         if (IoIFP(sv) &&
5085             IoIFP(sv) != PerlIO_stdin() &&
5086             IoIFP(sv) != PerlIO_stdout() &&
5087             IoIFP(sv) != PerlIO_stderr())
5088         {
5089             io_close((IO*)sv, FALSE);
5090         }
5091         if (IoDIRP(sv) && !(IoFLAGS(sv) & IOf_FAKE_DIRP))
5092             PerlDir_close(IoDIRP(sv));
5093         IoDIRP(sv) = (DIR*)NULL;
5094         Safefree(IoTOP_NAME(sv));
5095         Safefree(IoFMT_NAME(sv));
5096         Safefree(IoBOTTOM_NAME(sv));
5097         goto freescalar;
5098     case SVt_PVBM:
5099         goto freescalar;
5100     case SVt_PVCV:
5101     case SVt_PVFM:
5102         cv_undef((CV*)sv);
5103         goto freescalar;
5104     case SVt_PVHV:
5105         Perl_hv_kill_backrefs(aTHX_ (HV*)sv);
5106         hv_undef((HV*)sv);
5107         break;
5108     case SVt_PVAV:
5109         av_undef((AV*)sv);
5110         break;
5111     case SVt_PVLV:
5112         if (LvTYPE(sv) == 'T') { /* for tie: return HE to pool */
5113             SvREFCNT_dec(HeKEY_sv((HE*)LvTARG(sv)));
5114             HeNEXT((HE*)LvTARG(sv)) = PL_hv_fetch_ent_mh;
5115             PL_hv_fetch_ent_mh = (HE*)LvTARG(sv);
5116         }
5117         else if (LvTYPE(sv) != 't') /* unless tie: unrefcnted fake SV**  */
5118             SvREFCNT_dec(LvTARG(sv));
5119         goto freescalar;
5120     case SVt_PVGV:
5121         gp_free((GV*)sv);
5122         if (GvNAME_HEK(sv)) {
5123             unshare_hek(GvNAME_HEK(sv));
5124         }
5125         /* If we're in a stash, we don't own a reference to it. However it does
5126            have a back reference to us, which needs to be cleared.  */
5127         if (GvSTASH(sv))
5128             sv_del_backref((SV*)GvSTASH(sv), sv);
5129     case SVt_PVMG:
5130     case SVt_PVNV:
5131     case SVt_PVIV:
5132       freescalar:
5133         /* Don't bother with SvOOK_off(sv); as we're only going to free it.  */
5134         if (SvOOK(sv)) {
5135             SvPV_set(sv, SvPVX_mutable(sv) - SvIVX(sv));
5136             /* Don't even bother with turning off the OOK flag.  */
5137         }
5138     case SVt_PV:
5139     case SVt_RV:
5140         if (SvROK(sv)) {
5141             SV * const target = SvRV(sv);
5142             if (SvWEAKREF(sv))
5143                 sv_del_backref(target, sv);
5144             else
5145                 SvREFCNT_dec(target);
5146         }
5147 #ifdef PERL_OLD_COPY_ON_WRITE
5148         else if (SvPVX_const(sv)) {
5149             if (SvIsCOW(sv)) {
5150                 /* I believe I need to grab the global SV mutex here and
5151                    then recheck the COW status.  */
5152                 if (DEBUG_C_TEST) {
5153                     PerlIO_printf(Perl_debug_log, "Copy on write: clear\n");
5154                     sv_dump(sv);
5155                 }
5156                 sv_release_COW(sv, SvPVX_const(sv), SvLEN(sv),
5157                                SV_COW_NEXT_SV(sv));
5158                 /* And drop it here.  */
5159                 SvFAKE_off(sv);
5160             } else if (SvLEN(sv)) {
5161                 Safefree(SvPVX_const(sv));
5162             }
5163         }
5164 #else
5165         else if (SvPVX_const(sv) && SvLEN(sv))
5166             Safefree(SvPVX_mutable(sv));
5167         else if (SvPVX_const(sv) && SvREADONLY(sv) && SvFAKE(sv)) {
5168             unshare_hek(SvSHARED_HEK_FROM_PV(SvPVX_const(sv)));
5169             SvFAKE_off(sv);
5170         }
5171 #endif
5172         break;
5173     case SVt_NV:
5174         break;
5175     }
5176
5177     SvFLAGS(sv) &= SVf_BREAK;
5178     SvFLAGS(sv) |= SVTYPEMASK;
5179
5180     if (sv_type_details->arena) {
5181         del_body(((char *)SvANY(sv) + sv_type_details->offset),
5182                  &PL_body_roots[type]);
5183     }
5184     else if (sv_type_details->body_size) {
5185         my_safefree(SvANY(sv));
5186     }
5187 }
5188
5189 /*
5190 =for apidoc sv_newref
5191
5192 Increment an SV's reference count. Use the C<SvREFCNT_inc()> wrapper
5193 instead.
5194
5195 =cut
5196 */
5197
5198 SV *
5199 Perl_sv_newref(pTHX_ SV *sv)
5200 {
5201     PERL_UNUSED_CONTEXT;
5202     if (sv)
5203         (SvREFCNT(sv))++;
5204     return sv;
5205 }
5206
5207 /*
5208 =for apidoc sv_free
5209
5210 Decrement an SV's reference count, and if it drops to zero, call
5211 C<sv_clear> to invoke destructors and free up any memory used by
5212 the body; finally, deallocate the SV's head itself.
5213 Normally called via a wrapper macro C<SvREFCNT_dec>.
5214
5215 =cut
5216 */
5217
5218 void
5219 Perl_sv_free(pTHX_ SV *sv)
5220 {
5221     dVAR;
5222     if (!sv)
5223         return;
5224     if (SvREFCNT(sv) == 0) {
5225         if (SvFLAGS(sv) & SVf_BREAK)
5226             /* this SV's refcnt has been artificially decremented to
5227              * trigger cleanup */
5228             return;
5229         if (PL_in_clean_all) /* All is fair */
5230             return;
5231         if (SvREADONLY(sv) && SvIMMORTAL(sv)) {
5232             /* make sure SvREFCNT(sv)==0 happens very seldom */
5233             SvREFCNT(sv) = (~(U32)0)/2;
5234             return;
5235         }
5236         if (ckWARN_d(WARN_INTERNAL)) {
5237             Perl_warner(aTHX_ packWARN(WARN_INTERNAL),
5238                         "Attempt to free unreferenced scalar: SV 0x%"UVxf
5239                         pTHX__FORMAT, PTR2UV(sv) pTHX__VALUE);
5240 #ifdef DEBUG_LEAKING_SCALARS_FORK_DUMP
5241             Perl_dump_sv_child(aTHX_ sv);
5242 #endif
5243         }
5244         return;
5245     }
5246     if (--(SvREFCNT(sv)) > 0)
5247         return;
5248     Perl_sv_free2(aTHX_ sv);
5249 }
5250
5251 void
5252 Perl_sv_free2(pTHX_ SV *sv)
5253 {
5254     dVAR;
5255 #ifdef DEBUGGING
5256     if (SvTEMP(sv)) {
5257         if (ckWARN_d(WARN_DEBUGGING))
5258             Perl_warner(aTHX_ packWARN(WARN_DEBUGGING),
5259                         "Attempt to free temp prematurely: SV 0x%"UVxf
5260                         pTHX__FORMAT, PTR2UV(sv) pTHX__VALUE);
5261         return;
5262     }
5263 #endif
5264     if (SvREADONLY(sv) && SvIMMORTAL(sv)) {
5265         /* make sure SvREFCNT(sv)==0 happens very seldom */
5266         SvREFCNT(sv) = (~(U32)0)/2;
5267         return;
5268     }
5269     sv_clear(sv);
5270     if (! SvREFCNT(sv))
5271         del_SV(sv);
5272 }
5273
5274 /*
5275 =for apidoc sv_len
5276
5277 Returns the length of the string in the SV. Handles magic and type
5278 coercion.  See also C<SvCUR>, which gives raw access to the xpv_cur slot.
5279
5280 =cut
5281 */
5282
5283 STRLEN
5284 Perl_sv_len(pTHX_ register SV *sv)
5285 {
5286     STRLEN len;
5287
5288     if (!sv)
5289         return 0;
5290
5291     if (SvGMAGICAL(sv))
5292         len = mg_length(sv);
5293     else
5294         (void)SvPV_const(sv, len);
5295     return len;
5296 }
5297
5298 /*
5299 =for apidoc sv_len_utf8
5300
5301 Returns the number of characters in the string in an SV, counting wide
5302 UTF-8 bytes as a single character. Handles magic and type coercion.
5303
5304 =cut
5305 */
5306
5307 /*
5308  * The length is cached in PERL_UTF8_magic, in the mg_len field.  Also the
5309  * mg_ptr is used, by sv_pos_u2b() and sv_pos_b2u() - see the comments below.
5310  * (Note that the mg_len is not the length of the mg_ptr field.
5311  * This allows the cache to store the character length of the string without
5312  * needing to malloc() extra storage to attach to the mg_ptr.)
5313  *
5314  */
5315
5316 STRLEN
5317 Perl_sv_len_utf8(pTHX_ register SV *sv)
5318 {
5319     if (!sv)
5320         return 0;
5321
5322     if (SvGMAGICAL(sv))
5323         return mg_length(sv);
5324     else
5325     {
5326         STRLEN len;
5327         const U8 *s = (U8*)SvPV_const(sv, len);
5328
5329         if (PL_utf8cache) {
5330             STRLEN ulen;
5331             MAGIC *mg = SvMAGICAL(sv) ? mg_find(sv, PERL_MAGIC_utf8) : 0;
5332
5333             if (mg && mg->mg_len != -1) {
5334                 ulen = mg->mg_len;
5335                 if (PL_utf8cache < 0) {
5336                     const STRLEN real = Perl_utf8_length(aTHX_ s, s + len);
5337                     if (real != ulen) {
5338                         /* Need to turn the assertions off otherwise we may
5339                            recurse infinitely while printing error messages.
5340                         */
5341                         SAVEI8(PL_utf8cache);
5342                         PL_utf8cache = 0;
5343                         Perl_croak(aTHX_ "panic: sv_len_utf8 cache %"UVf
5344                                    " real %"UVf" for %"SVf,
5345                                    (UV) ulen, (UV) real, sv);
5346                     }
5347                 }
5348             }
5349             else {
5350                 ulen = Perl_utf8_length(aTHX_ s, s + len);
5351                 if (!SvREADONLY(sv)) {
5352                     if (!mg) {
5353                         mg = sv_magicext(sv, 0, PERL_MAGIC_utf8,
5354                                          &PL_vtbl_utf8, 0, 0);
5355                     }
5356                     assert(mg);
5357                     mg->mg_len = ulen;
5358                 }
5359             }
5360             return ulen;
5361         }
5362         return Perl_utf8_length(aTHX_ s, s + len);
5363     }
5364 }
5365
5366 /* Walk forwards to find the byte corresponding to the passed in UTF-8
5367    offset.  */
5368 static STRLEN
5369 S_sv_pos_u2b_forwards(const U8 *const start, const U8 *const send,
5370                       STRLEN uoffset)
5371 {
5372     const U8 *s = start;
5373
5374     while (s < send && uoffset--)
5375         s += UTF8SKIP(s);
5376     if (s > send) {
5377         /* This is the existing behaviour. Possibly it should be a croak, as
5378            it's actually a bounds error  */
5379         s = send;
5380     }
5381     return s - start;
5382 }
5383
5384 /* Given the length of the string in both bytes and UTF-8 characters, decide
5385    whether to walk forwards or backwards to find the byte corresponding to
5386    the passed in UTF-8 offset.  */
5387 static STRLEN
5388 S_sv_pos_u2b_midway(const U8 *const start, const U8 *send,
5389                       STRLEN uoffset, STRLEN uend)
5390 {
5391     STRLEN backw = uend - uoffset;
5392     if (uoffset < 2 * backw) {
5393         /* The assumption is that going forwards is twice the speed of going
5394            forward (that's where the 2 * backw comes from).
5395            (The real figure of course depends on the UTF-8 data.)  */
5396         return sv_pos_u2b_forwards(start, send, uoffset);
5397     }
5398
5399     while (backw--) {
5400         send--;
5401         while (UTF8_IS_CONTINUATION(*send))
5402             send--;
5403     }
5404     return send - start;
5405 }
5406
5407 /* For the string representation of the given scalar, find the byte
5408    corresponding to the passed in UTF-8 offset.  uoffset0 and boffset0
5409    give another position in the string, *before* the sought offset, which
5410    (which is always true, as 0, 0 is a valid pair of positions), which should
5411    help reduce the amount of linear searching.
5412    If *mgp is non-NULL, it should point to the UTF-8 cache magic, which
5413    will be used to reduce the amount of linear searching. The cache will be
5414    created if necessary, and the found value offered to it for update.  */
5415 static STRLEN
5416 S_sv_pos_u2b_cached(pTHX_ SV *sv, MAGIC **mgp, const U8 *const start,
5417                     const U8 *const send, STRLEN uoffset,
5418                     STRLEN uoffset0, STRLEN boffset0) {
5419     STRLEN boffset = 0; /* Actually always set, but let's keep gcc happy.  */
5420     bool found = FALSE;
5421
5422     assert (uoffset >= uoffset0);
5423
5424     if (SvMAGICAL(sv) && !SvREADONLY(sv) && PL_utf8cache
5425         && (*mgp || (*mgp = mg_find(sv, PERL_MAGIC_utf8)))) {
5426         if ((*mgp)->mg_ptr) {
5427             STRLEN *cache = (STRLEN *) (*mgp)->mg_ptr;
5428             if (cache[0] == uoffset) {
5429                 /* An exact match. */
5430                 return cache[1];
5431             }
5432             if (cache[2] == uoffset) {
5433                 /* An exact match. */
5434                 return cache[3];
5435             }
5436
5437             if (cache[0] < uoffset) {
5438                 /* The cache already knows part of the way.   */
5439                 if (cache[0] > uoffset0) {
5440                     /* The cache knows more than the passed in pair  */
5441                     uoffset0 = cache[0];
5442                     boffset0 = cache[1];
5443                 }
5444                 if ((*mgp)->mg_len != -1) {
5445                     /* And we know the end too.  */
5446                     boffset = boffset0
5447                         + sv_pos_u2b_midway(start + boffset0, send,
5448                                               uoffset - uoffset0,
5449                                               (*mgp)->mg_len - uoffset0);
5450                 } else {
5451                     boffset = boffset0
5452                         + sv_pos_u2b_forwards(start + boffset0,
5453                                                 send, uoffset - uoffset0);
5454                 }
5455             }
5456             else if (cache[2] < uoffset) {
5457                 /* We're between the two cache entries.  */
5458                 if (cache[2] > uoffset0) {
5459                     /* and the cache knows more than the passed in pair  */
5460                     uoffset0 = cache[2];
5461                     boffset0 = cache[3];
5462                 }
5463
5464                 boffset = boffset0
5465                     + sv_pos_u2b_midway(start + boffset0,
5466                                           start + cache[1],
5467                                           uoffset - uoffset0,
5468                                           cache[0] - uoffset0);
5469             } else {
5470                 boffset = boffset0
5471                     + sv_pos_u2b_midway(start + boffset0,
5472                                           start + cache[3],
5473                                           uoffset - uoffset0,
5474                                           cache[2] - uoffset0);
5475             }
5476             found = TRUE;
5477         }
5478         else if ((*mgp)->mg_len != -1) {
5479             /* If we can take advantage of a passed in offset, do so.  */
5480             /* In fact, offset0 is either 0, or less than offset, so don't
5481                need to worry about the other possibility.  */
5482             boffset = boffset0
5483                 + sv_pos_u2b_midway(start + boffset0, send,
5484                                       uoffset - uoffset0,
5485                                       (*mgp)->mg_len - uoffset0);
5486             found = TRUE;
5487         }
5488     }
5489
5490     if (!found || PL_utf8cache < 0) {
5491         const STRLEN real_boffset
5492             = boffset0 + sv_pos_u2b_forwards(start + boffset0,
5493                                                send, uoffset - uoffset0);
5494
5495         if (found && PL_utf8cache < 0) {
5496             if (real_boffset != boffset) {
5497                 /* Need to turn the assertions off otherwise we may recurse
5498                    infinitely while printing error messages.  */
5499                 SAVEI8(PL_utf8cache);
5500                 PL_utf8cache = 0;
5501                 Perl_croak(aTHX_ "panic: sv_pos_u2b_cache cache %"UVf
5502                            " real %"UVf" for %"SVf,
5503                            (UV) boffset, (UV) real_boffset, sv);
5504             }
5505         }
5506         boffset = real_boffset;
5507     }
5508
5509     S_utf8_mg_pos_cache_update(aTHX_ sv, mgp, boffset, uoffset, send - start);
5510     return boffset;
5511 }
5512
5513
5514 /*
5515 =for apidoc sv_pos_u2b
5516
5517 Converts the value pointed to by offsetp from a count of UTF-8 chars from
5518 the start of the string, to a count of the equivalent number of bytes; if
5519 lenp is non-zero, it does the same to lenp, but this time starting from
5520 the offset, rather than from the start of the string. Handles magic and
5521 type coercion.
5522
5523 =cut
5524 */
5525
5526 /*
5527  * sv_pos_u2b() uses, like sv_pos_b2u(), the mg_ptr of the potential
5528  * PERL_UTF8_magic of the sv to store the mapping between UTF-8 and
5529  * byte offsets.  See also the comments of S_utf8_mg_pos_cache_update().
5530  *
5531  */
5532
5533 void
5534 Perl_sv_pos_u2b(pTHX_ register SV *sv, I32* offsetp, I32* lenp)
5535 {
5536     const U8 *start;
5537     STRLEN len;
5538
5539     if (!sv)
5540         return;
5541
5542     start = (U8*)SvPV_const(sv, len);
5543     if (len) {
5544         STRLEN uoffset = (STRLEN) *offsetp;
5545         const U8 * const send = start + len;
5546         MAGIC *mg = NULL;
5547         const STRLEN boffset = sv_pos_u2b_cached(sv, &mg, start, send,
5548                                              uoffset, 0, 0);
5549
5550         *offsetp = (I32) boffset;
5551
5552         if (lenp) {
5553             /* Convert the relative offset to absolute.  */
5554             const STRLEN uoffset2 = uoffset + (STRLEN) *lenp;
5555             const STRLEN boffset2
5556                 = sv_pos_u2b_cached(sv, &mg, start, send, uoffset2,
5557                                       uoffset, boffset) - boffset;
5558
5559             *lenp = boffset2;
5560         }
5561     }
5562     else {
5563          *offsetp = 0;
5564          if (lenp)
5565               *lenp = 0;
5566     }
5567
5568     return;
5569 }
5570
5571 /* Create and update the UTF8 magic offset cache, with the proffered utf8/
5572    byte length pairing. The (byte) length of the total SV is passed in too,
5573    as blen, because for some (more esoteric) SVs, the call to SvPV_const()
5574    may not have updated SvCUR, so we can't rely on reading it directly.
5575
5576    The proffered utf8/byte length pairing isn't used if the cache already has
5577    two pairs, and swapping either for the proffered pair would increase the
5578    RMS of the intervals between known byte offsets.
5579
5580    The cache itself consists of 4 STRLEN values
5581    0: larger UTF-8 offset
5582    1: corresponding byte offset
5583    2: smaller UTF-8 offset
5584    3: corresponding byte offset
5585
5586    Unused cache pairs have the value 0, 0.
5587    Keeping the cache "backwards" means that the invariant of
5588    cache[0] >= cache[2] is maintained even with empty slots, which means that
5589    the code that uses it doesn't need to worry if only 1 entry has actually
5590    been set to non-zero.  It also makes the "position beyond the end of the
5591    cache" logic much simpler, as the first slot is always the one to start
5592    from.   
5593 */
5594 static void
5595 S_utf8_mg_pos_cache_update(pTHX_ SV *sv, MAGIC **mgp, STRLEN byte, STRLEN utf8,
5596                            STRLEN blen)
5597 {
5598     STRLEN *cache;
5599     if (SvREADONLY(sv))
5600         return;
5601
5602     if (!*mgp) {
5603         *mgp = sv_magicext(sv, 0, PERL_MAGIC_utf8, (MGVTBL*)&PL_vtbl_utf8, 0,
5604                            0);
5605         (*mgp)->mg_len = -1;
5606     }
5607     assert(*mgp);
5608
5609     if (!(cache = (STRLEN *)(*mgp)->mg_ptr)) {
5610         Newxz(cache, PERL_MAGIC_UTF8_CACHESIZE * 2, STRLEN);
5611         (*mgp)->mg_ptr = (char *) cache;
5612     }
5613     assert(cache);
5614
5615     if (PL_utf8cache < 0) {
5616         const U8 *start = (const U8 *) SvPVX_const(sv);
5617         const U8 *const end = start + byte;
5618         STRLEN realutf8 = 0;
5619
5620         while (start < end) {
5621             start += UTF8SKIP(start);
5622             realutf8++;
5623         }
5624
5625         /* Can't use S_sv_pos_b2u_forwards as it will scream warnings on
5626            surrogates.  FIXME - is it inconsistent that b2u warns, but u2b
5627            doesn't?  I don't know whether this difference was introduced with
5628            the caching code in 5.8.1.  */
5629
5630         if (realutf8 != utf8) {
5631             /* Need to turn the assertions off otherwise we may recurse
5632                infinitely while printing error messages.  */
5633             SAVEI8(PL_utf8cache);
5634             PL_utf8cache = 0;
5635             Perl_croak(aTHX_ "panic: utf8_mg_pos_cache_update cache %"UVf
5636                        " real %"UVf" for %"SVf, (UV) utf8, (UV) realutf8, sv);
5637         }
5638     }
5639
5640     /* Cache is held with the later position first, to simplify the code
5641        that deals with unbounded ends.  */
5642        
5643     ASSERT_UTF8_CACHE(cache);
5644     if (cache[1] == 0) {
5645         /* Cache is totally empty  */
5646         cache[0] = utf8;
5647         cache[1] = byte;
5648     } else if (cache[3] == 0) {
5649         if (byte > cache[1]) {
5650             /* New one is larger, so goes first.  */
5651             cache[2] = cache[0];
5652             cache[3] = cache[1];
5653             cache[0] = utf8;
5654             cache[1] = byte;
5655         } else {
5656             cache[2] = utf8;
5657             cache[3] = byte;
5658         }
5659     } else {
5660 #define THREEWAY_SQUARE(a,b,c,d) \
5661             ((float)((d) - (c))) * ((float)((d) - (c))) \
5662             + ((float)((c) - (b))) * ((float)((c) - (b))) \
5663                + ((float)((b) - (a))) * ((float)((b) - (a)))
5664
5665         /* Cache has 2 slots in use, and we know three potential pairs.
5666            Keep the two that give the lowest RMS distance. Do the
5667            calcualation in bytes simply because we always know the byte
5668            length.  squareroot has the same ordering as the positive value,
5669            so don't bother with the actual square root.  */
5670         const float existing = THREEWAY_SQUARE(0, cache[3], cache[1], blen);
5671         if (byte > cache[1]) {
5672             /* New position is after the existing pair of pairs.  */
5673             const float keep_earlier
5674                 = THREEWAY_SQUARE(0, cache[3], byte, blen);
5675             const float keep_later
5676                 = THREEWAY_SQUARE(0, cache[1], byte, blen);
5677
5678             if (keep_later < keep_earlier) {
5679                 if (keep_later < existing) {
5680                     cache[2] = cache[0];
5681                     cache[3] = cache[1];
5682                     cache[0] = utf8;
5683                     cache[1] = byte;
5684                 }
5685             }
5686             else {
5687                 if (keep_earlier < existing) {
5688                     cache[0] = utf8;
5689                     cache[1] = byte;
5690                 }
5691             }
5692         }
5693         else if (byte > cache[3]) {
5694             /* New position is between the existing pair of pairs.  */
5695             const float keep_earlier
5696                 = THREEWAY_SQUARE(0, cache[3], byte, blen);
5697             const float keep_later
5698                 = THREEWAY_SQUARE(0, byte, cache[1], blen);
5699
5700             if (keep_later < keep_earlier) {
5701                 if (keep_later < existing) {
5702                     cache[2] = utf8;
5703                     cache[3] = byte;
5704                 }
5705             }
5706             else {
5707                 if (keep_earlier < existing) {
5708                     cache[0] = utf8;
5709                     cache[1] = byte;
5710                 }
5711             }
5712         }
5713         else {
5714             /* New position is before the existing pair of pairs.  */
5715             const float keep_earlier
5716                 = THREEWAY_SQUARE(0, byte, cache[3], blen);
5717             const float keep_later
5718                 = THREEWAY_SQUARE(0, byte, cache[1], blen);
5719
5720             if (keep_later < keep_earlier) {
5721                 if (keep_later < existing) {
5722                     cache[2] = utf8;
5723                     cache[3] = byte;
5724                 }
5725             }
5726             else {
5727                 if (keep_earlier < existing) {
5728                     cache[0] = cache[2];
5729                     cache[1] = cache[3];
5730                     cache[2] = utf8;
5731                     cache[3] = byte;
5732                 }
5733             }
5734         }
5735     }
5736     ASSERT_UTF8_CACHE(cache);
5737 }
5738
5739 /* If we don't know the character offset of the end of a region, our only
5740    option is to walk forwards to the target byte offset.  */
5741 static STRLEN
5742 S_sv_pos_b2u_forwards(pTHX_ const U8 *s, const U8 *const target)
5743 {
5744     STRLEN len = 0;
5745     while (s < target) {
5746         STRLEN n = 1;
5747
5748         /* Call utf8n_to_uvchr() to validate the sequence
5749          * (unless a simple non-UTF character) */
5750         if (!UTF8_IS_INVARIANT(*s))
5751             utf8n_to_uvchr(s, UTF8SKIP(s), &n, 0);
5752         if (n > 0) {
5753             s += n;
5754             len++;
5755         }
5756         else
5757             break;
5758     }
5759     return len;
5760 }
5761
5762 /* We already know all of the way, now we may be able to walk back.  The same
5763    assumption is made as in S_sv_pos_u2b_midway(), namely that walking
5764    backward is half the speed of walking forward. */
5765 static STRLEN
5766 S_sv_pos_b2u_midway(pTHX_ const U8 *s, const U8 *const target, const U8 *end,
5767                     STRLEN endu)
5768 {
5769     const STRLEN forw = target - s;
5770     STRLEN backw = end - target;
5771
5772     if (forw < 2 * backw) {
5773         return S_sv_pos_b2u_forwards(aTHX_ s, target);
5774     }
5775
5776     while (end > target) {
5777         end--;
5778         while (UTF8_IS_CONTINUATION(*end)) {
5779             end--;
5780         }
5781         endu--;
5782     }
5783     return endu;
5784 }
5785
5786 /*
5787 =for apidoc sv_pos_b2u
5788
5789 Converts the value pointed to by offsetp from a count of bytes from the
5790 start of the string, to a count of the equivalent number of UTF-8 chars.
5791 Handles magic and type coercion.
5792
5793 =cut
5794 */
5795
5796 /*
5797  * sv_pos_b2u() uses, like sv_pos_u2b(), the mg_ptr of the potential
5798  * PERL_UTF8_magic of the sv to store the mapping between UTF-8 and
5799  * byte offsets.
5800  *
5801  */
5802 void
5803 Perl_sv_pos_b2u(pTHX_ register SV* sv, I32* offsetp)
5804 {
5805     const U8* s;
5806     const STRLEN byte = *offsetp;
5807     STRLEN len = 0; /* Actually always set, but let's keep gcc happy.  */
5808     STRLEN blen;
5809     MAGIC* mg = NULL;
5810     const U8* send;
5811     bool found = FALSE;
5812
5813     if (!sv)
5814         return;
5815
5816     s = (const U8*)SvPV_const(sv, blen);
5817
5818     if (blen < byte)
5819         Perl_croak(aTHX_ "panic: sv_pos_b2u: bad byte offset");
5820
5821     send = s + byte;
5822
5823     if (SvMAGICAL(sv) && !SvREADONLY(sv) && PL_utf8cache
5824         && (mg = mg_find(sv, PERL_MAGIC_utf8))) {
5825         if (mg->mg_ptr) {
5826             STRLEN * const cache = (STRLEN *) mg->mg_ptr;
5827             if (cache[1] == byte) {
5828                 /* An exact match. */
5829                 *offsetp = cache[0];
5830                 return;
5831             }
5832             if (cache[3] == byte) {
5833                 /* An exact match. */
5834                 *offsetp = cache[2];
5835                 return;
5836             }
5837
5838             if (cache[1] < byte) {
5839                 /* We already know part of the way. */
5840                 if (mg->mg_len != -1) {
5841                     /* Actually, we know the end too.  */
5842                     len = cache[0]
5843                         + S_sv_pos_b2u_midway(aTHX_ s + cache[1], send,
5844                                               s + blen, mg->mg_len - cache[0]);
5845                 } else {
5846                     len = cache[0]
5847                         + S_sv_pos_b2u_forwards(aTHX_ s + cache[1], send);
5848                 }
5849             }
5850             else if (cache[3] < byte) {
5851                 /* We're between the two cached pairs, so we do the calculation
5852                    offset by the byte/utf-8 positions for the earlier pair,
5853                    then add the utf-8 characters from the string start to
5854                    there.  */
5855                 len = S_sv_pos_b2u_midway(aTHX_ s + cache[3], send,
5856                                           s + cache[1], cache[0] - cache[2])
5857                     + cache[2];
5858
5859             }
5860             else { /* cache[3] > byte */
5861                 len = S_sv_pos_b2u_midway(aTHX_ s, send, s + cache[3],
5862                                           cache[2]);
5863
5864             }
5865             ASSERT_UTF8_CACHE(cache);
5866             found = TRUE;
5867         } else if (mg->mg_len != -1) {
5868             len = S_sv_pos_b2u_midway(aTHX_ s, send, s + blen, mg->mg_len);
5869             found = TRUE;
5870         }
5871     }
5872     if (!found || PL_utf8cache < 0) {
5873         const STRLEN real_len = S_sv_pos_b2u_forwards(aTHX_ s, send);
5874
5875         if (found && PL_utf8cache < 0) {
5876             if (len != real_len) {
5877                 /* Need to turn the assertions off otherwise we may recurse
5878                    infinitely while printing error messages.  */
5879                 SAVEI8(PL_utf8cache);
5880                 PL_utf8cache = 0;
5881                 Perl_croak(aTHX_ "panic: sv_pos_b2u cache %"UVf
5882                            " real %"UVf" for %"SVf,
5883                            (UV) len, (UV) real_len, sv);
5884             }
5885         }
5886         len = real_len;
5887     }
5888     *offsetp = len;
5889
5890     S_utf8_mg_pos_cache_update(aTHX_ sv, &mg, byte, len, blen);
5891 }
5892
5893 /*
5894 =for apidoc sv_eq
5895
5896 Returns a boolean indicating whether the strings in the two SVs are
5897 identical. Is UTF-8 and 'use bytes' aware, handles get magic, and will
5898 coerce its args to strings if necessary.
5899
5900 =cut
5901 */
5902
5903 I32
5904 Perl_sv_eq(pTHX_ register SV *sv1, register SV *sv2)
5905 {
5906     dVAR;
5907     const char *pv1;
5908     STRLEN cur1;
5909     const char *pv2;
5910     STRLEN cur2;
5911     I32  eq     = 0;
5912     char *tpv   = NULL;
5913     SV* svrecode = NULL;
5914
5915     if (!sv1) {
5916         pv1 = "";
5917         cur1 = 0;
5918     }
5919     else
5920         pv1 = SvPV_const(sv1, cur1);
5921
5922     if (!sv2){
5923         pv2 = "";
5924         cur2 = 0;
5925     }
5926     else
5927         pv2 = SvPV_const(sv2, cur2);
5928
5929     if (cur1 && cur2 && SvUTF8(sv1) != SvUTF8(sv2) && !IN_BYTES) {
5930         /* Differing utf8ness.
5931          * Do not UTF8size the comparands as a side-effect. */
5932          if (PL_encoding) {
5933               if (SvUTF8(sv1)) {
5934                    svrecode = newSVpvn(pv2, cur2);
5935                    sv_recode_to_utf8(svrecode, PL_encoding);
5936                    pv2 = SvPV_const(svrecode, cur2);
5937               }
5938               else {
5939                    svrecode = newSVpvn(pv1, cur1);
5940                    sv_recode_to_utf8(svrecode, PL_encoding);
5941                    pv1 = SvPV_const(svrecode, cur1);
5942               }
5943               /* Now both are in UTF-8. */
5944               if (cur1 != cur2) {
5945                    SvREFCNT_dec(svrecode);
5946                    return FALSE;
5947               }
5948          }
5949          else {
5950               bool is_utf8 = TRUE;
5951
5952               if (SvUTF8(sv1)) {
5953                    /* sv1 is the UTF-8 one,
5954                     * if is equal it must be downgrade-able */
5955                    char * const pv = (char*)bytes_from_utf8((const U8*)pv1,
5956                                                      &cur1, &is_utf8);
5957                    if (pv != pv1)
5958                         pv1 = tpv = pv;
5959               }
5960               else {
5961                    /* sv2 is the UTF-8 one,
5962                     * if is equal it must be downgrade-able */
5963                    char * const pv = (char *)bytes_from_utf8((const U8*)pv2,
5964                                                       &cur2, &is_utf8);
5965                    if (pv != pv2)
5966                         pv2 = tpv = pv;
5967               }
5968               if (is_utf8) {
5969                    /* Downgrade not possible - cannot be eq */
5970                    assert (tpv == 0);
5971                    return FALSE;
5972               }
5973          }
5974     }
5975
5976     if (cur1 == cur2)
5977         eq = (pv1 == pv2) || memEQ(pv1, pv2, cur1);
5978         
5979     SvREFCNT_dec(svrecode);
5980     if (tpv)
5981         Safefree(tpv);
5982
5983     return eq;
5984 }
5985
5986 /*
5987 =for apidoc sv_cmp
5988
5989 Compares the strings in two SVs.  Returns -1, 0, or 1 indicating whether the
5990 string in C<sv1> is less than, equal to, or greater than the string in
5991 C<sv2>. Is UTF-8 and 'use bytes' aware, handles get magic, and will
5992 coerce its args to strings if necessary.  See also C<sv_cmp_locale>.
5993
5994 =cut
5995 */
5996
5997 I32
5998 Perl_sv_cmp(pTHX_ register SV *sv1, register SV *sv2)
5999 {
6000     dVAR;
6001     STRLEN cur1, cur2;
6002     const char *pv1, *pv2;
6003     char *tpv = NULL;
6004     I32  cmp;
6005     SV *svrecode = NULL;
6006
6007     if (!sv1) {
6008         pv1 = "";
6009         cur1 = 0;
6010     }
6011     else
6012         pv1 = SvPV_const(sv1, cur1);
6013
6014     if (!sv2) {
6015         pv2 = "";
6016         cur2 = 0;
6017     }
6018     else
6019         pv2 = SvPV_const(sv2, cur2);
6020
6021     if (cur1 && cur2 && SvUTF8(sv1) != SvUTF8(sv2) && !IN_BYTES) {
6022         /* Differing utf8ness.
6023          * Do not UTF8size the comparands as a side-effect. */
6024         if (SvUTF8(sv1)) {
6025             if (PL_encoding) {
6026                  svrecode = newSVpvn(pv2, cur2);
6027                  sv_recode_to_utf8(svrecode, PL_encoding);
6028                  pv2 = SvPV_const(svrecode, cur2);
6029             }
6030             else {
6031                  pv2 = tpv = (char*)bytes_to_utf8((const U8*)pv2, &cur2);
6032             }
6033         }
6034         else {
6035             if (PL_encoding) {
6036                  svrecode = newSVpvn(pv1, cur1);
6037                  sv_recode_to_utf8(svrecode, PL_encoding);
6038                  pv1 = SvPV_const(svrecode, cur1);
6039             }
6040             else {
6041                  pv1 = tpv = (char*)bytes_to_utf8((const U8*)pv1, &cur1);
6042             }
6043         }
6044     }
6045
6046     if (!cur1) {
6047         cmp = cur2 ? -1 : 0;
6048     } else if (!cur2) {
6049         cmp = 1;
6050     } else {
6051         const I32 retval = memcmp((const void*)pv1, (const void*)pv2, cur1 < cur2 ? cur1 : cur2);
6052
6053         if (retval) {
6054             cmp = retval < 0 ? -1 : 1;
6055         } else if (cur1 == cur2) {
6056             cmp = 0;
6057         } else {
6058             cmp = cur1 < cur2 ? -1 : 1;
6059         }
6060     }
6061
6062     SvREFCNT_dec(svrecode);
6063     if (tpv)
6064         Safefree(tpv);
6065
6066     return cmp;
6067 }
6068
6069 /*
6070 =for apidoc sv_cmp_locale
6071
6072 Compares the strings in two SVs in a locale-aware manner. Is UTF-8 and
6073 'use bytes' aware, handles get magic, and will coerce its args to strings
6074 if necessary.  See also C<sv_cmp_locale>.  See also C<sv_cmp>.
6075
6076 =cut
6077 */
6078
6079 I32
6080 Perl_sv_cmp_locale(pTHX_ register SV *sv1, register SV *sv2)
6081 {
6082     dVAR;
6083 #ifdef USE_LOCALE_COLLATE
6084
6085     char *pv1, *pv2;
6086     STRLEN len1, len2;
6087     I32 retval;
6088
6089     if (PL_collation_standard)
6090         goto raw_compare;
6091
6092     len1 = 0;
6093     pv1 = sv1 ? sv_collxfrm(sv1, &len1) : (char *) NULL;
6094     len2 = 0;
6095     pv2 = sv2 ? sv_collxfrm(sv2, &len2) : (char *) NULL;
6096
6097     if (!pv1 || !len1) {
6098         if (pv2 && len2)
6099             return -1;
6100         else
6101             goto raw_compare;
6102     }
6103     else {
6104         if (!pv2 || !len2)
6105             return 1;
6106     }
6107
6108     retval = memcmp((void*)pv1, (void*)pv2, len1 < len2 ? len1 : len2);
6109
6110     if (retval)
6111         return retval < 0 ? -1 : 1;
6112
6113     /*
6114      * When the result of collation is equality, that doesn't mean
6115      * that there are no differences -- some locales exclude some
6116      * characters from consideration.  So to avoid false equalities,
6117      * we use the raw string as a tiebreaker.
6118      */
6119
6120   raw_compare:
6121     /*FALLTHROUGH*/
6122
6123 #endif /* USE_LOCALE_COLLATE */
6124
6125     return sv_cmp(sv1, sv2);
6126 }
6127
6128
6129 #ifdef USE_LOCALE_COLLATE
6130
6131 /*
6132 =for apidoc sv_collxfrm
6133
6134 Add Collate Transform magic to an SV if it doesn't already have it.
6135
6136 Any scalar variable may carry PERL_MAGIC_collxfrm magic that contains the
6137 scalar data of the variable, but transformed to such a format that a normal
6138 memory comparison can be used to compare the data according to the locale
6139 settings.
6140
6141 =cut
6142 */
6143
6144 char *
6145 Perl_sv_collxfrm(pTHX_ SV *sv, STRLEN *nxp)
6146 {
6147     dVAR;
6148     MAGIC *mg;
6149
6150     mg = SvMAGICAL(sv) ? mg_find(sv, PERL_MAGIC_collxfrm) : (MAGIC *) NULL;
6151     if (!mg || !mg->mg_ptr || *(U32*)mg->mg_ptr != PL_collation_ix) {
6152         const char *s;
6153         char *xf;
6154         STRLEN len, xlen;
6155
6156         if (mg)
6157             Safefree(mg->mg_ptr);
6158         s = SvPV_const(sv, len);
6159         if ((xf = mem_collxfrm(s, len, &xlen))) {
6160             if (SvREADONLY(sv)) {
6161                 SAVEFREEPV(xf);
6162                 *nxp = xlen;
6163                 return xf + sizeof(PL_collation_ix);
6164             }
6165             if (! mg) {
6166 #ifdef PERL_OLD_COPY_ON_WRITE
6167                 if (SvIsCOW(sv))
6168                     sv_force_normal_flags(sv, 0);
6169 #endif
6170                 mg = sv_magicext(sv, 0, PERL_MAGIC_collxfrm, &PL_vtbl_collxfrm,
6171                                  0, 0);
6172                 assert(mg);
6173             }
6174             mg->mg_ptr = xf;
6175             mg->mg_len = xlen;
6176         }
6177         else {
6178             if (mg) {
6179                 mg->mg_ptr = NULL;
6180                 mg->mg_len = -1;
6181             }
6182         }
6183     }
6184     if (mg && mg->mg_ptr) {
6185         *nxp = mg->mg_len;
6186         return mg->mg_ptr + sizeof(PL_collation_ix);
6187     }
6188     else {
6189         *nxp = 0;
6190         return NULL;
6191     }
6192 }
6193
6194 #endif /* USE_LOCALE_COLLATE */
6195
6196 /*
6197 =for apidoc sv_gets
6198
6199 Get a line from the filehandle and store it into the SV, optionally
6200 appending to the currently-stored string.
6201
6202 =cut
6203 */
6204
6205 char *
6206 Perl_sv_gets(pTHX_ register SV *sv, register PerlIO *fp, I32 append)
6207 {
6208     dVAR;
6209     const char *rsptr;
6210     STRLEN rslen;
6211     register STDCHAR rslast;
6212     register STDCHAR *bp;
6213     register I32 cnt;
6214     I32 i = 0;
6215     I32 rspara = 0;
6216
6217     if (SvTHINKFIRST(sv))
6218         sv_force_normal_flags(sv, append ? 0 : SV_COW_DROP_PV);
6219     /* XXX. If you make this PVIV, then copy on write can copy scalars read
6220        from <>.
6221        However, perlbench says it's slower, because the existing swipe code
6222        is faster than copy on write.
6223        Swings and roundabouts.  */
6224     SvUPGRADE(sv, SVt_PV);
6225
6226     SvSCREAM_off(sv);
6227
6228     if (append) {
6229         if (PerlIO_isutf8(fp)) {
6230             if (!SvUTF8(sv)) {
6231                 sv_utf8_upgrade_nomg(sv);
6232                 sv_pos_u2b(sv,&append,0);
6233             }
6234         } else if (SvUTF8(sv)) {
6235             SV * const tsv = newSV(0);
6236             sv_gets(tsv, fp, 0);
6237             sv_utf8_upgrade_nomg(tsv);
6238             SvCUR_set(sv,append);
6239             sv_catsv(sv,tsv);
6240             sv_free(tsv);
6241             goto return_string_or_null;
6242         }
6243     }
6244
6245     SvPOK_only(sv);
6246     if (PerlIO_isutf8(fp))
6247         SvUTF8_on(sv);
6248
6249     if (IN_PERL_COMPILETIME) {
6250         /* we always read code in line mode */
6251         rsptr = "\n";
6252         rslen = 1;
6253     }
6254     else if (RsSNARF(PL_rs)) {
6255         /* If it is a regular disk file use size from stat() as estimate
6256            of amount we are going to read -- may result in mallocing
6257            more memory than we really need if the layers below reduce
6258            the size we read (e.g. CRLF or a gzip layer).
6259          */
6260         Stat_t st;
6261         if (!PerlLIO_fstat(PerlIO_fileno(fp), &st) && S_ISREG(st.st_mode))  {
6262             const Off_t offset = PerlIO_tell(fp);
6263             if (offset != (Off_t) -1 && st.st_size + append > offset) {
6264                 (void) SvGROW(sv, (STRLEN)((st.st_size - offset) + append + 1));
6265             }
6266         }
6267         rsptr = NULL;
6268         rslen = 0;
6269     }
6270     else if (RsRECORD(PL_rs)) {
6271       I32 bytesread;
6272       char *buffer;
6273       U32 recsize;
6274
6275       /* Grab the size of the record we're getting */
6276       recsize = SvUV(SvRV(PL_rs)); /* RsRECORD() guarantees > 0. */
6277       buffer = SvGROW(sv, (STRLEN)(recsize + append + 1)) + append;
6278       /* Go yank in */
6279 #ifdef VMS
6280       /* VMS wants read instead of fread, because fread doesn't respect */
6281       /* RMS record boundaries. This is not necessarily a good thing to be */
6282       /* doing, but we've got no other real choice - except avoid stdio
6283          as implementation - perhaps write a :vms layer ?
6284        */
6285       bytesread = PerlLIO_read(PerlIO_fileno(fp), buffer, recsize);
6286 #else
6287       bytesread = PerlIO_read(fp, buffer, recsize);
6288 #endif
6289       if (bytesread < 0)
6290           bytesread = 0;
6291       SvCUR_set(sv, bytesread += append);
6292       buffer[bytesread] = '\0';
6293       goto return_string_or_null;
6294     }
6295     else if (RsPARA(PL_rs)) {
6296         rsptr = "\n\n";
6297         rslen = 2;
6298         rspara = 1;
6299     }
6300     else {
6301         /* Get $/ i.e. PL_rs into same encoding as stream wants */
6302         if (PerlIO_isutf8(fp)) {
6303             rsptr = SvPVutf8(PL_rs, rslen);
6304         }
6305         else {
6306             if (SvUTF8(PL_rs)) {
6307                 if (!sv_utf8_downgrade(PL_rs, TRUE)) {
6308                     Perl_croak(aTHX_ "Wide character in $/");
6309                 }
6310             }
6311             rsptr = SvPV_const(PL_rs, rslen);
6312         }
6313     }
6314
6315     rslast = rslen ? rsptr[rslen - 1] : '\0';
6316
6317     if (rspara) {               /* have to do this both before and after */
6318         do {                    /* to make sure file boundaries work right */
6319             if (PerlIO_eof(fp))
6320                 return 0;
6321             i = PerlIO_getc(fp);
6322             if (i != '\n') {
6323                 if (i == -1)
6324                     return 0;
6325                 PerlIO_ungetc(fp,i);
6326                 break;
6327             }
6328         } while (i != EOF);
6329     }
6330
6331     /* See if we know enough about I/O mechanism to cheat it ! */
6332
6333     /* This used to be #ifdef test - it is made run-time test for ease
6334        of abstracting out stdio interface. One call should be cheap
6335        enough here - and may even be a macro allowing compile
6336        time optimization.
6337      */
6338
6339     if (PerlIO_fast_gets(fp)) {
6340
6341     /*
6342      * We're going to steal some values from the stdio struct
6343      * and put EVERYTHING in the innermost loop into registers.
6344      */
6345     register STDCHAR *ptr;
6346     STRLEN bpx;
6347     I32 shortbuffered;
6348
6349 #if defined(VMS) && defined(PERLIO_IS_STDIO)
6350     /* An ungetc()d char is handled separately from the regular
6351      * buffer, so we getc() it back out and stuff it in the buffer.
6352      */
6353     i = PerlIO_getc(fp);
6354     if (i == EOF) return 0;
6355     *(--((*fp)->_ptr)) = (unsigned char) i;
6356     (*fp)->_cnt++;
6357 #endif
6358
6359     /* Here is some breathtakingly efficient cheating */
6360
6361     cnt = PerlIO_get_cnt(fp);                   /* get count into register */
6362     /* make sure we have the room */
6363     if ((I32)(SvLEN(sv) - append) <= cnt + 1) {
6364         /* Not room for all of it
6365            if we are looking for a separator and room for some
6366          */
6367         if (rslen && cnt > 80 && (I32)SvLEN(sv) > append) {
6368             /* just process what we have room for */
6369             shortbuffered = cnt - SvLEN(sv) + append + 1;
6370             cnt -= shortbuffered;
6371         }
6372         else {
6373             shortbuffered = 0;
6374             /* remember that cnt can be negative */
6375             SvGROW(sv, (STRLEN)(append + (cnt <= 0 ? 2 : (cnt + 1))));
6376         }
6377     }
6378     else
6379         shortbuffered = 0;
6380     bp = (STDCHAR*)SvPVX_const(sv) + append;  /* move these two too to registers */
6381     ptr = (STDCHAR*)PerlIO_get_ptr(fp);
6382     DEBUG_P(PerlIO_printf(Perl_debug_log,
6383         "Screamer: entering, ptr=%"UVuf", cnt=%ld\n",PTR2UV(ptr),(long)cnt));
6384     DEBUG_P(PerlIO_printf(Perl_debug_log,
6385         "Screamer: entering: PerlIO * thinks ptr=%"UVuf", cnt=%ld, base=%"UVuf"\n",
6386                PTR2UV(PerlIO_get_ptr(fp)), (long)PerlIO_get_cnt(fp),
6387                PTR2UV(PerlIO_has_base(fp) ? PerlIO_get_base(fp) : 0)));
6388     for (;;) {
6389       screamer:
6390         if (cnt > 0) {
6391             if (rslen) {
6392                 while (cnt > 0) {                    /* this     |  eat */
6393                     cnt--;
6394                     if ((*bp++ = *ptr++) == rslast)  /* really   |  dust */
6395                         goto thats_all_folks;        /* screams  |  sed :-) */
6396                 }
6397             }
6398             else {
6399                 Copy(ptr, bp, cnt, char);            /* this     |  eat */
6400                 bp += cnt;                           /* screams  |  dust */
6401                 ptr += cnt;                          /* louder   |  sed :-) */
6402                 cnt = 0;
6403             }
6404         }
6405         
6406         if (shortbuffered) {            /* oh well, must extend */
6407             cnt = shortbuffered;
6408             shortbuffered = 0;
6409             bpx = bp - (STDCHAR*)SvPVX_const(sv); /* box up before relocation */
6410             SvCUR_set(sv, bpx);
6411             SvGROW(sv, SvLEN(sv) + append + cnt + 2);
6412             bp = (STDCHAR*)SvPVX_const(sv) + bpx; /* unbox after relocation */
6413             continue;
6414         }
6415
6416         DEBUG_P(PerlIO_printf(Perl_debug_log,
6417                               "Screamer: going to getc, ptr=%"UVuf", cnt=%ld\n",
6418                               PTR2UV(ptr),(long)cnt));
6419         PerlIO_set_ptrcnt(fp, (STDCHAR*)ptr, cnt); /* deregisterize cnt and ptr */
6420 #if 0
6421         DEBUG_P(PerlIO_printf(Perl_debug_log,
6422             "Screamer: pre: FILE * thinks ptr=%"UVuf", cnt=%ld, base=%"UVuf"\n",
6423             PTR2UV(PerlIO_get_ptr(fp)), (long)PerlIO_get_cnt(fp),
6424             PTR2UV(PerlIO_has_base (fp) ? PerlIO_get_base(fp) : 0)));
6425 #endif
6426         /* This used to call 'filbuf' in stdio form, but as that behaves like
6427            getc when cnt <= 0 we use PerlIO_getc here to avoid introducing
6428            another abstraction.  */
6429         i   = PerlIO_getc(fp);          /* get more characters */
6430 #if 0
6431         DEBUG_P(PerlIO_printf(Perl_debug_log,
6432             "Screamer: post: FILE * thinks ptr=%"UVuf", cnt=%ld, base=%"UVuf"\n",
6433             PTR2UV(PerlIO_get_ptr(fp)), (long)PerlIO_get_cnt(fp),
6434             PTR2UV(PerlIO_has_base (fp) ? PerlIO_get_base(fp) : 0)));
6435 #endif
6436         cnt = PerlIO_get_cnt(fp);
6437         ptr = (STDCHAR*)PerlIO_get_ptr(fp);     /* reregisterize cnt and ptr */
6438         DEBUG_P(PerlIO_printf(Perl_debug_log,
6439             "Screamer: after getc, ptr=%"UVuf", cnt=%ld\n",PTR2UV(ptr),(long)cnt));
6440
6441         if (i == EOF)                   /* all done for ever? */
6442             goto thats_really_all_folks;
6443
6444         bpx = bp - (STDCHAR*)SvPVX_const(sv);   /* box up before relocation */
6445         SvCUR_set(sv, bpx);
6446         SvGROW(sv, bpx + cnt + 2);
6447         bp = (STDCHAR*)SvPVX_const(sv) + bpx;   /* unbox after relocation */
6448
6449         *bp++ = (STDCHAR)i;             /* store character from PerlIO_getc */
6450
6451         if (rslen && (STDCHAR)i == rslast)  /* all done for now? */
6452             goto thats_all_folks;
6453     }
6454
6455 thats_all_folks:
6456     if ((rslen > 1 && (STRLEN)(bp - (STDCHAR*)SvPVX_const(sv)) < rslen) ||
6457           memNE((char*)bp - rslen, rsptr, rslen))
6458         goto screamer;                          /* go back to the fray */
6459 thats_really_all_folks:
6460     if (shortbuffered)
6461         cnt += shortbuffered;
6462         DEBUG_P(PerlIO_printf(Perl_debug_log,
6463             "Screamer: quitting, ptr=%"UVuf", cnt=%ld\n",PTR2UV(ptr),(long)cnt));
6464     PerlIO_set_ptrcnt(fp, (STDCHAR*)ptr, cnt);  /* put these back or we're in trouble */
6465     DEBUG_P(PerlIO_printf(Perl_debug_log,
6466         "Screamer: end: FILE * thinks ptr=%"UVuf", cnt=%ld, base=%"UVuf"\n",
6467         PTR2UV(PerlIO_get_ptr(fp)), (long)PerlIO_get_cnt(fp),
6468         PTR2UV(PerlIO_has_base (fp) ? PerlIO_get_base(fp) : 0)));
6469     *bp = '\0';
6470     SvCUR_set(sv, bp - (STDCHAR*)SvPVX_const(sv));      /* set length */
6471     DEBUG_P(PerlIO_printf(Perl_debug_log,
6472         "Screamer: done, len=%ld, string=|%.*s|\n",
6473         (long)SvCUR(sv),(int)SvCUR(sv),SvPVX_const(sv)));
6474     }
6475    else
6476     {
6477        /*The big, slow, and stupid way. */
6478 #ifdef USE_HEAP_INSTEAD_OF_STACK        /* Even slower way. */
6479         STDCHAR *buf = NULL;
6480         Newx(buf, 8192, STDCHAR);
6481         assert(buf);
6482 #else
6483         STDCHAR buf[8192];
6484 #endif
6485
6486 screamer2:
6487         if (rslen) {
6488             register const STDCHAR * const bpe = buf + sizeof(buf);
6489             bp = buf;
6490             while ((i = PerlIO_getc(fp)) != EOF && (*bp++ = (STDCHAR)i) != rslast && bp < bpe)
6491                 ; /* keep reading */
6492             cnt = bp - buf;
6493         }
6494         else {
6495             cnt = PerlIO_read(fp,(char*)buf, sizeof(buf));
6496             /* Accomodate broken VAXC compiler, which applies U8 cast to
6497              * both args of ?: operator, causing EOF to change into 255
6498              */
6499             if (cnt > 0)
6500                  i = (U8)buf[cnt - 1];
6501             else
6502                  i = EOF;
6503         }
6504
6505         if (cnt < 0)
6506             cnt = 0;  /* we do need to re-set the sv even when cnt <= 0 */
6507         if (append)
6508              sv_catpvn(sv, (char *) buf, cnt);
6509         else
6510              sv_setpvn(sv, (char *) buf, cnt);
6511
6512         if (i != EOF &&                 /* joy */
6513             (!rslen ||
6514              SvCUR(sv) < rslen ||
6515              memNE(SvPVX_const(sv) + SvCUR(sv) - rslen, rsptr, rslen)))
6516         {
6517             append = -1;
6518             /*
6519              * If we're reading from a TTY and we get a short read,
6520              * indicating that the user hit his EOF character, we need
6521              * to notice it now, because if we try to read from the TTY
6522              * again, the EOF condition will disappear.
6523              *
6524              * The comparison of cnt to sizeof(buf) is an optimization
6525              * that prevents unnecessary calls to feof().
6526              *
6527              * - jik 9/25/96
6528              */
6529             if (!(cnt < (I32)sizeof(buf) && PerlIO_eof(fp)))
6530                 goto screamer2;
6531         }
6532
6533 #ifdef USE_HEAP_INSTEAD_OF_STACK
6534         Safefree(buf);
6535 #endif
6536     }
6537
6538     if (rspara) {               /* have to do this both before and after */
6539         while (i != EOF) {      /* to make sure file boundaries work right */
6540             i = PerlIO_getc(fp);
6541             if (i != '\n') {
6542                 PerlIO_ungetc(fp,i);
6543                 break;
6544             }
6545         }
6546     }
6547
6548 return_string_or_null:
6549     return (SvCUR(sv) - append) ? SvPVX(sv) : NULL;
6550 }
6551
6552 /*
6553 =for apidoc sv_inc
6554
6555 Auto-increment of the value in the SV, doing string to numeric conversion
6556 if necessary. Handles 'get' magic.
6557
6558 =cut
6559 */
6560
6561 void
6562 Perl_sv_inc(pTHX_ register SV *sv)
6563 {
6564     dVAR;
6565     register char *d;
6566     int flags;
6567
6568     if (!sv)
6569         return;
6570     SvGETMAGIC(sv);
6571     if (SvTHINKFIRST(sv)) {
6572         if (SvIsCOW(sv))
6573             sv_force_normal_flags(sv, 0);
6574         if (SvREADONLY(sv)) {
6575             if (IN_PERL_RUNTIME)
6576                 Perl_croak(aTHX_ PL_no_modify);
6577         }
6578         if (SvROK(sv)) {
6579             IV i;
6580             if (SvAMAGIC(sv) && AMG_CALLun(sv,inc))
6581                 return;
6582             i = PTR2IV(SvRV(sv));
6583             sv_unref(sv);
6584             sv_setiv(sv, i);
6585         }
6586     }
6587     flags = SvFLAGS(sv);
6588     if ((flags & (SVp_NOK|SVp_IOK)) == SVp_NOK) {
6589         /* It's (privately or publicly) a float, but not tested as an
6590            integer, so test it to see. */
6591         (void) SvIV(sv);
6592         flags = SvFLAGS(sv);
6593     }
6594     if ((flags & SVf_IOK) || ((flags & (SVp_IOK | SVp_NOK)) == SVp_IOK)) {
6595         /* It's publicly an integer, or privately an integer-not-float */
6596 #ifdef PERL_PRESERVE_IVUV
6597       oops_its_int:
6598 #endif
6599         if (SvIsUV(sv)) {
6600             if (SvUVX(sv) == UV_MAX)
6601                 sv_setnv(sv, UV_MAX_P1);
6602             else
6603                 (void)SvIOK_only_UV(sv);
6604                 SvUV_set(sv, SvUVX(sv) + 1);
6605         } else {
6606             if (SvIVX(sv) == IV_MAX)
6607                 sv_setuv(sv, (UV)IV_MAX + 1);
6608             else {
6609                 (void)SvIOK_only(sv);
6610                 SvIV_set(sv, SvIVX(sv) + 1);
6611             }   
6612         }
6613         return;
6614     }
6615     if (flags & SVp_NOK) {
6616         (void)SvNOK_only(sv);
6617         SvNV_set(sv, SvNVX(sv) + 1.0);
6618         return;
6619     }
6620
6621     if (!(flags & SVp_POK) || !*SvPVX_const(sv)) {
6622         if ((flags & SVTYPEMASK) < SVt_PVIV)
6623             sv_upgrade(sv, ((flags & SVTYPEMASK) > SVt_IV ? SVt_PVIV : SVt_IV));
6624         (void)SvIOK_only(sv);
6625         SvIV_set(sv, 1);
6626         return;
6627     }
6628     d = SvPVX(sv);
6629     while (isALPHA(*d)) d++;
6630     while (isDIGIT(*d)) d++;
6631     if (*d) {
6632 #ifdef PERL_PRESERVE_IVUV
6633         /* Got to punt this as an integer if needs be, but we don't issue
6634            warnings. Probably ought to make the sv_iv_please() that does
6635            the conversion if possible, and silently.  */
6636         const int numtype = grok_number(SvPVX_const(sv), SvCUR(sv), NULL);
6637         if (numtype && !(numtype & IS_NUMBER_INFINITY)) {
6638             /* Need to try really hard to see if it's an integer.
6639                9.22337203685478e+18 is an integer.
6640                but "9.22337203685478e+18" + 0 is UV=9223372036854779904
6641                so $a="9.22337203685478e+18"; $a+0; $a++
6642                needs to be the same as $a="9.22337203685478e+18"; $a++
6643                or we go insane. */
6644         
6645             (void) sv_2iv(sv);
6646             if (SvIOK(sv))
6647                 goto oops_its_int;
6648
6649             /* sv_2iv *should* have made this an NV */
6650             if (flags & SVp_NOK) {
6651                 (void)SvNOK_only(sv);
6652                 SvNV_set(sv, SvNVX(sv) + 1.0);
6653                 return;
6654             }
6655             /* I don't think we can get here. Maybe I should assert this
6656                And if we do get here I suspect that sv_setnv will croak. NWC
6657                Fall through. */
6658 #if defined(USE_LONG_DOUBLE)
6659             DEBUG_c(PerlIO_printf(Perl_debug_log,"sv_inc punt failed to convert '%s' to IOK or NOKp, UV=0x%"UVxf" NV=%"PERL_PRIgldbl"\n",
6660                                   SvPVX_const(sv), SvIVX(sv), SvNVX(sv)));
6661 #else
6662             DEBUG_c(PerlIO_printf(Perl_debug_log,"sv_inc punt failed to convert '%s' to IOK or NOKp, UV=0x%"UVxf" NV=%"NVgf"\n",
6663                                   SvPVX_const(sv), SvIVX(sv), SvNVX(sv)));
6664 #endif
6665         }
6666 #endif /* PERL_PRESERVE_IVUV */
6667         sv_setnv(sv,Atof(SvPVX_const(sv)) + 1.0);
6668         return;
6669     }
6670     d--;
6671     while (d >= SvPVX_const(sv)) {
6672         if (isDIGIT(*d)) {
6673             if (++*d <= '9')
6674                 return;
6675             *(d--) = '0';
6676         }
6677         else {
6678 #ifdef EBCDIC
6679             /* MKS: The original code here died if letters weren't consecutive.
6680              * at least it didn't have to worry about non-C locales.  The
6681              * new code assumes that ('z'-'a')==('Z'-'A'), letters are
6682              * arranged in order (although not consecutively) and that only
6683              * [A-Za-z] are accepted by isALPHA in the C locale.
6684              */
6685             if (*d != 'z' && *d != 'Z') {
6686                 do { ++*d; } while (!isALPHA(*d));
6687                 return;
6688             }
6689             *(d--) -= 'z' - 'a';
6690 #else
6691             ++*d;
6692             if (isALPHA(*d))
6693                 return;
6694             *(d--) -= 'z' - 'a' + 1;
6695 #endif
6696         }
6697     }
6698     /* oh,oh, the number grew */
6699     SvGROW(sv, SvCUR(sv) + 2);
6700     SvCUR_set(sv, SvCUR(sv) + 1);
6701     for (d = SvPVX(sv) + SvCUR(sv); d > SvPVX_const(sv); d--)
6702         *d = d[-1];
6703     if (isDIGIT(d[1]))
6704         *d = '1';
6705     else
6706         *d = d[1];
6707 }
6708
6709 /*
6710 =for apidoc sv_dec
6711
6712 Auto-decrement of the value in the SV, doing string to numeric conversion
6713 if necessary. Handles 'get' magic.
6714
6715 =cut
6716 */
6717
6718 void
6719 Perl_sv_dec(pTHX_ register SV *sv)
6720 {
6721     dVAR;
6722     int flags;
6723
6724     if (!sv)
6725         return;
6726     SvGETMAGIC(sv);
6727     if (SvTHINKFIRST(sv)) {
6728         if (SvIsCOW(sv))
6729             sv_force_normal_flags(sv, 0);
6730         if (SvREADONLY(sv)) {
6731             if (IN_PERL_RUNTIME)
6732                 Perl_croak(aTHX_ PL_no_modify);
6733         }
6734         if (SvROK(sv)) {
6735             IV i;
6736             if (SvAMAGIC(sv) && AMG_CALLun(sv,dec))
6737                 return;
6738             i = PTR2IV(SvRV(sv));
6739             sv_unref(sv);
6740             sv_setiv(sv, i);
6741         }
6742     }
6743     /* Unlike sv_inc we don't have to worry about string-never-numbers
6744        and keeping them magic. But we mustn't warn on punting */
6745     flags = SvFLAGS(sv);
6746     if ((flags & SVf_IOK) || ((flags & (SVp_IOK | SVp_NOK)) == SVp_IOK)) {
6747         /* It's publicly an integer, or privately an integer-not-float */
6748 #ifdef PERL_PRESERVE_IVUV
6749       oops_its_int:
6750 #endif
6751         if (SvIsUV(sv)) {
6752             if (SvUVX(sv) == 0) {
6753                 (void)SvIOK_only(sv);
6754                 SvIV_set(sv, -1);
6755             }
6756             else {
6757                 (void)SvIOK_only_UV(sv);
6758                 SvUV_set(sv, SvUVX(sv) - 1);
6759             }   
6760         } else {
6761             if (SvIVX(sv) == IV_MIN)
6762                 sv_setnv(sv, (NV)IV_MIN - 1.0);
6763             else {
6764                 (void)SvIOK_only(sv);
6765                 SvIV_set(sv, SvIVX(sv) - 1);
6766             }   
6767         }
6768         return;
6769     }
6770     if (flags & SVp_NOK) {
6771         SvNV_set(sv, SvNVX(sv) - 1.0);
6772         (void)SvNOK_only(sv);
6773         return;
6774     }
6775     if (!(flags & SVp_POK)) {
6776         if ((flags & SVTYPEMASK) < SVt_PVIV)
6777             sv_upgrade(sv, ((flags & SVTYPEMASK) > SVt_IV) ? SVt_PVIV : SVt_IV);
6778         SvIV_set(sv, -1);
6779         (void)SvIOK_only(sv);
6780         return;
6781     }
6782 #ifdef PERL_PRESERVE_IVUV
6783     {
6784         const int numtype = grok_number(SvPVX_const(sv), SvCUR(sv), NULL);
6785         if (numtype && !(numtype & IS_NUMBER_INFINITY)) {
6786             /* Need to try really hard to see if it's an integer.
6787                9.22337203685478e+18 is an integer.
6788                but "9.22337203685478e+18" + 0 is UV=9223372036854779904
6789                so $a="9.22337203685478e+18"; $a+0; $a--
6790                needs to be the same as $a="9.22337203685478e+18"; $a--
6791                or we go insane. */
6792         
6793             (void) sv_2iv(sv);
6794             if (SvIOK(sv))
6795                 goto oops_its_int;
6796
6797             /* sv_2iv *should* have made this an NV */
6798             if (flags & SVp_NOK) {
6799                 (void)SvNOK_only(sv);
6800                 SvNV_set(sv, SvNVX(sv) - 1.0);
6801                 return;
6802             }
6803             /* I don't think we can get here. Maybe I should assert this
6804                And if we do get here I suspect that sv_setnv will croak. NWC
6805                Fall through. */
6806 #if defined(USE_LONG_DOUBLE)
6807             DEBUG_c(PerlIO_printf(Perl_debug_log,"sv_dec punt failed to convert '%s' to IOK or NOKp, UV=0x%"UVxf" NV=%"PERL_PRIgldbl"\n",
6808                                   SvPVX_const(sv), SvIVX(sv), SvNVX(sv)));
6809 #else
6810             DEBUG_c(PerlIO_printf(Perl_debug_log,"sv_dec punt failed to convert '%s' to IOK or NOKp, UV=0x%"UVxf" NV=%"NVgf"\n",
6811                                   SvPVX_const(sv), SvIVX(sv), SvNVX(sv)));
6812 #endif
6813         }
6814     }
6815 #endif /* PERL_PRESERVE_IVUV */
6816     sv_setnv(sv,Atof(SvPVX_const(sv)) - 1.0);   /* punt */
6817 }
6818
6819 /*
6820 =for apidoc sv_mortalcopy
6821
6822 Creates a new SV which is a copy of the original SV (using C<sv_setsv>).
6823 The new SV is marked as mortal. It will be destroyed "soon", either by an
6824 explicit call to FREETMPS, or by an implicit call at places such as
6825 statement boundaries.  See also C<sv_newmortal> and C<sv_2mortal>.
6826
6827 =cut
6828 */
6829
6830 /* Make a string that will exist for the duration of the expression
6831  * evaluation.  Actually, it may have to last longer than that, but
6832  * hopefully we won't free it until it has been assigned to a
6833  * permanent location. */
6834
6835 SV *
6836 Perl_sv_mortalcopy(pTHX_ SV *oldstr)
6837 {
6838     dVAR;
6839     register SV *sv;
6840
6841     new_SV(sv);
6842     sv_setsv(sv,oldstr);
6843     EXTEND_MORTAL(1);
6844     PL_tmps_stack[++PL_tmps_ix] = sv;
6845     SvTEMP_on(sv);
6846     return sv;
6847 }
6848
6849 /*
6850 =for apidoc sv_newmortal
6851
6852 Creates a new null SV which is mortal.  The reference count of the SV is
6853 set to 1. It will be destroyed "soon", either by an explicit call to
6854 FREETMPS, or by an implicit call at places such as statement boundaries.
6855 See also C<sv_mortalcopy> and C<sv_2mortal>.
6856
6857 =cut
6858 */
6859
6860 SV *
6861 Perl_sv_newmortal(pTHX)
6862 {
6863     dVAR;
6864     register SV *sv;
6865
6866     new_SV(sv);
6867     SvFLAGS(sv) = SVs_TEMP;
6868     EXTEND_MORTAL(1);
6869     PL_tmps_stack[++PL_tmps_ix] = sv;
6870     return sv;
6871 }
6872
6873 /*
6874 =for apidoc sv_2mortal
6875
6876 Marks an existing SV as mortal.  The SV will be destroyed "soon", either
6877 by an explicit call to FREETMPS, or by an implicit call at places such as
6878 statement boundaries.  SvTEMP() is turned on which means that the SV's
6879 string buffer can be "stolen" if this SV is copied. See also C<sv_newmortal>
6880 and C<sv_mortalcopy>.
6881
6882 =cut
6883 */
6884
6885 SV *
6886 Perl_sv_2mortal(pTHX_ register SV *sv)
6887 {
6888     dVAR;
6889     if (!sv)
6890         return NULL;
6891     if (SvREADONLY(sv) && SvIMMORTAL(sv))
6892         return sv;
6893     EXTEND_MORTAL(1);
6894     PL_tmps_stack[++PL_tmps_ix] = sv;
6895     SvTEMP_on(sv);
6896     return sv;
6897 }
6898
6899 /*
6900 =for apidoc newSVpv
6901
6902 Creates a new SV and copies a string into it.  The reference count for the
6903 SV is set to 1.  If C<len> is zero, Perl will compute the length using
6904 strlen().  For efficiency, consider using C<newSVpvn> instead.
6905
6906 =cut
6907 */
6908
6909 SV *
6910 Perl_newSVpv(pTHX_ const char *s, STRLEN len)
6911 {
6912     dVAR;
6913     register SV *sv;
6914
6915     new_SV(sv);
6916     sv_setpvn(sv,s,len ? len : strlen(s));
6917     return sv;
6918 }
6919
6920 /*
6921 =for apidoc newSVpvn
6922
6923 Creates a new SV and copies a string into it.  The reference count for the
6924 SV is set to 1.  Note that if C<len> is zero, Perl will create a zero length
6925 string.  You are responsible for ensuring that the source string is at least
6926 C<len> bytes long.  If the C<s> argument is NULL the new SV will be undefined.
6927
6928 =cut
6929 */
6930
6931 SV *
6932 Perl_newSVpvn(pTHX_ const char *s, STRLEN len)
6933 {
6934     dVAR;
6935     register SV *sv;
6936
6937     new_SV(sv);
6938     sv_setpvn(sv,s,len);
6939     return sv;
6940 }
6941
6942
6943 /*
6944 =for apidoc newSVhek
6945
6946 Creates a new SV from the hash key structure.  It will generate scalars that
6947 point to the shared string table where possible. Returns a new (undefined)
6948 SV if the hek is NULL.
6949
6950 =cut
6951 */
6952
6953 SV *
6954 Perl_newSVhek(pTHX_ const HEK *hek)
6955 {
6956     dVAR;
6957     if (!hek) {
6958         SV *sv;
6959
6960         new_SV(sv);
6961         return sv;
6962     }
6963
6964     if (HEK_LEN(hek) == HEf_SVKEY) {
6965         return newSVsv(*(SV**)HEK_KEY(hek));
6966     } else {
6967         const int flags = HEK_FLAGS(hek);
6968         if (flags & HVhek_WASUTF8) {
6969             /* Trouble :-)
6970                Andreas would like keys he put in as utf8 to come back as utf8
6971             */
6972             STRLEN utf8_len = HEK_LEN(hek);
6973             const U8 *as_utf8 = bytes_to_utf8 ((U8*)HEK_KEY(hek), &utf8_len);
6974             SV * const sv = newSVpvn ((const char*)as_utf8, utf8_len);
6975
6976             SvUTF8_on (sv);
6977             Safefree (as_utf8); /* bytes_to_utf8() allocates a new string */
6978             return sv;
6979         } else if (flags & HVhek_REHASH) {
6980             /* We don't have a pointer to the hv, so we have to replicate the
6981                flag into every HEK. This hv is using custom a hasing
6982                algorithm. Hence we can't return a shared string scalar, as
6983                that would contain the (wrong) hash value, and might get passed
6984                into an hv routine with a regular hash  */
6985
6986             SV * const sv = newSVpvn (HEK_KEY(hek), HEK_LEN(hek));
6987             if (HEK_UTF8(hek))
6988                 SvUTF8_on (sv);
6989             return sv;
6990         }
6991         /* This will be overwhelminly the most common case.  */
6992         {
6993             /* Inline most of newSVpvn_share(), because share_hek_hek() is far
6994                more efficient than sharepvn().  */
6995             SV *sv;
6996
6997             new_SV(sv);
6998             sv_upgrade(sv, SVt_PV);
6999             SvPV_set(sv, (char *)HEK_KEY(share_hek_hek(hek)));
7000             SvCUR_set(sv, HEK_LEN(hek));
7001             SvLEN_set(sv, 0);
7002             SvREADONLY_on(sv);
7003             SvFAKE_on(sv);
7004             SvPOK_on(sv);
7005             if (HEK_UTF8(hek))
7006                 SvUTF8_on(sv);
7007             return sv;
7008         }
7009     }
7010 }
7011
7012 /*
7013 =for apidoc newSVpvn_share
7014
7015 Creates a new SV with its SvPVX_const pointing to a shared string in the string
7016 table. If the string does not already exist in the table, it is created
7017 first.  Turns on READONLY and FAKE.  The string's hash is stored in the UV
7018 slot of the SV; if the C<hash> parameter is non-zero, that value is used;
7019 otherwise the hash is computed.  The idea here is that as the string table
7020 is used for shared hash keys these strings will have SvPVX_const == HeKEY and
7021 hash lookup will avoid string compare.
7022
7023 =cut
7024 */
7025
7026 SV *
7027 Perl_newSVpvn_share(pTHX_ const char *src, I32 len, U32 hash)
7028 {
7029     dVAR;
7030     register SV *sv;
7031     bool is_utf8 = FALSE;
7032     const char *const orig_src = src;
7033
7034     if (len < 0) {
7035         STRLEN tmplen = -len;
7036         is_utf8 = TRUE;
7037         /* See the note in hv.c:hv_fetch() --jhi */
7038         src = (char*)bytes_from_utf8((const U8*)src, &tmplen, &is_utf8);
7039         len = tmplen;
7040     }
7041     if (!hash)
7042         PERL_HASH(hash, src, len);
7043     new_SV(sv);
7044     sv_upgrade(sv, SVt_PV);
7045     SvPV_set(sv, sharepvn(src, is_utf8?-len:len, hash));
7046     SvCUR_set(sv, len);
7047     SvLEN_set(sv, 0);
7048     SvREADONLY_on(sv);
7049     SvFAKE_on(sv);
7050     SvPOK_on(sv);
7051     if (is_utf8)
7052         SvUTF8_on(sv);
7053     if (src != orig_src)
7054         Safefree(src);
7055     return sv;
7056 }
7057
7058
7059 #if defined(PERL_IMPLICIT_CONTEXT)
7060
7061 /* pTHX_ magic can't cope with varargs, so this is a no-context
7062  * version of the main function, (which may itself be aliased to us).
7063  * Don't access this version directly.
7064  */
7065
7066 SV *
7067 Perl_newSVpvf_nocontext(const char* pat, ...)
7068 {
7069     dTHX;
7070     register SV *sv;
7071     va_list args;
7072     va_start(args, pat);
7073     sv = vnewSVpvf(pat, &args);
7074     va_end(args);
7075     return sv;
7076 }
7077 #endif
7078
7079 /*
7080 =for apidoc newSVpvf
7081
7082 Creates a new SV and initializes it with the string formatted like
7083 C<sprintf>.
7084
7085 =cut
7086 */
7087
7088 SV *
7089 Perl_newSVpvf(pTHX_ const char* pat, ...)
7090 {
7091     register SV *sv;
7092     va_list args;
7093     va_start(args, pat);
7094     sv = vnewSVpvf(pat, &args);
7095     va_end(args);
7096     return sv;
7097 }
7098
7099 /* backend for newSVpvf() and newSVpvf_nocontext() */
7100
7101 SV *
7102 Perl_vnewSVpvf(pTHX_ const char* pat, va_list* args)
7103 {
7104     dVAR;
7105     register SV *sv;
7106     new_SV(sv);
7107     sv_vsetpvfn(sv, pat, strlen(pat), args, NULL, 0, NULL);
7108     return sv;
7109 }
7110
7111 /*
7112 =for apidoc newSVnv
7113
7114 Creates a new SV and copies a floating point value into it.
7115 The reference count for the SV is set to 1.
7116
7117 =cut
7118 */
7119
7120 SV *
7121 Perl_newSVnv(pTHX_ NV n)
7122 {
7123     dVAR;
7124     register SV *sv;
7125
7126     new_SV(sv);
7127     sv_setnv(sv,n);
7128     return sv;
7129 }
7130
7131 /*
7132 =for apidoc newSViv
7133
7134 Creates a new SV and copies an integer into it.  The reference count for the
7135 SV is set to 1.
7136
7137 =cut
7138 */
7139
7140 SV *
7141 Perl_newSViv(pTHX_ IV i)
7142 {
7143     dVAR;
7144     register SV *sv;
7145
7146     new_SV(sv);
7147     sv_setiv(sv,i);
7148     return sv;
7149 }
7150
7151 /*
7152 =for apidoc newSVuv
7153
7154 Creates a new SV and copies an unsigned integer into it.
7155 The reference count for the SV is set to 1.
7156
7157 =cut
7158 */
7159
7160 SV *
7161 Perl_newSVuv(pTHX_ UV u)
7162 {
7163     dVAR;
7164     register SV *sv;
7165
7166     new_SV(sv);
7167     sv_setuv(sv,u);
7168     return sv;
7169 }
7170
7171 /*
7172 =for apidoc newRV_noinc
7173
7174 Creates an RV wrapper for an SV.  The reference count for the original
7175 SV is B<not> incremented.
7176
7177 =cut
7178 */
7179
7180 SV *
7181 Perl_newRV_noinc(pTHX_ SV *tmpRef)
7182 {
7183     dVAR;
7184     register SV *sv;
7185
7186     new_SV(sv);
7187     sv_upgrade(sv, SVt_RV);
7188     SvTEMP_off(tmpRef);
7189     SvRV_set(sv, tmpRef);
7190     SvROK_on(sv);
7191     return sv;
7192 }
7193
7194 /* newRV_inc is the official function name to use now.
7195  * newRV_inc is in fact #defined to newRV in sv.h
7196  */
7197
7198 SV *
7199 Perl_newRV(pTHX_ SV *sv)
7200 {
7201     dVAR;
7202     return newRV_noinc(SvREFCNT_inc_simple_NN(sv));
7203 }
7204
7205 /*
7206 =for apidoc newSVsv
7207
7208 Creates a new SV which is an exact duplicate of the original SV.
7209 (Uses C<sv_setsv>).
7210
7211 =cut
7212 */
7213
7214 SV *
7215 Perl_newSVsv(pTHX_ register SV *old)
7216 {
7217     dVAR;
7218     register SV *sv;
7219
7220     if (!old)
7221         return NULL;
7222     if (SvTYPE(old) == SVTYPEMASK) {
7223         if (ckWARN_d(WARN_INTERNAL))
7224             Perl_warner(aTHX_ packWARN(WARN_INTERNAL), "semi-panic: attempt to dup freed string");
7225         return NULL;
7226     }
7227     new_SV(sv);
7228     /* SV_GMAGIC is the default for sv_setv()
7229        SV_NOSTEAL prevents TEMP buffers being, well, stolen, and saves games
7230        with SvTEMP_off and SvTEMP_on round a call to sv_setsv.  */
7231     sv_setsv_flags(sv, old, SV_GMAGIC | SV_NOSTEAL);
7232     return sv;
7233 }
7234
7235 /*
7236 =for apidoc sv_reset
7237
7238 Underlying implementation for the C<reset> Perl function.
7239 Note that the perl-level function is vaguely deprecated.
7240
7241 =cut
7242 */
7243
7244 void
7245 Perl_sv_reset(pTHX_ register const char *s, HV *stash)
7246 {
7247     dVAR;
7248     char todo[PERL_UCHAR_MAX+1];
7249
7250     if (!stash)
7251         return;
7252
7253     if (!*s) {          /* reset ?? searches */
7254         MAGIC * const mg = mg_find((SV *)stash, PERL_MAGIC_symtab);
7255         if (mg) {
7256             PMOP *pm = (PMOP *) mg->mg_obj;
7257             while (pm) {
7258                 pm->op_pmdynflags &= ~PMdf_USED;
7259                 pm = pm->op_pmnext;
7260             }
7261         }
7262         return;
7263     }
7264
7265     /* reset variables */
7266
7267     if (!HvARRAY(stash))
7268         return;
7269
7270     Zero(todo, 256, char);
7271     while (*s) {
7272         I32 max;
7273         I32 i = (unsigned char)*s;
7274         if (s[1] == '-') {
7275             s += 2;
7276         }
7277         max = (unsigned char)*s++;
7278         for ( ; i <= max; i++) {
7279             todo[i] = 1;
7280         }
7281         for (i = 0; i <= (I32) HvMAX(stash); i++) {
7282             HE *entry;
7283             for (entry = HvARRAY(stash)[i];
7284                  entry;
7285                  entry = HeNEXT(entry))
7286             {
7287                 register GV *gv;
7288                 register SV *sv;
7289
7290                 if (!todo[(U8)*HeKEY(entry)])
7291                     continue;
7292                 gv = (GV*)HeVAL(entry);
7293                 sv = GvSV(gv);
7294                 if (sv) {
7295                     if (SvTHINKFIRST(sv)) {
7296                         if (!SvREADONLY(sv) && SvROK(sv))
7297                             sv_unref(sv);
7298                         /* XXX Is this continue a bug? Why should THINKFIRST
7299                            exempt us from resetting arrays and hashes?  */
7300                         continue;
7301                     }
7302                     SvOK_off(sv);
7303                     if (SvTYPE(sv) >= SVt_PV) {
7304                         SvCUR_set(sv, 0);
7305                         if (SvPVX_const(sv) != NULL)
7306                             *SvPVX(sv) = '\0';
7307                         SvTAINT(sv);
7308                     }
7309                 }
7310                 if (GvAV(gv)) {
7311                     av_clear(GvAV(gv));
7312                 }
7313                 if (GvHV(gv) && !HvNAME_get(GvHV(gv))) {
7314 #if defined(VMS)
7315                     Perl_die(aTHX_ "Can't reset %%ENV on this system");
7316 #else /* ! VMS */
7317                     hv_clear(GvHV(gv));
7318 #  if defined(USE_ENVIRON_ARRAY)
7319                     if (gv == PL_envgv)
7320                         my_clearenv();
7321 #  endif /* USE_ENVIRON_ARRAY */
7322 #endif /* VMS */
7323                 }
7324             }
7325         }
7326     }
7327 }
7328
7329 /*
7330 =for apidoc sv_2io
7331
7332 Using various gambits, try to get an IO from an SV: the IO slot if its a
7333 GV; or the recursive result if we're an RV; or the IO slot of the symbol
7334 named after the PV if we're a string.
7335
7336 =cut
7337 */
7338
7339 IO*
7340 Perl_sv_2io(pTHX_ SV *sv)
7341 {
7342     IO* io;
7343     GV* gv;
7344
7345     switch (SvTYPE(sv)) {
7346     case SVt_PVIO:
7347         io = (IO*)sv;
7348         break;
7349     case SVt_PVGV:
7350         gv = (GV*)sv;
7351         io = GvIO(gv);
7352         if (!io)
7353             Perl_croak(aTHX_ "Bad filehandle: %s", GvNAME(gv));
7354         break;
7355     default:
7356         if (!SvOK(sv))
7357             Perl_croak(aTHX_ PL_no_usym, "filehandle");
7358         if (SvROK(sv))
7359             return sv_2io(SvRV(sv));
7360         gv = gv_fetchsv(sv, 0, SVt_PVIO);
7361         if (gv)
7362             io = GvIO(gv);
7363         else
7364             io = 0;
7365         if (!io)
7366             Perl_croak(aTHX_ "Bad filehandle: %"SVf, sv);
7367         break;
7368     }
7369     return io;
7370 }
7371
7372 /*
7373 =for apidoc sv_2cv
7374
7375 Using various gambits, try to get a CV from an SV; in addition, try if
7376 possible to set C<*st> and C<*gvp> to the stash and GV associated with it.
7377 The flags in C<lref> are passed to sv_fetchsv.
7378
7379 =cut
7380 */
7381
7382 CV *
7383 Perl_sv_2cv(pTHX_ SV *sv, HV **st, GV **gvp, I32 lref)
7384 {
7385     dVAR;
7386     GV *gv = NULL;
7387     CV *cv = NULL;
7388
7389     if (!sv) {
7390         *st = NULL;
7391         *gvp = NULL;
7392         return NULL;
7393     }
7394     switch (SvTYPE(sv)) {
7395     case SVt_PVCV:
7396         *st = CvSTASH(sv);
7397         *gvp = NULL;
7398         return (CV*)sv;
7399     case SVt_PVHV:
7400     case SVt_PVAV:
7401         *st = NULL;
7402         *gvp = NULL;
7403         return NULL;
7404     case SVt_PVGV:
7405         gv = (GV*)sv;
7406         *gvp = gv;
7407         *st = GvESTASH(gv);
7408         goto fix_gv;
7409
7410     default:
7411         SvGETMAGIC(sv);
7412         if (SvROK(sv)) {
7413             SV * const *sp = &sv;       /* Used in tryAMAGICunDEREF macro. */
7414             tryAMAGICunDEREF(to_cv);
7415
7416             sv = SvRV(sv);
7417             if (SvTYPE(sv) == SVt_PVCV) {
7418                 cv = (CV*)sv;
7419                 *gvp = NULL;
7420                 *st = CvSTASH(cv);
7421                 return cv;
7422             }
7423             else if(isGV(sv))
7424                 gv = (GV*)sv;
7425             else
7426                 Perl_croak(aTHX_ "Not a subroutine reference");
7427         }
7428         else if (isGV(sv))
7429             gv = (GV*)sv;
7430         else
7431             gv = gv_fetchsv(sv, lref, SVt_PVCV);
7432         *gvp = gv;
7433         if (!gv) {
7434             *st = NULL;
7435             return NULL;
7436         }
7437         /* Some flags to gv_fetchsv mean don't really create the GV  */
7438         if (SvTYPE(gv) != SVt_PVGV) {
7439             *st = NULL;
7440             return NULL;
7441         }
7442         *st = GvESTASH(gv);
7443     fix_gv:
7444         if (lref && !GvCVu(gv)) {
7445             SV *tmpsv;
7446             ENTER;
7447             tmpsv = newSV(0);
7448             gv_efullname3(tmpsv, gv, NULL);
7449             /* XXX this is probably not what they think they're getting.
7450              * It has the same effect as "sub name;", i.e. just a forward
7451              * declaration! */
7452             newSUB(start_subparse(FALSE, 0),
7453                    newSVOP(OP_CONST, 0, tmpsv),
7454                    NULL, NULL);
7455             LEAVE;
7456             if (!GvCVu(gv))
7457                 Perl_croak(aTHX_ "Unable to create sub named \"%"SVf"\"",
7458                            sv);
7459         }
7460         return GvCVu(gv);
7461     }
7462 }
7463
7464 /*
7465 =for apidoc sv_true
7466
7467 Returns true if the SV has a true value by Perl's rules.
7468 Use the C<SvTRUE> macro instead, which may call C<sv_true()> or may
7469 instead use an in-line version.
7470
7471 =cut
7472 */
7473
7474 I32
7475 Perl_sv_true(pTHX_ register SV *sv)
7476 {
7477     if (!sv)
7478         return 0;
7479     if (SvPOK(sv)) {
7480         register const XPV* const tXpv = (XPV*)SvANY(sv);
7481         if (tXpv &&
7482                 (tXpv->xpv_cur > 1 ||
7483                 (tXpv->xpv_cur && *sv->sv_u.svu_pv != '0')))
7484             return 1;
7485         else
7486             return 0;
7487     }
7488     else {
7489         if (SvIOK(sv))
7490             return SvIVX(sv) != 0;
7491         else {
7492             if (SvNOK(sv))
7493                 return SvNVX(sv) != 0.0;
7494             else
7495                 return sv_2bool(sv);
7496         }
7497     }
7498 }
7499
7500 /*
7501 =for apidoc sv_pvn_force
7502
7503 Get a sensible string out of the SV somehow.
7504 A private implementation of the C<SvPV_force> macro for compilers which
7505 can't cope with complex macro expressions. Always use the macro instead.
7506
7507 =for apidoc sv_pvn_force_flags
7508
7509 Get a sensible string out of the SV somehow.
7510 If C<flags> has C<SV_GMAGIC> bit set, will C<mg_get> on C<sv> if
7511 appropriate, else not. C<sv_pvn_force> and C<sv_pvn_force_nomg> are
7512 implemented in terms of this function.
7513 You normally want to use the various wrapper macros instead: see
7514 C<SvPV_force> and C<SvPV_force_nomg>
7515
7516 =cut
7517 */
7518
7519 char *
7520 Perl_sv_pvn_force_flags(pTHX_ SV *sv, STRLEN *lp, I32 flags)
7521 {
7522     dVAR;
7523     if (SvTHINKFIRST(sv) && !SvROK(sv))
7524         sv_force_normal_flags(sv, 0);
7525
7526     if (SvPOK(sv)) {
7527         if (lp)
7528             *lp = SvCUR(sv);
7529     }
7530     else {
7531         char *s;
7532         STRLEN len;
7533  
7534         if (SvREADONLY(sv) && !(flags & SV_MUTABLE_RETURN)) {
7535             const char * const ref = sv_reftype(sv,0);
7536             if (PL_op)
7537                 Perl_croak(aTHX_ "Can't coerce readonly %s to string in %s",
7538                            ref, OP_NAME(PL_op));
7539             else
7540                 Perl_croak(aTHX_ "Can't coerce readonly %s to string", ref);
7541         }
7542         if (SvTYPE(sv) > SVt_PVLV && SvTYPE(sv) != SVt_PVFM)
7543             Perl_croak(aTHX_ "Can't coerce %s to string in %s", sv_reftype(sv,0),
7544                 OP_NAME(PL_op));
7545         s = sv_2pv_flags(sv, &len, flags);
7546         if (lp)
7547             *lp = len;
7548
7549         if (s != SvPVX_const(sv)) {     /* Almost, but not quite, sv_setpvn() */
7550             if (SvROK(sv))
7551                 sv_unref(sv);
7552             SvUPGRADE(sv, SVt_PV);              /* Never FALSE */
7553             SvGROW(sv, len + 1);
7554             Move(s,SvPVX(sv),len,char);
7555             SvCUR_set(sv, len);
7556             *SvEND(sv) = '\0';
7557         }
7558         if (!SvPOK(sv)) {
7559             SvPOK_on(sv);               /* validate pointer */
7560             SvTAINT(sv);
7561             DEBUG_c(PerlIO_printf(Perl_debug_log, "0x%"UVxf" 2pv(%s)\n",
7562                                   PTR2UV(sv),SvPVX_const(sv)));
7563         }
7564     }
7565     return SvPVX_mutable(sv);
7566 }
7567
7568 /*
7569 =for apidoc sv_pvbyten_force
7570
7571 The backend for the C<SvPVbytex_force> macro. Always use the macro instead.
7572
7573 =cut
7574 */
7575
7576 char *
7577 Perl_sv_pvbyten_force(pTHX_ SV *sv, STRLEN *lp)
7578 {
7579     sv_pvn_force(sv,lp);
7580     sv_utf8_downgrade(sv,0);
7581     *lp = SvCUR(sv);
7582     return SvPVX(sv);
7583 }
7584
7585 /*
7586 =for apidoc sv_pvutf8n_force
7587
7588 The backend for the C<SvPVutf8x_force> macro. Always use the macro instead.
7589
7590 =cut
7591 */
7592
7593 char *
7594 Perl_sv_pvutf8n_force(pTHX_ SV *sv, STRLEN *lp)
7595 {
7596     sv_pvn_force(sv,lp);
7597     sv_utf8_upgrade(sv);
7598     *lp = SvCUR(sv);
7599     return SvPVX(sv);
7600 }
7601
7602 /*
7603 =for apidoc sv_reftype
7604
7605 Returns a string describing what the SV is a reference to.
7606
7607 =cut
7608 */
7609
7610 char *
7611 Perl_sv_reftype(pTHX_ const SV *sv, int ob)
7612 {
7613     /* The fact that I don't need to downcast to char * everywhere, only in ?:
7614        inside return suggests a const propagation bug in g++.  */
7615     if (ob && SvOBJECT(sv)) {
7616         char * const name = HvNAME_get(SvSTASH(sv));
7617         return name ? name : (char *) "__ANON__";
7618     }
7619     else {
7620         switch (SvTYPE(sv)) {
7621         case SVt_NULL:
7622         case SVt_IV:
7623         case SVt_NV:
7624         case SVt_RV:
7625         case SVt_PV:
7626         case SVt_PVIV:
7627         case SVt_PVNV:
7628         case SVt_PVMG:
7629         case SVt_PVBM:
7630                                 if (SvVOK(sv))
7631                                     return "VSTRING";
7632                                 if (SvROK(sv))
7633                                     return "REF";
7634                                 else
7635                                     return "SCALAR";
7636
7637         case SVt_PVLV:          return (char *)  (SvROK(sv) ? "REF"
7638                                 /* tied lvalues should appear to be
7639                                  * scalars for backwards compatitbility */
7640                                 : (LvTYPE(sv) == 't' || LvTYPE(sv) == 'T')
7641                                     ? "SCALAR" : "LVALUE");
7642         case SVt_PVAV:          return "ARRAY";
7643         case SVt_PVHV:          return "HASH";
7644         case SVt_PVCV:          return "CODE";
7645         case SVt_PVGV:          return "GLOB";
7646         case SVt_PVFM:          return "FORMAT";
7647         case SVt_PVIO:          return "IO";
7648         default:                return "UNKNOWN";
7649         }
7650     }
7651 }
7652
7653 /*
7654 =for apidoc sv_isobject
7655
7656 Returns a boolean indicating whether the SV is an RV pointing to a blessed
7657 object.  If the SV is not an RV, or if the object is not blessed, then this
7658 will return false.
7659
7660 =cut
7661 */
7662
7663 int
7664 Perl_sv_isobject(pTHX_ SV *sv)
7665 {
7666     if (!sv)
7667         return 0;
7668     SvGETMAGIC(sv);
7669     if (!SvROK(sv))
7670         return 0;
7671     sv = (SV*)SvRV(sv);
7672     if (!SvOBJECT(sv))
7673         return 0;
7674     return 1;
7675 }
7676
7677 /*
7678 =for apidoc sv_isa
7679
7680 Returns a boolean indicating whether the SV is blessed into the specified
7681 class.  This does not check for subtypes; use C<sv_derived_from> to verify
7682 an inheritance relationship.
7683
7684 =cut
7685 */
7686
7687 int
7688 Perl_sv_isa(pTHX_ SV *sv, const char *name)
7689 {
7690     const char *hvname;
7691     if (!sv)
7692         return 0;
7693     SvGETMAGIC(sv);
7694     if (!SvROK(sv))
7695         return 0;
7696     sv = (SV*)SvRV(sv);
7697     if (!SvOBJECT(sv))
7698         return 0;
7699     hvname = HvNAME_get(SvSTASH(sv));
7700     if (!hvname)
7701         return 0;
7702
7703     return strEQ(hvname, name);
7704 }
7705
7706 /*
7707 =for apidoc newSVrv
7708
7709 Creates a new SV for the RV, C<rv>, to point to.  If C<rv> is not an RV then
7710 it will be upgraded to one.  If C<classname> is non-null then the new SV will
7711 be blessed in the specified package.  The new SV is returned and its
7712 reference count is 1.
7713
7714 =cut
7715 */
7716
7717 SV*
7718 Perl_newSVrv(pTHX_ SV *rv, const char *classname)
7719 {
7720     dVAR;
7721     SV *sv;
7722
7723     new_SV(sv);
7724
7725     SV_CHECK_THINKFIRST_COW_DROP(rv);
7726     SvAMAGIC_off(rv);
7727
7728     if (SvTYPE(rv) >= SVt_PVMG) {
7729         const U32 refcnt = SvREFCNT(rv);
7730         SvREFCNT(rv) = 0;
7731         sv_clear(rv);
7732         SvFLAGS(rv) = 0;
7733         SvREFCNT(rv) = refcnt;
7734
7735         sv_upgrade(rv, SVt_RV);
7736     } else if (SvROK(rv)) {
7737         SvREFCNT_dec(SvRV(rv));
7738     } else if (SvTYPE(rv) < SVt_RV)
7739         sv_upgrade(rv, SVt_RV);
7740     else if (SvTYPE(rv) > SVt_RV) {
7741         SvPV_free(rv);
7742         SvCUR_set(rv, 0);
7743         SvLEN_set(rv, 0);
7744     }
7745
7746     SvOK_off(rv);
7747     SvRV_set(rv, sv);
7748     SvROK_on(rv);
7749
7750     if (classname) {
7751         HV* const stash = gv_stashpv(classname, TRUE);
7752         (void)sv_bless(rv, stash);
7753     }
7754     return sv;
7755 }
7756
7757 /*
7758 =for apidoc sv_setref_pv
7759
7760 Copies a pointer into a new SV, optionally blessing the SV.  The C<rv>
7761 argument will be upgraded to an RV.  That RV will be modified to point to
7762 the new SV.  If the C<pv> argument is NULL then C<PL_sv_undef> will be placed
7763 into the SV.  The C<classname> argument indicates the package for the
7764 blessing.  Set C<classname> to C<NULL> to avoid the blessing.  The new SV
7765 will have a reference count of 1, and the RV will be returned.
7766
7767 Do not use with other Perl types such as HV, AV, SV, CV, because those
7768 objects will become corrupted by the pointer copy process.
7769
7770 Note that C<sv_setref_pvn> copies the string while this copies the pointer.
7771
7772 =cut
7773 */
7774
7775 SV*
7776 Perl_sv_setref_pv(pTHX_ SV *rv, const char *classname, void *pv)
7777 {
7778     dVAR;
7779     if (!pv) {
7780         sv_setsv(rv, &PL_sv_undef);
7781         SvSETMAGIC(rv);
7782     }
7783     else
7784         sv_setiv(newSVrv(rv,classname), PTR2IV(pv));
7785     return rv;
7786 }
7787
7788 /*
7789 =for apidoc sv_setref_iv
7790
7791 Copies an integer into a new SV, optionally blessing the SV.  The C<rv>
7792 argument will be upgraded to an RV.  That RV will be modified to point to
7793 the new SV.  The C<classname> argument indicates the package for the
7794 blessing.  Set C<classname> to C<NULL> to avoid the blessing.  The new SV
7795 will have a reference count of 1, and the RV will be returned.
7796
7797 =cut
7798 */
7799
7800 SV*
7801 Perl_sv_setref_iv(pTHX_ SV *rv, const char *classname, IV iv)
7802 {
7803     sv_setiv(newSVrv(rv,classname), iv);
7804     return rv;
7805 }
7806
7807 /*
7808 =for apidoc sv_setref_uv
7809
7810 Copies an unsigned integer into a new SV, optionally blessing the SV.  The C<rv>
7811 argument will be upgraded to an RV.  That RV will be modified to point to
7812 the new SV.  The C<classname> argument indicates the package for the
7813 blessing.  Set C<classname> to C<NULL> to avoid the blessing.  The new SV
7814 will have a reference count of 1, and the RV will be returned.
7815
7816 =cut
7817 */
7818
7819 SV*
7820 Perl_sv_setref_uv(pTHX_ SV *rv, const char *classname, UV uv)
7821 {
7822     sv_setuv(newSVrv(rv,classname), uv);
7823     return rv;
7824 }
7825
7826 /*
7827 =for apidoc sv_setref_nv
7828
7829 Copies a double into a new SV, optionally blessing the SV.  The C<rv>
7830 argument will be upgraded to an RV.  That RV will be modified to point to
7831 the new SV.  The C<classname> argument indicates the package for the
7832 blessing.  Set C<classname> to C<NULL> to avoid the blessing.  The new SV
7833 will have a reference count of 1, and the RV will be returned.
7834
7835 =cut
7836 */
7837
7838 SV*
7839 Perl_sv_setref_nv(pTHX_ SV *rv, const char *classname, NV nv)
7840 {
7841     sv_setnv(newSVrv(rv,classname), nv);
7842     return rv;
7843 }
7844
7845 /*
7846 =for apidoc sv_setref_pvn
7847
7848 Copies a string into a new SV, optionally blessing the SV.  The length of the
7849 string must be specified with C<n>.  The C<rv> argument will be upgraded to
7850 an RV.  That RV will be modified to point to the new SV.  The C<classname>
7851 argument indicates the package for the blessing.  Set C<classname> to
7852 C<NULL> to avoid the blessing.  The new SV will have a reference count
7853 of 1, and the RV will be returned.
7854
7855 Note that C<sv_setref_pv> copies the pointer while this copies the string.
7856
7857 =cut
7858 */
7859
7860 SV*
7861 Perl_sv_setref_pvn(pTHX_ SV *rv, const char *classname, const char *pv, STRLEN n)
7862 {
7863     sv_setpvn(newSVrv(rv,classname), pv, n);
7864     return rv;
7865 }
7866
7867 /*
7868 =for apidoc sv_bless
7869
7870 Blesses an SV into a specified package.  The SV must be an RV.  The package
7871 must be designated by its stash (see C<gv_stashpv()>).  The reference count
7872 of the SV is unaffected.
7873
7874 =cut
7875 */
7876
7877 SV*
7878 Perl_sv_bless(pTHX_ SV *sv, HV *stash)
7879 {
7880     dVAR;
7881     SV *tmpRef;
7882     if (!SvROK(sv))
7883         Perl_croak(aTHX_ "Can't bless non-reference value");
7884     tmpRef = SvRV(sv);
7885     if (SvFLAGS(tmpRef) & (SVs_OBJECT|SVf_READONLY)) {
7886         if (SvREADONLY(tmpRef))
7887             Perl_croak(aTHX_ PL_no_modify);
7888         if (SvOBJECT(tmpRef)) {
7889             if (SvTYPE(tmpRef) != SVt_PVIO)
7890                 --PL_sv_objcount;
7891             SvREFCNT_dec(SvSTASH(tmpRef));
7892         }
7893     }
7894     SvOBJECT_on(tmpRef);
7895     if (SvTYPE(tmpRef) != SVt_PVIO)
7896         ++PL_sv_objcount;
7897     SvUPGRADE(tmpRef, SVt_PVMG);
7898     SvSTASH_set(tmpRef, (HV*)SvREFCNT_inc_simple(stash));
7899
7900     if (Gv_AMG(stash))
7901         SvAMAGIC_on(sv);
7902     else
7903         SvAMAGIC_off(sv);
7904
7905     if(SvSMAGICAL(tmpRef))
7906         if(mg_find(tmpRef, PERL_MAGIC_ext) || mg_find(tmpRef, PERL_MAGIC_uvar))
7907             mg_set(tmpRef);
7908
7909
7910
7911     return sv;
7912 }
7913
7914 /* Downgrades a PVGV to a PVMG.
7915  */
7916
7917 STATIC void
7918 S_sv_unglob(pTHX_ SV *sv)
7919 {
7920     dVAR;
7921     void *xpvmg;
7922     SV * const temp = sv_newmortal();
7923
7924     assert(SvTYPE(sv) == SVt_PVGV);
7925     SvFAKE_off(sv);
7926     gv_efullname3(temp, (GV *) sv, "*");
7927
7928     if (GvGP(sv)) {
7929         gp_free((GV*)sv);
7930     }
7931     if (GvSTASH(sv)) {
7932         sv_del_backref((SV*)GvSTASH(sv), sv);
7933         GvSTASH(sv) = NULL;
7934     }
7935     GvMULTI_off(sv);
7936     if (GvNAME_HEK(sv)) {
7937         unshare_hek(GvNAME_HEK(sv));
7938     }
7939     SvSCREAM_off(sv);
7940
7941     /* need to keep SvANY(sv) in the right arena */
7942     xpvmg = new_XPVMG();
7943     StructCopy(SvANY(sv), xpvmg, XPVMG);
7944     del_XPVGV(SvANY(sv));
7945     SvANY(sv) = xpvmg;
7946
7947     SvFLAGS(sv) &= ~SVTYPEMASK;
7948     SvFLAGS(sv) |= SVt_PVMG;
7949
7950     /* Intentionally not calling any local SET magic, as this isn't so much a
7951        set operation as merely an internal storage change.  */
7952     sv_setsv_flags(sv, temp, 0);
7953 }
7954
7955 /*
7956 =for apidoc sv_unref_flags
7957
7958 Unsets the RV status of the SV, and decrements the reference count of
7959 whatever was being referenced by the RV.  This can almost be thought of
7960 as a reversal of C<newSVrv>.  The C<cflags> argument can contain
7961 C<SV_IMMEDIATE_UNREF> to force the reference count to be decremented
7962 (otherwise the decrementing is conditional on the reference count being
7963 different from one or the reference being a readonly SV).
7964 See C<SvROK_off>.
7965
7966 =cut
7967 */
7968
7969 void
7970 Perl_sv_unref_flags(pTHX_ SV *ref, U32 flags)
7971 {
7972     SV* const target = SvRV(ref);
7973
7974     if (SvWEAKREF(ref)) {
7975         sv_del_backref(target, ref);
7976         SvWEAKREF_off(ref);
7977         SvRV_set(ref, NULL);
7978         return;
7979     }
7980     SvRV_set(ref, NULL);
7981     SvROK_off(ref);
7982     /* You can't have a || SvREADONLY(target) here, as $a = $$a, where $a was
7983        assigned to as BEGIN {$a = \"Foo"} will fail.  */
7984     if (SvREFCNT(target) != 1 || (flags & SV_IMMEDIATE_UNREF))
7985         SvREFCNT_dec(target);
7986     else /* XXX Hack, but hard to make $a=$a->[1] work otherwise */
7987         sv_2mortal(target);     /* Schedule for freeing later */
7988 }
7989
7990 /*
7991 =for apidoc sv_untaint
7992
7993 Untaint an SV. Use C<SvTAINTED_off> instead.
7994 =cut
7995 */
7996
7997 void
7998 Perl_sv_untaint(pTHX_ SV *sv)
7999 {
8000     if (SvTYPE(sv) >= SVt_PVMG && SvMAGIC(sv)) {
8001         MAGIC * const mg = mg_find(sv, PERL_MAGIC_taint);
8002         if (mg)
8003             mg->mg_len &= ~1;
8004     }
8005 }
8006
8007 /*
8008 =for apidoc sv_tainted
8009
8010 Test an SV for taintedness. Use C<SvTAINTED> instead.
8011 =cut
8012 */
8013
8014 bool
8015 Perl_sv_tainted(pTHX_ SV *sv)
8016 {
8017     if (SvTYPE(sv) >= SVt_PVMG && SvMAGIC(sv)) {
8018         const MAGIC * const mg = mg_find(sv, PERL_MAGIC_taint);
8019         if (mg && (mg->mg_len & 1) )
8020             return TRUE;
8021     }
8022     return FALSE;
8023 }
8024
8025 /*
8026 =for apidoc sv_setpviv
8027
8028 Copies an integer into the given SV, also updating its string value.
8029 Does not handle 'set' magic.  See C<sv_setpviv_mg>.
8030
8031 =cut
8032 */
8033
8034 void
8035 Perl_sv_setpviv(pTHX_ SV *sv, IV iv)
8036 {
8037     char buf[TYPE_CHARS(UV)];
8038     char *ebuf;
8039     char * const ptr = uiv_2buf(buf, iv, 0, 0, &ebuf);
8040
8041     sv_setpvn(sv, ptr, ebuf - ptr);
8042 }
8043
8044 /*
8045 =for apidoc sv_setpviv_mg
8046
8047 Like C<sv_setpviv>, but also handles 'set' magic.
8048
8049 =cut
8050 */
8051
8052 void
8053 Perl_sv_setpviv_mg(pTHX_ SV *sv, IV iv)
8054 {
8055     sv_setpviv(sv, iv);
8056     SvSETMAGIC(sv);
8057 }
8058
8059 #if defined(PERL_IMPLICIT_CONTEXT)
8060
8061 /* pTHX_ magic can't cope with varargs, so this is a no-context
8062  * version of the main function, (which may itself be aliased to us).
8063  * Don't access this version directly.
8064  */
8065
8066 void
8067 Perl_sv_setpvf_nocontext(SV *sv, const char* pat, ...)
8068 {
8069     dTHX;
8070     va_list args;
8071     va_start(args, pat);
8072     sv_vsetpvf(sv, pat, &args);
8073     va_end(args);
8074 }
8075
8076 /* pTHX_ magic can't cope with varargs, so this is a no-context
8077  * version of the main function, (which may itself be aliased to us).
8078  * Don't access this version directly.
8079  */
8080
8081 void
8082 Perl_sv_setpvf_mg_nocontext(SV *sv, const char* pat, ...)
8083 {
8084     dTHX;
8085     va_list args;
8086     va_start(args, pat);
8087     sv_vsetpvf_mg(sv, pat, &args);
8088     va_end(args);
8089 }
8090 #endif
8091
8092 /*
8093 =for apidoc sv_setpvf
8094
8095 Works like C<sv_catpvf> but copies the text into the SV instead of
8096 appending it.  Does not handle 'set' magic.  See C<sv_setpvf_mg>.
8097
8098 =cut
8099 */
8100
8101 void
8102 Perl_sv_setpvf(pTHX_ SV *sv, const char* pat, ...)
8103 {
8104     va_list args;
8105     va_start(args, pat);
8106     sv_vsetpvf(sv, pat, &args);
8107     va_end(args);
8108 }
8109
8110 /*
8111 =for apidoc sv_vsetpvf
8112
8113 Works like C<sv_vcatpvf> but copies the text into the SV instead of
8114 appending it.  Does not handle 'set' magic.  See C<sv_vsetpvf_mg>.
8115
8116 Usually used via its frontend C<sv_setpvf>.
8117
8118 =cut
8119 */
8120
8121 void
8122 Perl_sv_vsetpvf(pTHX_ SV *sv, const char* pat, va_list* args)
8123 {
8124     sv_vsetpvfn(sv, pat, strlen(pat), args, NULL, 0, NULL);
8125 }
8126
8127 /*
8128 =for apidoc sv_setpvf_mg
8129
8130 Like C<sv_setpvf>, but also handles 'set' magic.
8131
8132 =cut
8133 */
8134
8135 void
8136 Perl_sv_setpvf_mg(pTHX_ SV *sv, const char* pat, ...)
8137 {
8138     va_list args;
8139     va_start(args, pat);
8140     sv_vsetpvf_mg(sv, pat, &args);
8141     va_end(args);
8142 }
8143
8144 /*
8145 =for apidoc sv_vsetpvf_mg
8146
8147 Like C<sv_vsetpvf>, but also handles 'set' magic.
8148
8149 Usually used via its frontend C<sv_setpvf_mg>.
8150
8151 =cut
8152 */
8153
8154 void
8155 Perl_sv_vsetpvf_mg(pTHX_ SV *sv, const char* pat, va_list* args)
8156 {
8157     sv_vsetpvfn(sv, pat, strlen(pat), args, NULL, 0, NULL);
8158     SvSETMAGIC(sv);
8159 }
8160
8161 #if defined(PERL_IMPLICIT_CONTEXT)
8162
8163 /* pTHX_ magic can't cope with varargs, so this is a no-context
8164  * version of the main function, (which may itself be aliased to us).
8165  * Don't access this version directly.
8166  */
8167
8168 void
8169 Perl_sv_catpvf_nocontext(SV *sv, const char* pat, ...)
8170 {
8171     dTHX;
8172     va_list args;
8173     va_start(args, pat);
8174     sv_vcatpvf(sv, pat, &args);
8175     va_end(args);
8176 }
8177
8178 /* pTHX_ magic can't cope with varargs, so this is a no-context
8179  * version of the main function, (which may itself be aliased to us).
8180  * Don't access this version directly.
8181  */
8182
8183 void
8184 Perl_sv_catpvf_mg_nocontext(SV *sv, const char* pat, ...)
8185 {
8186     dTHX;
8187     va_list args;
8188     va_start(args, pat);
8189     sv_vcatpvf_mg(sv, pat, &args);
8190     va_end(args);
8191 }
8192 #endif
8193
8194 /*
8195 =for apidoc sv_catpvf
8196
8197 Processes its arguments like C<sprintf> and appends the formatted
8198 output to an SV.  If the appended data contains "wide" characters
8199 (including, but not limited to, SVs with a UTF-8 PV formatted with %s,
8200 and characters >255 formatted with %c), the original SV might get
8201 upgraded to UTF-8.  Handles 'get' magic, but not 'set' magic.  See
8202 C<sv_catpvf_mg>. If the original SV was UTF-8, the pattern should be
8203 valid UTF-8; if the original SV was bytes, the pattern should be too.
8204
8205 =cut */
8206
8207 void
8208 Perl_sv_catpvf(pTHX_ SV *sv, const char* pat, ...)
8209 {
8210     va_list args;
8211     va_start(args, pat);
8212     sv_vcatpvf(sv, pat, &args);
8213     va_end(args);
8214 }
8215
8216 /*
8217 =for apidoc sv_vcatpvf
8218
8219 Processes its arguments like C<vsprintf> and appends the formatted output
8220 to an SV.  Does not handle 'set' magic.  See C<sv_vcatpvf_mg>.
8221
8222 Usually used via its frontend C<sv_catpvf>.
8223
8224 =cut
8225 */
8226
8227 void
8228 Perl_sv_vcatpvf(pTHX_ SV *sv, const char* pat, va_list* args)
8229 {
8230     sv_vcatpvfn(sv, pat, strlen(pat), args, NULL, 0, NULL);
8231 }
8232
8233 /*
8234 =for apidoc sv_catpvf_mg
8235
8236 Like C<sv_catpvf>, but also handles 'set' magic.
8237
8238 =cut
8239 */
8240
8241 void
8242 Perl_sv_catpvf_mg(pTHX_ SV *sv, const char* pat, ...)
8243 {
8244     va_list args;
8245     va_start(args, pat);
8246     sv_vcatpvf_mg(sv, pat, &args);
8247     va_end(args);
8248 }
8249
8250 /*
8251 =for apidoc sv_vcatpvf_mg
8252
8253 Like C<sv_vcatpvf>, but also handles 'set' magic.
8254
8255 Usually used via its frontend C<sv_catpvf_mg>.
8256
8257 =cut
8258 */
8259
8260 void
8261 Perl_sv_vcatpvf_mg(pTHX_ SV *sv, const char* pat, va_list* args)
8262 {
8263     sv_vcatpvfn(sv, pat, strlen(pat), args, NULL, 0, NULL);
8264     SvSETMAGIC(sv);
8265 }
8266
8267 /*
8268 =for apidoc sv_vsetpvfn
8269
8270 Works like C<sv_vcatpvfn> but copies the text into the SV instead of
8271 appending it.
8272
8273 Usually used via one of its frontends C<sv_vsetpvf> and C<sv_vsetpvf_mg>.
8274
8275 =cut
8276 */
8277
8278 void
8279 Perl_sv_vsetpvfn(pTHX_ SV *sv, const char *pat, STRLEN patlen, va_list *args, SV **svargs, I32 svmax, bool *maybe_tainted)
8280 {
8281     sv_setpvn(sv, "", 0);
8282     sv_vcatpvfn(sv, pat, patlen, args, svargs, svmax, maybe_tainted);
8283 }
8284
8285 STATIC I32
8286 S_expect_number(pTHX_ char** pattern)
8287 {
8288     dVAR;
8289     I32 var = 0;
8290     switch (**pattern) {
8291     case '1': case '2': case '3':
8292     case '4': case '5': case '6':
8293     case '7': case '8': case '9':
8294         var = *(*pattern)++ - '0';
8295         while (isDIGIT(**pattern)) {
8296             const I32 tmp = var * 10 + (*(*pattern)++ - '0');
8297             if (tmp < var)
8298                 Perl_croak(aTHX_ "Integer overflow in format string for %s", (PL_op ? OP_NAME(PL_op) : "sv_vcatpvfn"));
8299             var = tmp;
8300         }
8301     }
8302     return var;
8303 }
8304
8305 STATIC char *
8306 S_F0convert(NV nv, char *endbuf, STRLEN *len)
8307 {
8308     const int neg = nv < 0;
8309     UV uv;
8310
8311     if (neg)
8312         nv = -nv;
8313     if (nv < UV_MAX) {
8314         char *p = endbuf;
8315         nv += 0.5;
8316         uv = (UV)nv;
8317         if (uv & 1 && uv == nv)
8318             uv--;                       /* Round to even */
8319         do {
8320             const unsigned dig = uv % 10;
8321             *--p = '0' + dig;
8322         } while (uv /= 10);
8323         if (neg)
8324             *--p = '-';
8325         *len = endbuf - p;
8326         return p;
8327     }
8328     return NULL;
8329 }
8330
8331
8332 /*
8333 =for apidoc sv_vcatpvfn
8334
8335 Processes its arguments like C<vsprintf> and appends the formatted output
8336 to an SV.  Uses an array of SVs if the C style variable argument list is
8337 missing (NULL).  When running with taint checks enabled, indicates via
8338 C<maybe_tainted> if results are untrustworthy (often due to the use of
8339 locales).
8340
8341 Usually used via one of its frontends C<sv_vcatpvf> and C<sv_vcatpvf_mg>.
8342
8343 =cut
8344 */
8345
8346
8347 #define VECTORIZE_ARGS  vecsv = va_arg(*args, SV*);\
8348                         vecstr = (U8*)SvPV_const(vecsv,veclen);\
8349                         vec_utf8 = DO_UTF8(vecsv);
8350
8351 /* XXX maybe_tainted is never assigned to, so the doc above is lying. */
8352
8353 void
8354 Perl_sv_vcatpvfn(pTHX_ SV *sv, const char *pat, STRLEN patlen, va_list *args, SV **svargs, I32 svmax, bool *maybe_tainted)
8355 {
8356     dVAR;
8357     char *p;
8358     char *q;
8359     const char *patend;
8360     STRLEN origlen;
8361     I32 svix = 0;
8362     static const char nullstr[] = "(null)";
8363     SV *argsv = NULL;
8364     bool has_utf8 = DO_UTF8(sv);    /* has the result utf8? */
8365     const bool pat_utf8 = has_utf8; /* the pattern is in utf8? */
8366     SV *nsv = NULL;
8367     /* Times 4: a decimal digit takes more than 3 binary digits.
8368      * NV_DIG: mantissa takes than many decimal digits.
8369      * Plus 32: Playing safe. */
8370     char ebuf[IV_DIG * 4 + NV_DIG + 32];
8371     /* large enough for "%#.#f" --chip */
8372     /* what about long double NVs? --jhi */
8373
8374     PERL_UNUSED_ARG(maybe_tainted);
8375
8376     /* no matter what, this is a string now */
8377     (void)SvPV_force(sv, origlen);
8378
8379     /* special-case "", "%s", and "%-p" (SVf - see below) */
8380     if (patlen == 0)
8381         return;
8382     if (patlen == 2 && pat[0] == '%' && pat[1] == 's') {
8383         if (args) {
8384             const char * const s = va_arg(*args, char*);
8385             sv_catpv(sv, s ? s : nullstr);
8386         }
8387         else if (svix < svmax) {
8388             sv_catsv(sv, *svargs);
8389         }
8390         return;
8391     }
8392     if (args && patlen == 3 && pat[0] == '%' &&
8393                 pat[1] == '-' && pat[2] == 'p') {
8394         argsv = va_arg(*args, SV*);
8395         sv_catsv(sv, argsv);
8396         return;
8397     }
8398
8399 #ifndef USE_LONG_DOUBLE
8400     /* special-case "%.<number>[gf]" */
8401     if ( !args && patlen <= 5 && pat[0] == '%' && pat[1] == '.'
8402          && (pat[patlen-1] == 'g' || pat[patlen-1] == 'f') ) {
8403         unsigned digits = 0;
8404         const char *pp;
8405
8406         pp = pat + 2;
8407         while (*pp >= '0' && *pp <= '9')
8408             digits = 10 * digits + (*pp++ - '0');
8409         if (pp - pat == (int)patlen - 1) {
8410             NV nv;
8411
8412             if (svix < svmax)
8413                 nv = SvNV(*svargs);
8414             else
8415                 return;
8416             if (*pp == 'g') {
8417                 /* Add check for digits != 0 because it seems that some
8418                    gconverts are buggy in this case, and we don't yet have
8419                    a Configure test for this.  */
8420                 if (digits && digits < sizeof(ebuf) - NV_DIG - 10) {
8421                      /* 0, point, slack */
8422                     Gconvert(nv, (int)digits, 0, ebuf);
8423                     sv_catpv(sv, ebuf);
8424                     if (*ebuf)  /* May return an empty string for digits==0 */
8425                         return;
8426                 }
8427             } else if (!digits) {
8428                 STRLEN l;
8429
8430                 if ((p = F0convert(nv, ebuf + sizeof ebuf, &l))) {
8431                     sv_catpvn(sv, p, l);
8432                     return;
8433                 }
8434             }
8435         }
8436     }
8437 #endif /* !USE_LONG_DOUBLE */
8438
8439     if (!args && svix < svmax && DO_UTF8(*svargs))
8440         has_utf8 = TRUE;
8441
8442     patend = (char*)pat + patlen;
8443     for (p = (char*)pat; p < patend; p = q) {
8444         bool alt = FALSE;
8445         bool left = FALSE;
8446         bool vectorize = FALSE;
8447         bool vectorarg = FALSE;
8448         bool vec_utf8 = FALSE;
8449         char fill = ' ';
8450         char plus = 0;
8451         char intsize = 0;
8452         STRLEN width = 0;
8453         STRLEN zeros = 0;
8454         bool has_precis = FALSE;
8455         STRLEN precis = 0;
8456         const I32 osvix = svix;
8457         bool is_utf8 = FALSE;  /* is this item utf8?   */
8458 #ifdef HAS_LDBL_SPRINTF_BUG
8459         /* This is to try to fix a bug with irix/nonstop-ux/powerux and
8460            with sfio - Allen <allens@cpan.org> */
8461         bool fix_ldbl_sprintf_bug = FALSE;
8462 #endif
8463
8464         char esignbuf[4];
8465         U8 utf8buf[UTF8_MAXBYTES+1];
8466         STRLEN esignlen = 0;
8467
8468         const char *eptr = NULL;
8469         STRLEN elen = 0;
8470         SV *vecsv = NULL;
8471         const U8 *vecstr = NULL;
8472         STRLEN veclen = 0;
8473         char c = 0;
8474         int i;
8475         unsigned base = 0;
8476         IV iv = 0;
8477         UV uv = 0;
8478         /* we need a long double target in case HAS_LONG_DOUBLE but
8479            not USE_LONG_DOUBLE
8480         */
8481 #if defined(HAS_LONG_DOUBLE) && LONG_DOUBLESIZE > DOUBLESIZE
8482         long double nv;
8483 #else
8484         NV nv;
8485 #endif
8486         STRLEN have;
8487         STRLEN need;
8488         STRLEN gap;
8489         const char *dotstr = ".";
8490         STRLEN dotstrlen = 1;
8491         I32 efix = 0; /* explicit format parameter index */
8492         I32 ewix = 0; /* explicit width index */
8493         I32 epix = 0; /* explicit precision index */
8494         I32 evix = 0; /* explicit vector index */
8495         bool asterisk = FALSE;
8496
8497         /* echo everything up to the next format specification */
8498         for (q = p; q < patend && *q != '%'; ++q) ;
8499         if (q > p) {
8500             if (has_utf8 && !pat_utf8)
8501                 sv_catpvn_utf8_upgrade(sv, p, q - p, nsv);
8502             else
8503                 sv_catpvn(sv, p, q - p);
8504             p = q;
8505         }
8506         if (q++ >= patend)
8507             break;
8508
8509 /*
8510     We allow format specification elements in this order:
8511         \d+\$              explicit format parameter index
8512         [-+ 0#]+           flags
8513         v|\*(\d+\$)?v      vector with optional (optionally specified) arg
8514         0                  flag (as above): repeated to allow "v02"     
8515         \d+|\*(\d+\$)?     width using optional (optionally specified) arg
8516         \.(\d*|\*(\d+\$)?) precision using optional (optionally specified) arg
8517         [hlqLV]            size
8518     [%bcdefginopsuxDFOUX] format (mandatory)
8519 */
8520
8521         if (args) {
8522 /*  
8523         As of perl5.9.3, printf format checking is on by default.
8524         Internally, perl uses %p formats to provide an escape to
8525         some extended formatting.  This block deals with those
8526         extensions: if it does not match, (char*)q is reset and
8527         the normal format processing code is used.
8528
8529         Currently defined extensions are:
8530                 %p              include pointer address (standard)      
8531                 %-p     (SVf)   include an SV (previously %_)
8532                 %-<num>p        include an SV with precision <num>      
8533                 %1p     (VDf)   include a v-string (as %vd)
8534                 %<num>p         reserved for future extensions
8535
8536         Robin Barker 2005-07-14
8537 */
8538             char* r = q; 
8539             bool sv = FALSE;    
8540             STRLEN n = 0;
8541             if (*q == '-')
8542                 sv = *q++;
8543             n = expect_number(&q);
8544             if (*q++ == 'p') {
8545                 if (sv) {                       /* SVf */
8546                     if (n) {
8547                         precis = n;
8548                         has_precis = TRUE;
8549                     }
8550                     argsv = va_arg(*args, SV*);
8551                     eptr = SvPVx_const(argsv, elen);
8552                     if (DO_UTF8(argsv))
8553                         is_utf8 = TRUE;
8554                     goto string;
8555                 }
8556 #if vdNUMBER
8557                 else if (n == vdNUMBER) {       /* VDf */
8558                     vectorize = TRUE;
8559                     VECTORIZE_ARGS
8560                     goto format_vd;
8561                 }
8562 #endif
8563                 else if (n) {
8564                     if (ckWARN_d(WARN_INTERNAL))
8565                         Perl_warner(aTHX_ packWARN(WARN_INTERNAL),
8566                         "internal %%<num>p might conflict with future printf extensions");
8567                 }
8568             }
8569             q = r; 
8570         }
8571
8572         if ( (width = expect_number(&q)) ) {
8573             if (*q == '$') {
8574                 ++q;
8575                 efix = width;
8576             } else {
8577                 goto gotwidth;
8578             }
8579         }
8580
8581         /* FLAGS */
8582
8583         while (*q) {
8584             switch (*q) {
8585             case ' ':
8586             case '+':
8587                 plus = *q++;
8588                 continue;
8589
8590             case '-':
8591                 left = TRUE;
8592                 q++;
8593                 continue;
8594
8595             case '0':
8596                 fill = *q++;
8597                 continue;
8598
8599             case '#':
8600                 alt = TRUE;
8601                 q++;
8602                 continue;
8603
8604             default:
8605                 break;
8606             }
8607             break;
8608         }
8609
8610       tryasterisk:
8611         if (*q == '*') {
8612             q++;
8613             if ( (ewix = expect_number(&q)) )
8614                 if (*q++ != '$')
8615                     goto unknown;
8616             asterisk = TRUE;
8617         }
8618         if (*q == 'v') {
8619             q++;
8620             if (vectorize)
8621                 goto unknown;
8622             if ((vectorarg = asterisk)) {
8623                 evix = ewix;
8624                 ewix = 0;
8625                 asterisk = FALSE;
8626             }
8627             vectorize = TRUE;
8628             goto tryasterisk;
8629         }
8630
8631         if (!asterisk)
8632         {
8633             if( *q == '0' )
8634                 fill = *q++;
8635             width = expect_number(&q);
8636         }
8637
8638         if (vectorize) {
8639             if (vectorarg) {
8640                 if (args)
8641                     vecsv = va_arg(*args, SV*);
8642                 else if (evix) {
8643                     vecsv = (evix > 0 && evix <= svmax)
8644                         ? svargs[evix-1] : &PL_sv_undef;
8645                 } else {
8646                     vecsv = svix < svmax ? svargs[svix++] : &PL_sv_undef;
8647                 }
8648                 dotstr = SvPV_const(vecsv, dotstrlen);
8649                 /* Keep the DO_UTF8 test *after* the SvPV call, else things go
8650                    bad with tied or overloaded values that return UTF8.  */
8651                 if (DO_UTF8(vecsv))
8652                     is_utf8 = TRUE;
8653                 else if (has_utf8) {
8654                     vecsv = sv_mortalcopy(vecsv);
8655                     sv_utf8_upgrade(vecsv);
8656                     dotstr = SvPV_const(vecsv, dotstrlen);
8657                     is_utf8 = TRUE;
8658                 }                   
8659             }
8660             if (args) {
8661                 VECTORIZE_ARGS
8662             }
8663             else if (efix ? (efix > 0 && efix <= svmax) : svix < svmax) {
8664                 vecsv = svargs[efix ? efix-1 : svix++];
8665                 vecstr = (U8*)SvPV_const(vecsv,veclen);
8666                 vec_utf8 = DO_UTF8(vecsv);
8667
8668                 /* if this is a version object, we need to convert
8669                  * back into v-string notation and then let the
8670                  * vectorize happen normally
8671                  */
8672                 if (sv_derived_from(vecsv, "version")) {
8673                     char *version = savesvpv(vecsv);
8674                     if ( hv_exists((HV*)SvRV(vecsv), "alpha", 5 ) ) {
8675                         Perl_warner(aTHX_ packWARN(WARN_INTERNAL),
8676                         "vector argument not supported with alpha versions");
8677                         goto unknown;
8678                     }
8679                     vecsv = sv_newmortal();
8680                     /* scan_vstring is expected to be called during
8681                      * tokenization, so we need to fake up the end
8682                      * of the buffer for it
8683                      */
8684                     PL_bufend = version + veclen;
8685                     scan_vstring(version, vecsv);
8686                     vecstr = (U8*)SvPV_const(vecsv, veclen);
8687                     vec_utf8 = DO_UTF8(vecsv);
8688                     Safefree(version);
8689                 }
8690             }
8691             else {
8692                 vecstr = (U8*)"";
8693                 veclen = 0;
8694             }
8695         }
8696
8697         if (asterisk) {
8698             if (args)
8699                 i = va_arg(*args, int);
8700             else
8701                 i = (ewix ? ewix <= svmax : svix < svmax) ?
8702                     SvIVx(svargs[ewix ? ewix-1 : svix++]) : 0;
8703             left |= (i < 0);
8704             width = (i < 0) ? -i : i;
8705         }
8706       gotwidth:
8707
8708         /* PRECISION */
8709
8710         if (*q == '.') {
8711             q++;
8712             if (*q == '*') {
8713                 q++;
8714                 if ( ((epix = expect_number(&q))) && (*q++ != '$') )
8715                     goto unknown;
8716                 /* XXX: todo, support specified precision parameter */
8717                 if (epix)
8718                     goto unknown;
8719                 if (args)
8720                     i = va_arg(*args, int);
8721                 else
8722                     i = (ewix ? ewix <= svmax : svix < svmax)
8723                         ? SvIVx(svargs[ewix ? ewix-1 : svix++]) : 0;
8724                 precis = (i < 0) ? 0 : i;
8725             }
8726             else {
8727                 precis = 0;
8728                 while (isDIGIT(*q))
8729                     precis = precis * 10 + (*q++ - '0');
8730             }
8731             has_precis = TRUE;
8732         }
8733
8734         /* SIZE */
8735
8736         switch (*q) {
8737 #ifdef WIN32
8738         case 'I':                       /* Ix, I32x, and I64x */
8739 #  ifdef WIN64
8740             if (q[1] == '6' && q[2] == '4') {
8741                 q += 3;
8742                 intsize = 'q';
8743                 break;
8744             }
8745 #  endif
8746             if (q[1] == '3' && q[2] == '2') {
8747                 q += 3;
8748                 break;
8749             }
8750 #  ifdef WIN64
8751             intsize = 'q';
8752 #  endif
8753             q++;
8754             break;
8755 #endif
8756 #if defined(HAS_QUAD) || defined(HAS_LONG_DOUBLE)
8757         case 'L':                       /* Ld */
8758             /*FALLTHROUGH*/
8759 #ifdef HAS_QUAD
8760         case 'q':                       /* qd */
8761 #endif
8762             intsize = 'q';
8763             q++;
8764             break;
8765 #endif
8766         case 'l':
8767 #if defined(HAS_QUAD) || defined(HAS_LONG_DOUBLE)
8768             if (*(q + 1) == 'l') {      /* lld, llf */
8769                 intsize = 'q';
8770                 q += 2;
8771                 break;
8772              }
8773 #endif
8774             /*FALLTHROUGH*/
8775         case 'h':
8776             /*FALLTHROUGH*/
8777         case 'V':
8778             intsize = *q++;
8779             break;
8780         }
8781
8782         /* CONVERSION */
8783
8784         if (*q == '%') {
8785             eptr = q++;
8786             elen = 1;
8787             if (vectorize) {
8788                 c = '%';
8789                 goto unknown;
8790             }
8791             goto string;
8792         }
8793
8794         if (!vectorize && !args) {
8795             if (efix) {
8796                 const I32 i = efix-1;
8797                 argsv = (i >= 0 && i < svmax) ? svargs[i] : &PL_sv_undef;
8798             } else {
8799                 argsv = (svix >= 0 && svix < svmax)
8800                     ? svargs[svix++] : &PL_sv_undef;
8801             }
8802         }
8803
8804         switch (c = *q++) {
8805
8806             /* STRINGS */
8807
8808         case 'c':
8809             if (vectorize)
8810                 goto unknown;
8811             uv = (args) ? va_arg(*args, int) : SvIVx(argsv);
8812             if ((uv > 255 ||
8813                  (!UNI_IS_INVARIANT(uv) && SvUTF8(sv)))
8814                 && !IN_BYTES) {
8815                 eptr = (char*)utf8buf;
8816                 elen = uvchr_to_utf8((U8*)eptr, uv) - utf8buf;
8817                 is_utf8 = TRUE;
8818             }
8819             else {
8820                 c = (char)uv;
8821                 eptr = &c;
8822                 elen = 1;
8823             }
8824             goto string;
8825
8826         case 's':
8827             if (vectorize)
8828                 goto unknown;
8829             if (args) {
8830                 eptr = va_arg(*args, char*);
8831                 if (eptr)
8832 #ifdef MACOS_TRADITIONAL
8833                   /* On MacOS, %#s format is used for Pascal strings */
8834                   if (alt)
8835                     elen = *eptr++;
8836                   else
8837 #endif
8838                     elen = strlen(eptr);
8839                 else {
8840                     eptr = (char *)nullstr;
8841                     elen = sizeof nullstr - 1;
8842                 }
8843             }
8844             else {
8845                 eptr = SvPVx_const(argsv, elen);
8846                 if (DO_UTF8(argsv)) {
8847                     if (has_precis && precis < elen) {
8848                         I32 p = precis;
8849                         sv_pos_u2b(argsv, &p, 0); /* sticks at end */
8850                         precis = p;
8851                     }
8852                     if (width) { /* fudge width (can't fudge elen) */
8853                         width += elen - sv_len_utf8(argsv);
8854                     }
8855                     is_utf8 = TRUE;
8856                 }
8857             }
8858
8859         string:
8860             if (has_precis && elen > precis)
8861                 elen = precis;
8862             break;
8863
8864             /* INTEGERS */
8865
8866         case 'p':
8867             if (alt || vectorize)
8868                 goto unknown;
8869             uv = PTR2UV(args ? va_arg(*args, void*) : argsv);
8870             base = 16;
8871             goto integer;
8872
8873         case 'D':
8874 #ifdef IV_IS_QUAD
8875             intsize = 'q';
8876 #else
8877             intsize = 'l';
8878 #endif
8879             /*FALLTHROUGH*/
8880         case 'd':
8881         case 'i':
8882 #if vdNUMBER
8883         format_vd:
8884 #endif
8885             if (vectorize) {
8886                 STRLEN ulen;
8887                 if (!veclen)
8888                     continue;
8889                 if (vec_utf8)
8890                     uv = utf8n_to_uvchr(vecstr, veclen, &ulen,
8891                                         UTF8_ALLOW_ANYUV);
8892                 else {
8893                     uv = *vecstr;
8894                     ulen = 1;
8895                 }
8896                 vecstr += ulen;
8897                 veclen -= ulen;
8898                 if (plus)
8899                      esignbuf[esignlen++] = plus;
8900             }
8901             else if (args) {
8902                 switch (intsize) {
8903                 case 'h':       iv = (short)va_arg(*args, int); break;
8904                 case 'l':       iv = va_arg(*args, long); break;
8905                 case 'V':       iv = va_arg(*args, IV); break;
8906                 default:        iv = va_arg(*args, int); break;
8907 #ifdef HAS_QUAD
8908                 case 'q':       iv = va_arg(*args, Quad_t); break;
8909 #endif
8910                 }
8911             }
8912             else {
8913                 IV tiv = SvIVx(argsv); /* work around GCC bug #13488 */
8914                 switch (intsize) {
8915                 case 'h':       iv = (short)tiv; break;
8916                 case 'l':       iv = (long)tiv; break;
8917                 case 'V':
8918                 default:        iv = tiv; break;
8919 #ifdef HAS_QUAD
8920                 case 'q':       iv = (Quad_t)tiv; break;
8921 #endif
8922                 }
8923             }
8924             if ( !vectorize )   /* we already set uv above */
8925             {
8926                 if (iv >= 0) {
8927                     uv = iv;
8928                     if (plus)
8929                         esignbuf[esignlen++] = plus;
8930                 }
8931                 else {
8932                     uv = -iv;
8933                     esignbuf[esignlen++] = '-';
8934                 }
8935             }
8936             base = 10;
8937             goto integer;
8938
8939         case 'U':
8940 #ifdef IV_IS_QUAD
8941             intsize = 'q';
8942 #else
8943             intsize = 'l';
8944 #endif
8945             /*FALLTHROUGH*/
8946         case 'u':
8947             base = 10;
8948             goto uns_integer;
8949
8950         case 'b':
8951             base = 2;
8952             goto uns_integer;
8953
8954         case 'O':
8955 #ifdef IV_IS_QUAD
8956             intsize = 'q';
8957 #else
8958             intsize = 'l';
8959 #endif
8960             /*FALLTHROUGH*/
8961         case 'o':
8962             base = 8;
8963             goto uns_integer;
8964
8965         case 'X':
8966         case 'x':
8967             base = 16;
8968
8969         uns_integer:
8970             if (vectorize) {
8971                 STRLEN ulen;
8972         vector:
8973                 if (!veclen)
8974                     continue;
8975                 if (vec_utf8)
8976                     uv = utf8n_to_uvchr(vecstr, veclen, &ulen,
8977                                         UTF8_ALLOW_ANYUV);
8978                 else {
8979                     uv = *vecstr;
8980                     ulen = 1;
8981                 }
8982                 vecstr += ulen;
8983                 veclen -= ulen;
8984             }
8985             else if (args) {
8986                 switch (intsize) {
8987                 case 'h':  uv = (unsigned short)va_arg(*args, unsigned); break;
8988                 case 'l':  uv = va_arg(*args, unsigned long); break;
8989                 case 'V':  uv = va_arg(*args, UV); break;
8990                 default:   uv = va_arg(*args, unsigned); break;
8991 #ifdef HAS_QUAD
8992                 case 'q':  uv = va_arg(*args, Uquad_t); break;
8993 #endif
8994                 }
8995             }
8996             else {
8997                 UV tuv = SvUVx(argsv); /* work around GCC bug #13488 */
8998                 switch (intsize) {
8999                 case 'h':       uv = (unsigned short)tuv; break;
9000                 case 'l':       uv = (unsigned long)tuv; break;
9001                 case 'V':
9002                 default:        uv = tuv; break;
9003 #ifdef HAS_QUAD
9004                 case 'q':       uv = (Uquad_t)tuv; break;
9005 #endif
9006                 }
9007             }
9008
9009         integer:
9010             {
9011                 char *ptr = ebuf + sizeof ebuf;
9012                 switch (base) {
9013                     unsigned dig;
9014                 case 16:
9015                     if (!uv)
9016                         alt = FALSE;
9017                     p = (char*)((c == 'X')
9018                                 ? "0123456789ABCDEF" : "0123456789abcdef");
9019                     do {
9020                         dig = uv & 15;
9021                         *--ptr = p[dig];
9022                     } while (uv >>= 4);
9023                     if (alt) {
9024                         esignbuf[esignlen++] = '0';
9025                         esignbuf[esignlen++] = c;  /* 'x' or 'X' */
9026                     }
9027                     break;
9028                 case 8:
9029                     do {
9030                         dig = uv & 7;
9031                         *--ptr = '0' + dig;
9032                     } while (uv >>= 3);
9033                     if (alt && *ptr != '0')
9034                         *--ptr = '0';
9035                     break;
9036                 case 2:
9037                     if (!uv)
9038                         alt = FALSE;
9039                     do {
9040                         dig = uv & 1;
9041                         *--ptr = '0' + dig;
9042                     } while (uv >>= 1);
9043                     if (alt) {
9044                         esignbuf[esignlen++] = '0';
9045                         esignbuf[esignlen++] = 'b';
9046                     }
9047                     break;
9048                 default:                /* it had better be ten or less */
9049                     do {
9050                         dig = uv % base;
9051                         *--ptr = '0' + dig;
9052                     } while (uv /= base);
9053                     break;
9054                 }
9055                 elen = (ebuf + sizeof ebuf) - ptr;
9056                 eptr = ptr;
9057                 if (has_precis) {
9058                     if (precis > elen)
9059                         zeros = precis - elen;
9060                     else if (precis == 0 && elen == 1 && *eptr == '0')
9061                         elen = 0;
9062                 }
9063             }
9064             break;
9065
9066             /* FLOATING POINT */
9067
9068         case 'F':
9069             c = 'f';            /* maybe %F isn't supported here */
9070             /*FALLTHROUGH*/
9071         case 'e': case 'E':
9072         case 'f':
9073         case 'g': case 'G':
9074             if (vectorize)
9075                 goto unknown;
9076
9077             /* This is evil, but floating point is even more evil */
9078
9079             /* for SV-style calling, we can only get NV
9080                for C-style calling, we assume %f is double;
9081                for simplicity we allow any of %Lf, %llf, %qf for long double
9082             */
9083             switch (intsize) {
9084             case 'V':
9085 #if defined(USE_LONG_DOUBLE)
9086                 intsize = 'q';
9087 #endif
9088                 break;
9089 /* [perl #20339] - we should accept and ignore %lf rather than die */
9090             case 'l':
9091                 /*FALLTHROUGH*/
9092             default:
9093 #if defined(USE_LONG_DOUBLE)
9094                 intsize = args ? 0 : 'q';
9095 #endif
9096                 break;
9097             case 'q':
9098 #if defined(HAS_LONG_DOUBLE)
9099                 break;
9100 #else
9101                 /*FALLTHROUGH*/
9102 #endif
9103             case 'h':
9104                 goto unknown;
9105             }
9106
9107             /* now we need (long double) if intsize == 'q', else (double) */
9108             nv = (args) ?
9109 #if LONG_DOUBLESIZE > DOUBLESIZE
9110                 intsize == 'q' ?
9111                     va_arg(*args, long double) :
9112                     va_arg(*args, double)
9113 #else
9114                     va_arg(*args, double)
9115 #endif
9116                 : SvNVx(argsv);
9117
9118             need = 0;
9119             if (c != 'e' && c != 'E') {
9120                 i = PERL_INT_MIN;
9121                 /* FIXME: if HAS_LONG_DOUBLE but not USE_LONG_DOUBLE this
9122                    will cast our (long double) to (double) */
9123                 (void)Perl_frexp(nv, &i);
9124                 if (i == PERL_INT_MIN)
9125                     Perl_die(aTHX_ "panic: frexp");
9126                 if (i > 0)
9127                     need = BIT_DIGITS(i);
9128             }
9129             need += has_precis ? precis : 6; /* known default */
9130
9131             if (need < width)
9132                 need = width;
9133
9134 #ifdef HAS_LDBL_SPRINTF_BUG
9135             /* This is to try to fix a bug with irix/nonstop-ux/powerux and
9136                with sfio - Allen <allens@cpan.org> */
9137
9138 #  ifdef DBL_MAX
9139 #    define MY_DBL_MAX DBL_MAX
9140 #  else /* XXX guessing! HUGE_VAL may be defined as infinity, so not using */
9141 #    if DOUBLESIZE >= 8
9142 #      define MY_DBL_MAX 1.7976931348623157E+308L
9143 #    else
9144 #      define MY_DBL_MAX 3.40282347E+38L
9145 #    endif
9146 #  endif
9147
9148 #  ifdef HAS_LDBL_SPRINTF_BUG_LESS1 /* only between -1L & 1L - Allen */
9149 #    define MY_DBL_MAX_BUG 1L
9150 #  else
9151 #    define MY_DBL_MAX_BUG MY_DBL_MAX
9152 #  endif
9153
9154 #  ifdef DBL_MIN
9155 #    define MY_DBL_MIN DBL_MIN
9156 #  else  /* XXX guessing! -Allen */
9157 #    if DOUBLESIZE >= 8
9158 #      define MY_DBL_MIN 2.2250738585072014E-308L
9159 #    else
9160 #      define MY_DBL_MIN 1.17549435E-38L
9161 #    endif
9162 #  endif
9163
9164             if ((intsize == 'q') && (c == 'f') &&
9165                 ((nv < MY_DBL_MAX_BUG) && (nv > -MY_DBL_MAX_BUG)) &&
9166                 (need < DBL_DIG)) {
9167                 /* it's going to be short enough that
9168                  * long double precision is not needed */
9169
9170                 if ((nv <= 0L) && (nv >= -0L))
9171                     fix_ldbl_sprintf_bug = TRUE; /* 0 is 0 - easiest */
9172                 else {
9173                     /* would use Perl_fp_class as a double-check but not
9174                      * functional on IRIX - see perl.h comments */
9175
9176                     if ((nv >= MY_DBL_MIN) || (nv <= -MY_DBL_MIN)) {
9177                         /* It's within the range that a double can represent */
9178 #if defined(DBL_MAX) && !defined(DBL_MIN)
9179                         if ((nv >= ((long double)1/DBL_MAX)) ||
9180                             (nv <= (-(long double)1/DBL_MAX)))
9181 #endif
9182                         fix_ldbl_sprintf_bug = TRUE;
9183                     }
9184                 }
9185                 if (fix_ldbl_sprintf_bug == TRUE) {
9186                     double temp;
9187
9188                     intsize = 0;
9189                     temp = (double)nv;
9190                     nv = (NV)temp;
9191                 }
9192             }
9193
9194 #  undef MY_DBL_MAX
9195 #  undef MY_DBL_MAX_BUG
9196 #  undef MY_DBL_MIN
9197
9198 #endif /* HAS_LDBL_SPRINTF_BUG */
9199
9200             need += 20; /* fudge factor */
9201             if (PL_efloatsize < need) {
9202                 Safefree(PL_efloatbuf);
9203                 PL_efloatsize = need + 20; /* more fudge */
9204                 Newx(PL_efloatbuf, PL_efloatsize, char);
9205                 PL_efloatbuf[0] = '\0';
9206             }
9207
9208             if ( !(width || left || plus || alt) && fill != '0'
9209                  && has_precis && intsize != 'q' ) {    /* Shortcuts */
9210                 /* See earlier comment about buggy Gconvert when digits,
9211                    aka precis is 0  */
9212                 if ( c == 'g' && precis) {
9213                     Gconvert((NV)nv, (int)precis, 0, PL_efloatbuf);
9214                     /* May return an empty string for digits==0 */
9215                     if (*PL_efloatbuf) {
9216                         elen = strlen(PL_efloatbuf);
9217                         goto float_converted;
9218                     }
9219                 } else if ( c == 'f' && !precis) {
9220                     if ((eptr = F0convert(nv, ebuf + sizeof ebuf, &elen)))
9221                         break;
9222                 }
9223             }
9224             {
9225                 char *ptr = ebuf + sizeof ebuf;
9226                 *--ptr = '\0';
9227                 *--ptr = c;
9228                 /* FIXME: what to do if HAS_LONG_DOUBLE but not PERL_PRIfldbl? */
9229 #if defined(HAS_LONG_DOUBLE) && defined(PERL_PRIfldbl)
9230                 if (intsize == 'q') {
9231                     /* Copy the one or more characters in a long double
9232                      * format before the 'base' ([efgEFG]) character to
9233                      * the format string. */
9234                     static char const prifldbl[] = PERL_PRIfldbl;
9235                     char const *p = prifldbl + sizeof(prifldbl) - 3;
9236                     while (p >= prifldbl) { *--ptr = *p--; }
9237                 }
9238 #endif
9239                 if (has_precis) {
9240                     base = precis;
9241                     do { *--ptr = '0' + (base % 10); } while (base /= 10);
9242                     *--ptr = '.';
9243                 }
9244                 if (width) {
9245                     base = width;
9246                     do { *--ptr = '0' + (base % 10); } while (base /= 10);
9247                 }
9248                 if (fill == '0')
9249                     *--ptr = fill;
9250                 if (left)
9251                     *--ptr = '-';
9252                 if (plus)
9253                     *--ptr = plus;
9254                 if (alt)
9255                     *--ptr = '#';
9256                 *--ptr = '%';
9257
9258                 /* No taint.  Otherwise we are in the strange situation
9259                  * where printf() taints but print($float) doesn't.
9260                  * --jhi */
9261 #if defined(HAS_LONG_DOUBLE)
9262                 elen = ((intsize == 'q')
9263                         ? my_sprintf(PL_efloatbuf, ptr, nv)
9264                         : my_sprintf(PL_efloatbuf, ptr, (double)nv));
9265 #else
9266                 elen = my_sprintf(PL_efloatbuf, ptr, nv);
9267 #endif
9268             }
9269         float_converted:
9270             eptr = PL_efloatbuf;
9271             break;
9272
9273             /* SPECIAL */
9274
9275         case 'n':
9276             if (vectorize)
9277                 goto unknown;
9278             i = SvCUR(sv) - origlen;
9279             if (args) {
9280                 switch (intsize) {
9281                 case 'h':       *(va_arg(*args, short*)) = i; break;
9282                 default:        *(va_arg(*args, int*)) = i; break;
9283                 case 'l':       *(va_arg(*args, long*)) = i; break;
9284                 case 'V':       *(va_arg(*args, IV*)) = i; break;
9285 #ifdef HAS_QUAD
9286                 case 'q':       *(va_arg(*args, Quad_t*)) = i; break;
9287 #endif
9288                 }
9289             }
9290             else
9291                 sv_setuv_mg(argsv, (UV)i);
9292             continue;   /* not "break" */
9293
9294             /* UNKNOWN */
9295
9296         default:
9297       unknown:
9298             if (!args
9299                 && (PL_op->op_type == OP_PRTF || PL_op->op_type == OP_SPRINTF)
9300                 && ckWARN(WARN_PRINTF))
9301             {
9302                 SV * const msg = sv_newmortal();
9303                 Perl_sv_setpvf(aTHX_ msg, "Invalid conversion in %sprintf: ",
9304                           (PL_op->op_type == OP_PRTF) ? "" : "s");
9305                 if (c) {
9306                     if (isPRINT(c))
9307                         Perl_sv_catpvf(aTHX_ msg,
9308                                        "\"%%%c\"", c & 0xFF);
9309                     else
9310                         Perl_sv_catpvf(aTHX_ msg,
9311                                        "\"%%\\%03"UVof"\"",
9312                                        (UV)c & 0xFF);
9313                 } else
9314                     sv_catpvs(msg, "end of string");
9315                 Perl_warner(aTHX_ packWARN(WARN_PRINTF), "%"SVf, msg); /* yes, this is reentrant */
9316             }
9317
9318             /* output mangled stuff ... */
9319             if (c == '\0')
9320                 --q;
9321             eptr = p;
9322             elen = q - p;
9323
9324             /* ... right here, because formatting flags should not apply */
9325             SvGROW(sv, SvCUR(sv) + elen + 1);
9326             p = SvEND(sv);
9327             Copy(eptr, p, elen, char);
9328             p += elen;
9329             *p = '\0';
9330             SvCUR_set(sv, p - SvPVX_const(sv));
9331             svix = osvix;
9332             continue;   /* not "break" */
9333         }
9334
9335         /* calculate width before utf8_upgrade changes it */
9336         have = esignlen + zeros + elen;
9337         if (have < zeros)
9338             Perl_croak_nocontext(PL_memory_wrap);
9339
9340         if (is_utf8 != has_utf8) {
9341              if (is_utf8) {
9342                   if (SvCUR(sv))
9343                        sv_utf8_upgrade(sv);
9344              }
9345              else {
9346                   SV * const nsv = sv_2mortal(newSVpvn(eptr, elen));
9347                   sv_utf8_upgrade(nsv);
9348                   eptr = SvPVX_const(nsv);
9349                   elen = SvCUR(nsv);
9350              }
9351              SvGROW(sv, SvCUR(sv) + elen + 1);
9352              p = SvEND(sv);
9353              *p = '\0';
9354         }
9355
9356         need = (have > width ? have : width);
9357         gap = need - have;
9358
9359         if (need >= (((STRLEN)~0) - SvCUR(sv) - dotstrlen - 1))
9360             Perl_croak_nocontext(PL_memory_wrap);
9361         SvGROW(sv, SvCUR(sv) + need + dotstrlen + 1);
9362         p = SvEND(sv);
9363         if (esignlen && fill == '0') {
9364             int i;
9365             for (i = 0; i < (int)esignlen; i++)
9366                 *p++ = esignbuf[i];
9367         }
9368         if (gap && !left) {
9369             memset(p, fill, gap);
9370             p += gap;
9371         }
9372         if (esignlen && fill != '0') {
9373             int i;
9374             for (i = 0; i < (int)esignlen; i++)
9375                 *p++ = esignbuf[i];
9376         }
9377         if (zeros) {
9378             int i;
9379             for (i = zeros; i; i--)
9380                 *p++ = '0';
9381         }
9382         if (elen) {
9383             Copy(eptr, p, elen, char);
9384             p += elen;
9385         }
9386         if (gap && left) {
9387             memset(p, ' ', gap);
9388             p += gap;
9389         }
9390         if (vectorize) {
9391             if (veclen) {
9392                 Copy(dotstr, p, dotstrlen, char);
9393                 p += dotstrlen;
9394             }
9395             else
9396                 vectorize = FALSE;              /* done iterating over vecstr */
9397         }
9398         if (is_utf8)
9399             has_utf8 = TRUE;
9400         if (has_utf8)
9401             SvUTF8_on(sv);
9402         *p = '\0';
9403         SvCUR_set(sv, p - SvPVX_const(sv));
9404         if (vectorize) {
9405             esignlen = 0;
9406             goto vector;
9407         }
9408     }
9409 }
9410
9411 /* =========================================================================
9412
9413 =head1 Cloning an interpreter
9414
9415 All the macros and functions in this section are for the private use of
9416 the main function, perl_clone().
9417
9418 The foo_dup() functions make an exact copy of an existing foo thinngy.
9419 During the course of a cloning, a hash table is used to map old addresses
9420 to new addresses. The table is created and manipulated with the
9421 ptr_table_* functions.
9422
9423 =cut
9424
9425 ============================================================================*/
9426
9427
9428 #if defined(USE_ITHREADS)
9429
9430 /* XXX Remove this so it doesn't have to go thru the macro and return for nothing */
9431 #ifndef GpREFCNT_inc
9432 #  define GpREFCNT_inc(gp)      ((gp) ? (++(gp)->gp_refcnt, (gp)) : (GP*)NULL)
9433 #endif
9434
9435
9436 /* Certain cases in Perl_ss_dup have been merged, by relying on the fact
9437    that currently av_dup and hv_dup are the same as sv_dup. If this changes,
9438    please unmerge ss_dup.  */
9439 #define sv_dup_inc(s,t) SvREFCNT_inc(sv_dup(s,t))
9440 #define sv_dup_inc_NN(s,t)      SvREFCNT_inc_NN(sv_dup(s,t))
9441 #define av_dup(s,t)     (AV*)sv_dup((SV*)s,t)
9442 #define av_dup_inc(s,t) (AV*)SvREFCNT_inc(sv_dup((SV*)s,t))
9443 #define hv_dup(s,t)     (HV*)sv_dup((SV*)s,t)
9444 #define hv_dup_inc(s,t) (HV*)SvREFCNT_inc(sv_dup((SV*)s,t))
9445 #define cv_dup(s,t)     (CV*)sv_dup((SV*)s,t)
9446 #define cv_dup_inc(s,t) (CV*)SvREFCNT_inc(sv_dup((SV*)s,t))
9447 #define io_dup(s,t)     (IO*)sv_dup((SV*)s,t)
9448 #define io_dup_inc(s,t) (IO*)SvREFCNT_inc(sv_dup((SV*)s,t))
9449 #define gv_dup(s,t)     (GV*)sv_dup((SV*)s,t)
9450 #define gv_dup_inc(s,t) (GV*)SvREFCNT_inc(sv_dup((SV*)s,t))
9451 #define SAVEPV(p)       ((p) ? savepv(p) : NULL)
9452 #define SAVEPVN(p,n)    ((p) ? savepvn(p,n) : NULL)
9453
9454
9455 /* Duplicate a regexp. Required reading: pregcomp() and pregfree() in
9456    regcomp.c. AMS 20010712 */
9457
9458 REGEXP *
9459 Perl_re_dup(pTHX_ const REGEXP *r, CLONE_PARAMS *param)
9460 {
9461     dVAR;
9462     REGEXP *ret;
9463     int i, len, npar;
9464     struct reg_substr_datum *s;
9465
9466     if (!r)
9467         return (REGEXP *)NULL;
9468
9469     if ((ret = (REGEXP *)ptr_table_fetch(PL_ptr_table, r)))
9470         return ret;
9471
9472     len = r->offsets[0];
9473     npar = r->nparens+1;
9474
9475     Newxc(ret, sizeof(regexp) + (len+1)*sizeof(regnode), char, regexp);
9476     Copy(r->program, ret->program, len+1, regnode);
9477
9478     Newx(ret->startp, npar, I32);
9479     Copy(r->startp, ret->startp, npar, I32);
9480     Newx(ret->endp, npar, I32);
9481     Copy(r->startp, ret->startp, npar, I32);
9482
9483     Newx(ret->substrs, 1, struct reg_substr_data);
9484     for (s = ret->substrs->data, i = 0; i < 3; i++, s++) {
9485         s->min_offset = r->substrs->data[i].min_offset;
9486         s->max_offset = r->substrs->data[i].max_offset;
9487         s->substr     = sv_dup_inc(r->substrs->data[i].substr, param);
9488         s->utf8_substr = sv_dup_inc(r->substrs->data[i].utf8_substr, param);
9489     }
9490
9491     ret->regstclass = NULL;
9492     if (r->data) {
9493         struct reg_data *d;
9494         const int count = r->data->count;
9495         int i;
9496
9497         Newxc(d, sizeof(struct reg_data) + count*sizeof(void *),
9498                 char, struct reg_data);
9499         Newx(d->what, count, U8);
9500
9501         d->count = count;
9502         for (i = 0; i < count; i++) {
9503             d->what[i] = r->data->what[i];
9504             switch (d->what[i]) {
9505                 /* legal options are one of: sfpont
9506                    see also regcomp.h and pregfree() */
9507             case 's':
9508                 d->data[i] = sv_dup_inc((SV *)r->data->data[i], param);
9509                 break;
9510             case 'p':
9511                 d->data[i] = av_dup_inc((AV *)r->data->data[i], param);
9512                 break;
9513             case 'f':
9514                 /* This is cheating. */
9515                 Newx(d->data[i], 1, struct regnode_charclass_class);
9516                 StructCopy(r->data->data[i], d->data[i],
9517                             struct regnode_charclass_class);
9518                 ret->regstclass = (regnode*)d->data[i];
9519                 break;
9520             case 'o':
9521                 /* Compiled op trees are readonly, and can thus be
9522                    shared without duplication. */
9523                 OP_REFCNT_LOCK;
9524                 d->data[i] = (void*)OpREFCNT_inc((OP*)r->data->data[i]);
9525                 OP_REFCNT_UNLOCK;
9526                 break;
9527             case 'n':
9528                 d->data[i] = r->data->data[i];
9529                 break;
9530             case 't':
9531                 d->data[i] = r->data->data[i];
9532                 OP_REFCNT_LOCK;
9533                 ((reg_trie_data*)d->data[i])->refcount++;
9534                 OP_REFCNT_UNLOCK;
9535                 break;
9536             default:
9537                 Perl_croak(aTHX_ "panic: re_dup unknown data code '%c'", r->data->what[i]);
9538             }
9539         }
9540
9541         ret->data = d;
9542     }
9543     else
9544         ret->data = NULL;
9545
9546     Newx(ret->offsets, 2*len+1, U32);
9547     Copy(r->offsets, ret->offsets, 2*len+1, U32);
9548
9549     ret->precomp        = SAVEPVN(r->precomp, r->prelen);
9550     ret->refcnt         = r->refcnt;
9551     ret->minlen         = r->minlen;
9552     ret->prelen         = r->prelen;
9553     ret->nparens        = r->nparens;
9554     ret->lastparen      = r->lastparen;
9555     ret->lastcloseparen = r->lastcloseparen;
9556     ret->reganch        = r->reganch;
9557
9558     ret->sublen         = r->sublen;
9559
9560     if (RX_MATCH_COPIED(ret))
9561         ret->subbeg  = SAVEPVN(r->subbeg, r->sublen);
9562     else
9563         ret->subbeg = NULL;
9564 #ifdef PERL_OLD_COPY_ON_WRITE
9565     ret->saved_copy = NULL;
9566 #endif
9567
9568     ptr_table_store(PL_ptr_table, r, ret);
9569     return ret;
9570 }
9571
9572 /* duplicate a file handle */
9573
9574 PerlIO *
9575 Perl_fp_dup(pTHX_ PerlIO *fp, char type, CLONE_PARAMS *param)
9576 {
9577     PerlIO *ret;
9578
9579     PERL_UNUSED_ARG(type);
9580
9581     if (!fp)
9582         return (PerlIO*)NULL;
9583
9584     /* look for it in the table first */
9585     ret = (PerlIO*)ptr_table_fetch(PL_ptr_table, fp);
9586     if (ret)
9587         return ret;
9588
9589     /* create anew and remember what it is */
9590     ret = PerlIO_fdupopen(aTHX_ fp, param, PERLIO_DUP_CLONE);
9591     ptr_table_store(PL_ptr_table, fp, ret);
9592     return ret;
9593 }
9594
9595 /* duplicate a directory handle */
9596
9597 DIR *
9598 Perl_dirp_dup(pTHX_ DIR *dp)
9599 {
9600     PERL_UNUSED_CONTEXT;
9601     if (!dp)
9602         return (DIR*)NULL;
9603     /* XXX TODO */
9604     return dp;
9605 }
9606
9607 /* duplicate a typeglob */
9608
9609 GP *
9610 Perl_gp_dup(pTHX_ GP *gp, CLONE_PARAMS* param)
9611 {
9612     GP *ret;
9613
9614     if (!gp)
9615         return (GP*)NULL;
9616     /* look for it in the table first */
9617     ret = (GP*)ptr_table_fetch(PL_ptr_table, gp);
9618     if (ret)
9619         return ret;
9620
9621     /* create anew and remember what it is */
9622     Newxz(ret, 1, GP);
9623     ptr_table_store(PL_ptr_table, gp, ret);
9624
9625     /* clone */
9626     ret->gp_refcnt      = 0;                    /* must be before any other dups! */
9627     ret->gp_sv          = sv_dup_inc(gp->gp_sv, param);
9628     ret->gp_io          = io_dup_inc(gp->gp_io, param);
9629     ret->gp_form        = cv_dup_inc(gp->gp_form, param);
9630     ret->gp_av          = av_dup_inc(gp->gp_av, param);
9631     ret->gp_hv          = hv_dup_inc(gp->gp_hv, param);
9632     ret->gp_egv = gv_dup(gp->gp_egv, param);/* GvEGV is not refcounted */
9633     ret->gp_cv          = cv_dup_inc(gp->gp_cv, param);
9634     ret->gp_cvgen       = gp->gp_cvgen;
9635     ret->gp_line        = gp->gp_line;
9636     ret->gp_file        = gp->gp_file;          /* points to COP.cop_file */
9637     return ret;
9638 }
9639
9640 /* duplicate a chain of magic */
9641
9642 MAGIC *
9643 Perl_mg_dup(pTHX_ MAGIC *mg, CLONE_PARAMS* param)
9644 {
9645     MAGIC *mgprev = (MAGIC*)NULL;
9646     MAGIC *mgret;
9647     if (!mg)
9648         return (MAGIC*)NULL;
9649     /* look for it in the table first */
9650     mgret = (MAGIC*)ptr_table_fetch(PL_ptr_table, mg);
9651     if (mgret)
9652         return mgret;
9653
9654     for (; mg; mg = mg->mg_moremagic) {
9655         MAGIC *nmg;
9656         Newxz(nmg, 1, MAGIC);
9657         if (mgprev)
9658             mgprev->mg_moremagic = nmg;
9659         else
9660             mgret = nmg;
9661         nmg->mg_virtual = mg->mg_virtual;       /* XXX copy dynamic vtable? */
9662         nmg->mg_private = mg->mg_private;
9663         nmg->mg_type    = mg->mg_type;
9664         nmg->mg_flags   = mg->mg_flags;
9665         if (mg->mg_type == PERL_MAGIC_qr) {
9666             nmg->mg_obj = (SV*)re_dup((REGEXP*)mg->mg_obj, param);
9667         }
9668         else if(mg->mg_type == PERL_MAGIC_backref) {
9669             /* The backref AV has its reference count deliberately bumped by
9670                1.  */
9671             nmg->mg_obj = SvREFCNT_inc(av_dup_inc((AV*) mg->mg_obj, param));
9672         }
9673         else if (mg->mg_type == PERL_MAGIC_symtab) {
9674             nmg->mg_obj = mg->mg_obj;
9675         }
9676         else {
9677             nmg->mg_obj = (mg->mg_flags & MGf_REFCOUNTED)
9678                               ? sv_dup_inc(mg->mg_obj, param)
9679                               : sv_dup(mg->mg_obj, param);
9680         }
9681         nmg->mg_len     = mg->mg_len;
9682         nmg->mg_ptr     = mg->mg_ptr;   /* XXX random ptr? */
9683         if (mg->mg_ptr && mg->mg_type != PERL_MAGIC_regex_global) {
9684             if (mg->mg_len > 0) {
9685                 nmg->mg_ptr     = SAVEPVN(mg->mg_ptr, mg->mg_len);
9686                 if (mg->mg_type == PERL_MAGIC_overload_table &&
9687                         AMT_AMAGIC((AMT*)mg->mg_ptr))
9688                 {
9689                     const AMT * const amtp = (AMT*)mg->mg_ptr;
9690                     AMT * const namtp = (AMT*)nmg->mg_ptr;
9691                     I32 i;
9692                     for (i = 1; i < NofAMmeth; i++) {
9693                         namtp->table[i] = cv_dup_inc(amtp->table[i], param);
9694                     }
9695                 }
9696             }
9697             else if (mg->mg_len == HEf_SVKEY)
9698                 nmg->mg_ptr     = (char*)sv_dup_inc((SV*)mg->mg_ptr, param);
9699         }
9700         if ((mg->mg_flags & MGf_DUP) && mg->mg_virtual && mg->mg_virtual->svt_dup) {
9701             CALL_FPTR(nmg->mg_virtual->svt_dup)(aTHX_ nmg, param);
9702         }
9703         mgprev = nmg;
9704     }
9705     return mgret;
9706 }
9707
9708 /* create a new pointer-mapping table */
9709
9710 PTR_TBL_t *
9711 Perl_ptr_table_new(pTHX)
9712 {
9713     PTR_TBL_t *tbl;
9714     PERL_UNUSED_CONTEXT;
9715
9716     Newxz(tbl, 1, PTR_TBL_t);
9717     tbl->tbl_max        = 511;
9718     tbl->tbl_items      = 0;
9719     Newxz(tbl->tbl_ary, tbl->tbl_max + 1, PTR_TBL_ENT_t*);
9720     return tbl;
9721 }
9722
9723 #define PTR_TABLE_HASH(ptr) \
9724   ((PTR2UV(ptr) >> 3) ^ (PTR2UV(ptr) >> (3 + 7)) ^ (PTR2UV(ptr) >> (3 + 17)))
9725
9726 /* 
9727    we use the PTE_SVSLOT 'reservation' made above, both here (in the
9728    following define) and at call to new_body_inline made below in 
9729    Perl_ptr_table_store()
9730  */
9731
9732 #define del_pte(p)     del_body_type(p, PTE_SVSLOT)
9733
9734 /* map an existing pointer using a table */
9735
9736 STATIC PTR_TBL_ENT_t *
9737 S_ptr_table_find(PTR_TBL_t *tbl, const void *sv) {
9738     PTR_TBL_ENT_t *tblent;
9739     const UV hash = PTR_TABLE_HASH(sv);
9740     assert(tbl);
9741     tblent = tbl->tbl_ary[hash & tbl->tbl_max];
9742     for (; tblent; tblent = tblent->next) {
9743         if (tblent->oldval == sv)
9744             return tblent;
9745     }
9746     return NULL;
9747 }
9748
9749 void *
9750 Perl_ptr_table_fetch(pTHX_ PTR_TBL_t *tbl, const void *sv)
9751 {
9752     PTR_TBL_ENT_t const *const tblent = ptr_table_find(tbl, sv);
9753     PERL_UNUSED_CONTEXT;
9754     return tblent ? tblent->newval : NULL;
9755 }
9756
9757 /* add a new entry to a pointer-mapping table */
9758
9759 void
9760 Perl_ptr_table_store(pTHX_ PTR_TBL_t *tbl, const void *oldsv, void *newsv)
9761 {
9762     PTR_TBL_ENT_t *tblent = ptr_table_find(tbl, oldsv);
9763     PERL_UNUSED_CONTEXT;
9764
9765     if (tblent) {
9766         tblent->newval = newsv;
9767     } else {
9768         const UV entry = PTR_TABLE_HASH(oldsv) & tbl->tbl_max;
9769
9770         new_body_inline(tblent, PTE_SVSLOT);
9771
9772         tblent->oldval = oldsv;
9773         tblent->newval = newsv;
9774         tblent->next = tbl->tbl_ary[entry];
9775         tbl->tbl_ary[entry] = tblent;
9776         tbl->tbl_items++;
9777         if (tblent->next && tbl->tbl_items > tbl->tbl_max)
9778             ptr_table_split(tbl);
9779     }
9780 }
9781
9782 /* double the hash bucket size of an existing ptr table */
9783
9784 void
9785 Perl_ptr_table_split(pTHX_ PTR_TBL_t *tbl)
9786 {
9787     PTR_TBL_ENT_t **ary = tbl->tbl_ary;
9788     const UV oldsize = tbl->tbl_max + 1;
9789     UV newsize = oldsize * 2;
9790     UV i;
9791     PERL_UNUSED_CONTEXT;
9792
9793     Renew(ary, newsize, PTR_TBL_ENT_t*);
9794     Zero(&ary[oldsize], newsize-oldsize, PTR_TBL_ENT_t*);
9795     tbl->tbl_max = --newsize;
9796     tbl->tbl_ary = ary;
9797     for (i=0; i < oldsize; i++, ary++) {
9798         PTR_TBL_ENT_t **curentp, **entp, *ent;
9799         if (!*ary)
9800             continue;
9801         curentp = ary + oldsize;
9802         for (entp = ary, ent = *ary; ent; ent = *entp) {
9803             if ((newsize & PTR_TABLE_HASH(ent->oldval)) != i) {
9804                 *entp = ent->next;
9805                 ent->next = *curentp;
9806                 *curentp = ent;
9807                 continue;
9808             }
9809             else
9810                 entp = &ent->next;
9811         }
9812     }
9813 }
9814
9815 /* remove all the entries from a ptr table */
9816
9817 void
9818 Perl_ptr_table_clear(pTHX_ PTR_TBL_t *tbl)
9819 {
9820     if (tbl && tbl->tbl_items) {
9821         register PTR_TBL_ENT_t * const * const array = tbl->tbl_ary;
9822         UV riter = tbl->tbl_max;
9823
9824         do {
9825             PTR_TBL_ENT_t *entry = array[riter];
9826
9827             while (entry) {
9828                 PTR_TBL_ENT_t * const oentry = entry;
9829                 entry = entry->next;
9830                 del_pte(oentry);
9831             }
9832         } while (riter--);
9833
9834         tbl->tbl_items = 0;
9835     }
9836 }
9837
9838 /* clear and free a ptr table */
9839
9840 void
9841 Perl_ptr_table_free(pTHX_ PTR_TBL_t *tbl)
9842 {
9843     if (!tbl) {
9844         return;
9845     }
9846     ptr_table_clear(tbl);
9847     Safefree(tbl->tbl_ary);
9848     Safefree(tbl);
9849 }
9850
9851
9852 void
9853 Perl_rvpv_dup(pTHX_ SV *dstr, const SV *sstr, CLONE_PARAMS* param)
9854 {
9855     if (SvROK(sstr)) {
9856         SvRV_set(dstr, SvWEAKREF(sstr)
9857                        ? sv_dup(SvRV(sstr), param)
9858                        : sv_dup_inc(SvRV(sstr), param));
9859
9860     }
9861     else if (SvPVX_const(sstr)) {
9862         /* Has something there */
9863         if (SvLEN(sstr)) {
9864             /* Normal PV - clone whole allocated space */
9865             SvPV_set(dstr, SAVEPVN(SvPVX_const(sstr), SvLEN(sstr)-1));
9866             if (SvREADONLY(sstr) && SvFAKE(sstr)) {
9867                 /* Not that normal - actually sstr is copy on write.
9868                    But we are a true, independant SV, so:  */
9869                 SvREADONLY_off(dstr);
9870                 SvFAKE_off(dstr);
9871             }
9872         }
9873         else {
9874             /* Special case - not normally malloced for some reason */
9875             if (isGV_with_GP(sstr)) {
9876                 /* Don't need to do anything here.  */
9877             }
9878             else if ((SvREADONLY(sstr) && SvFAKE(sstr))) {
9879                 /* A "shared" PV - clone it as "shared" PV */
9880                 SvPV_set(dstr,
9881                          HEK_KEY(hek_dup(SvSHARED_HEK_FROM_PV(SvPVX_const(sstr)),
9882                                          param)));
9883             }
9884             else {
9885                 /* Some other special case - random pointer */
9886                 SvPV_set(dstr, SvPVX(sstr));            
9887             }
9888         }
9889     }
9890     else {
9891         /* Copy the NULL */
9892         if (SvTYPE(dstr) == SVt_RV)
9893             SvRV_set(dstr, NULL);
9894         else
9895             SvPV_set(dstr, NULL);
9896     }
9897 }
9898
9899 /* duplicate an SV of any type (including AV, HV etc) */
9900
9901 SV *
9902 Perl_sv_dup(pTHX_ const SV *sstr, CLONE_PARAMS* param)
9903 {
9904     dVAR;
9905     SV *dstr;
9906
9907     if (!sstr || SvTYPE(sstr) == SVTYPEMASK)
9908         return NULL;
9909     /* look for it in the table first */
9910     dstr = (SV*)ptr_table_fetch(PL_ptr_table, sstr);
9911     if (dstr)
9912         return dstr;
9913
9914     if(param->flags & CLONEf_JOIN_IN) {
9915         /** We are joining here so we don't want do clone
9916             something that is bad **/
9917         if (SvTYPE(sstr) == SVt_PVHV) {
9918             const char * const hvname = HvNAME_get(sstr);
9919             if (hvname)
9920                 /** don't clone stashes if they already exist **/
9921                 return (SV*)gv_stashpv(hvname,0);
9922         }
9923     }
9924
9925     /* create anew and remember what it is */
9926     new_SV(dstr);
9927
9928 #ifdef DEBUG_LEAKING_SCALARS
9929     dstr->sv_debug_optype = sstr->sv_debug_optype;
9930     dstr->sv_debug_line = sstr->sv_debug_line;
9931     dstr->sv_debug_inpad = sstr->sv_debug_inpad;
9932     dstr->sv_debug_cloned = 1;
9933     dstr->sv_debug_file = savepv(sstr->sv_debug_file);
9934 #endif
9935
9936     ptr_table_store(PL_ptr_table, sstr, dstr);
9937
9938     /* clone */
9939     SvFLAGS(dstr)       = SvFLAGS(sstr);
9940     SvFLAGS(dstr)       &= ~SVf_OOK;            /* don't propagate OOK hack */
9941     SvREFCNT(dstr)      = 0;                    /* must be before any other dups! */
9942
9943 #ifdef DEBUGGING
9944     if (SvANY(sstr) && PL_watch_pvx && SvPVX_const(sstr) == PL_watch_pvx)
9945         PerlIO_printf(Perl_debug_log, "watch at %p hit, found string \"%s\"\n",
9946                       PL_watch_pvx, SvPVX_const(sstr));
9947 #endif
9948
9949     /* don't clone objects whose class has asked us not to */
9950     if (SvOBJECT(sstr) && ! (SvFLAGS(SvSTASH(sstr)) & SVphv_CLONEABLE)) {
9951         SvFLAGS(dstr) &= ~SVTYPEMASK;
9952         SvOBJECT_off(dstr);
9953         return dstr;
9954     }
9955
9956     switch (SvTYPE(sstr)) {
9957     case SVt_NULL:
9958         SvANY(dstr)     = NULL;
9959         break;
9960     case SVt_IV:
9961         SvANY(dstr)     = (XPVIV*)((char*)&(dstr->sv_u.svu_iv) - STRUCT_OFFSET(XPVIV, xiv_iv));
9962         SvIV_set(dstr, SvIVX(sstr));
9963         break;
9964     case SVt_NV:
9965         SvANY(dstr)     = new_XNV();
9966         SvNV_set(dstr, SvNVX(sstr));
9967         break;
9968     case SVt_RV:
9969         SvANY(dstr)     = &(dstr->sv_u.svu_rv);
9970         Perl_rvpv_dup(aTHX_ dstr, sstr, param);
9971         break;
9972     default:
9973         {
9974             /* These are all the types that need complex bodies allocating.  */
9975             void *new_body;
9976             const svtype sv_type = SvTYPE(sstr);
9977             const struct body_details *const sv_type_details
9978                 = bodies_by_type + sv_type;
9979
9980             switch (sv_type) {
9981             default:
9982                 Perl_croak(aTHX_ "Bizarre SvTYPE [%" IVdf "]", (IV)SvTYPE(sstr));
9983                 break;
9984
9985             case SVt_PVGV:
9986                 if (GvUNIQUE((GV*)sstr)) {
9987                     NOOP;   /* Do sharing here, and fall through */
9988                 }
9989             case SVt_PVIO:
9990             case SVt_PVFM:
9991             case SVt_PVHV:
9992             case SVt_PVAV:
9993             case SVt_PVBM:
9994             case SVt_PVCV:
9995             case SVt_PVLV:
9996             case SVt_PVMG:
9997             case SVt_PVNV:
9998             case SVt_PVIV:
9999             case SVt_PV:
10000                 assert(sv_type_details->body_size);
10001                 if (sv_type_details->arena) {
10002                     new_body_inline(new_body, sv_type);
10003                     new_body
10004                         = (void*)((char*)new_body - sv_type_details->offset);
10005                 } else {
10006                     new_body = new_NOARENA(sv_type_details);
10007                 }
10008             }
10009             assert(new_body);
10010             SvANY(dstr) = new_body;
10011
10012 #ifndef PURIFY
10013             Copy(((char*)SvANY(sstr)) + sv_type_details->offset,
10014                  ((char*)SvANY(dstr)) + sv_type_details->offset,
10015                  sv_type_details->copy, char);
10016 #else
10017             Copy(((char*)SvANY(sstr)),
10018                  ((char*)SvANY(dstr)),
10019                  sv_type_details->body_size + sv_type_details->offset, char);
10020 #endif
10021
10022             if (sv_type != SVt_PVAV && sv_type != SVt_PVHV
10023                 && !isGV_with_GP(dstr))
10024                 Perl_rvpv_dup(aTHX_ dstr, sstr, param);
10025
10026             /* The Copy above means that all the source (unduplicated) pointers
10027                are now in the destination.  We can check the flags and the
10028                pointers in either, but it's possible that there's less cache
10029                missing by always going for the destination.
10030                FIXME - instrument and check that assumption  */
10031             if (sv_type >= SVt_PVMG) {
10032                 HV *ourstash;
10033                 if ((sv_type == SVt_PVMG) && (ourstash = OURSTASH(dstr))) {
10034                     OURSTASH_set(dstr, hv_dup_inc(ourstash, param));
10035                 } else if (SvMAGIC(dstr))
10036                     SvMAGIC_set(dstr, mg_dup(SvMAGIC(dstr), param));
10037                 if (SvSTASH(dstr))
10038                     SvSTASH_set(dstr, hv_dup_inc(SvSTASH(dstr), param));
10039             }
10040
10041             /* The cast silences a GCC warning about unhandled types.  */
10042             switch ((int)sv_type) {
10043             case SVt_PV:
10044                 break;
10045             case SVt_PVIV:
10046                 break;
10047             case SVt_PVNV:
10048                 break;
10049             case SVt_PVMG:
10050                 break;
10051             case SVt_PVBM:
10052                 break;
10053             case SVt_PVLV:
10054                 /* XXX LvTARGOFF sometimes holds PMOP* when DEBUGGING */
10055                 if (LvTYPE(dstr) == 't') /* for tie: unrefcnted fake (SV**) */
10056                     LvTARG(dstr) = dstr;
10057                 else if (LvTYPE(dstr) == 'T') /* for tie: fake HE */
10058                     LvTARG(dstr) = (SV*)he_dup((HE*)LvTARG(dstr), 0, param);
10059                 else
10060                     LvTARG(dstr) = sv_dup_inc(LvTARG(dstr), param);
10061                 break;
10062             case SVt_PVGV:
10063                 if (GvNAME_HEK(dstr))
10064                     GvNAME_HEK(dstr) = hek_dup(GvNAME_HEK(dstr), param);
10065
10066                 /* Don't call sv_add_backref here as it's going to be created
10067                    as part of the magic cloning of the symbol table.  */
10068                 GvSTASH(dstr)   = hv_dup(GvSTASH(dstr), param);
10069                 if(isGV_with_GP(sstr)) {
10070                     /* Danger Will Robinson - GvGP(dstr) isn't initialised
10071                        at the point of this comment.  */
10072                     GvGP(dstr)  = gp_dup(GvGP(sstr), param);
10073                     (void)GpREFCNT_inc(GvGP(dstr));
10074                 } else
10075                     Perl_rvpv_dup(aTHX_ dstr, sstr, param);
10076                 break;
10077             case SVt_PVIO:
10078                 IoIFP(dstr)     = fp_dup(IoIFP(dstr), IoTYPE(dstr), param);
10079                 if (IoOFP(dstr) == IoIFP(sstr))
10080                     IoOFP(dstr) = IoIFP(dstr);
10081                 else
10082                     IoOFP(dstr) = fp_dup(IoOFP(dstr), IoTYPE(dstr), param);
10083                 /* PL_rsfp_filters entries have fake IoDIRP() */
10084                 if(IoFLAGS(dstr) & IOf_FAKE_DIRP) {
10085                     /* I have no idea why fake dirp (rsfps)
10086                        should be treated differently but otherwise
10087                        we end up with leaks -- sky*/
10088                     IoTOP_GV(dstr)      = gv_dup_inc(IoTOP_GV(dstr), param);
10089                     IoFMT_GV(dstr)      = gv_dup_inc(IoFMT_GV(dstr), param);
10090                     IoBOTTOM_GV(dstr)   = gv_dup_inc(IoBOTTOM_GV(dstr), param);
10091                 } else {
10092                     IoTOP_GV(dstr)      = gv_dup(IoTOP_GV(dstr), param);
10093                     IoFMT_GV(dstr)      = gv_dup(IoFMT_GV(dstr), param);
10094                     IoBOTTOM_GV(dstr)   = gv_dup(IoBOTTOM_GV(dstr), param);
10095                     if (IoDIRP(dstr)) {
10096                         IoDIRP(dstr)    = dirp_dup(IoDIRP(dstr));
10097                     } else {
10098                         NOOP;
10099                         /* IoDIRP(dstr) is already a copy of IoDIRP(sstr)  */
10100                     }
10101                 }
10102                 IoTOP_NAME(dstr)        = SAVEPV(IoTOP_NAME(dstr));
10103                 IoFMT_NAME(dstr)        = SAVEPV(IoFMT_NAME(dstr));
10104                 IoBOTTOM_NAME(dstr)     = SAVEPV(IoBOTTOM_NAME(dstr));
10105                 break;
10106             case SVt_PVAV:
10107                 if (AvARRAY((AV*)sstr)) {
10108                     SV **dst_ary, **src_ary;
10109                     SSize_t items = AvFILLp((AV*)sstr) + 1;
10110
10111                     src_ary = AvARRAY((AV*)sstr);
10112                     Newxz(dst_ary, AvMAX((AV*)sstr)+1, SV*);
10113                     ptr_table_store(PL_ptr_table, src_ary, dst_ary);
10114                     SvPV_set(dstr, (char*)dst_ary);
10115                     AvALLOC((AV*)dstr) = dst_ary;
10116                     if (AvREAL((AV*)sstr)) {
10117                         while (items-- > 0)
10118                             *dst_ary++ = sv_dup_inc(*src_ary++, param);
10119                     }
10120                     else {
10121                         while (items-- > 0)
10122                             *dst_ary++ = sv_dup(*src_ary++, param);
10123                     }
10124                     items = AvMAX((AV*)sstr) - AvFILLp((AV*)sstr);
10125                     while (items-- > 0) {
10126                         *dst_ary++ = &PL_sv_undef;
10127                     }
10128                 }
10129                 else {
10130                     SvPV_set(dstr, NULL);
10131                     AvALLOC((AV*)dstr)  = (SV**)NULL;
10132                 }
10133                 break;
10134             case SVt_PVHV:
10135                 {
10136                     HEK *hvname = NULL;
10137
10138                     if (HvARRAY((HV*)sstr)) {
10139                         STRLEN i = 0;
10140                         const bool sharekeys = !!HvSHAREKEYS(sstr);
10141                         XPVHV * const dxhv = (XPVHV*)SvANY(dstr);
10142                         XPVHV * const sxhv = (XPVHV*)SvANY(sstr);
10143                         char *darray;
10144                         Newx(darray, PERL_HV_ARRAY_ALLOC_BYTES(dxhv->xhv_max+1)
10145                             + (SvOOK(sstr) ? sizeof(struct xpvhv_aux) : 0),
10146                             char);
10147                         HvARRAY(dstr) = (HE**)darray;
10148                         while (i <= sxhv->xhv_max) {
10149                             const HE *source = HvARRAY(sstr)[i];
10150                             HvARRAY(dstr)[i] = source
10151                                 ? he_dup(source, sharekeys, param) : 0;
10152                             ++i;
10153                         }
10154                         if (SvOOK(sstr)) {
10155                             struct xpvhv_aux * const saux = HvAUX(sstr);
10156                             struct xpvhv_aux * const daux = HvAUX(dstr);
10157                             /* This flag isn't copied.  */
10158                             /* SvOOK_on(hv) attacks the IV flags.  */
10159                             SvFLAGS(dstr) |= SVf_OOK;
10160
10161                             hvname = saux->xhv_name;
10162                             daux->xhv_name
10163                                 = hvname ? hek_dup(hvname, param) : hvname;
10164
10165                             daux->xhv_riter = saux->xhv_riter;
10166                             daux->xhv_eiter = saux->xhv_eiter
10167                                 ? he_dup(saux->xhv_eiter,
10168                                          (bool)!!HvSHAREKEYS(sstr), param) : 0;
10169                             daux->xhv_backreferences = saux->xhv_backreferences
10170                                 ? (AV*) SvREFCNT_inc(
10171                                                      sv_dup((SV*)saux->
10172                                                             xhv_backreferences,
10173                                                             param))
10174                                 : 0;
10175                         }
10176                     }
10177                     else {
10178                         SvPV_set(dstr, NULL);
10179                     }
10180                     /* Record stashes for possible cloning in Perl_clone(). */
10181                     if(hvname)
10182                         av_push(param->stashes, dstr);
10183                 }
10184                 break;
10185             case SVt_PVCV:
10186                 if (!(param->flags & CLONEf_COPY_STACKS)) {
10187                     CvDEPTH(dstr) = 0;
10188                 }
10189             case SVt_PVFM:
10190                 /* NOTE: not refcounted */
10191                 CvSTASH(dstr)   = hv_dup(CvSTASH(dstr), param);
10192                 OP_REFCNT_LOCK;
10193                 if (!CvISXSUB(dstr))
10194                     CvROOT(dstr) = OpREFCNT_inc(CvROOT(dstr));
10195                 OP_REFCNT_UNLOCK;
10196                 if (CvCONST(dstr) && CvISXSUB(dstr)) {
10197                     CvXSUBANY(dstr).any_ptr = GvUNIQUE(CvGV(dstr)) ?
10198                         SvREFCNT_inc(CvXSUBANY(dstr).any_ptr) :
10199                         sv_dup_inc((SV *)CvXSUBANY(dstr).any_ptr, param);
10200                 }
10201                 /* don't dup if copying back - CvGV isn't refcounted, so the
10202                  * duped GV may never be freed. A bit of a hack! DAPM */
10203                 CvGV(dstr)      = (param->flags & CLONEf_JOIN_IN) ?
10204                     NULL : gv_dup(CvGV(dstr), param) ;
10205                 PAD_DUP(CvPADLIST(dstr), CvPADLIST(sstr), param);
10206                 CvOUTSIDE(dstr) =
10207                     CvWEAKOUTSIDE(sstr)
10208                     ? cv_dup(    CvOUTSIDE(dstr), param)
10209                     : cv_dup_inc(CvOUTSIDE(dstr), param);
10210                 if (!CvISXSUB(dstr))
10211                     CvFILE(dstr) = SAVEPV(CvFILE(dstr));
10212                 break;
10213             }
10214         }
10215     }
10216
10217     if (SvOBJECT(dstr) && SvTYPE(dstr) != SVt_PVIO)
10218         ++PL_sv_objcount;
10219
10220     return dstr;
10221  }
10222
10223 /* duplicate a context */
10224
10225 PERL_CONTEXT *
10226 Perl_cx_dup(pTHX_ PERL_CONTEXT *cxs, I32 ix, I32 max, CLONE_PARAMS* param)
10227 {
10228     PERL_CONTEXT *ncxs;
10229
10230     if (!cxs)
10231         return (PERL_CONTEXT*)NULL;
10232
10233     /* look for it in the table first */
10234     ncxs = (PERL_CONTEXT*)ptr_table_fetch(PL_ptr_table, cxs);
10235     if (ncxs)
10236         return ncxs;
10237
10238     /* create anew and remember what it is */
10239     Newxz(ncxs, max + 1, PERL_CONTEXT);
10240     ptr_table_store(PL_ptr_table, cxs, ncxs);
10241
10242     while (ix >= 0) {
10243         PERL_CONTEXT * const cx = &cxs[ix];
10244         PERL_CONTEXT * const ncx = &ncxs[ix];
10245         ncx->cx_type    = cx->cx_type;
10246         if (CxTYPE(cx) == CXt_SUBST) {
10247             Perl_croak(aTHX_ "Cloning substitution context is unimplemented");
10248         }
10249         else {
10250             ncx->blk_oldsp      = cx->blk_oldsp;
10251             ncx->blk_oldcop     = cx->blk_oldcop;
10252             ncx->blk_oldmarksp  = cx->blk_oldmarksp;
10253             ncx->blk_oldscopesp = cx->blk_oldscopesp;
10254             ncx->blk_oldpm      = cx->blk_oldpm;
10255             ncx->blk_gimme      = cx->blk_gimme;
10256             switch (CxTYPE(cx)) {
10257             case CXt_SUB:
10258                 ncx->blk_sub.cv         = (cx->blk_sub.olddepth == 0
10259                                            ? cv_dup_inc(cx->blk_sub.cv, param)
10260                                            : cv_dup(cx->blk_sub.cv,param));
10261                 ncx->blk_sub.argarray   = (cx->blk_sub.hasargs
10262                                            ? av_dup_inc(cx->blk_sub.argarray, param)
10263                                            : NULL);
10264                 ncx->blk_sub.savearray  = av_dup_inc(cx->blk_sub.savearray, param);
10265                 ncx->blk_sub.olddepth   = cx->blk_sub.olddepth;
10266                 ncx->blk_sub.hasargs    = cx->blk_sub.hasargs;
10267                 ncx->blk_sub.lval       = cx->blk_sub.lval;
10268                 ncx->blk_sub.retop      = cx->blk_sub.retop;
10269                 break;
10270             case CXt_EVAL:
10271                 ncx->blk_eval.old_in_eval = cx->blk_eval.old_in_eval;
10272                 ncx->blk_eval.old_op_type = cx->blk_eval.old_op_type;
10273                 ncx->blk_eval.old_namesv = sv_dup_inc(cx->blk_eval.old_namesv, param);
10274                 ncx->blk_eval.old_eval_root = cx->blk_eval.old_eval_root;
10275                 ncx->blk_eval.cur_text  = sv_dup(cx->blk_eval.cur_text, param);
10276                 ncx->blk_eval.retop = cx->blk_eval.retop;
10277                 break;
10278             case CXt_LOOP:
10279                 ncx->blk_loop.label     = cx->blk_loop.label;
10280                 ncx->blk_loop.resetsp   = cx->blk_loop.resetsp;
10281                 ncx->blk_loop.redo_op   = cx->blk_loop.redo_op;
10282                 ncx->blk_loop.next_op   = cx->blk_loop.next_op;
10283                 ncx->blk_loop.last_op   = cx->blk_loop.last_op;
10284                 ncx->blk_loop.iterdata  = (CxPADLOOP(cx)
10285                                            ? cx->blk_loop.iterdata
10286                                            : gv_dup((GV*)cx->blk_loop.iterdata, param));
10287                 ncx->blk_loop.oldcomppad
10288                     = (PAD*)ptr_table_fetch(PL_ptr_table,
10289                                             cx->blk_loop.oldcomppad);
10290                 ncx->blk_loop.itersave  = sv_dup_inc(cx->blk_loop.itersave, param);
10291                 ncx->blk_loop.iterlval  = sv_dup_inc(cx->blk_loop.iterlval, param);
10292                 ncx->blk_loop.iterary   = av_dup_inc(cx->blk_loop.iterary, param);
10293                 ncx->blk_loop.iterix    = cx->blk_loop.iterix;
10294                 ncx->blk_loop.itermax   = cx->blk_loop.itermax;
10295                 break;
10296             case CXt_FORMAT:
10297                 ncx->blk_sub.cv         = cv_dup(cx->blk_sub.cv, param);
10298                 ncx->blk_sub.gv         = gv_dup(cx->blk_sub.gv, param);
10299                 ncx->blk_sub.dfoutgv    = gv_dup_inc(cx->blk_sub.dfoutgv, param);
10300                 ncx->blk_sub.hasargs    = cx->blk_sub.hasargs;
10301                 ncx->blk_sub.retop      = cx->blk_sub.retop;
10302                 break;
10303             case CXt_BLOCK:
10304             case CXt_NULL:
10305                 break;
10306             }
10307         }
10308         --ix;
10309     }
10310     return ncxs;
10311 }
10312
10313 /* duplicate a stack info structure */
10314
10315 PERL_SI *
10316 Perl_si_dup(pTHX_ PERL_SI *si, CLONE_PARAMS* param)
10317 {
10318     PERL_SI *nsi;
10319
10320     if (!si)
10321         return (PERL_SI*)NULL;
10322
10323     /* look for it in the table first */
10324     nsi = (PERL_SI*)ptr_table_fetch(PL_ptr_table, si);
10325     if (nsi)
10326         return nsi;
10327
10328     /* create anew and remember what it is */
10329     Newxz(nsi, 1, PERL_SI);
10330     ptr_table_store(PL_ptr_table, si, nsi);
10331
10332     nsi->si_stack       = av_dup_inc(si->si_stack, param);
10333     nsi->si_cxix        = si->si_cxix;
10334     nsi->si_cxmax       = si->si_cxmax;
10335     nsi->si_cxstack     = cx_dup(si->si_cxstack, si->si_cxix, si->si_cxmax, param);
10336     nsi->si_type        = si->si_type;
10337     nsi->si_prev        = si_dup(si->si_prev, param);
10338     nsi->si_next        = si_dup(si->si_next, param);
10339     nsi->si_markoff     = si->si_markoff;
10340
10341     return nsi;
10342 }
10343
10344 #define POPINT(ss,ix)   ((ss)[--(ix)].any_i32)
10345 #define TOPINT(ss,ix)   ((ss)[ix].any_i32)
10346 #define POPLONG(ss,ix)  ((ss)[--(ix)].any_long)
10347 #define TOPLONG(ss,ix)  ((ss)[ix].any_long)
10348 #define POPIV(ss,ix)    ((ss)[--(ix)].any_iv)
10349 #define TOPIV(ss,ix)    ((ss)[ix].any_iv)
10350 #define POPBOOL(ss,ix)  ((ss)[--(ix)].any_bool)
10351 #define TOPBOOL(ss,ix)  ((ss)[ix].any_bool)
10352 #define POPPTR(ss,ix)   ((ss)[--(ix)].any_ptr)
10353 #define TOPPTR(ss,ix)   ((ss)[ix].any_ptr)
10354 #define POPDPTR(ss,ix)  ((ss)[--(ix)].any_dptr)
10355 #define TOPDPTR(ss,ix)  ((ss)[ix].any_dptr)
10356 #define POPDXPTR(ss,ix) ((ss)[--(ix)].any_dxptr)
10357 #define TOPDXPTR(ss,ix) ((ss)[ix].any_dxptr)
10358
10359 /* XXXXX todo */
10360 #define pv_dup_inc(p)   SAVEPV(p)
10361 #define pv_dup(p)       SAVEPV(p)
10362 #define svp_dup_inc(p,pp)       any_dup(p,pp)
10363
10364 /* map any object to the new equivent - either something in the
10365  * ptr table, or something in the interpreter structure
10366  */
10367
10368 void *
10369 Perl_any_dup(pTHX_ void *v, const PerlInterpreter *proto_perl)
10370 {
10371     void *ret;
10372
10373     if (!v)
10374         return (void*)NULL;
10375
10376     /* look for it in the table first */
10377     ret = ptr_table_fetch(PL_ptr_table, v);
10378     if (ret)
10379         return ret;
10380
10381     /* see if it is part of the interpreter structure */
10382     if (v >= (void*)proto_perl && v < (void*)(proto_perl+1))
10383         ret = (void*)(((char*)aTHX) + (((char*)v) - (char*)proto_perl));
10384     else {
10385         ret = v;
10386     }
10387
10388     return ret;
10389 }
10390
10391 /* duplicate the save stack */
10392
10393 ANY *
10394 Perl_ss_dup(pTHX_ PerlInterpreter *proto_perl, CLONE_PARAMS* param)
10395 {
10396     ANY * const ss      = proto_perl->Tsavestack;
10397     const I32 max       = proto_perl->Tsavestack_max;
10398     I32 ix              = proto_perl->Tsavestack_ix;
10399     ANY *nss;
10400     SV *sv;
10401     GV *gv;
10402     AV *av;
10403     HV *hv;
10404     void* ptr;
10405     int intval;
10406     long longval;
10407     GP *gp;
10408     IV iv;
10409     char *c = NULL;
10410     void (*dptr) (void*);
10411     void (*dxptr) (pTHX_ void*);
10412
10413     Newxz(nss, max, ANY);
10414
10415     while (ix > 0) {
10416         I32 i = POPINT(ss,ix);
10417         TOPINT(nss,ix) = i;
10418         switch (i) {
10419         case SAVEt_ITEM:                        /* normal string */
10420         case SAVEt_SV:                          /* scalar reference */
10421             sv = (SV*)POPPTR(ss,ix);
10422             TOPPTR(nss,ix) = sv_dup_inc(sv, param);
10423             sv = (SV*)POPPTR(ss,ix);
10424             TOPPTR(nss,ix) = sv_dup_inc(sv, param);
10425             break;
10426         case SAVEt_SHARED_PVREF:                /* char* in shared space */
10427             c = (char*)POPPTR(ss,ix);
10428             TOPPTR(nss,ix) = savesharedpv(c);
10429             ptr = POPPTR(ss,ix);
10430             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);
10431             break;
10432         case SAVEt_GENERIC_SVREF:               /* generic sv */
10433         case SAVEt_SVREF:                       /* scalar reference */
10434             sv = (SV*)POPPTR(ss,ix);
10435             TOPPTR(nss,ix) = sv_dup_inc(sv, param);
10436             ptr = POPPTR(ss,ix);
10437             TOPPTR(nss,ix) = svp_dup_inc((SV**)ptr, proto_perl);/* XXXXX */
10438             break;
10439         case SAVEt_HV:                          /* hash reference */
10440         case SAVEt_AV:                          /* array reference */
10441             sv = POPPTR(ss,ix);
10442             TOPPTR(nss,ix) = sv_dup_inc(sv, param);
10443             gv = (GV*)POPPTR(ss,ix);
10444             TOPPTR(nss,ix) = gv_dup(gv, param);
10445             break;
10446         case SAVEt_INT:                         /* int reference */
10447             ptr = POPPTR(ss,ix);
10448             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);
10449             intval = (int)POPINT(ss,ix);
10450             TOPINT(nss,ix) = intval;
10451             break;
10452         case SAVEt_LONG:                        /* long reference */
10453             ptr = POPPTR(ss,ix);
10454             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);
10455             longval = (long)POPLONG(ss,ix);
10456             TOPLONG(nss,ix) = longval;
10457             break;
10458         case SAVEt_I32:                         /* I32 reference */
10459         case SAVEt_I16:                         /* I16 reference */
10460         case SAVEt_I8:                          /* I8 reference */
10461         case SAVEt_COP_ARYBASE:                 /* call CopARYBASE_set */
10462             ptr = POPPTR(ss,ix);
10463             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);
10464             i = POPINT(ss,ix);
10465             TOPINT(nss,ix) = i;
10466             break;
10467         case SAVEt_IV:                          /* IV reference */
10468             ptr = POPPTR(ss,ix);
10469             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);
10470             iv = POPIV(ss,ix);
10471             TOPIV(nss,ix) = iv;
10472             break;
10473         case SAVEt_HPTR:                        /* HV* reference */
10474         case SAVEt_APTR:                        /* AV* reference */
10475         case SAVEt_SPTR:                        /* SV* reference */
10476             ptr = POPPTR(ss,ix);
10477             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);
10478             sv = (SV*)POPPTR(ss,ix);
10479             TOPPTR(nss,ix) = sv_dup(sv, param);
10480             break;
10481         case SAVEt_VPTR:                        /* random* reference */
10482             ptr = POPPTR(ss,ix);
10483             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);
10484             ptr = POPPTR(ss,ix);
10485             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);
10486             break;
10487         case SAVEt_GENERIC_PVREF:               /* generic char* */
10488         case SAVEt_PPTR:                        /* char* reference */
10489             ptr = POPPTR(ss,ix);
10490             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);
10491             c = (char*)POPPTR(ss,ix);
10492             TOPPTR(nss,ix) = pv_dup(c);
10493             break;
10494         case SAVEt_NSTAB:
10495             gv = (GV*)POPPTR(ss,ix);
10496             TOPPTR(nss,ix) = gv_dup(gv, param);
10497             break;
10498         case SAVEt_GP:                          /* scalar reference */
10499             gp = (GP*)POPPTR(ss,ix);
10500             TOPPTR(nss,ix) = gp = gp_dup(gp, param);
10501             (void)GpREFCNT_inc(gp);
10502             gv = (GV*)POPPTR(ss,ix);
10503             TOPPTR(nss,ix) = gv_dup_inc(gv, param);
10504             c = (char*)POPPTR(ss,ix);
10505             TOPPTR(nss,ix) = pv_dup(c);
10506             iv = POPIV(ss,ix);
10507             TOPIV(nss,ix) = iv;
10508             iv = POPIV(ss,ix);
10509             TOPIV(nss,ix) = iv;
10510             break;
10511         case SAVEt_FREESV:
10512         case SAVEt_MORTALIZESV:
10513             sv = (SV*)POPPTR(ss,ix);
10514             TOPPTR(nss,ix) = sv_dup_inc(sv, param);
10515             break;
10516         case SAVEt_FREEOP:
10517             ptr = POPPTR(ss,ix);
10518             if (ptr && (((OP*)ptr)->op_private & OPpREFCOUNTED)) {
10519                 /* these are assumed to be refcounted properly */
10520                 OP *o;
10521                 switch (((OP*)ptr)->op_type) {
10522                 case OP_LEAVESUB:
10523                 case OP_LEAVESUBLV:
10524                 case OP_LEAVEEVAL:
10525                 case OP_LEAVE:
10526                 case OP_SCOPE:
10527                 case OP_LEAVEWRITE:
10528                     TOPPTR(nss,ix) = ptr;
10529                     o = (OP*)ptr;
10530                     OpREFCNT_inc(o);
10531                     break;
10532                 default:
10533                     TOPPTR(nss,ix) = NULL;
10534                     break;
10535                 }
10536             }
10537             else
10538                 TOPPTR(nss,ix) = NULL;
10539             break;
10540         case SAVEt_FREEPV:
10541             c = (char*)POPPTR(ss,ix);
10542             TOPPTR(nss,ix) = pv_dup_inc(c);
10543             break;
10544         case SAVEt_CLEARSV:
10545             longval = POPLONG(ss,ix);
10546             TOPLONG(nss,ix) = longval;
10547             break;
10548         case SAVEt_DELETE:
10549             hv = (HV*)POPPTR(ss,ix);
10550             TOPPTR(nss,ix) = hv_dup_inc(hv, param);
10551             c = (char*)POPPTR(ss,ix);
10552             TOPPTR(nss,ix) = pv_dup_inc(c);
10553             i = POPINT(ss,ix);
10554             TOPINT(nss,ix) = i;
10555             break;
10556         case SAVEt_DESTRUCTOR:
10557             ptr = POPPTR(ss,ix);
10558             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);  /* XXX quite arbitrary */
10559             dptr = POPDPTR(ss,ix);
10560             TOPDPTR(nss,ix) = DPTR2FPTR(void (*)(void*),
10561                                         any_dup(FPTR2DPTR(void *, dptr),
10562                                                 proto_perl));
10563             break;
10564         case SAVEt_DESTRUCTOR_X:
10565             ptr = POPPTR(ss,ix);
10566             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);  /* XXX quite arbitrary */
10567             dxptr = POPDXPTR(ss,ix);
10568             TOPDXPTR(nss,ix) = DPTR2FPTR(void (*)(pTHX_ void*),
10569                                          any_dup(FPTR2DPTR(void *, dxptr),
10570                                                  proto_perl));
10571             break;
10572         case SAVEt_REGCONTEXT:
10573         case SAVEt_ALLOC:
10574             i = POPINT(ss,ix);
10575             TOPINT(nss,ix) = i;
10576             ix -= i;
10577             break;
10578         case SAVEt_STACK_POS:           /* Position on Perl stack */
10579             i = POPINT(ss,ix);
10580             TOPINT(nss,ix) = i;
10581             break;
10582         case SAVEt_AELEM:               /* array element */
10583             sv = (SV*)POPPTR(ss,ix);
10584             TOPPTR(nss,ix) = sv_dup_inc(sv, param);
10585             i = POPINT(ss,ix);
10586             TOPINT(nss,ix) = i;
10587             av = (AV*)POPPTR(ss,ix);
10588             TOPPTR(nss,ix) = av_dup_inc(av, param);
10589             break;
10590         case SAVEt_HELEM:               /* hash element */
10591             sv = (SV*)POPPTR(ss,ix);
10592             TOPPTR(nss,ix) = sv_dup_inc(sv, param);
10593             sv = (SV*)POPPTR(ss,ix);
10594             TOPPTR(nss,ix) = sv_dup_inc(sv, param);
10595             hv = (HV*)POPPTR(ss,ix);
10596             TOPPTR(nss,ix) = hv_dup_inc(hv, param);
10597             break;
10598         case SAVEt_OP:
10599             ptr = POPPTR(ss,ix);
10600             TOPPTR(nss,ix) = ptr;
10601             break;
10602         case SAVEt_HINTS:
10603             i = POPINT(ss,ix);
10604             TOPINT(nss,ix) = i;
10605             ptr = POPPTR(ss,ix);
10606             if (ptr) {
10607                 HINTS_REFCNT_LOCK;
10608                 ((struct refcounted_he *)ptr)->refcounted_he_refcnt++;
10609                 HINTS_REFCNT_UNLOCK;
10610             }
10611             TOPPTR(nss,ix) = ptr;
10612             if (i & HINT_LOCALIZE_HH) {
10613                 hv = (HV*)POPPTR(ss,ix);
10614                 TOPPTR(nss,ix) = hv_dup_inc(hv, param);
10615             }
10616             break;
10617         case SAVEt_COMPPAD:
10618             av = (AV*)POPPTR(ss,ix);
10619             TOPPTR(nss,ix) = av_dup(av, param);
10620             break;
10621         case SAVEt_PADSV:
10622             longval = (long)POPLONG(ss,ix);
10623             TOPLONG(nss,ix) = longval;
10624             ptr = POPPTR(ss,ix);
10625             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);
10626             sv = (SV*)POPPTR(ss,ix);
10627             TOPPTR(nss,ix) = sv_dup(sv, param);
10628             break;
10629         case SAVEt_BOOL:
10630             ptr = POPPTR(ss,ix);
10631             TOPPTR(nss,ix) = any_dup(ptr, proto_perl);
10632             longval = (long)POPBOOL(ss,ix);
10633             TOPBOOL(nss,ix) = (bool)longval;
10634             break;
10635         case SAVEt_SET_SVFLAGS:
10636             i = POPINT(ss,ix);
10637             TOPINT(nss,ix) = i;
10638             i = POPINT(ss,ix);
10639             TOPINT(nss,ix) = i;
10640             sv = (SV*)POPPTR(ss,ix);
10641             TOPPTR(nss,ix) = sv_dup(sv, param);
10642             break;
10643         case SAVEt_RE_STATE:
10644             {
10645                 const struct re_save_state *const old_state
10646                     = (struct re_save_state *)
10647                     (ss + ix - SAVESTACK_ALLOC_FOR_RE_SAVE_STATE);
10648                 struct re_save_state *const new_state
10649                     = (struct re_save_state *)
10650                     (nss + ix - SAVESTACK_ALLOC_FOR_RE_SAVE_STATE);
10651
10652                 Copy(old_state, new_state, 1, struct re_save_state);
10653                 ix -= SAVESTACK_ALLOC_FOR_RE_SAVE_STATE;
10654
10655                 new_state->re_state_bostr
10656                     = pv_dup(old_state->re_state_bostr);
10657                 new_state->re_state_reginput
10658                     = pv_dup(old_state->re_state_reginput);
10659                 new_state->re_state_regeol
10660                     = pv_dup(old_state->re_state_regeol);
10661                 new_state->re_state_regstartp
10662                     = any_dup(old_state->re_state_regstartp, proto_perl);
10663                 new_state->re_state_regendp
10664                     = any_dup(old_state->re_state_regendp, proto_perl);
10665                 new_state->re_state_reglastparen
10666                     = any_dup(old_state->re_state_reglastparen, proto_perl);
10667                 new_state->re_state_reglastcloseparen
10668                     = any_dup(old_state->re_state_reglastcloseparen,
10669                               proto_perl);
10670                 /* XXX This just has to be broken. The old save_re_context
10671                    code did SAVEGENERICPV(PL_reg_start_tmp);
10672                    PL_reg_start_tmp is char **.
10673                    Look above to what the dup code does for
10674                    SAVEt_GENERIC_PVREF
10675                    It can never have worked.
10676                    So this is merely a faithful copy of the exiting bug:  */
10677                 new_state->re_state_reg_start_tmp
10678                     = (char **) pv_dup((char *)
10679                                       old_state->re_state_reg_start_tmp);
10680                 /* I assume that it only ever "worked" because no-one called
10681                    (pseudo)fork while the regexp engine had re-entered itself.
10682                 */
10683 #ifdef PERL_OLD_COPY_ON_WRITE
10684                 new_state->re_state_nrs
10685                     = sv_dup(old_state->re_state_nrs, param);
10686 #endif
10687                 new_state->re_state_reg_magic
10688                     = any_dup(old_state->re_state_reg_magic, proto_perl);
10689                 new_state->re_state_reg_oldcurpm
10690                     = any_dup(old_state->re_state_reg_oldcurpm, proto_perl);
10691                 new_state->re_state_reg_curpm
10692                     = any_dup(old_state->re_state_reg_curpm, proto_perl);
10693                 new_state->re_state_reg_oldsaved
10694                     = pv_dup(old_state->re_state_reg_oldsaved);
10695                 new_state->re_state_reg_poscache
10696                     = pv_dup(old_state->re_state_reg_poscache);
10697                 new_state->re_state_reg_starttry
10698                     = pv_dup(old_state->re_state_reg_starttry);
10699                 break;
10700             }
10701         case SAVEt_COMPILE_WARNINGS:
10702             ptr = POPPTR(ss,ix);
10703             TOPPTR(nss,ix) = DUP_WARNINGS((STRLEN*)ptr);
10704             break;
10705         default:
10706             Perl_croak(aTHX_ "panic: ss_dup inconsistency (%"IVdf")", (IV) i);
10707         }
10708     }
10709
10710     return nss;
10711 }
10712
10713
10714 /* if sv is a stash, call $class->CLONE_SKIP(), and set the SVphv_CLONEABLE
10715  * flag to the result. This is done for each stash before cloning starts,
10716  * so we know which stashes want their objects cloned */
10717
10718 static void
10719 do_mark_cloneable_stash(pTHX_ SV *sv)
10720 {
10721     const HEK * const hvname = HvNAME_HEK((HV*)sv);
10722     if (hvname) {
10723         GV* const cloner = gv_fetchmethod_autoload((HV*)sv, "CLONE_SKIP", 0);
10724         SvFLAGS(sv) |= SVphv_CLONEABLE; /* clone objects by default */
10725         if (cloner && GvCV(cloner)) {
10726             dSP;
10727             UV status;
10728
10729             ENTER;
10730             SAVETMPS;
10731             PUSHMARK(SP);
10732             XPUSHs(sv_2mortal(newSVhek(hvname)));
10733             PUTBACK;
10734             call_sv((SV*)GvCV(cloner), G_SCALAR);
10735             SPAGAIN;
10736             status = POPu;
10737             PUTBACK;
10738             FREETMPS;
10739             LEAVE;
10740             if (status)
10741                 SvFLAGS(sv) &= ~SVphv_CLONEABLE;
10742         }
10743     }
10744 }
10745
10746
10747
10748 /*
10749 =for apidoc perl_clone
10750
10751 Create and return a new interpreter by cloning the current one.
10752
10753 perl_clone takes these flags as parameters:
10754
10755 CLONEf_COPY_STACKS - is used to, well, copy the stacks also,
10756 without it we only clone the data and zero the stacks,
10757 with it we copy the stacks and the new perl interpreter is
10758 ready to run at the exact same point as the previous one.
10759 The pseudo-fork code uses COPY_STACKS while the
10760 threads->new doesn't.
10761
10762 CLONEf_KEEP_PTR_TABLE
10763 perl_clone keeps a ptr_table with the pointer of the old
10764 variable as a key and the new variable as a value,
10765 this allows it to check if something has been cloned and not
10766 clone it again but rather just use the value and increase the
10767 refcount. If KEEP_PTR_TABLE is not set then perl_clone will kill
10768 the ptr_table using the function
10769 C<ptr_table_free(PL_ptr_table); PL_ptr_table = NULL;>,
10770 reason to keep it around is if you want to dup some of your own
10771 variable who are outside the graph perl scans, example of this
10772 code is in threads.xs create
10773
10774 CLONEf_CLONE_HOST
10775 This is a win32 thing, it is ignored on unix, it tells perls
10776 win32host code (which is c++) to clone itself, this is needed on
10777 win32 if you want to run two threads at the same time,
10778 if you just want to do some stuff in a separate perl interpreter
10779 and then throw it away and return to the original one,
10780 you don't need to do anything.
10781
10782 =cut
10783 */
10784
10785 /* XXX the above needs expanding by someone who actually understands it ! */
10786 EXTERN_C PerlInterpreter *
10787 perl_clone_host(PerlInterpreter* proto_perl, UV flags);
10788
10789 PerlInterpreter *
10790 perl_clone(PerlInterpreter *proto_perl, UV flags)
10791 {
10792    dVAR;
10793 #ifdef PERL_IMPLICIT_SYS
10794
10795    /* perlhost.h so we need to call into it
10796    to clone the host, CPerlHost should have a c interface, sky */
10797
10798    if (flags & CLONEf_CLONE_HOST) {
10799        return perl_clone_host(proto_perl,flags);
10800    }
10801    return perl_clone_using(proto_perl, flags,
10802                             proto_perl->IMem,
10803                             proto_perl->IMemShared,
10804                             proto_perl->IMemParse,
10805                             proto_perl->IEnv,
10806                             proto_perl->IStdIO,
10807                             proto_perl->ILIO,
10808                             proto_perl->IDir,
10809                             proto_perl->ISock,
10810                             proto_perl->IProc);
10811 }
10812
10813 PerlInterpreter *
10814 perl_clone_using(PerlInterpreter *proto_perl, UV flags,
10815                  struct IPerlMem* ipM, struct IPerlMem* ipMS,
10816                  struct IPerlMem* ipMP, struct IPerlEnv* ipE,
10817                  struct IPerlStdIO* ipStd, struct IPerlLIO* ipLIO,
10818                  struct IPerlDir* ipD, struct IPerlSock* ipS,
10819                  struct IPerlProc* ipP)
10820 {
10821     /* XXX many of the string copies here can be optimized if they're
10822      * constants; they need to be allocated as common memory and just
10823      * their pointers copied. */
10824
10825     IV i;
10826     CLONE_PARAMS clone_params;
10827     CLONE_PARAMS* const param = &clone_params;
10828
10829     PerlInterpreter * const my_perl = (PerlInterpreter*)(*ipM->pMalloc)(ipM, sizeof(PerlInterpreter));
10830     /* for each stash, determine whether its objects should be cloned */
10831     S_visit(proto_perl, do_mark_cloneable_stash, SVt_PVHV, SVTYPEMASK);
10832     PERL_SET_THX(my_perl);
10833
10834 #  ifdef DEBUGGING
10835     PoisonNew(my_perl, 1, PerlInterpreter);
10836     PL_op = NULL;
10837     PL_curcop = NULL;
10838     PL_markstack = 0;
10839     PL_scopestack = 0;
10840     PL_savestack = 0;
10841     PL_savestack_ix = 0;
10842     PL_savestack_max = -1;
10843     PL_sig_pending = 0;
10844     Zero(&PL_debug_pad, 1, struct perl_debug_pad);
10845 #  else /* !DEBUGGING */
10846     Zero(my_perl, 1, PerlInterpreter);
10847 #  endif        /* DEBUGGING */
10848
10849     /* host pointers */
10850     PL_Mem              = ipM;
10851     PL_MemShared        = ipMS;
10852     PL_MemParse         = ipMP;
10853     PL_Env              = ipE;
10854     PL_StdIO            = ipStd;
10855     PL_LIO              = ipLIO;
10856     PL_Dir              = ipD;
10857     PL_Sock             = ipS;
10858     PL_Proc             = ipP;
10859 #else           /* !PERL_IMPLICIT_SYS */
10860     IV i;
10861     CLONE_PARAMS clone_params;
10862     CLONE_PARAMS* param = &clone_params;
10863     PerlInterpreter * const my_perl = (PerlInterpreter*)PerlMem_malloc(sizeof(PerlInterpreter));
10864     /* for each stash, determine whether its objects should be cloned */
10865     S_visit(proto_perl, do_mark_cloneable_stash, SVt_PVHV, SVTYPEMASK);
10866     PERL_SET_THX(my_perl);
10867
10868 #    ifdef DEBUGGING
10869     PoisonNew(my_perl, 1, PerlInterpreter);
10870     PL_op = NULL;
10871     PL_curcop = NULL;
10872     PL_markstack = 0;
10873     PL_scopestack = 0;
10874     PL_savestack = 0;
10875     PL_savestack_ix = 0;
10876     PL_savestack_max = -1;
10877     PL_sig_pending = 0;
10878     Zero(&PL_debug_pad, 1, struct perl_debug_pad);
10879 #    else       /* !DEBUGGING */
10880     Zero(my_perl, 1, PerlInterpreter);
10881 #    endif      /* DEBUGGING */
10882 #endif          /* PERL_IMPLICIT_SYS */
10883     param->flags = flags;
10884     param->proto_perl = proto_perl;
10885
10886     INIT_TRACK_MEMPOOL(my_perl->Imemory_debug_header, my_perl);
10887
10888     PL_body_arenas = NULL;
10889     Zero(&PL_body_roots, 1, PL_body_roots);
10890     
10891     PL_nice_chunk       = NULL;
10892     PL_nice_chunk_size  = 0;
10893     PL_sv_count         = 0;
10894     PL_sv_objcount      = 0;
10895     PL_sv_root          = NULL;
10896     PL_sv_arenaroot     = NULL;
10897
10898     PL_debug            = proto_perl->Idebug;
10899
10900     PL_hash_seed        = proto_perl->Ihash_seed;
10901     PL_rehash_seed      = proto_perl->Irehash_seed;
10902
10903 #ifdef USE_REENTRANT_API
10904     /* XXX: things like -Dm will segfault here in perlio, but doing
10905      *  PERL_SET_CONTEXT(proto_perl);
10906      * breaks too many other things
10907      */
10908     Perl_reentrant_init(aTHX);
10909 #endif
10910
10911     /* create SV map for pointer relocation */
10912     PL_ptr_table = ptr_table_new();
10913
10914     /* initialize these special pointers as early as possible */
10915     SvANY(&PL_sv_undef)         = NULL;
10916     SvREFCNT(&PL_sv_undef)      = (~(U32)0)/2;
10917     SvFLAGS(&PL_sv_undef)       = SVf_READONLY|SVt_NULL;
10918     ptr_table_store(PL_ptr_table, &proto_perl->Isv_undef, &PL_sv_undef);
10919
10920     SvANY(&PL_sv_no)            = new_XPVNV();
10921     SvREFCNT(&PL_sv_no)         = (~(U32)0)/2;
10922     SvFLAGS(&PL_sv_no)          = SVp_IOK|SVf_IOK|SVp_NOK|SVf_NOK
10923                                   |SVp_POK|SVf_POK|SVf_READONLY|SVt_PVNV;
10924     SvPV_set(&PL_sv_no, savepvn(PL_No, 0));
10925     SvCUR_set(&PL_sv_no, 0);
10926     SvLEN_set(&PL_sv_no, 1);
10927     SvIV_set(&PL_sv_no, 0);
10928     SvNV_set(&PL_sv_no, 0);
10929     ptr_table_store(PL_ptr_table, &proto_perl->Isv_no, &PL_sv_no);
10930
10931     SvANY(&PL_sv_yes)           = new_XPVNV();
10932     SvREFCNT(&PL_sv_yes)        = (~(U32)0)/2;
10933     SvFLAGS(&PL_sv_yes)         = SVp_IOK|SVf_IOK|SVp_NOK|SVf_NOK
10934                                   |SVp_POK|SVf_POK|SVf_READONLY|SVt_PVNV;
10935     SvPV_set(&PL_sv_yes, savepvn(PL_Yes, 1));
10936     SvCUR_set(&PL_sv_yes, 1);
10937     SvLEN_set(&PL_sv_yes, 2);
10938     SvIV_set(&PL_sv_yes, 1);
10939     SvNV_set(&PL_sv_yes, 1);
10940     ptr_table_store(PL_ptr_table, &proto_perl->Isv_yes, &PL_sv_yes);
10941
10942     /* create (a non-shared!) shared string table */
10943     PL_strtab           = newHV();
10944     HvSHAREKEYS_off(PL_strtab);
10945     hv_ksplit(PL_strtab, HvTOTALKEYS(proto_perl->Istrtab));
10946     ptr_table_store(PL_ptr_table, proto_perl->Istrtab, PL_strtab);
10947
10948     PL_compiling = proto_perl->Icompiling;
10949
10950     /* These two PVs will be free'd special way so must set them same way op.c does */
10951     PL_compiling.cop_stashpv = savesharedpv(PL_compiling.cop_stashpv);
10952     ptr_table_store(PL_ptr_table, proto_perl->Icompiling.cop_stashpv, PL_compiling.cop_stashpv);
10953
10954     PL_compiling.cop_file    = savesharedpv(PL_compiling.cop_file);
10955     ptr_table_store(PL_ptr_table, proto_perl->Icompiling.cop_file, PL_compiling.cop_file);
10956
10957     ptr_table_store(PL_ptr_table, &proto_perl->Icompiling, &PL_compiling);
10958     PL_compiling.cop_warnings = DUP_WARNINGS(PL_compiling.cop_warnings);
10959     if (!specialCopIO(PL_compiling.cop_io))
10960         PL_compiling.cop_io = sv_dup_inc(PL_compiling.cop_io, param);
10961     if (PL_compiling.cop_hints) {
10962         HINTS_REFCNT_LOCK;
10963         PL_compiling.cop_hints->refcounted_he_refcnt++;
10964         HINTS_REFCNT_UNLOCK;
10965     }
10966     PL_curcop           = (COP*)any_dup(proto_perl->Tcurcop, proto_perl);
10967
10968     /* pseudo environmental stuff */
10969     PL_origargc         = proto_perl->Iorigargc;
10970     PL_origargv         = proto_perl->Iorigargv;
10971
10972     param->stashes      = newAV();  /* Setup array of objects to call clone on */
10973
10974     /* Set tainting stuff before PerlIO_debug can possibly get called */
10975     PL_tainting         = proto_perl->Itainting;
10976     PL_taint_warn       = proto_perl->Itaint_warn;
10977
10978 #ifdef PERLIO_LAYERS
10979     /* Clone PerlIO tables as soon as we can handle general xx_dup() */
10980     PerlIO_clone(aTHX_ proto_perl, param);
10981 #endif
10982
10983     PL_envgv            = gv_dup(proto_perl->Ienvgv, param);
10984     PL_incgv            = gv_dup(proto_perl->Iincgv, param);
10985     PL_hintgv           = gv_dup(proto_perl->Ihintgv, param);
10986     PL_origfilename     = SAVEPV(proto_perl->Iorigfilename);
10987     PL_diehook          = sv_dup_inc(proto_perl->Idiehook, param);
10988     PL_warnhook         = sv_dup_inc(proto_perl->Iwarnhook, param);
10989
10990     /* switches */
10991     PL_minus_c          = proto_perl->Iminus_c;
10992     PL_patchlevel       = sv_dup_inc(proto_perl->Ipatchlevel, param);
10993     PL_localpatches     = proto_perl->Ilocalpatches;
10994     PL_splitstr         = proto_perl->Isplitstr;
10995     PL_preprocess       = proto_perl->Ipreprocess;
10996     PL_minus_n          = proto_perl->Iminus_n;
10997     PL_minus_p          = proto_perl->Iminus_p;
10998     PL_minus_l          = proto_perl->Iminus_l;
10999     PL_minus_a          = proto_perl->Iminus_a;
11000     PL_minus_E          = proto_perl->Iminus_E;
11001     PL_minus_F          = proto_perl->Iminus_F;
11002     PL_doswitches       = proto_perl->Idoswitches;
11003     PL_dowarn           = proto_perl->Idowarn;
11004     PL_doextract        = proto_perl->Idoextract;
11005     PL_sawampersand     = proto_perl->Isawampersand;
11006     PL_unsafe           = proto_perl->Iunsafe;
11007     PL_inplace          = SAVEPV(proto_perl->Iinplace);
11008     PL_e_script         = sv_dup_inc(proto_perl->Ie_script, param);
11009     PL_perldb           = proto_perl->Iperldb;
11010     PL_perl_destruct_level = proto_perl->Iperl_destruct_level;
11011     PL_exit_flags       = proto_perl->Iexit_flags;
11012
11013     /* magical thingies */
11014     /* XXX time(&PL_basetime) when asked for? */
11015     PL_basetime         = proto_perl->Ibasetime;
11016     PL_formfeed         = sv_dup(proto_perl->Iformfeed, param);
11017
11018     PL_maxsysfd         = proto_perl->Imaxsysfd;
11019     PL_statusvalue      = proto_perl->Istatusvalue;
11020 #ifdef VMS
11021     PL_statusvalue_vms  = proto_perl->Istatusvalue_vms;
11022 #else
11023     PL_statusvalue_posix = proto_perl->Istatusvalue_posix;
11024 #endif
11025     PL_encoding         = sv_dup(proto_perl->Iencoding, param);
11026
11027     sv_setpvn(PERL_DEBUG_PAD(0), "", 0);        /* For regex debugging. */
11028     sv_setpvn(PERL_DEBUG_PAD(1), "", 0);        /* ext/re needs these */
11029     sv_setpvn(PERL_DEBUG_PAD(2), "", 0);        /* even without DEBUGGING. */
11030
11031     /* Clone the regex array */
11032     PL_regex_padav = newAV();
11033     {
11034         const I32 len = av_len((AV*)proto_perl->Iregex_padav);
11035         SV* const * const regexen = AvARRAY((AV*)proto_perl->Iregex_padav);
11036         IV i;
11037         av_push(PL_regex_padav, sv_dup_inc_NN(regexen[0],param));
11038         for(i = 1; i <= len; i++) {
11039             const SV * const regex = regexen[i];
11040             SV * const sv =
11041                 SvREPADTMP(regex)
11042                     ? sv_dup_inc(regex, param)
11043                     : SvREFCNT_inc(
11044                         newSViv(PTR2IV(re_dup(
11045                                 INT2PTR(REGEXP *, SvIVX(regex)), param))))
11046                 ;
11047             av_push(PL_regex_padav, sv);
11048         }
11049     }
11050     PL_regex_pad = AvARRAY(PL_regex_padav);
11051
11052     /* shortcuts to various I/O objects */
11053     PL_stdingv          = gv_dup(proto_perl->Istdingv, param);
11054     PL_stderrgv         = gv_dup(proto_perl->Istderrgv, param);
11055     PL_defgv            = gv_dup(proto_perl->Idefgv, param);
11056     PL_argvgv           = gv_dup(proto_perl->Iargvgv, param);
11057     PL_argvoutgv        = gv_dup(proto_perl->Iargvoutgv, param);
11058     PL_argvout_stack    = av_dup_inc(proto_perl->Iargvout_stack, param);
11059
11060     /* shortcuts to regexp stuff */
11061     PL_replgv           = gv_dup(proto_perl->Ireplgv, param);
11062
11063     /* shortcuts to misc objects */
11064     PL_errgv            = gv_dup(proto_perl->Ierrgv, param);
11065
11066     /* shortcuts to debugging objects */
11067     PL_DBgv             = gv_dup(proto_perl->IDBgv, param);
11068     PL_DBline           = gv_dup(proto_perl->IDBline, param);
11069     PL_DBsub            = gv_dup(proto_perl->IDBsub, param);
11070     PL_DBsingle         = sv_dup(proto_perl->IDBsingle, param);
11071     PL_DBtrace          = sv_dup(proto_perl->IDBtrace, param);
11072     PL_DBsignal         = sv_dup(proto_perl->IDBsignal, param);
11073     PL_DBassertion      = sv_dup(proto_perl->IDBassertion, param);
11074     PL_lineary          = av_dup(proto_perl->Ilineary, param);
11075     PL_dbargs           = av_dup(proto_perl->Idbargs, param);
11076
11077     /* symbol tables */
11078     PL_defstash         = hv_dup_inc(proto_perl->Tdefstash, param);
11079     PL_curstash         = hv_dup(proto_perl->Tcurstash, param);
11080     PL_debstash         = hv_dup(proto_perl->Idebstash, param);
11081     PL_globalstash      = hv_dup(proto_perl->Iglobalstash, param);
11082     PL_curstname        = sv_dup_inc(proto_perl->Icurstname, param);
11083
11084     PL_beginav          = av_dup_inc(proto_perl->Ibeginav, param);
11085     PL_beginav_save     = av_dup_inc(proto_perl->Ibeginav_save, param);
11086     PL_checkav_save     = av_dup_inc(proto_perl->Icheckav_save, param);
11087     PL_endav            = av_dup_inc(proto_perl->Iendav, param);
11088     PL_checkav          = av_dup_inc(proto_perl->Icheckav, param);
11089     PL_initav           = av_dup_inc(proto_perl->Iinitav, param);
11090
11091     PL_sub_generation   = proto_perl->Isub_generation;
11092
11093     /* funky return mechanisms */
11094     PL_forkprocess      = proto_perl->Iforkprocess;
11095
11096     /* subprocess state */
11097     PL_fdpid            = av_dup_inc(proto_perl->Ifdpid, param);
11098
11099     /* internal state */
11100     PL_maxo             = proto_perl->Imaxo;
11101     if (proto_perl->Iop_mask)
11102         PL_op_mask      = SAVEPVN(proto_perl->Iop_mask, PL_maxo);
11103     else
11104         PL_op_mask      = NULL;
11105     /* PL_asserting        = proto_perl->Iasserting; */
11106
11107     /* current interpreter roots */
11108     PL_main_cv          = cv_dup_inc(proto_perl->Imain_cv, param);
11109     PL_main_root        = OpREFCNT_inc(proto_perl->Imain_root);
11110     PL_main_start       = proto_perl->Imain_start;
11111     PL_eval_root        = proto_perl->Ieval_root;
11112     PL_eval_start       = proto_perl->Ieval_start;
11113
11114     /* runtime control stuff */
11115     PL_curcopdb         = (COP*)any_dup(proto_perl->Icurcopdb, proto_perl);
11116     PL_copline          = proto_perl->Icopline;
11117
11118     PL_filemode         = proto_perl->Ifilemode;
11119     PL_lastfd           = proto_perl->Ilastfd;
11120     PL_oldname          = proto_perl->Ioldname;         /* XXX not quite right */
11121     PL_Argv             = NULL;
11122     PL_Cmd              = NULL;
11123     PL_gensym           = proto_perl->Igensym;
11124     PL_preambled        = proto_perl->Ipreambled;
11125     PL_preambleav       = av_dup_inc(proto_perl->Ipreambleav, param);
11126     PL_laststatval      = proto_perl->Ilaststatval;
11127     PL_laststype        = proto_perl->Ilaststype;
11128     PL_mess_sv          = NULL;
11129
11130     PL_ors_sv           = sv_dup_inc(proto_perl->Iors_sv, param);
11131
11132     /* interpreter atexit processing */
11133     PL_exitlistlen      = proto_perl->Iexitlistlen;
11134     if (PL_exitlistlen) {
11135         Newx(PL_exitlist, PL_exitlistlen, PerlExitListEntry);
11136         Copy(proto_perl->Iexitlist, PL_exitlist, PL_exitlistlen, PerlExitListEntry);
11137     }
11138     else
11139         PL_exitlist     = (PerlExitListEntry*)NULL;
11140
11141     PL_my_cxt_size = proto_perl->Imy_cxt_size;
11142     if (PL_my_cxt_size) {
11143         Newx(PL_my_cxt_list, PL_my_cxt_size, void *);
11144         Copy(proto_perl->Imy_cxt_list, PL_my_cxt_list, PL_my_cxt_size, void *);
11145     }
11146     else
11147         PL_my_cxt_list  = (void**)NULL;
11148     PL_modglobal        = hv_dup_inc(proto_perl->Imodglobal, param);
11149     PL_custom_op_names  = hv_dup_inc(proto_perl->Icustom_op_names,param);
11150     PL_custom_op_descs  = hv_dup_inc(proto_perl->Icustom_op_descs,param);
11151
11152     PL_profiledata      = NULL;
11153     PL_rsfp             = fp_dup(proto_perl->Irsfp, '<', param);
11154     /* PL_rsfp_filters entries have fake IoDIRP() */
11155     PL_rsfp_filters     = av_dup_inc(proto_perl->Irsfp_filters, param);
11156
11157     PL_compcv                   = cv_dup(proto_perl->Icompcv, param);
11158
11159     PAD_CLONE_VARS(proto_perl, param);
11160
11161 #ifdef HAVE_INTERP_INTERN
11162     sys_intern_dup(&proto_perl->Isys_intern, &PL_sys_intern);
11163 #endif
11164
11165     /* more statics moved here */
11166     PL_generation       = proto_perl->Igeneration;
11167     PL_DBcv             = cv_dup(proto_perl->IDBcv, param);
11168
11169     PL_in_clean_objs    = proto_perl->Iin_clean_objs;
11170     PL_in_clean_all     = proto_perl->Iin_clean_all;
11171
11172     PL_uid              = proto_perl->Iuid;
11173     PL_euid             = proto_perl->Ieuid;
11174     PL_gid              = proto_perl->Igid;
11175     PL_egid             = proto_perl->Iegid;
11176     PL_nomemok          = proto_perl->Inomemok;
11177     PL_an               = proto_perl->Ian;
11178     PL_evalseq          = proto_perl->Ievalseq;
11179     PL_origenviron      = proto_perl->Iorigenviron;     /* XXX not quite right */
11180     PL_origalen         = proto_perl->Iorigalen;
11181 #ifdef PERL_USES_PL_PIDSTATUS
11182     PL_pidstatus        = newHV();                      /* XXX flag for cloning? */
11183 #endif
11184     PL_osname           = SAVEPV(proto_perl->Iosname);
11185     PL_sighandlerp      = proto_perl->Isighandlerp;
11186
11187     PL_runops           = proto_perl->Irunops;
11188
11189     Copy(proto_perl->Itokenbuf, PL_tokenbuf, 256, char);
11190
11191 #ifdef CSH
11192     PL_cshlen           = proto_perl->Icshlen;
11193     PL_cshname          = proto_perl->Icshname; /* XXX never deallocated */
11194 #endif
11195
11196     PL_lex_state        = proto_perl->Ilex_state;
11197     PL_lex_defer        = proto_perl->Ilex_defer;
11198     PL_lex_expect       = proto_perl->Ilex_expect;
11199     PL_lex_formbrack    = proto_perl->Ilex_formbrack;
11200     PL_lex_dojoin       = proto_perl->Ilex_dojoin;
11201     PL_lex_starts       = proto_perl->Ilex_starts;
11202     PL_lex_stuff        = sv_dup_inc(proto_perl->Ilex_stuff, param);
11203     PL_lex_repl         = sv_dup_inc(proto_perl->Ilex_repl, param);
11204     PL_lex_op           = proto_perl->Ilex_op;
11205     PL_lex_inpat        = proto_perl->Ilex_inpat;
11206     PL_lex_inwhat       = proto_perl->Ilex_inwhat;
11207     PL_lex_brackets     = proto_perl->Ilex_brackets;
11208     i = (PL_lex_brackets < 120 ? 120 : PL_lex_brackets);
11209     PL_lex_brackstack   = SAVEPVN(proto_perl->Ilex_brackstack,i);
11210     PL_lex_casemods     = proto_perl->Ilex_casemods;
11211     i = (PL_lex_casemods < 12 ? 12 : PL_lex_casemods);
11212     PL_lex_casestack    = SAVEPVN(proto_perl->Ilex_casestack,i);
11213
11214 #ifdef PERL_MAD
11215     Copy(proto_perl->Inexttoke, PL_nexttoke, 5, NEXTTOKE);
11216     PL_lasttoke         = proto_perl->Ilasttoke;
11217     PL_realtokenstart   = proto_perl->Irealtokenstart;
11218     PL_faketokens       = proto_perl->Ifaketokens;
11219     PL_thismad          = proto_perl->Ithismad;
11220     PL_thistoken        = proto_perl->Ithistoken;
11221     PL_thisopen         = proto_perl->Ithisopen;
11222     PL_thisstuff        = proto_perl->Ithisstuff;
11223     PL_thisclose        = proto_perl->Ithisclose;
11224     PL_thiswhite        = proto_perl->Ithiswhite;
11225     PL_nextwhite        = proto_perl->Inextwhite;
11226     PL_skipwhite        = proto_perl->Iskipwhite;
11227     PL_endwhite         = proto_perl->Iendwhite;
11228     PL_curforce         = proto_perl->Icurforce;
11229 #else
11230     Copy(proto_perl->Inextval, PL_nextval, 5, YYSTYPE);
11231     Copy(proto_perl->Inexttype, PL_nexttype, 5, I32);
11232     PL_nexttoke         = proto_perl->Inexttoke;
11233 #endif
11234
11235     /* XXX This is probably masking the deeper issue of why
11236      * SvANY(proto_perl->Ilinestr) can be NULL at this point. For test case:
11237      * http://archive.develooper.com/perl5-porters%40perl.org/msg83298.html
11238      * (A little debugging with a watchpoint on it may help.)
11239      */
11240     if (SvANY(proto_perl->Ilinestr)) {
11241         PL_linestr              = sv_dup_inc(proto_perl->Ilinestr, param);
11242         i = proto_perl->Ibufptr - SvPVX_const(proto_perl->Ilinestr);
11243         PL_bufptr               = SvPVX(PL_linestr) + (i < 0 ? 0 : i);
11244         i = proto_perl->Ioldbufptr - SvPVX_const(proto_perl->Ilinestr);
11245         PL_oldbufptr    = SvPVX(PL_linestr) + (i < 0 ? 0 : i);
11246         i = proto_perl->Ioldoldbufptr - SvPVX_const(proto_perl->Ilinestr);
11247         PL_oldoldbufptr = SvPVX(PL_linestr) + (i < 0 ? 0 : i);
11248         i = proto_perl->Ilinestart - SvPVX_const(proto_perl->Ilinestr);
11249         PL_linestart    = SvPVX(PL_linestr) + (i < 0 ? 0 : i);
11250     }
11251     else {
11252         PL_linestr = newSV(79);
11253         sv_upgrade(PL_linestr,SVt_PVIV);
11254         sv_setpvn(PL_linestr,"",0);
11255         PL_bufptr = PL_oldbufptr = PL_oldoldbufptr = PL_linestart = SvPVX(PL_linestr);
11256     }
11257     PL_bufend           = SvPVX(PL_linestr) + SvCUR(PL_linestr);
11258     PL_pending_ident    = proto_perl->Ipending_ident;
11259     PL_sublex_info      = proto_perl->Isublex_info;     /* XXX not quite right */
11260
11261     PL_expect           = proto_perl->Iexpect;
11262
11263     PL_multi_start      = proto_perl->Imulti_start;
11264     PL_multi_end        = proto_perl->Imulti_end;
11265     PL_multi_open       = proto_perl->Imulti_open;
11266     PL_multi_close      = proto_perl->Imulti_close;
11267
11268     PL_error_count      = proto_perl->Ierror_count;
11269     PL_subline          = proto_perl->Isubline;
11270     PL_subname          = sv_dup_inc(proto_perl->Isubname, param);
11271
11272     /* XXX See comment on SvANY(proto_perl->Ilinestr) above */
11273     if (SvANY(proto_perl->Ilinestr)) {
11274         i = proto_perl->Ilast_uni - SvPVX_const(proto_perl->Ilinestr);
11275         PL_last_uni             = SvPVX(PL_linestr) + (i < 0 ? 0 : i);
11276         i = proto_perl->Ilast_lop - SvPVX_const(proto_perl->Ilinestr);
11277         PL_last_lop             = SvPVX(PL_linestr) + (i < 0 ? 0 : i);
11278         PL_last_lop_op  = proto_perl->Ilast_lop_op;
11279     }
11280     else {
11281         PL_last_uni     = SvPVX(PL_linestr);
11282         PL_last_lop     = SvPVX(PL_linestr);
11283         PL_last_lop_op  = 0;
11284     }
11285     PL_in_my            = proto_perl->Iin_my;
11286     PL_in_my_stash      = hv_dup(proto_perl->Iin_my_stash, param);
11287 #ifdef FCRYPT
11288     PL_cryptseen        = proto_perl->Icryptseen;
11289 #endif
11290
11291     PL_hints            = proto_perl->Ihints;
11292
11293     PL_amagic_generation        = proto_perl->Iamagic_generation;
11294
11295 #ifdef USE_LOCALE_COLLATE
11296     PL_collation_ix     = proto_perl->Icollation_ix;
11297     PL_collation_name   = SAVEPV(proto_perl->Icollation_name);
11298     PL_collation_standard       = proto_perl->Icollation_standard;
11299     PL_collxfrm_base    = proto_perl->Icollxfrm_base;
11300     PL_collxfrm_mult    = proto_perl->Icollxfrm_mult;
11301 #endif /* USE_LOCALE_COLLATE */
11302
11303 #ifdef USE_LOCALE_NUMERIC
11304     PL_numeric_name     = SAVEPV(proto_perl->Inumeric_name);
11305     PL_numeric_standard = proto_perl->Inumeric_standard;
11306     PL_numeric_local    = proto_perl->Inumeric_local;
11307     PL_numeric_radix_sv = sv_dup_inc(proto_perl->Inumeric_radix_sv, param);
11308 #endif /* !USE_LOCALE_NUMERIC */
11309
11310     /* utf8 character classes */
11311     PL_utf8_alnum       = sv_dup_inc(proto_perl->Iutf8_alnum, param);
11312     PL_utf8_alnumc      = sv_dup_inc(proto_perl->Iutf8_alnumc, param);
11313     PL_utf8_ascii       = sv_dup_inc(proto_perl->Iutf8_ascii, param);
11314     PL_utf8_alpha       = sv_dup_inc(proto_perl->Iutf8_alpha, param);
11315     PL_utf8_space       = sv_dup_inc(proto_perl->Iutf8_space, param);
11316     PL_utf8_cntrl       = sv_dup_inc(proto_perl->Iutf8_cntrl, param);
11317     PL_utf8_graph       = sv_dup_inc(proto_perl->Iutf8_graph, param);
11318     PL_utf8_digit       = sv_dup_inc(proto_perl->Iutf8_digit, param);
11319     PL_utf8_upper       = sv_dup_inc(proto_perl->Iutf8_upper, param);
11320     PL_utf8_lower       = sv_dup_inc(proto_perl->Iutf8_lower, param);
11321     PL_utf8_print       = sv_dup_inc(proto_perl->Iutf8_print, param);
11322     PL_utf8_punct       = sv_dup_inc(proto_perl->Iutf8_punct, param);
11323     PL_utf8_xdigit      = sv_dup_inc(proto_perl->Iutf8_xdigit, param);
11324     PL_utf8_mark        = sv_dup_inc(proto_perl->Iutf8_mark, param);
11325     PL_utf8_toupper     = sv_dup_inc(proto_perl->Iutf8_toupper, param);
11326     PL_utf8_totitle     = sv_dup_inc(proto_perl->Iutf8_totitle, param);
11327     PL_utf8_tolower     = sv_dup_inc(proto_perl->Iutf8_tolower, param);
11328     PL_utf8_tofold      = sv_dup_inc(proto_perl->Iutf8_tofold, param);
11329     PL_utf8_idstart     = sv_dup_inc(proto_perl->Iutf8_idstart, param);
11330     PL_utf8_idcont      = sv_dup_inc(proto_perl->Iutf8_idcont, param);
11331
11332     /* Did the locale setup indicate UTF-8? */
11333     PL_utf8locale       = proto_perl->Iutf8locale;
11334     /* Unicode features (see perlrun/-C) */
11335     PL_unicode          = proto_perl->Iunicode;
11336
11337     /* Pre-5.8 signals control */
11338     PL_signals          = proto_perl->Isignals;
11339
11340     /* times() ticks per second */
11341     PL_clocktick        = proto_perl->Iclocktick;
11342
11343     /* Recursion stopper for PerlIO_find_layer */
11344     PL_in_load_module   = proto_perl->Iin_load_module;
11345
11346     /* sort() routine */
11347     PL_sort_RealCmp     = proto_perl->Isort_RealCmp;
11348
11349     /* Not really needed/useful since the reenrant_retint is "volatile",
11350      * but do it for consistency's sake. */
11351     PL_reentrant_retint = proto_perl->Ireentrant_retint;
11352
11353     /* Hooks to shared SVs and locks. */
11354     PL_sharehook        = proto_perl->Isharehook;
11355     PL_lockhook         = proto_perl->Ilockhook;
11356     PL_unlockhook       = proto_perl->Iunlockhook;
11357     PL_threadhook       = proto_perl->Ithreadhook;
11358
11359     PL_runops_std       = proto_perl->Irunops_std;
11360     PL_runops_dbg       = proto_perl->Irunops_dbg;
11361
11362 #ifdef THREADS_HAVE_PIDS
11363     PL_ppid             = proto_perl->Ippid;
11364 #endif
11365
11366     /* swatch cache */
11367     PL_last_swash_hv    = NULL; /* reinits on demand */
11368     PL_last_swash_klen  = 0;
11369     PL_last_swash_key[0]= '\0';
11370     PL_last_swash_tmps  = (U8*)NULL;
11371     PL_last_swash_slen  = 0;
11372
11373     PL_glob_index       = proto_perl->Iglob_index;
11374     PL_srand_called     = proto_perl->Isrand_called;
11375     PL_uudmap['M']      = 0;            /* reinits on demand */
11376     PL_bitcount         = NULL; /* reinits on demand */
11377
11378     if (proto_perl->Ipsig_pend) {
11379         Newxz(PL_psig_pend, SIG_SIZE, int);
11380     }
11381     else {
11382         PL_psig_pend    = (int*)NULL;
11383     }
11384
11385     if (proto_perl->Ipsig_ptr) {
11386         Newxz(PL_psig_ptr,  SIG_SIZE, SV*);
11387         Newxz(PL_psig_name, SIG_SIZE, SV*);
11388         for (i = 1; i < SIG_SIZE; i++) {
11389             PL_psig_ptr[i]  = sv_dup_inc(proto_perl->Ipsig_ptr[i], param);
11390             PL_psig_name[i] = sv_dup_inc(proto_perl->Ipsig_name[i], param);
11391         }
11392     }
11393     else {
11394         PL_psig_ptr     = (SV**)NULL;
11395         PL_psig_name    = (SV**)NULL;
11396     }
11397
11398     /* thrdvar.h stuff */
11399
11400     if (flags & CLONEf_COPY_STACKS) {
11401         /* next allocation will be PL_tmps_stack[PL_tmps_ix+1] */
11402         PL_tmps_ix              = proto_perl->Ttmps_ix;
11403         PL_tmps_max             = proto_perl->Ttmps_max;
11404         PL_tmps_floor           = proto_perl->Ttmps_floor;
11405         Newxz(PL_tmps_stack, PL_tmps_max, SV*);
11406         i = 0;
11407         while (i <= PL_tmps_ix) {
11408             PL_tmps_stack[i]    = sv_dup_inc(proto_perl->Ttmps_stack[i], param);
11409             ++i;
11410         }
11411
11412         /* next PUSHMARK() sets *(PL_markstack_ptr+1) */
11413         i = proto_perl->Tmarkstack_max - proto_perl->Tmarkstack;
11414         Newxz(PL_markstack, i, I32);
11415         PL_markstack_max        = PL_markstack + (proto_perl->Tmarkstack_max
11416                                                   - proto_perl->Tmarkstack);
11417         PL_markstack_ptr        = PL_markstack + (proto_perl->Tmarkstack_ptr
11418                                                   - proto_perl->Tmarkstack);
11419         Copy(proto_perl->Tmarkstack, PL_markstack,
11420              PL_markstack_ptr - PL_markstack + 1, I32);
11421
11422         /* next push_scope()/ENTER sets PL_scopestack[PL_scopestack_ix]
11423          * NOTE: unlike the others! */
11424         PL_scopestack_ix        = proto_perl->Tscopestack_ix;
11425         PL_scopestack_max       = proto_perl->Tscopestack_max;
11426         Newxz(PL_scopestack, PL_scopestack_max, I32);
11427         Copy(proto_perl->Tscopestack, PL_scopestack, PL_scopestack_ix, I32);
11428
11429         /* NOTE: si_dup() looks at PL_markstack */
11430         PL_curstackinfo         = si_dup(proto_perl->Tcurstackinfo, param);
11431
11432         /* PL_curstack          = PL_curstackinfo->si_stack; */
11433         PL_curstack             = av_dup(proto_perl->Tcurstack, param);
11434         PL_mainstack            = av_dup(proto_perl->Tmainstack, param);
11435
11436         /* next PUSHs() etc. set *(PL_stack_sp+1) */
11437         PL_stack_base           = AvARRAY(PL_curstack);
11438         PL_stack_sp             = PL_stack_base + (proto_perl->Tstack_sp
11439                                                    - proto_perl->Tstack_base);
11440         PL_stack_max            = PL_stack_base + AvMAX(PL_curstack);
11441
11442         /* next SSPUSHFOO() sets PL_savestack[PL_savestack_ix]
11443          * NOTE: unlike the others! */
11444         PL_savestack_ix         = proto_perl->Tsavestack_ix;
11445         PL_savestack_max        = proto_perl->Tsavestack_max;
11446         /*Newxz(PL_savestack, PL_savestack_max, ANY);*/
11447         PL_savestack            = ss_dup(proto_perl, param);
11448     }
11449     else {
11450         init_stacks();
11451         ENTER;                  /* perl_destruct() wants to LEAVE; */
11452
11453         /* although we're not duplicating the tmps stack, we should still
11454          * add entries for any SVs on the tmps stack that got cloned by a
11455          * non-refcount means (eg a temp in @_); otherwise they will be
11456          * orphaned
11457          */
11458         for (i = 0; i<= proto_perl->Ttmps_ix; i++) {
11459             SV * const nsv = (SV*)ptr_table_fetch(PL_ptr_table,
11460                     proto_perl->Ttmps_stack[i]);
11461             if (nsv && !SvREFCNT(nsv)) {
11462                 EXTEND_MORTAL(1);
11463                 PL_tmps_stack[++PL_tmps_ix] = SvREFCNT_inc_simple(nsv);
11464             }
11465         }
11466     }
11467
11468     PL_start_env        = proto_perl->Tstart_env;       /* XXXXXX */
11469     PL_top_env          = &PL_start_env;
11470
11471     PL_op               = proto_perl->Top;
11472
11473     PL_Sv               = NULL;
11474     PL_Xpv              = (XPV*)NULL;
11475     PL_na               = proto_perl->Tna;
11476
11477     PL_statbuf          = proto_perl->Tstatbuf;
11478     PL_statcache        = proto_perl->Tstatcache;
11479     PL_statgv           = gv_dup(proto_perl->Tstatgv, param);
11480     PL_statname         = sv_dup_inc(proto_perl->Tstatname, param);
11481 #ifdef HAS_TIMES
11482     PL_timesbuf         = proto_perl->Ttimesbuf;
11483 #endif
11484
11485     PL_tainted          = proto_perl->Ttainted;
11486     PL_curpm            = proto_perl->Tcurpm;   /* XXX No PMOP ref count */
11487     PL_rs               = sv_dup_inc(proto_perl->Trs, param);
11488     PL_last_in_gv       = gv_dup(proto_perl->Tlast_in_gv, param);
11489     PL_ofs_sv           = sv_dup_inc(proto_perl->Tofs_sv, param);
11490     PL_defoutgv         = gv_dup_inc(proto_perl->Tdefoutgv, param);
11491     PL_chopset          = proto_perl->Tchopset; /* XXX never deallocated */
11492     PL_toptarget        = sv_dup_inc(proto_perl->Ttoptarget, param);
11493     PL_bodytarget       = sv_dup_inc(proto_perl->Tbodytarget, param);
11494     PL_formtarget       = sv_dup(proto_perl->Tformtarget, param);
11495
11496     PL_restartop        = proto_perl->Trestartop;
11497     PL_in_eval          = proto_perl->Tin_eval;
11498     PL_delaymagic       = proto_perl->Tdelaymagic;
11499     PL_dirty            = proto_perl->Tdirty;
11500     PL_localizing       = proto_perl->Tlocalizing;
11501
11502     PL_errors           = sv_dup_inc(proto_perl->Terrors, param);
11503     PL_hv_fetch_ent_mh  = NULL;
11504     PL_modcount         = proto_perl->Tmodcount;
11505     PL_lastgotoprobe    = NULL;
11506     PL_dumpindent       = proto_perl->Tdumpindent;
11507
11508     PL_sortcop          = (OP*)any_dup(proto_perl->Tsortcop, proto_perl);
11509     PL_sortstash        = hv_dup(proto_perl->Tsortstash, param);
11510     PL_firstgv          = gv_dup(proto_perl->Tfirstgv, param);
11511     PL_secondgv         = gv_dup(proto_perl->Tsecondgv, param);
11512     PL_efloatbuf        = NULL;         /* reinits on demand */
11513     PL_efloatsize       = 0;                    /* reinits on demand */
11514
11515     /* regex stuff */
11516
11517     PL_screamfirst      = NULL;
11518     PL_screamnext       = NULL;
11519     PL_maxscream        = -1;                   /* reinits on demand */
11520     PL_lastscream       = NULL;
11521
11522     PL_watchaddr        = NULL;
11523     PL_watchok          = NULL;
11524
11525     PL_regdummy         = proto_perl->Tregdummy;
11526     PL_colorset         = 0;            /* reinits PL_colors[] */
11527     /*PL_colors[6]      = {0,0,0,0,0,0};*/
11528
11529     /* RE engine - function pointers */
11530     PL_regcompp         = proto_perl->Tregcompp;
11531     PL_regexecp         = proto_perl->Tregexecp;
11532     PL_regint_start     = proto_perl->Tregint_start;
11533     PL_regint_string    = proto_perl->Tregint_string;
11534     PL_regfree          = proto_perl->Tregfree;
11535     Zero(&PL_reg_state, 1, struct re_save_state);
11536     PL_reginterp_cnt    = 0;
11537     PL_regmatch_slab    = NULL;
11538
11539     /* Pluggable optimizer */
11540     PL_peepp            = proto_perl->Tpeepp;
11541
11542     PL_stashcache       = newHV();
11543
11544     if (!(flags & CLONEf_KEEP_PTR_TABLE)) {
11545         ptr_table_free(PL_ptr_table);
11546         PL_ptr_table = NULL;
11547     }
11548
11549     /* Call the ->CLONE method, if it exists, for each of the stashes
11550        identified by sv_dup() above.
11551     */
11552     while(av_len(param->stashes) != -1) {
11553         HV* const stash = (HV*) av_shift(param->stashes);
11554         GV* const cloner = gv_fetchmethod_autoload(stash, "CLONE", 0);
11555         if (cloner && GvCV(cloner)) {
11556             dSP;
11557             ENTER;
11558             SAVETMPS;
11559             PUSHMARK(SP);
11560             XPUSHs(sv_2mortal(newSVhek(HvNAME_HEK(stash))));
11561             PUTBACK;
11562             call_sv((SV*)GvCV(cloner), G_DISCARD);
11563             FREETMPS;
11564             LEAVE;
11565         }
11566     }
11567
11568     SvREFCNT_dec(param->stashes);
11569
11570     /* orphaned? eg threads->new inside BEGIN or use */
11571     if (PL_compcv && ! SvREFCNT(PL_compcv)) {
11572         SvREFCNT_inc_simple_void(PL_compcv);
11573         SAVEFREESV(PL_compcv);
11574     }
11575
11576     return my_perl;
11577 }
11578
11579 #endif /* USE_ITHREADS */
11580
11581 /*
11582 =head1 Unicode Support
11583
11584 =for apidoc sv_recode_to_utf8
11585
11586 The encoding is assumed to be an Encode object, on entry the PV
11587 of the sv is assumed to be octets in that encoding, and the sv
11588 will be converted into Unicode (and UTF-8).
11589
11590 If the sv already is UTF-8 (or if it is not POK), or if the encoding
11591 is not a reference, nothing is done to the sv.  If the encoding is not
11592 an C<Encode::XS> Encoding object, bad things will happen.
11593 (See F<lib/encoding.pm> and L<Encode>).
11594
11595 The PV of the sv is returned.
11596
11597 =cut */
11598
11599 char *
11600 Perl_sv_recode_to_utf8(pTHX_ SV *sv, SV *encoding)
11601 {
11602     dVAR;
11603     if (SvPOK(sv) && !SvUTF8(sv) && !IN_BYTES && SvROK(encoding)) {
11604         SV *uni;
11605         STRLEN len;
11606         const char *s;
11607         dSP;
11608         ENTER;
11609         SAVETMPS;
11610         save_re_context();
11611         PUSHMARK(sp);
11612         EXTEND(SP, 3);
11613         XPUSHs(encoding);
11614         XPUSHs(sv);
11615 /*
11616   NI-S 2002/07/09
11617   Passing sv_yes is wrong - it needs to be or'ed set of constants
11618   for Encode::XS, while UTf-8 decode (currently) assumes a true value means
11619   remove converted chars from source.
11620
11621   Both will default the value - let them.
11622
11623         XPUSHs(&PL_sv_yes);
11624 */
11625         PUTBACK;
11626         call_method("decode", G_SCALAR);
11627         SPAGAIN;
11628         uni = POPs;
11629         PUTBACK;
11630         s = SvPV_const(uni, len);
11631         if (s != SvPVX_const(sv)) {
11632             SvGROW(sv, len + 1);
11633             Move(s, SvPVX(sv), len + 1, char);
11634             SvCUR_set(sv, len);
11635         }
11636         FREETMPS;
11637         LEAVE;
11638         SvUTF8_on(sv);
11639         return SvPVX(sv);
11640     }
11641     return SvPOKp(sv) ? SvPVX(sv) : NULL;
11642 }
11643
11644 /*
11645 =for apidoc sv_cat_decode
11646
11647 The encoding is assumed to be an Encode object, the PV of the ssv is
11648 assumed to be octets in that encoding and decoding the input starts
11649 from the position which (PV + *offset) pointed to.  The dsv will be
11650 concatenated the decoded UTF-8 string from ssv.  Decoding will terminate
11651 when the string tstr appears in decoding output or the input ends on
11652 the PV of the ssv. The value which the offset points will be modified
11653 to the last input position on the ssv.
11654
11655 Returns TRUE if the terminator was found, else returns FALSE.
11656
11657 =cut */
11658
11659 bool
11660 Perl_sv_cat_decode(pTHX_ SV *dsv, SV *encoding,
11661                    SV *ssv, int *offset, char *tstr, int tlen)
11662 {
11663     dVAR;
11664     bool ret = FALSE;
11665     if (SvPOK(ssv) && SvPOK(dsv) && SvROK(encoding) && offset) {
11666         SV *offsv;
11667         dSP;
11668         ENTER;
11669         SAVETMPS;
11670         save_re_context();
11671         PUSHMARK(sp);
11672         EXTEND(SP, 6);
11673         XPUSHs(encoding);
11674         XPUSHs(dsv);
11675         XPUSHs(ssv);
11676         XPUSHs(offsv = sv_2mortal(newSViv(*offset)));
11677         XPUSHs(sv_2mortal(newSVpvn(tstr, tlen)));
11678         PUTBACK;
11679         call_method("cat_decode", G_SCALAR);
11680         SPAGAIN;
11681         ret = SvTRUE(TOPs);
11682         *offset = SvIV(offsv);
11683         PUTBACK;
11684         FREETMPS;
11685         LEAVE;
11686     }
11687     else
11688         Perl_croak(aTHX_ "Invalid argument to sv_cat_decode");
11689     return ret;
11690
11691 }
11692
11693 /* ---------------------------------------------------------------------
11694  *
11695  * support functions for report_uninit()
11696  */
11697
11698 /* the maxiumum size of array or hash where we will scan looking
11699  * for the undefined element that triggered the warning */
11700
11701 #define FUV_MAX_SEARCH_SIZE 1000
11702
11703 /* Look for an entry in the hash whose value has the same SV as val;
11704  * If so, return a mortal copy of the key. */
11705
11706 STATIC SV*
11707 S_find_hash_subscript(pTHX_ HV *hv, SV* val)
11708 {
11709     dVAR;
11710     register HE **array;
11711     I32 i;
11712
11713     if (!hv || SvMAGICAL(hv) || !HvARRAY(hv) ||
11714                         (HvTOTALKEYS(hv) > FUV_MAX_SEARCH_SIZE))
11715         return NULL;
11716
11717     array = HvARRAY(hv);
11718
11719     for (i=HvMAX(hv); i>0; i--) {
11720         register HE *entry;
11721         for (entry = array[i]; entry; entry = HeNEXT(entry)) {
11722             if (HeVAL(entry) != val)
11723                 continue;
11724             if (    HeVAL(entry) == &PL_sv_undef ||
11725                     HeVAL(entry) == &PL_sv_placeholder)
11726                 continue;
11727             if (!HeKEY(entry))
11728                 return NULL;
11729             if (HeKLEN(entry) == HEf_SVKEY)
11730                 return sv_mortalcopy(HeKEY_sv(entry));
11731             return sv_2mortal(newSVpvn(HeKEY(entry), HeKLEN(entry)));
11732         }
11733     }
11734     return NULL;
11735 }
11736
11737 /* Look for an entry in the array whose value has the same SV as val;
11738  * If so, return the index, otherwise return -1. */
11739
11740 STATIC I32
11741 S_find_array_subscript(pTHX_ AV *av, SV* val)
11742 {
11743     dVAR;
11744     SV** svp;
11745     I32 i;
11746     if (!av || SvMAGICAL(av) || !AvARRAY(av) ||
11747                         (AvFILLp(av) > FUV_MAX_SEARCH_SIZE))
11748         return -1;
11749
11750     svp = AvARRAY(av);
11751     for (i=AvFILLp(av); i>=0; i--) {
11752         if (svp[i] == val && svp[i] != &PL_sv_undef)
11753             return i;
11754     }
11755     return -1;
11756 }
11757
11758 /* S_varname(): return the name of a variable, optionally with a subscript.
11759  * If gv is non-zero, use the name of that global, along with gvtype (one
11760  * of "$", "@", "%"); otherwise use the name of the lexical at pad offset
11761  * targ.  Depending on the value of the subscript_type flag, return:
11762  */
11763
11764 #define FUV_SUBSCRIPT_NONE      1       /* "@foo"          */
11765 #define FUV_SUBSCRIPT_ARRAY     2       /* "$foo[aindex]"  */
11766 #define FUV_SUBSCRIPT_HASH      3       /* "$foo{keyname}" */
11767 #define FUV_SUBSCRIPT_WITHIN    4       /* "within @foo"   */
11768
11769 STATIC SV*
11770 S_varname(pTHX_ GV *gv, const char gvtype, PADOFFSET targ,
11771         SV* keyname, I32 aindex, int subscript_type)
11772 {
11773
11774     SV * const name = sv_newmortal();
11775     if (gv) {
11776         char buffer[2];
11777         buffer[0] = gvtype;
11778         buffer[1] = 0;
11779
11780         /* as gv_fullname4(), but add literal '^' for $^FOO names  */
11781
11782         gv_fullname4(name, gv, buffer, 0);
11783
11784         if ((unsigned int)SvPVX(name)[1] <= 26) {
11785             buffer[0] = '^';
11786             buffer[1] = SvPVX(name)[1] + 'A' - 1;
11787
11788             /* Swap the 1 unprintable control character for the 2 byte pretty
11789                version - ie substr($name, 1, 1) = $buffer; */
11790             sv_insert(name, 1, 1, buffer, 2);
11791         }
11792     }
11793     else {
11794         U32 unused;
11795         CV * const cv = find_runcv(&unused);
11796         SV *sv;
11797         AV *av;
11798
11799         if (!cv || !CvPADLIST(cv))
11800             return NULL;
11801         av = (AV*)(*av_fetch(CvPADLIST(cv), 0, FALSE));
11802         sv = *av_fetch(av, targ, FALSE);
11803         /* SvLEN in a pad name is not to be trusted */
11804         sv_setpv(name, SvPV_nolen_const(sv));
11805     }
11806
11807     if (subscript_type == FUV_SUBSCRIPT_HASH) {
11808         SV * const sv = newSV(0);
11809         *SvPVX(name) = '$';
11810         Perl_sv_catpvf(aTHX_ name, "{%s}",
11811             pv_display(sv,SvPVX_const(keyname), SvCUR(keyname), 0, 32));
11812         SvREFCNT_dec(sv);
11813     }
11814     else if (subscript_type == FUV_SUBSCRIPT_ARRAY) {
11815         *SvPVX(name) = '$';
11816         Perl_sv_catpvf(aTHX_ name, "[%"IVdf"]", (IV)aindex);
11817     }
11818     else if (subscript_type == FUV_SUBSCRIPT_WITHIN)
11819         Perl_sv_insert(aTHX_ name, 0, 0,  STR_WITH_LEN("within "));
11820
11821     return name;
11822 }
11823
11824
11825 /*
11826 =for apidoc find_uninit_var
11827
11828 Find the name of the undefined variable (if any) that caused the operator o
11829 to issue a "Use of uninitialized value" warning.
11830 If match is true, only return a name if it's value matches uninit_sv.
11831 So roughly speaking, if a unary operator (such as OP_COS) generates a
11832 warning, then following the direct child of the op may yield an
11833 OP_PADSV or OP_GV that gives the name of the undefined variable. On the
11834 other hand, with OP_ADD there are two branches to follow, so we only print
11835 the variable name if we get an exact match.
11836
11837 The name is returned as a mortal SV.
11838
11839 Assumes that PL_op is the op that originally triggered the error, and that
11840 PL_comppad/PL_curpad points to the currently executing pad.
11841
11842 =cut
11843 */
11844
11845 STATIC SV *
11846 S_find_uninit_var(pTHX_ OP* obase, SV* uninit_sv, bool match)
11847 {
11848     dVAR;
11849     SV *sv;
11850     AV *av;
11851     GV *gv;
11852     OP *o, *o2, *kid;
11853
11854     if (!obase || (match && (!uninit_sv || uninit_sv == &PL_sv_undef ||
11855                             uninit_sv == &PL_sv_placeholder)))
11856         return NULL;
11857
11858     switch (obase->op_type) {
11859
11860     case OP_RV2AV:
11861     case OP_RV2HV:
11862     case OP_PADAV:
11863     case OP_PADHV:
11864       {
11865         const bool pad  = (obase->op_type == OP_PADAV || obase->op_type == OP_PADHV);
11866         const bool hash = (obase->op_type == OP_PADHV || obase->op_type == OP_RV2HV);
11867         I32 index = 0;
11868         SV *keysv = NULL;
11869         int subscript_type = FUV_SUBSCRIPT_WITHIN;
11870
11871         if (pad) { /* @lex, %lex */
11872             sv = PAD_SVl(obase->op_targ);
11873             gv = NULL;
11874         }
11875         else {
11876             if (cUNOPx(obase)->op_first->op_type == OP_GV) {
11877             /* @global, %global */
11878                 gv = cGVOPx_gv(cUNOPx(obase)->op_first);
11879                 if (!gv)
11880                     break;
11881                 sv = hash ? (SV*)GvHV(gv): (SV*)GvAV(gv);
11882             }
11883             else /* @{expr}, %{expr} */
11884                 return find_uninit_var(cUNOPx(obase)->op_first,
11885                                                     uninit_sv, match);
11886         }
11887
11888         /* attempt to find a match within the aggregate */
11889         if (hash) {
11890             keysv = find_hash_subscript((HV*)sv, uninit_sv);
11891             if (keysv)
11892                 subscript_type = FUV_SUBSCRIPT_HASH;
11893         }
11894         else {
11895             index = find_array_subscript((AV*)sv, uninit_sv);
11896             if (index >= 0)
11897                 subscript_type = FUV_SUBSCRIPT_ARRAY;
11898         }
11899
11900         if (match && subscript_type == FUV_SUBSCRIPT_WITHIN)
11901             break;
11902
11903         return varname(gv, hash ? '%' : '@', obase->op_targ,
11904                                     keysv, index, subscript_type);
11905       }
11906
11907     case OP_PADSV:
11908         if (match && PAD_SVl(obase->op_targ) != uninit_sv)
11909             break;
11910         return varname(NULL, '$', obase->op_targ,
11911                                     NULL, 0, FUV_SUBSCRIPT_NONE);
11912
11913     case OP_GVSV:
11914         gv = cGVOPx_gv(obase);
11915         if (!gv || (match && GvSV(gv) != uninit_sv))
11916             break;
11917         return varname(gv, '$', 0, NULL, 0, FUV_SUBSCRIPT_NONE);
11918
11919     case OP_AELEMFAST:
11920         if (obase->op_flags & OPf_SPECIAL) { /* lexical array */
11921             if (match) {
11922                 SV **svp;
11923                 av = (AV*)PAD_SV(obase->op_targ);
11924                 if (!av || SvRMAGICAL(av))
11925                     break;
11926                 svp = av_fetch(av, (I32)obase->op_private, FALSE);
11927                 if (!svp || *svp != uninit_sv)
11928                     break;
11929             }
11930             return varname(NULL, '$', obase->op_targ,
11931                     NULL, (I32)obase->op_private, FUV_SUBSCRIPT_ARRAY);
11932         }
11933         else {
11934             gv = cGVOPx_gv(obase);
11935             if (!gv)
11936                 break;
11937             if (match) {
11938                 SV **svp;
11939                 av = GvAV(gv);
11940                 if (!av || SvRMAGICAL(av))
11941                     break;
11942                 svp = av_fetch(av, (I32)obase->op_private, FALSE);
11943                 if (!svp || *svp != uninit_sv)
11944                     break;
11945             }
11946             return varname(gv, '$', 0,
11947                     NULL, (I32)obase->op_private, FUV_SUBSCRIPT_ARRAY);
11948         }
11949         break;
11950
11951     case OP_EXISTS:
11952         o = cUNOPx(obase)->op_first;
11953         if (!o || o->op_type != OP_NULL ||
11954                 ! (o->op_targ == OP_AELEM || o->op_targ == OP_HELEM))
11955             break;
11956         return find_uninit_var(cBINOPo->op_last, uninit_sv, match);
11957
11958     case OP_AELEM:
11959     case OP_HELEM:
11960         if (PL_op == obase)
11961             /* $a[uninit_expr] or $h{uninit_expr} */
11962             return find_uninit_var(cBINOPx(obase)->op_last, uninit_sv, match);
11963
11964         gv = NULL;
11965         o = cBINOPx(obase)->op_first;
11966         kid = cBINOPx(obase)->op_last;
11967
11968         /* get the av or hv, and optionally the gv */
11969         sv = NULL;
11970         if  (o->op_type == OP_PADAV || o->op_type == OP_PADHV) {
11971             sv = PAD_SV(o->op_targ);
11972         }
11973         else if ((o->op_type == OP_RV2AV || o->op_type == OP_RV2HV)
11974                 && cUNOPo->op_first->op_type == OP_GV)
11975         {
11976             gv = cGVOPx_gv(cUNOPo->op_first);
11977             if (!gv)
11978                 break;
11979             sv = o->op_type == OP_RV2HV ? (SV*)GvHV(gv) : (SV*)GvAV(gv);
11980         }
11981         if (!sv)
11982             break;
11983
11984         if (kid && kid->op_type == OP_CONST && SvOK(cSVOPx_sv(kid))) {
11985             /* index is constant */
11986             if (match) {
11987                 if (SvMAGICAL(sv))
11988                     break;
11989                 if (obase->op_type == OP_HELEM) {
11990                     HE* he = hv_fetch_ent((HV*)sv, cSVOPx_sv(kid), 0, 0);
11991                     if (!he || HeVAL(he) != uninit_sv)
11992                         break;
11993                 }
11994                 else {
11995                     SV * const * const svp = av_fetch((AV*)sv, SvIV(cSVOPx_sv(kid)), FALSE);
11996                     if (!svp || *svp != uninit_sv)
11997                         break;
11998                 }
11999             }
12000             if (obase->op_type == OP_HELEM)
12001                 return varname(gv, '%', o->op_targ,
12002                             cSVOPx_sv(kid), 0, FUV_SUBSCRIPT_HASH);
12003             else
12004                 return varname(gv, '@', o->op_targ, NULL,
12005                             SvIV(cSVOPx_sv(kid)), FUV_SUBSCRIPT_ARRAY);
12006         }
12007         else  {
12008             /* index is an expression;
12009              * attempt to find a match within the aggregate */
12010             if (obase->op_type == OP_HELEM) {
12011                 SV * const keysv = find_hash_subscript((HV*)sv, uninit_sv);
12012                 if (keysv)
12013                     return varname(gv, '%', o->op_targ,
12014                                                 keysv, 0, FUV_SUBSCRIPT_HASH);
12015             }
12016             else {
12017                 const I32 index = find_array_subscript((AV*)sv, uninit_sv);
12018                 if (index >= 0)
12019                     return varname(gv, '@', o->op_targ,
12020                                         NULL, index, FUV_SUBSCRIPT_ARRAY);
12021             }
12022             if (match)
12023                 break;
12024             return varname(gv,
12025                 (o->op_type == OP_PADAV || o->op_type == OP_RV2AV)
12026                 ? '@' : '%',
12027                 o->op_targ, NULL, 0, FUV_SUBSCRIPT_WITHIN);
12028         }
12029         break;
12030
12031     case OP_AASSIGN:
12032         /* only examine RHS */
12033         return find_uninit_var(cBINOPx(obase)->op_first, uninit_sv, match);
12034
12035     case OP_OPEN:
12036         o = cUNOPx(obase)->op_first;
12037         if (o->op_type == OP_PUSHMARK)
12038             o = o->op_sibling;
12039
12040         if (!o->op_sibling) {
12041             /* one-arg version of open is highly magical */
12042
12043             if (o->op_type == OP_GV) { /* open FOO; */
12044                 gv = cGVOPx_gv(o);
12045                 if (match && GvSV(gv) != uninit_sv)
12046                     break;
12047                 return varname(gv, '$', 0,
12048                             NULL, 0, FUV_SUBSCRIPT_NONE);
12049             }
12050             /* other possibilities not handled are:
12051              * open $x; or open my $x;  should return '${*$x}'
12052              * open expr;               should return '$'.expr ideally
12053              */
12054              break;
12055         }
12056         goto do_op;
12057
12058     /* ops where $_ may be an implicit arg */
12059     case OP_TRANS:
12060     case OP_SUBST:
12061     case OP_MATCH:
12062         if ( !(obase->op_flags & OPf_STACKED)) {
12063             if (uninit_sv == ((obase->op_private & OPpTARGET_MY)
12064                                  ? PAD_SVl(obase->op_targ)
12065                                  : DEFSV))
12066             {
12067                 sv = sv_newmortal();
12068                 sv_setpvn(sv, "$_", 2);
12069                 return sv;
12070             }
12071         }
12072         goto do_op;
12073
12074     case OP_PRTF:
12075     case OP_PRINT:
12076         /* skip filehandle as it can't produce 'undef' warning  */
12077         o = cUNOPx(obase)->op_first;
12078         if ((obase->op_flags & OPf_STACKED) && o->op_type == OP_PUSHMARK)
12079             o = o->op_sibling->op_sibling;
12080         goto do_op2;
12081
12082
12083     case OP_RV2SV:
12084     case OP_CUSTOM:
12085     case OP_ENTERSUB:
12086         match = 1; /* XS or custom code could trigger random warnings */
12087         goto do_op;
12088
12089     case OP_SCHOMP:
12090     case OP_CHOMP:
12091         if (SvROK(PL_rs) && uninit_sv == SvRV(PL_rs))
12092             return sv_2mortal(newSVpvs("${$/}"));
12093         /*FALLTHROUGH*/
12094
12095     default:
12096     do_op:
12097         if (!(obase->op_flags & OPf_KIDS))
12098             break;
12099         o = cUNOPx(obase)->op_first;
12100         
12101     do_op2:
12102         if (!o)
12103             break;
12104
12105         /* if all except one arg are constant, or have no side-effects,
12106          * or are optimized away, then it's unambiguous */
12107         o2 = NULL;
12108         for (kid=o; kid; kid = kid->op_sibling) {
12109             if (kid) {
12110                 const OPCODE type = kid->op_type;
12111                 if ( (type == OP_CONST && SvOK(cSVOPx_sv(kid)))
12112                   || (type == OP_NULL  && ! (kid->op_flags & OPf_KIDS))
12113                   || (type == OP_PUSHMARK)
12114                 )
12115                 continue;
12116             }
12117             if (o2) { /* more than one found */
12118                 o2 = NULL;
12119                 break;
12120             }
12121             o2 = kid;
12122         }
12123         if (o2)
12124             return find_uninit_var(o2, uninit_sv, match);
12125
12126         /* scan all args */
12127         while (o) {
12128             sv = find_uninit_var(o, uninit_sv, 1);
12129             if (sv)
12130                 return sv;
12131             o = o->op_sibling;
12132         }
12133         break;
12134     }
12135     return NULL;
12136 }
12137
12138
12139 /*
12140 =for apidoc report_uninit
12141
12142 Print appropriate "Use of uninitialized variable" warning
12143
12144 =cut
12145 */
12146
12147 void
12148 Perl_report_uninit(pTHX_ SV* uninit_sv)
12149 {
12150     dVAR;
12151     if (PL_op) {
12152         SV* varname = NULL;
12153         if (uninit_sv) {
12154             varname = find_uninit_var(PL_op, uninit_sv,0);
12155             if (varname)
12156                 sv_insert(varname, 0, 0, " ", 1);
12157         }
12158         Perl_warner(aTHX_ packWARN(WARN_UNINITIALIZED), PL_warn_uninit,
12159                 varname ? SvPV_nolen_const(varname) : "",
12160                 " in ", OP_DESC(PL_op));
12161     }
12162     else
12163         Perl_warner(aTHX_ packWARN(WARN_UNINITIALIZED), PL_warn_uninit,
12164                     "", "", "");
12165 }
12166
12167 /*
12168  * Local variables:
12169  * c-indentation-style: bsd
12170  * c-basic-offset: 4
12171  * indent-tabs-mode: t
12172  * End:
12173  *
12174  * ex: set ts=8 sts=4 sw=4 noet:
12175  */