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