Take this example code: #include <stddef.h> # define stackinfo_alloca_round(l) (((l) + 15) & -16) # define extend_alloca(buf, len, newlen) \ (__typeof (buf)) ({ size_t __newlen = stackinfo_alloca_round (newlen); \ char *__newbuf = __builtin_alloca (__newlen); \ if (__newbuf + __newlen == (char *) (buf)) \ len += __newlen; \ else \ len = __newlen; \ __newbuf; }) int f(void *); int g(void) { unsigned long len = 1024; char *p = __builtin_alloca(len); while (!f(p)) { p = extend_alloca(p, len, 2 * len); } } It compiles to this x86_64 machine code with GCC 4.9.2 (-O2): g: .LFB0: .cfi_startproc pushq %rbp .cfi_def_cfa_offset 16 .cfi_offset 6, -16 movq %rsp, %rbp .cfi_def_cfa_register 6 pushq %r13 pushq %r12 .cfi_offset 13, -24 .cfi_offset 12, -32 movl $1024, %r12d pushq %rbx .cfi_offset 3, -40 movl $16, %ebx subq $8, %rsp subq $1040, %rsp leaq 15(%rsp), %r13 andq $-16, %r13 jmp .L2 .p2align 4,,10 .p2align 3 .L4: leaq 15(%r12,%r12), %rcx xorl %edx, %edx andq $-16, %rcx leaq 30(%rcx), %rax addq %rcx, %r12 divq %rbx salq $4, %rax subq %rax, %rsp leaq 15(%rsp), %rax andq $-16, %rax leaq (%rax,%rcx), %rdx cmpq %rdx, %r13 movq %rax, %r13 cmovne %rcx, %r12 .L2: movq %r13, %rdi call f testl %eax, %eax je .L4 leaq -24(%rbp), %rsp popq %rbx popq %r12 popq %r13 popq %rbp .cfi_def_cfa 7, 8 ret .cfi_endproc GCC emits a divq instruction for some reason. We are lucky nothing worse happens because comparison of two pointers derived from different objects is not very well-defined as far as C is concerned. extend_alloca is not widely used; I'll see if I can get rid of it.
The division instruction is also generated for a perfectly innocent test case involving a VLA: <https://gcc.gnu.org/bugzilla/show_bug.cgi?id=65220> This was fixed as a GCC regression. But extend_alloca still does not work. As just one example, here's my analysis of the _dl_fini situation. Dump of assembler code for function _dl_fini: <+0>: push %rbp <+1>: mov %rsp,%rbp <+4>: push %r15 <+6>: push %r14 <+8>: push %r13 <+10>: push %r12 <+12>: push %rbx <+13>: sub $0x38,%rsp The function pushes 6 registers on the stack and allocates 0x38 bytes, which means that %rsp is a multiple of 16 after function prologue. The initial alloca allocation does not change %rsp alignment: <+210>: shr $0x4,%rcx <+214>: shl $0x4,%rcx <+218>: sub %rcx,%rsp %r15 is the address of the previous stack allocation, it is used below. This is the extend_alloca reallocation branch: <+734>: add $0xf,%rdx <+738>: and $0xfffffffffffffff0,%rdx <+742>: lea 0x1e(%rdx),%rcx <+746>: shr $0x4,%rcx <+750>: shl $0x4,%rcx <+754>: sub %rcx,%rsp <+757>: lea 0xf(%rsp),%rcx <+762>: and $0xfffffffffffffff0,%rcx <+766>: lea (%rcx,%rdx,1),%rsi <+770>: cmp %rsi,%r15 <+773>: je 0x7f963940b673 <_dl_fini+787> <+775>: mov %rdx,-0x58(%rbp) <+787>: add %rdx,-0x58(%rbp) (a) %rdx, the new requested size, is rounded up to a multiple of 16 (+734, %+738), and the result is stored in %rdx@738. (b) %rdx@738 + 31 is rounded down to a multiple of 16, the result is stored in rcx@750 (+742, +746, +750). So %rcx@750 == %rdx@738 + 16. (c) %rcx@750 bytes are allocated on the stack (+754). %rsp is rounded upwards to a multiple of 16, result is stored in %rcx@762 (+757, +762). This does not change the value of %rsp because it already was a multiple of 16. (d) %rsi@766 == %rcx@762 + %rdx@738 is compared against %r15. But this comparison is always false because we allocated 16 extra bytes on the stack in (b), which were reserved for the alignment in (c), but in fact unused. We are left with a gap in stack usage, and the comparison is always false. (@XXX refers to register values after executing the instruction at offset +XXX.) If the alignment gap was actually used because of different alignment for %rsp, then the comparison failure would still occur because the gap would not have been added after this reallocation, but before the previous allocation. In the _dl_fini case, extend_alloca is used to work around the lack of alloca deallocation on scope exit, and after re-arranging the control flow a bit to eliminate the goto, a straight VLA can be used instead, both simplifying the code and reducing stack usage.
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, fw/extend_alloca has been created at 683543bbb3e2c1b17554c4096d00c2980f39a802 (commit) - Log ----------------------------------------------------------------- https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=683543bbb3e2c1b17554c4096d00c2980f39a802 commit 683543bbb3e2c1b17554c4096d00c2980f39a802 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 23:22:45 2015 +0100 Remove macros extend_alloca, extend_alloca_account [BZ #18023] And also the helper macro stackinfo_alloca_round. extend_alloca simply does not work on x86_64 and current i386 because its peculiar stack alignment rules. Here's an analysis of the _dl_fini situation (before the removal of extend_alloca). Dump of assembler code for function _dl_fini: <+0>: push %rbp <+1>: mov %rsp,%rbp <+4>: push %r15 <+6>: push %r14 <+8>: push %r13 <+10>: push %r12 <+12>: push %rbx <+13>: sub $0x38,%rsp The function pushes 6 registers on the stack and allocates 0x38 bytes, which means that %rsp is a multiple of 16 after function prologue. The initial alloca allocation does not change %rsp alignment: <+210>: shr $0x4,%rcx <+214>: shl $0x4,%rcx <+218>: sub %rcx,%rsp %r15 is the address of the previous stack allocation, it is used below. This is the extend_alloca reallocation branch: <+734>: add $0xf,%rdx <+738>: and $0xfffffffffffffff0,%rdx <+742>: lea 0x1e(%rdx),%rcx <+746>: shr $0x4,%rcx <+750>: shl $0x4,%rcx <+754>: sub %rcx,%rsp <+757>: lea 0xf(%rsp),%rcx <+762>: and $0xfffffffffffffff0,%rcx <+766>: lea (%rcx,%rdx,1),%rsi <+770>: cmp %rsi,%r15 <+773>: je 0x7f963940b673 <_dl_fini+787> <+775>: mov %rdx,-0x58(%rbp) <+787>: add %rdx,-0x58(%rbp) (a) %rdx, the new requested size, is rounded up to a multiple of 16 (+734, %+738), and the result is stored in %rdx@738. (b) %rdx@738 + 31 is rounded down to a multiple of 16, the result is stored in rcx@750 (+742, +746, +750). So %rcx@750 == %rdx@738 + 16. (c) %rcx@750 bytes are allocated on the stack (+754). %rsp is rounded upwards to a multiple of 16, result is stored in %rcx@762 (+757, +762). This does not change the value of %rsp because it already was a multiple of 16. (d) %rsi@766 == %rcx@762 + %rdx@738 is compared against %r15. But this comparison is always false because we allocated 16 extra bytes on the stack in (b), which were reserved for the alignment in (c), but in fact unused. We are left with a gap in stack usage, and the comparison is always false. (@XXX refers to register values after executing the instruction at offset +XXX.) If the alignment gap was actually used because of different alignment for %rsp, then the comparison failure would still occur because the gap would not have been added after this reallocation, but before the previous allocation. As a result, extend_alloca is never able to merge allocations. It also turns out that the interface is difficult to use, especially in cojunction with alloca account (which is rarely optional). [BZ #18023] * include/alloca.h (stackinfo_alloca_round, extend_alloca, extend_alloca_account): Remove. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=7b4c16db30304b83a5d1e913d1a8f7e90a8c398c commit 7b4c16db30304b83a5d1e913d1a8f7e90a8c398c Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:49:50 2015 +0100 glob: Rewrite to use struct scratch_buffer instead of extend_alloca [BZ #18023] * posix/glob.c (glob): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=488063238ee5c87b66c6982b1b6d508e30e44386 commit 488063238ee5c87b66c6982b1b6d508e30e44386 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:48:31 2015 +0100 wordexp: Rewrite parse_tilde to use struct scratch_buffer [BZ #18023] * posix/wordexp.c (parse_tilde): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=f414b3f5947f264cb5d114965f284cacb2fb10b5 commit f414b3f5947f264cb5d114965f284cacb2fb10b5 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:38:42 2015 +0100 getaddrinfo: Use struct scratch_buffer instead of extend_alloca This results in slightly smaller buffers in some cases, but as the buffer size is passed to the called functions (and they will request an increased buffer size with an ERANGE error code), this does not result in a functional difference. [BZ #18023] * sysdeps/posix/getaddrinfo.c (gaih_inet_serv, gethosts) (gaih_inet): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=6de00dd8a3a76d0b7586393451e65ad6c2721a71 commit 6de00dd8a3a76d0b7586393451e65ad6c2721a71 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:14:29 2015 +0100 getlogin_r (Linux variant): Switch to struct scratch_buffer This corrects the alloca accounting as a side effect. It was not off if extend_alloca failed to merge allocations. [BZ #18023] * sysdeps/unix/sysv/linux/getlogin_r.c (__getlogin_r_loginuid): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=11c2a8bad9ca5fe510b73c0204b3dcf703f14d5c commit 11c2a8bad9ca5fe510b73c0204b3dcf703f14d5c Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:11:55 2015 +0100 gethostid (Linux variant): Switch to struct scratch_buffer Previously, extend_alloca was used without alloca accounting, which could have been problematic with large NSS results. [BZ #18023] * sysdeps/unix/sysv/linux/gethostid.c (gethostid): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=9b71d3b4df6dd4e49f7638d1d936c921c50fa3d9 commit 9b71d3b4df6dd4e49f7638d1d936c921c50fa3d9 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:09:00 2015 +0100 nss_files: Use struct scratch_buffer instead of extend_alloca In both _nss_files_gethostbyname3_r and _nss_files_initgroups_dyn, __libc_use_alloca was misused because it was not taken into account that extend_alloca can fail to merge allocations. [BZ #18023] * nss/nss_files/files-hosts.c (_nss_files_gethostbyname3_r): Use struct scratch_buffer instead of extend_alloca. * nss/nss_files/files-initgroups.c (_nss_files_initgroups_dyn): Likewise. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=1af14faef808f03276766e5ee6d9ee7dc9053fba commit 1af14faef808f03276766e5ee6d9ee7dc9053fba Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:03:01 2015 +0100 getent: Switch to struct scratch_buffer in initgroups_keys The retry loop is slightly different here because getgrouplist provides size information, so scratch_buffer_set_array_size can be used to grow the buffer in a more precise fashion. [BZ #18023] * nss/getent.c (initgroups_keys): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=140d8711d446f5193b04b56e714ddf8d0eddbf62 commit 140d8711d446f5193b04b56e714ddf8d0eddbf62 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 18:59:48 2015 +0100 nscd: Switch to struct scratch_buffer in adhstaiX The pre-allocation of the three scratch buffers increased the initial stack size somewhat, but if retries are needed, the previous version used more stack space if extend_alloca could not merge allocations. Lack of alloca accounting also means could be problematic with extremely large NSS responses, too. [BZ #18023] * nscd/aicache.c (addhstaiX): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=8825d4709a686a870d313cc602d489ddd5354a08 commit 8825d4709a686a870d313cc602d489ddd5354a08 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 18:55:33 2015 +0100 nscd: Use struct scratch_buffer instead of extend_alloca in most caches This replaces the ERANGE retry loops with loops which have heap fallback. Heap allocation might actually be required for extremely large NSS results. [BZ #18023] * nscd/grpcache.c (addgrbyX): Use struct scratch_buffer instead of extend_alloca. * nscd/hstcache.c (addhstbyX): Likewise. * nscd/pwdcache.c (addpwbyX): Likewise. * nscd/servicescache.c (addservbyX): Likewise. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=e38bff4db6f03d1fab732737f43a25160c3e4703 commit e38bff4db6f03d1fab732737f43a25160c3e4703 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 16:18:21 2015 +0100 _nss_nis_initgroups_dyn: Use struct scratch_buffer instead of extend_alloca Also adjusts the internal function get_uid. [BZ #18023] * nis/nss_nis/nis-initgroups.c (get_uid, _nss_nis_initgroups_dyn): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=c95cc759ecb21f812872934ac55518aef28cf46b commit c95cc759ecb21f812872934ac55518aef28cf46b Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 16:03:01 2015 +0100 _dl_map_object_deps: Use struct scratch_buffer instead of extend_alloca The function comment suggests that _dl_map_object_deps cannot use malloc, but it already allocates the l_initfini array on the heap, so the additional allocation should be acceptable. [BZ #18023] * elf/dl-deps.c (_dl_map_object_deps): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=9bed8b7fca7867d3027b66ce3985a75136aed013 commit 9bed8b7fca7867d3027b66ce3985a75136aed013 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 15:14:19 2015 +0100 getgrent_next_nss (compat-initgroups): Remove alloca fallback If the caller-supplied buffer is not large enough, fall back directly malloc. The previous __libc_use_alloca check was incorrect because it did not take into account that extend_alloca may fail to merge allocations, so it would underestimate the stack space being used by roughly a factor of two. [BZ #18023] * nis/nss_compat/compat-initgroups.c (getgrent_next_nss): Fall back to malloc directly, without stack allocations. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=dc79f9aa56933dc8b475209f9a4059965b50ea26 commit dc79f9aa56933dc8b475209f9a4059965b50ea26 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 18:29:47 2015 +0100 nscd restart: Use malloc instead of extend_alloca This introduces a separate function, read_cmdline, which reads the contents of /proc/self/cmdline into a heap-allocated buffer. [BZ #18023] * nscd/connections.c (read_cmdline): New function. (restart): Use it. Update comment. -----------------------------------------------------------------------
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, fw/extend_alloca has been deleted was 683543bbb3e2c1b17554c4096d00c2980f39a802 - Log ----------------------------------------------------------------- 683543bbb3e2c1b17554c4096d00c2980f39a802 Remove macros extend_alloca, extend_alloca_account [BZ #18023] -----------------------------------------------------------------------
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, fw/extend_alloca has been created at a23008e93eaeeff0059e96ebfc81e23ca56d5bcf (commit) - Log ----------------------------------------------------------------- https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=a23008e93eaeeff0059e96ebfc81e23ca56d5bcf commit a23008e93eaeeff0059e96ebfc81e23ca56d5bcf Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 23:22:45 2015 +0100 Remove macros extend_alloca, extend_alloca_account [BZ #18023] And also the helper macro stackinfo_alloca_round. extend_alloca simply does not work on x86_64 and current i386 because its peculiar stack alignment rules. Here's an analysis of the _dl_fini situation (before the removal of extend_alloca). Dump of assembler code for function _dl_fini: <+0>: push %rbp <+1>: mov %rsp,%rbp <+4>: push %r15 <+6>: push %r14 <+8>: push %r13 <+10>: push %r12 <+12>: push %rbx <+13>: sub $0x38,%rsp The function pushes 6 registers on the stack and allocates 0x38 bytes, which means that %rsp is a multiple of 16 after function prologue. The initial alloca allocation does not change %rsp alignment: <+210>: shr $0x4,%rcx <+214>: shl $0x4,%rcx <+218>: sub %rcx,%rsp %r15 is the address of the previous stack allocation, it is used below. This is the extend_alloca reallocation branch: <+734>: add $0xf,%rdx <+738>: and $0xfffffffffffffff0,%rdx <+742>: lea 0x1e(%rdx),%rcx <+746>: shr $0x4,%rcx <+750>: shl $0x4,%rcx <+754>: sub %rcx,%rsp <+757>: lea 0xf(%rsp),%rcx <+762>: and $0xfffffffffffffff0,%rcx <+766>: lea (%rcx,%rdx,1),%rsi <+770>: cmp %rsi,%r15 <+773>: je 0x7f963940b673 <_dl_fini+787> <+775>: mov %rdx,-0x58(%rbp) <+787>: add %rdx,-0x58(%rbp) (a) %rdx, the new requested size, is rounded up to a multiple of 16 (+734, %+738), and the result is stored in %rdx@738. (b) %rdx@738 + 31 is rounded down to a multiple of 16, the result is stored in rcx@750 (+742, +746, +750). So %rcx@750 == %rdx@738 + 16. (c) %rcx@750 bytes are allocated on the stack (+754). %rsp is rounded upwards to a multiple of 16, result is stored in %rcx@762 (+757, +762). This does not change the value of %rsp because it already was a multiple of 16. (d) %rsi@766 == %rcx@762 + %rdx@738 is compared against %r15. But this comparison is always false because we allocated 16 extra bytes on the stack in (b), which were reserved for the alignment in (c), but in fact unused. We are left with a gap in stack usage, and the comparison is always false. (@XXX refers to register values after executing the instruction at offset +XXX.) If the alignment gap was actually used because of different alignment for %rsp, then the comparison failure would still occur because the gap would not have been added after this reallocation, but before the previous allocation. As a result, extend_alloca is never able to merge allocations. It also turns out that the interface is difficult to use, especially in cojunction with alloca account (which is rarely optional). [BZ #18023] * include/alloca.h (stackinfo_alloca_round, extend_alloca, extend_alloca_account): Remove. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=5460234530592ea0fca633600c0ed02f3286e7cb commit 5460234530592ea0fca633600c0ed02f3286e7cb Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:49:50 2015 +0100 glob: Rewrite to use struct scratch_buffer instead of extend_alloca [BZ #18023] * posix/glob.c (glob): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=c39657397cae6ca7f312967bac566b8f668c6973 commit c39657397cae6ca7f312967bac566b8f668c6973 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:48:31 2015 +0100 wordexp: Rewrite parse_tilde to use struct scratch_buffer [BZ #18023] * posix/wordexp.c (parse_tilde): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=4489ba51376e7bffaef6b3dd49e4049e81176b95 commit 4489ba51376e7bffaef6b3dd49e4049e81176b95 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:38:42 2015 +0100 getaddrinfo: Use struct scratch_buffer instead of extend_alloca This results in slightly smaller buffers in some cases, but as the buffer size is passed to the called functions (and they will request an increased buffer size with an ERANGE error code), this does not result in a functional difference. [BZ #18023] * sysdeps/posix/getaddrinfo.c (gaih_inet_serv, gethosts) (gaih_inet): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=d0d4ef12041b0d2feabd1d2d0376eecd0e1d7269 commit d0d4ef12041b0d2feabd1d2d0376eecd0e1d7269 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:14:29 2015 +0100 getlogin_r (Linux variant): Switch to struct scratch_buffer This corrects the alloca accounting as a side effect. It was not off if extend_alloca failed to merge allocations. [BZ #18023] * sysdeps/unix/sysv/linux/getlogin_r.c (__getlogin_r_loginuid): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=e0f6d7eda4a9e33eacc1a3a68df2c9b747f3fdd9 commit e0f6d7eda4a9e33eacc1a3a68df2c9b747f3fdd9 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:11:55 2015 +0100 gethostid (Linux variant): Switch to struct scratch_buffer Previously, extend_alloca was used without alloca accounting, which could have been problematic with large NSS results. [BZ #18023] * sysdeps/unix/sysv/linux/gethostid.c (gethostid): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=e970ea40df40ab5da24c984a0612f98a798221d8 commit e970ea40df40ab5da24c984a0612f98a798221d8 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:09:00 2015 +0100 nss_files: Use struct scratch_buffer instead of extend_alloca In both _nss_files_gethostbyname3_r and _nss_files_initgroups_dyn, __libc_use_alloca was misused because it was not taken into account that extend_alloca can fail to merge allocations. [BZ #18023] * nss/nss_files/files-hosts.c (_nss_files_gethostbyname3_r): Use struct scratch_buffer instead of extend_alloca. * nss/nss_files/files-initgroups.c (_nss_files_initgroups_dyn): Likewise. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=34ddffb50c2d2159c152cc34516f4c4088b3cc36 commit 34ddffb50c2d2159c152cc34516f4c4088b3cc36 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 19:03:01 2015 +0100 getent: Switch to struct scratch_buffer in initgroups_keys The retry loop is slightly different here because getgrouplist provides size information, so scratch_buffer_set_array_size can be used to grow the buffer in a more precise fashion. [BZ #18023] * nss/getent.c (initgroups_keys): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=4e10cf98c38e471f1c0637150c51fa2935b271fa commit 4e10cf98c38e471f1c0637150c51fa2935b271fa Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 18:59:48 2015 +0100 nscd: Switch to struct scratch_buffer in adhstaiX The pre-allocation of the three scratch buffers increased the initial stack size somewhat, but if retries are needed, the previous version used more stack space if extend_alloca could not merge allocations. Lack of alloca accounting also means could be problematic with extremely large NSS responses, too. [BZ #18023] * nscd/aicache.c (addhstaiX): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=4e0898ab1bd8502cf4acbbe82c1755127b561ae8 commit 4e0898ab1bd8502cf4acbbe82c1755127b561ae8 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 18:55:33 2015 +0100 nscd: Use struct scratch_buffer instead of extend_alloca in most caches This replaces the ERANGE retry loops with loops which have heap fallback. Heap allocation might actually be required for extremely large NSS results. [BZ #18023] * nscd/grpcache.c (addgrbyX): Use struct scratch_buffer instead of extend_alloca. * nscd/hstcache.c (addhstbyX): Likewise. * nscd/pwdcache.c (addpwbyX): Likewise. * nscd/servicescache.c (addservbyX): Likewise. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=05c4a3d37270334b1bacb4b9b97943167c062ace commit 05c4a3d37270334b1bacb4b9b97943167c062ace Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 16:18:21 2015 +0100 _nss_nis_initgroups_dyn: Use struct scratch_buffer instead of extend_alloca Also adjusts the internal function get_uid. [BZ #18023] * nis/nss_nis/nis-initgroups.c (get_uid, _nss_nis_initgroups_dyn): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=36ce46f76904ba86adb37836d0abe6e88faa4f74 commit 36ce46f76904ba86adb37836d0abe6e88faa4f74 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 16:03:01 2015 +0100 _dl_map_object_deps: Use struct scratch_buffer instead of extend_alloca The function comment suggests that _dl_map_object_deps cannot use malloc, but it already allocates the l_initfini array on the heap, so the additional allocation should be acceptable. [BZ #18023] * elf/dl-deps.c (_dl_map_object_deps): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=ca21a2d58fc486434ee472fc9e70486e6a258c3f commit ca21a2d58fc486434ee472fc9e70486e6a258c3f Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 15:14:19 2015 +0100 getgrent_next_nss (compat-initgroups): Remove alloca fallback If the caller-supplied buffer is not large enough, fall back directly malloc. The previous __libc_use_alloca check was incorrect because it did not take into account that extend_alloca may fail to merge allocations, so it would underestimate the stack space being used by roughly a factor of two. [BZ #18023] * nis/nss_compat/compat-initgroups.c (getgrent_next_nss): Fall back to malloc directly, without stack allocations. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=8f0601236753cf4fa211f533b3bc9143b3ac9129 commit 8f0601236753cf4fa211f533b3bc9143b3ac9129 Author: Florian Weimer <fweimer@redhat.com> Date: Sun Mar 1 18:29:47 2015 +0100 nscd restart: Use malloc instead of extend_alloca This introduces a separate function, read_cmdline, which reads the contents of /proc/self/cmdline into a heap-allocated buffer. [BZ #18023] * nscd/connections.c (read_cmdline): New function. (restart): Use it. Update comment. -----------------------------------------------------------------------
Florian, based on comment and git log it seems this bug as fixed by 683543bbb3e2c1b17554c4096d00c2980f39a802. Is this correct?
(In reply to Adhemerval Zanella from comment #5) > Florian, based on comment and git log it seems this bug as fixed by > 683543bbb3e2c1b17554c4096d00c2980f39a802. Is this correct? This commit has not been merged to master.
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, azanella/glob-fixes has been created at 80aed7ed5a919358c0bce9bfee97c4d8ac533d5e (commit) - Log ----------------------------------------------------------------- https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=80aed7ed5a919358c0bce9bfee97c4d8ac533d5e commit 80aed7ed5a919358c0bce9bfee97c4d8ac533d5e Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Wed Jul 26 16:09:26 2017 -0300 posix: Fix glob with GLOB_NOCHECK returning modified patterns (BZ#10246) Acconding to POSIX glob with GLOB_NOCHECK should return a list consisting of only of the input pattern in case of no match. However GLIBC does not honor in case of '//<something'. This is due internally this is handled and special case and prefix_array (responsable to prepend the directory name) does not know if the input already contains a slash or not since either '/<something>' or '//<something>' will be handle in same way. This patch fix it by using a empty directory name for the latter (since prefix_array already adds a slash as default for each entry). Checked on x86_64-linux-gnu. [BZ #10246] * posix/glob.c (glob): Handle pattern that do not match and start with '/' correctly. * posix/globtest.sh: New tests for NOCHECK. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=c50dfe79df1b3a3fe3ba3bc1eba3c354a5d122a6 commit c50dfe79df1b3a3fe3ba3bc1eba3c354a5d122a6 Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Wed Jul 26 11:39:49 2017 -0300 posix: Use enum for __glob_pattern_type result This patch replaces the internal integer constant from __glob_pattern_type return with a proper enum. Checked on x86_64-linux-gnu. * posix/glob_internal.h (__glob_pat_types): New enumeration. (__glob_pattern_type): Use __glob_pat_types. * posix/glob_pattern_p.c (__glob_pattern_p): Likewise. * posix/glob.c (glob): Likewise. (glob_in_dir): Likewise. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=6e05025f557147feec2772f2e65a2f95baae0eee commit 6e05025f557147feec2772f2e65a2f95baae0eee Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Wed Jun 7 09:33:19 2017 -0300 posix: More check for overflow allocation in glob This patch adds and replace the allocation overflow based using malloc internal functions check_add_wrapv_size_t and __libc_reallocarray. Checked on x86_64-linux-gnu. * posix/glob.c (glob_malloc_incr): New function. (glob_malloc_incr2): Likewise. (glob_realloc_incr): Likewise. (glob): Use glob_{realloc,malloc}_incr{2}. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=89e7c2b0d336e51968484d187aa67b250bfbc7a2 commit 89e7c2b0d336e51968484d187aa67b250bfbc7a2 Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Tue Jun 6 11:38:29 2017 -0300 posix: Add common function to get home directory This patch adds a common function to get the full home directory from a user. No functional changes expected. Checked on x86_64-linux-gnu. * posix/glob.c (get_home_directory): New function. (glob): Use get_home_directory. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=5f9db2076c77c55d6b81cf38ea2621e7f71f59c1 commit 5f9db2076c77c55d6b81cf38ea2621e7f71f59c1 Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Tue Jun 6 10:57:33 2017 -0300 posix: Use char_array for home_dir in glob This patch uses char_array for home directory discovery. It simplifies the buffer management. Checked on x86_64-linux-gnu. * posix/glob.c (glob): Use char_array for home directory. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=44684cd21876bde13fc3bed741f887ebff173d69 commit 44684cd21876bde13fc3bed741f887ebff173d69 Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Mon Jun 5 19:55:48 2017 -0300 posix: Remove all alloca usage in glob With alloca usage removal from glob this patch wraps it up by removing all the alloca defines and macros usage. Checked on x86_64-linux-gnu. posix/glob.c (glob_in_dir): Remove alloca_used argument. (glob): Remove alloca_used. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=3a5cee0bfadd7f3b6b1a273570c25daecba731c9 commit 3a5cee0bfadd7f3b6b1a273570c25daecba731c9 Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Mon Jun 5 19:41:58 2017 -0300 posix: Use dynarray for globname in glob This patch uses dynarray at glob internal glob_in_dir function to manage the various matched patterns. It simplify and removes all the boilerplate buffer managements required. It also removes the glob_use_alloca, since it is not used anymore. Checked on x86_64-linux-gnu. * posix/glob.c (glob_use_alloca): Remove. (glob_in_dir): Use dynarray for globnames. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=923c67dea223b7d2f02cbd8ccf7c588aaf439ba6 commit 923c67dea223b7d2f02cbd8ccf7c588aaf439ba6 Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Mon Jun 5 17:20:01 2017 -0300 posix: Remove alloca usage on glob dirname This patch replaces the alloca/malloc usage for dirname creation by the char_array struct. Checked on x86_64-linux-gnu. * posix/glob.c (glob_in_dir): Remove alloca usage for fullname. * malloc/char_array-skeleton.c (char_array_init_str): Remove unused attribute. (char_array_append_str): Likewise. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=34f6a6e813fbb9d15895008157a4c3fe9f6a19d8 commit 34f6a6e813fbb9d15895008157a4c3fe9f6a19d8 Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Mon Jun 5 15:19:22 2017 -0300 posix: Remove alloca usage for GLOB_BRACE on glob GNU GLOB_BRACE internal implementation constructs a new expression and calls glob recursively. It then requires a possible large temporary buffer place the new pattern. This patch removes the alloca/malloc usage and replaces it with char_array. Checked on x86_64-linux-gnu. * posix/glob.c (glob): Remove alloca usage for onealt. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=5389d55d0488f71d7dbcda40c24b78d33fd960ec commit 5389d55d0488f71d7dbcda40c24b78d33fd960ec Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Mon Jun 5 12:31:21 2017 -0300 posix: User LOGIN_NAME_MAX for all user name in glob This patch limits all user name obtained for GLOB_TILDE to max of LOGIN_NAME_MAX (256 on glibc) and remove all stack/malloc buffer handling boilerplate. Checked on x86_64-linux-gnu. * posix/glob.c (glob): Remove alloca usage on user_name for GLOB_TILDE. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=08530e743120416c3efd23e61920afc16e3dc5d7 commit 08530e743120416c3efd23e61920afc16e3dc5d7 Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Mon Jun 5 12:12:38 2017 -0300 posix: Remove glob GET_LOGIN_NAME_MAX usage Current glob implementation allows non limited user name for home directory construction on GLOB_TILDE case. To accomplish it glob either construct a name on stack if size are small enough (based on current alloca_used) value in heap otherwise. There is no actual login to resize the buffer in case of the resizing the buffer in case of ERANGE, so a static buffer using glibc default LOGIN_NAME_MAX is suffice. Checked on x86_64-linux-gnu. * posix/glob.c (LOGIN_NAME_MAX): Define if not defined. (glob): Use static buffer for user_name on getlogin_r. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=a192083bb599321a0d16ca31978d6be3f8f857ff commit a192083bb599321a0d16ca31978d6be3f8f857ff Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Sun Jun 4 16:53:20 2017 -0300 posix: Use char_array for internal glob dirname This is the first patch of the set to remove alloca usage on glob implementation. Internal path to search for file might expand to a non static directory derived from pattern for some difference cases (GLOB_NOESCAPE, GNU GLOB_TILDE) and to allow a non-static dirname path glob uses a lot of boilerplate code to manage the buffer (which is either allocated using alloca or malloc depending both to size requested and the total alloca_used). The patch changes to use the char_array struct with the default size (256 bytes). It simplifies all the allocation code by using char_array one and every internal buffer access is done using char_array provided functions. No functional changes are expected. Checked on x86_64-linux-gnu. * posix/globc.c (glob): Use char_array for dirname. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=7f028010854a13cecdbea14954ea97a94428bad7 commit 7f028010854a13cecdbea14954ea97a94428bad7 Author: Florian Weimer <fweimer@redhat.com> Date: Sat Jun 3 20:22:24 2017 -0300 posix: Rewrite to use struct scratch_buffer instead of extend_alloca This patch removes a lot of boilerplate code to manager buffers for getpwnam_r. Checked on x86_64-linux-gnu. [BZ #18023] * posix/glob.c (glob): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=782c40918fa3d3a161e4fe3014ea23c2bd170872 commit 782c40918fa3d3a161e4fe3014ea23c2bd170872 Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Fri Jun 2 15:38:04 2017 -0300 posix: Consolidate glob implementation This patch consolidates the glob implementation. The main changes are: * Remove specific defines required for multiple compilation in same unit (GLOB_ONLY_P, NO_GLOB_PATTERN_P and GLOB_COMPAT_BUILD). To allow using the same code to build compat version on Linux, extra units are used instead (oldglob.c). * Both globfree and GNU extension glob_pattern_p are now on their files. This simplifies the creation of compat symbol when required. * Also similar to glob/glob64, a new globfree64 is file is added with an empty implementatio as default. * On Linux all implementation now uses a default one with the exception of alpha (which requires a specific versioning) and s390-32 (which different than other 32 bits with support for v2.1 symbol does not add a compat symbol). * Move i386 olddirent.h header to Linux default directory, since it is the only header with this name and it is shared among different architectures (and used on compat glob symbol). Checked on x86_64-linux-gnu and i686-linux-gnu. * posix/Makefile (routines): Add globfree, globfree64, and glob_pattern_p. * posix/glob.c: Remove GLOB_ONLY_P, GLOB_COMPAT_BUILD, and NO_GLOB_PATTERN_P define usage. (globfree): Move to its own file. (__glob_pattern_type): Likewise. (__glob_pattern_p): Likewise. * posix/glob_internal.h: New file. * posix/glob_pattern_p.c: Likewise. * posix/globfree.c: Likewise. * posix/globfree64.c: Likewise. * sysdeps/gnu/glob64.c: Remove file. * sysdeps/unix/sysv/linux/Makefile (sysdep_routines): Add oldglob. * sysdeps/unix/sysv/linux/alpha/Makefile [$(subdir) = posix] (sysdep_routines): Remove rule. * sysdeps/unix/sysv/linux/alpha/glob.c: Remove file. * sysdeps/unix/sysv/linux/arm/glob64.c: Likewise. * sysdeps/wordsize-64/glob.c: Likewise. * sysdeps/unix/sysv/linux/m68k/glob64.c: Likewise. * sysdeps/unix/sysv/linux/mips/mips64/n64/glob64.c: Likewise. * sysdeps/unix/sysv/linux/powerpc/powerpc32/glob64.c: Likewise. * sysdeps/unix/sysv/linux/sparc/sparc32/glob64.c: Likewise. * sysdeps/unix/sysv/linux/wordsize-64/glob64.c: Likewise. * sysdeps/unix/sysv/linux/x86_64/x32/glob.c: Likewise. * sysdeps/wordsize-64/glob64.c: Likewise. * sysdeps/unix/sysv/linux/alpha/glob64.c: New file. * sysdeps/unix/sysv/linux/alpha/globfree.c: Likewise. * sysdeps/unix/sysv/linux/glob.c: Likewise. * sysdeps/unix/sysv/linux/glob64.c: Likewise. * sysdeps/unix/sysv/linux/globfree.c: Likewise. * sysdeps/unix/sysv/linux/globfree64.c: Likewise. * sysdeps/unix/sysv/linux/i386/alphasort64.c: include olddirent.h using relative path instead of absolute one. * sysdeps/unix/sysv/linux/i386/getdents64.c: Likewise. * sysdeps/unix/sysv/linux/i386/readdir64.c: Likewise. * sysdeps/unix/sysv/linux/i386/readdir64_r.c: Likewise. * sysdeps/unix/sysv/linux/i386/versionsort64.c: Likewise. * sysdeps/unix/sysv/linux/i386/olddirent.h: Move to ... * sysdeps/unix/sysv/linux/olddirent.h: ... here. * sysdeps/unix/sysv/linux/i386/glob64.c: Move to ... * sysdeps/unix/sysv/linux/oldglob.c: ... here. * sysdeps/unix/sysv/linux/i386/glob64.c: Remove file. * sysdeps/unix/sysv/linux/oldglob.c: New file. * sysdeps/unix/sysv/linux/s390/s390-32/glob64.c: New file. * sysdeps/unix/sysv/linux/s390/s390-32/oldglob.c: Likewise. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=e0906fb5e1e3dd4ce487b8dc76e72035c21b9768 commit e0906fb5e1e3dd4ce487b8dc76e72035c21b9768 Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Wed May 24 09:41:15 2017 -0300 posix: Adjust glob tests to libsupport This patch adjust glob tests to use libsupport. It also refactor some tests to move to a more meaningful file name and to gather similar tests in a common file: * move bug-glob3.c tests to tst-glob_basic.c. * move bug-glob2.c tests to tst-glob_memory.c * move common definitions to tst-glob_common.c. Checked on x86_64-linux-gnu. * posix/Makefile (tests): Remove bug-glob2 and bug-glob3. Add tst-glob_basic and tst-glob_memory. * posix/bug-glob3.c: Move to ... * posix/tst-glob_basic.c: ... here. * posix/bug-glob2.c: Move to ... * posix/tst-glob_memory.c: ... here. * posix/globtest.c: Use libsupport. * posix/tst-gnuglob.c: Likewise. * posix/tst-glob_common.c: New file. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=c1ba9d146a5fd7522fa45f4309922f693e7470f5 commit c1ba9d146a5fd7522fa45f4309922f693e7470f5 Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Fri May 19 12:39:47 2017 -0300 posix: Allow glob to match dangling symlinks [BZ #866] This patch makes glob match dangling symlinks. Compared to other glob implementation (*BSD, bash, musl, and other shells as well), GLIBC seems the be the only one that does not match dangling symlinks. As for comment #5 in BZ #866, POSIX does not have any strict specification for dangling symlinks match and it is reasonable that trying to glob everything in a path should return all types of files (such as for a 'rm *'). Also, comment #7 shows even more example where GLIBC current behavior is unexepected. I avoided adding another GNU specific flag to set this behavior and instead make it the default. Although this change the semanthic from previous implementation, I think adding another compat symbol to be really unecessary as from aforementioned reasons (current behavior not defined in any standard, general idea of different implementation is to list dangling symbols). Checked on x86_64-linux-gnu. * posix/Makefile (tests): Add tst-glob_symlinks and remove tst-glob3. * posix/bug-glob1.c: Remove file. * posix/glob.c (glob): Match dangling symlinks. (link_exists2_p): Remove function. (link_exists_p): Likewise. * posix/tst-glob_symlinks.c: New file. * sysdeps/gnu/glob64.c (__stat): Redefine to __lstat. * sysdeps/unix/sysv/linux/i386/glob64.c (__stat): Likewise. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=b80fb4bbc472522aeeafa148061a5a480300fb50 commit b80fb4bbc472522aeeafa148061a5a480300fb50 Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Wed May 17 17:01:05 2017 -0300 posix: Sync glob with gnulib [BZ #1062] This patch syncs posix/glob.c implementation with gnulib version 1540f34. The main differences to gnulib code: 1. Commit 44c637c (Properly initialize glob structure with GLOB_BRACE|GLOB_DOOFFS) which fixes BZ# 20707. 2. No inclusion of flexmember.h header and its usage on glob. The code is meant to be rewritten and header is unrequired in next patch in this set. 3. An additional define (GLOB_COMPAT_BUILD) to avoid building size_and_wrapv and gblo_use_alloca twice on some configurations (i368 compat code) due multiple inclusion. The main changes are: - Header organization mostly due gnulib requirements. It leads to some simplification and less conditional includes. - Use of glob_use_alloca with wraps up __libc_use_alloca with saturated math for the total size calculation. - Simplify some size allocation overflow calculation. - Some fixed on non supported glibc systems. - Some comments adjustments. The changes does not alter current glob internal semantic. I also added a missing globfree on posix/globtest.c (it helps silence some valgrind or other memory profilers). [BZ #1062] * posix/glob.c: Sync with gnulib. * posix/globtest.c (main): Add final globfree. * sysdeps/unix/sysv/linux/i386/glob64.c (GLOB_COMPAT_BUILD): Define. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=526d45c58ecbd329603c317bc5b80bfcfd6b08a1 commit 526d45c58ecbd329603c317bc5b80bfcfd6b08a1 Author: Florian Weimer <fweimer@redhat.com> Date: Tue Jun 20 10:31:28 2017 -0300 gconv: Replace norm_add_slashes with __gconv_norm_add_slashes 2017-06-19 Florian Weimer <fweimer@redhat.com> Adhemerval Zanella <adhemerval.zanella@linaro.org> * iconv/Makefile (routine): Add norm_add_slashes. * iconv/norm_add_slashes.c: New file, extracted from iconv/gconv_int.h. * iconv/gconv_int.h (norm_add_slashes): Remove. (__gconv_norm_add_slashes): Declare. * wcsmbs/wcsmbsload.c (__wcsmbs_load_conv): Use __gconv_norm_add_slashes. * intl/dcigettext.c (_nl_find_msg): Likewise. Simplify !_LIBC case. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=e7ffd8ee94da45cb3433c29d36f4fd96bbd6b42a commit e7ffd8ee94da45cb3433c29d36f4fd96bbd6b42a Author: Adhemerval Zanella <adhemerval.zanella@linaro.org> Date: Mon Jun 5 21:21:46 2017 -0300 malloc: Add specialized dynarray for C strings This patch adds an specialized dynarray to manage C strings using the dynarray internal implementation. It uses some private fields from dynarray and thus it provided specific files to access and manage the internal string buffer. For instance: struct char_array str; // str == "testing" char_array_init_str (&str, "testing"); // c == 's' char c = char_array_pos (&str, 2); // str = "testing2" char_array_set_str (&str, "testing2"); // str = "testi" char_array_erase (&str, 5); // str = "123testi" char_array_prepend_str (&str, "123"); // len = 8 size_t len = char_array_length (&str); // str = "123testi456" char_array_append_str (&str, "456"); // str = "123testi789" char_array_replace_str_pos (&str, 7, "789", 3); The provided function are not extensive and meant mainly to be use in subsequent glob implementation cleanup. For internal object consistency only the function provided by char_array.c should be used, including internal object manipulation. To check for possible overflows in internal size manipulation a new function, check_add_wrapv_size_t, is added on malloc-internal. It basically return whether the addition of two size_t overflows. Checked on x86_64-linux-gnu. * malloc/Makefile (test-internal): Add tst-char_array. (routines): Add dynarray_overflow_failure and char_array-impl. * malloc/Versions [GLIBC_PRIVATE] (libc): Add __libc_dynarray_overflow_failure, __char_array_set_str_size, __char_array_erase, __char_array_prepend_str_size, and __char_array_replace_str_pos. * malloc/char_array-impl.c: New file. * malloc/char_array-skeleton.c: Likewise. * malloc/char_array.h: Likewise. * malloc/tst-char-array.c: Likewise. * malloc/dynarray_overflow_failure.c: Likewise. * malloc/malloc-internal.h (check_add_overflow_size_t): New function. -----------------------------------------------------------------------
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, master has been updated via 78e806fd8cd8c918d3bbe1bcdf9091ab365e4a69 (commit) from 0ff64d3a18fc5111c54ffd3238231754dfd506dc (commit) Those revisions listed above that are new to this repository have not appeared on any other notification email; so we list those revisions in full, below. - Log ----------------------------------------------------------------- https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=78e806fd8cd8c918d3bbe1bcdf9091ab365e4a69 commit 78e806fd8cd8c918d3bbe1bcdf9091ab365e4a69 Author: Florian Weimer <fweimer@redhat.com> Date: Wed Oct 11 07:01:34 2017 +0200 nss_files: Use struct scratch_buffer for gethostbyname [BZ #18023] ----------------------------------------------------------------------- Summary of changes: ChangeLog | 6 + nss/nss_files/files-hosts.c | 320 ++++++++++++++++++++----------------------- 2 files changed, 157 insertions(+), 169 deletions(-)
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, release/2.26/master has been updated via 05155f0772a4befcc10da16ab64060ae7836ff7c (commit) via 13728f56f0cdfff536fe6673eae6881a3483a6a2 (commit) via 5ebb81e29243ff286bd46dea62fab46a40dfd6c3 (commit) from f725563967c1f277e0f02bb1516fe9ebfa4737bf (commit) Those revisions listed above that are new to this repository have not appeared on any other notification email; so we list those revisions in full, below. - Log ----------------------------------------------------------------- https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=05155f0772a4befcc10da16ab64060ae7836ff7c commit 05155f0772a4befcc10da16ab64060ae7836ff7c Author: Florian Weimer <fweimer@redhat.com> Date: Thu Oct 19 10:44:31 2017 +0200 nss_files: Avoid large buffers with many host addresses [BZ #22078] The previous implementation had at least a quadratic space requirement in the number of host addresses and aliases. (cherry picked from commit d8425e116cdd954fea0c04c0f406179b5daebbb3) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=13728f56f0cdfff536fe6673eae6881a3483a6a2 commit 13728f56f0cdfff536fe6673eae6881a3483a6a2 Author: Florian Weimer <fweimer@redhat.com> Date: Wed Oct 11 07:01:34 2017 +0200 nss_files: Use struct scratch_buffer for gethostbyname [BZ #18023] (cherry picked from commit 78e806fd8cd8c918d3bbe1bcdf9091ab365e4a69) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=5ebb81e29243ff286bd46dea62fab46a40dfd6c3 commit 5ebb81e29243ff286bd46dea62fab46a40dfd6c3 Author: Florian Weimer <fweimer@redhat.com> Date: Tue Oct 10 11:50:41 2017 +0200 nss_files: Refactor gethostbyname3 multi case into separate function This is in preparation of further cleanup work. (cherry picked from commit 8ed70de2faceb4bd7b35bbdc2b7e8c83d9a297ba) ----------------------------------------------------------------------- Summary of changes: ChangeLog | 22 +++ NEWS | 1 + nss/Makefile | 2 + nss/nss_files/files-hosts.c | 400 +++++++++++++++++++++------------------ nss/tst-nss-files-hosts-multi.c | 331 ++++++++++++++++++++++++++++++++ 5 files changed, 568 insertions(+), 188 deletions(-) create mode 100644 nss/tst-nss-files-hosts-multi.c
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, release/2.25/master has been updated via fc7ef00f02ee41452245926a4f7ff2073711db33 (commit) via 8f8022df0773f4867d91068dce71539a4d1574ca (commit) via f67d3f0fa30d923c6e8631e85451da0fd94b86f3 (commit) via e75e7573e1a44faaea833eb1f390def5d6ab672f (commit) via bf19b5fdcde6bae47a17e6173f57f0606a8bd0e9 (commit) via 9bb04ec133b30fd106782b2105b8edca93b052e6 (commit) via c3fe737243b7661d8aca2d9f5d76e966f5c537df (commit) via 8871213e335854fbe1ae15a3c4b8ba2b7720cf1d (commit) via ea00a80db7c0cd1098f848eccd5d1f34d89b7faf (commit) via ab8b49432b302237015d0f44e858c17f92fe3a5b (commit) via 0e64ee798605a042a07604e8a4bf0ec00381e28b (commit) via e3ae300f3f2d1a94709b0f3fed2543b9449a09ca (commit) via e552550b409fda1369dc8f23c659c554632619e5 (commit) via 5515224932751ef13d382b7404fefc8e9c1057f5 (commit) via dc2d4b0ccd317108e3fa6f77bbbad238b4b01920 (commit) via 196990f97a0a3f28eab25e642f63f1294bf87722 (commit) via 346d7f942d1a0193792a6eedf696d797fd000369 (commit) via 84e7ab5b1ba14d60d0d76bb78217e254fd4615cf (commit) via 1ae1ef2e0d86d4b308636557122ca7a92a5ace80 (commit) via d3f885d7ea9e8a8aa142ccd69e6f85c1a4a70033 (commit) via d8bda0713bd898e9f962cee6d4e3d225441ef5a3 (commit) via dbdcd29e717ecd5217aa1e45a0ffe77a89a3f49b (commit) via 6bdff2e237fd167fadb7393c1fb31e0981a0687d (commit) via 0fdd895d7786babcae15ce923b3ae3eb54f6140e (commit) via eda5f13d712ae2631165698c017d03d739222f33 (commit) via b091ef7e2f6288a001423a5d037b34663996ffb5 (commit) via 8fbf5688edbaead49130b0d2f887335475a298e7 (commit) via 1f60575f88769d09c478caa2968b751bca6a90e3 (commit) via 8a4bf46fe7256b2713e568589b89c2275975586c (commit) from baf35427d678c86abff1c53594cd923cbcc961da (commit) Those revisions listed above that are new to this repository have not appeared on any other notification email; so we list those revisions in full, below. - Log ----------------------------------------------------------------- https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=fc7ef00f02ee41452245926a4f7ff2073711db33 commit fc7ef00f02ee41452245926a4f7ff2073711db33 Author: Florian Weimer <fweimer@redhat.com> Date: Thu Oct 19 10:44:31 2017 +0200 nss_files: Avoid large buffers with many host addresses [BZ #22078] The previous implementation had at least a quadratic space requirement in the number of host addresses and aliases. (cherry picked from commit d8425e116cdd954fea0c04c0f406179b5daebbb3) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=8f8022df0773f4867d91068dce71539a4d1574ca commit 8f8022df0773f4867d91068dce71539a4d1574ca Author: Florian Weimer <fweimer@redhat.com> Date: Wed Oct 11 07:01:34 2017 +0200 nss_files: Use struct scratch_buffer for gethostbyname [BZ #18023] (cherry picked from commit 78e806fd8cd8c918d3bbe1bcdf9091ab365e4a69) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=f67d3f0fa30d923c6e8631e85451da0fd94b86f3 commit f67d3f0fa30d923c6e8631e85451da0fd94b86f3 Author: Florian Weimer <fweimer@redhat.com> Date: Tue Oct 10 11:50:41 2017 +0200 nss_files: Refactor gethostbyname3 multi case into separate function This is in preparation of further cleanup work. (cherry picked from commit 8ed70de2faceb4bd7b35bbdc2b7e8c83d9a297ba) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=e75e7573e1a44faaea833eb1f390def5d6ab672f commit e75e7573e1a44faaea833eb1f390def5d6ab672f Author: Florian Weimer <fweimer@redhat.com> Date: Wed Jun 21 22:43:57 2017 +0200 Implement allocation buffers for internal use This commit adds fixed-size allocation buffers. The primary use case is in NSS modules, where dynamically sized data is stored in a fixed-size buffer provided by the caller. Other uses include a replacement of mempcpy cascades (which is safer due to the size checking inherent to allocation buffers). (cherry picked from commit 4dd8e7c0ce5ecc7f65e33e60ad2f717b31de32ec) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=bf19b5fdcde6bae47a17e6173f57f0606a8bd0e9 commit bf19b5fdcde6bae47a17e6173f57f0606a8bd0e9 Author: Florian Weimer <fweimer@redhat.com> Date: Wed Sep 6 11:25:14 2017 +0200 __libc_dynarray_emplace_enlarge: Add missing else Before, arrays of small elements received a starting allocation size of 8, not 16. (cherry picked from commit ab5ac271e6210fa0af11cf3ca525ce573bc47c48) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=9bb04ec133b30fd106782b2105b8edca93b052e6 commit 9bb04ec133b30fd106782b2105b8edca93b052e6 Author: Florian Weimer <fweimer@redhat.com> Date: Wed Aug 30 20:10:56 2017 +0200 dynarray: Set errno on overflow-induced allocation failure This allows the caller to return directly on such an error, with an appropriate errno value. (cherry picked from commit 5898f4548efdcd7c0fd437a74eeb80facc51a117) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=c3fe737243b7661d8aca2d9f5d76e966f5c537df commit c3fe737243b7661d8aca2d9f5d76e966f5c537df Author: Florian Weimer <fweimer@redhat.com> Date: Tue Jun 13 17:03:56 2017 +0200 dynarray: Implement begin/end functions in the spirit of C++ (cherry picked from commit f8bf87face3304f216bcd838081fa33bb4976ac6) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=8871213e335854fbe1ae15a3c4b8ba2b7720cf1d commit 8871213e335854fbe1ae15a3c4b8ba2b7720cf1d Author: Florian Weimer <fweimer@redhat.com> Date: Fri Jun 2 11:59:28 2017 +0200 Add internal facility for dynamic array handling This is intended as a type-safe alternative to obstacks and hand-written realloc constructs. The implementation avoids writing function pointers to the heap. (cherry picked from commit 91b6eb1140eda6bab324821ee3785e5d0ca155b8) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=ea00a80db7c0cd1098f848eccd5d1f34d89b7faf commit ea00a80db7c0cd1098f848eccd5d1f34d89b7faf Author: Florian Weimer <fweimer@redhat.com> Date: Thu Jan 4 12:51:48 2018 +0100 Add check_mul_overflow_size_t Backported from commit 2e0bbbfbf95fc9e22692e93658a6fbdd2d4554da. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=ab8b49432b302237015d0f44e858c17f92fe3a5b commit ab8b49432b302237015d0f44e858c17f92fe3a5b Author: Florian Weimer <fweimer@redhat.com> Date: Thu Jan 4 12:45:41 2018 +0100 Add <libc-pointer-arith.h> to help with backporting https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=0e64ee798605a042a07604e8a4bf0ec00381e28b commit 0e64ee798605a042a07604e8a4bf0ec00381e28b Author: Florian Weimer <fweimer@redhat.com> Date: Thu Jan 4 12:32:36 2018 +0100 getaddrinfo: Fix error handling in gethosts [BZ #21915] [BZ #21922] The old code uses errno as the primary indicator for success or failure. This is wrong because errno is only set for specific combinations of the status return value and the h_errno variable. (cherry picked from commit f4a6be2582b8dfe8adfa68da3dd8decf566b3983) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=e3ae300f3f2d1a94709b0f3fed2543b9449a09ca commit e3ae300f3f2d1a94709b0f3fed2543b9449a09ca Author: Florian Weimer <fweimer@redhat.com> Date: Mon Sep 4 11:25:34 2017 +0200 getaddrinfo: Return EAI_NODATA if gethostbyname2_r reports NO_DATA [BZ #21922] (cherry picked from commit 5f8340f583fe3d4f5734bd2371c5a45ecff2db0d) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=e552550b409fda1369dc8f23c659c554632619e5 commit e552550b409fda1369dc8f23c659c554632619e5 Author: Florian Weimer <fweimer@redhat.com> Date: Fri Sep 1 08:57:52 2017 +0200 getaddrinfo: In gaih_inet, use h_errno for certain status values only h_errno is not set for NSS_STATUS_SUCCESS, so its value might not be accurate at this point. (cherry picked from commit a2881ef01450295782b065f2f850f340d5c12c14) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=5515224932751ef13d382b7404fefc8e9c1057f5 commit 5515224932751ef13d382b7404fefc8e9c1057f5 Author: Florian Weimer <fweimer@redhat.com> Date: Fri Sep 1 08:57:28 2017 +0200 getaddrinfo: Properly set errno for NSS function lookup failure (cherry picked from commit ad816a5e00ce891a2cea8187638fa0e00f83aaf6) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=dc2d4b0ccd317108e3fa6f77bbbad238b4b01920 commit dc2d4b0ccd317108e3fa6f77bbbad238b4b01920 Author: Florian Weimer <fweimer@redhat.com> Date: Fri Sep 1 08:57:07 2017 +0200 getaddrinfo: Use &h_errno has the h_errno pointer This simplifies the code because it is not necessary to propagate the temporary h_errno value to the thread-local variable. It also increases compatibility with NSS modules which update only one of the two places. (cherry picked from commit 53250a21b81474ef4e78090a4a9a63d8471e1091) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=196990f97a0a3f28eab25e642f63f1294bf87722 commit 196990f97a0a3f28eab25e642f63f1294bf87722 Author: Florian Weimer <fweimer@redhat.com> Date: Fri Sep 1 08:56:46 2017 +0200 getaddrinfo: Use &errno has the errno pointer Similar code in nss/getXXbyYY_r.c is already using &errno as the argument. (cherry picked from commit 924b121c5978689001ae28cf1c8497371dad4f71) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=346d7f942d1a0193792a6eedf696d797fd000369 commit 346d7f942d1a0193792a6eedf696d797fd000369 Author: Florian Weimer <fweimer@redhat.com> Date: Tue Aug 8 18:48:05 2017 +0200 getaddrinfo: Remove unreachable return statement from gaih_inet (cherry picked from commit 0df595b23a829c9169ec418a19eef9006b4ae801) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=84e7ab5b1ba14d60d0d76bb78217e254fd4615cf commit 84e7ab5b1ba14d60d0d76bb78217e254fd4615cf Author: Florian Weimer <fweimer@redhat.com> Date: Sat Jun 24 16:51:31 2017 +0200 resolv/tst-resolv-basic: Add test cases for bug 21295 (cherry picked from commit 513a71a420e74270a6a9702ec916e807be51350a) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=1ae1ef2e0d86d4b308636557122ca7a92a5ace80 commit 1ae1ef2e0d86d4b308636557122ca7a92a5ace80 Author: Dmitry Bilunov <kmeaw@kmeaw.com> Date: Thu Jan 4 11:33:53 2018 +0100 getaddrinfo: Merge IPv6 addresses and IPv4 addresses [BZ #21295] (cherry picked from commit 5cf88a83f27b0cd2d5a83511930e40d716c939eb) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=d3f885d7ea9e8a8aa142ccd69e6f85c1a4a70033 commit d3f885d7ea9e8a8aa142ccd69e6f85c1a4a70033 Author: Florian Weimer <fweimer@redhat.com> Date: Thu May 11 11:32:16 2017 +0200 support_format_addrinfo: Fix flags and canonname formatting The address family splitting via format_ai_family made unpredictable the place where the canonname field was printed. This commit adjusts the implementation so that the ai_flags is checked for consistency across the list, and ai_canonname must only be present on the first list element. Tests for AI_CANONNAME are added to resolv/tst-resolv-basic. (cherry picked from commit 8ec69bb7ecf3ca5edde5b7d9d7d5d3a5f8b6c405) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=d8bda0713bd898e9f962cee6d4e3d225441ef5a3 commit d8bda0713bd898e9f962cee6d4e3d225441ef5a3 Author: Florian Weimer <fweimer@redhat.com> Date: Thu Jan 4 11:45:20 2018 +0100 resolv: Support an exactly sized buffer in ns_name_pack [BZ #21359] This bug did not affect name resolution because those functions indirectly call ns_name_pack with a buffer which is always larger than the generated query packet, even in the case of the longest-possible domain name. (cherry picked from commit c803cb9b24c6cea15698768e4301e963b98e742c) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=dbdcd29e717ecd5217aa1e45a0ffe77a89a3f49b commit dbdcd29e717ecd5217aa1e45a0ffe77a89a3f49b Author: Florian Weimer <fweimer@redhat.com> Date: Tue Apr 4 14:09:56 2017 +0200 resolv: Add test coverage for ns_name_unpack, ns_name_ntop (cherry picked from commit 07d6f1a3ca990e0e4f93b010605d4d87a3abdf24) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=6bdff2e237fd167fadb7393c1fb31e0981a0687d commit 6bdff2e237fd167fadb7393c1fb31e0981a0687d Author: Florian Weimer <fweimer@redhat.com> Date: Wed Jun 21 13:35:37 2017 +0200 getaddrinfo: Avoid stack copy of IPv6 address (cherry picked from commit 76b8266f990a2912f42d1b7050840e8c7f14f2c2) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=0fdd895d7786babcae15ce923b3ae3eb54f6140e commit 0fdd895d7786babcae15ce923b3ae3eb54f6140e Author: Florian Weimer <fweimer@redhat.com> Date: Wed Jun 21 13:09:08 2017 +0200 __inet_pton_length: Implement new internal helper function (cherry picked from commit 60149b28590be28051f99d0a343d7fbe002f2a8c) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=eda5f13d712ae2631165698c017d03d739222f33 commit eda5f13d712ae2631165698c017d03d739222f33 Author: Florian Weimer <fweimer@redhat.com> Date: Thu May 11 14:48:51 2017 +0200 inet_pton: Reformat in GNU style Generated machine code is identical on x86-64. (cherry picked from commit d53b8652880ba42913f66e7eee0567ce4cfe7791) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=b091ef7e2f6288a001423a5d037b34663996ffb5 commit b091ef7e2f6288a001423a5d037b34663996ffb5 Author: Florian Weimer <fweimer@redhat.com> Date: Sat Jun 3 08:37:13 2017 +0200 getaddrinfo: Eliminate another strdup call (cherry picked from commit 363911ce1313a246b7d33f0983a09e7ab2525b3a) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=8fbf5688edbaead49130b0d2f887335475a298e7 commit 8fbf5688edbaead49130b0d2f887335475a298e7 Author: Florian Weimer <fweimer@redhat.com> Date: Fri Jun 2 16:35:13 2017 +0200 getaddrinfo: Fix localplt failure involving strdup (cherry picked from commit 6257fcfd58479f6b7ae0fdde045b9ff144d543da) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=1f60575f88769d09c478caa2968b751bca6a90e3 commit 1f60575f88769d09c478caa2968b751bca6a90e3 Author: Florian Weimer <fweimer@redhat.com> Date: Fri Jun 2 14:54:56 2017 +0200 getaddrinfo: Always allocate canonical name on the heap A further simplification could eliminate the canon variable in gaih_inet and replace it with canonbuf. However, canonbuf is used as a flag in the nscd code, which makes this somewhat non-straightforward. (cherry picked from commit 673cb072a4710bd4bf6029a062d2867cca929c43) https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=8a4bf46fe7256b2713e568589b89c2275975586c commit 8a4bf46fe7256b2713e568589b89c2275975586c Author: Florian Weimer <fweimer@redhat.com> Date: Thu May 11 10:01:49 2017 +0200 getaddrinfo: Unconditionally use malloc for address list getaddrinfo has to call malloc eventually anyway, so the complexity of avoiding malloc calls is not worth potential savings. (cherry picked from commit 46ce8881ade788db56079622f47f648d4aaa003b) ----------------------------------------------------------------------- Summary of changes: ChangeLog | 253 +++++++++++++ NEWS | 5 + include/alloc_buffer.h | 367 +++++++++++++++++++ include/libc-pointer-arith.h | 1 + malloc/Makefile | 30 ++- malloc/Versions | 14 + malloc/alloc_buffer_alloc_array.c | 47 +++ malloc/alloc_buffer_allocate.c | 36 ++ malloc/alloc_buffer_copy_bytes.c | 34 ++ malloc/alloc_buffer_copy_string.c | 30 ++ malloc/alloc_buffer_create_failure.c | 31 ++ malloc/dynarray-skeleton.c | 521 ++++++++++++++++++++++++++ malloc/dynarray.h | 176 +++++++++ malloc/dynarray_at_failure.c | 31 ++ malloc/dynarray_emplace_enlarge.c | 73 ++++ malloc/dynarray_finalize.c | 62 ++++ malloc/dynarray_resize.c | 64 ++++ malloc/dynarray_resize_clear.c | 35 ++ malloc/malloc-internal.h | 19 + malloc/tst-alloc_buffer.c | 665 ++++++++++++++++++++++++++++++++++ malloc/tst-dynarray-at-fail.c | 125 +++++++ malloc/tst-dynarray-fail.c | 418 +++++++++++++++++++++ malloc/tst-dynarray-shared.h | 80 ++++ malloc/tst-dynarray.c | 574 +++++++++++++++++++++++++++++ nss/Makefile | 9 + nss/nss_files/files-hosts.c | 400 +++++++++++---------- nss/tst-nss-files-hosts-erange.c | 109 ++++++ nss/tst-nss-files-hosts-multi.c | 331 +++++++++++++++++ resolv/Makefile | 8 + resolv/Versions | 1 + resolv/inet_pton.c | 361 ++++++++++--------- resolv/ns_name.c | 2 +- resolv/resolv-internal.h | 9 + resolv/tst-inet_pton.c | 549 ++++++++++++++++++++++++++++ resolv/tst-ns_name.c | 438 ++++++++++++++++++++++ resolv/tst-ns_name.data | 548 ++++++++++++++++++++++++++++ resolv/tst-ns_name_compress.c | 75 ++++ resolv/tst-resolv-basic.c | 240 +++++++++++-- sysdeps/posix/getaddrinfo.c | 327 +++++++---------- 39 files changed, 6509 insertions(+), 589 deletions(-) create mode 100644 include/alloc_buffer.h create mode 100644 include/libc-pointer-arith.h create mode 100644 malloc/alloc_buffer_alloc_array.c create mode 100644 malloc/alloc_buffer_allocate.c create mode 100644 malloc/alloc_buffer_copy_bytes.c create mode 100644 malloc/alloc_buffer_copy_string.c create mode 100644 malloc/alloc_buffer_create_failure.c create mode 100644 malloc/dynarray-skeleton.c create mode 100644 malloc/dynarray.h create mode 100644 malloc/dynarray_at_failure.c create mode 100644 malloc/dynarray_emplace_enlarge.c create mode 100644 malloc/dynarray_finalize.c create mode 100644 malloc/dynarray_resize.c create mode 100644 malloc/dynarray_resize_clear.c create mode 100644 malloc/tst-alloc_buffer.c create mode 100644 malloc/tst-dynarray-at-fail.c create mode 100644 malloc/tst-dynarray-fail.c create mode 100644 malloc/tst-dynarray-shared.h create mode 100644 malloc/tst-dynarray.c create mode 100644 nss/tst-nss-files-hosts-erange.c create mode 100644 nss/tst-nss-files-hosts-multi.c create mode 100644 resolv/tst-inet_pton.c create mode 100644 resolv/tst-ns_name.c create mode 100644 resolv/tst-ns_name.data create mode 100644 resolv/tst-ns_name_compress.c
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, master has been updated via 6d7aa2b531088c3a277911534179975eb2622954 (commit) from 71aa429b029fdb6f9e65d44050388b51eca460d6 (commit) Those revisions listed above that are new to this repository have not appeared on any other notification email; so we list those revisions in full, below. - Log ----------------------------------------------------------------- https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=6d7aa2b531088c3a277911534179975eb2622954 commit 6d7aa2b531088c3a277911534179975eb2622954 Author: Florian Weimer <fweimer@redhat.com> Date: Wed Jan 24 15:40:29 2018 -0200 getlogin_r: switch Linux variant to struct scratch_buffer [BZ #18023] * sysdeps/unix/sysv/linux/getlogin_r.c (__getlogin_r_loginuid): Use scratch_buffer instead of extend_alloca. Reviewed-by: Adhemerval Zanella <adhemerval.zanella@linaro.org> ----------------------------------------------------------------------- Summary of changes: ChangeLog | 6 ++++++ sysdeps/unix/sysv/linux/getlogin_r.c | 34 +++++++++++++--------------------- 2 files changed, 19 insertions(+), 21 deletions(-)
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, master has been updated via 318bad78b084cd510c7b672a1a0859c0df08dbb7 (commit) from 189699ab375111a25dac19f1b4f89e38d31c8b3d (commit) Those revisions listed above that are new to this repository have not appeared on any other notification email; so we list those revisions in full, below. - Log ----------------------------------------------------------------- https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=318bad78b084cd510c7b672a1a0859c0df08dbb7 commit 318bad78b084cd510c7b672a1a0859c0df08dbb7 Author: Florian Weimer <fweimer@redhat.com> Date: Mon Jun 25 17:10:15 2018 +0200 nscd restart: Use malloc instead of extend_alloca [BZ #18023] This introduces a separate function, read_cmdline, which reads the contents of /proc/self/cmdline into a heap-allocated buffer. ----------------------------------------------------------------------- Summary of changes: ChangeLog | 6 +++ nscd/connections.c | 99 ++++++++++++++++++++++++++++++++-------------------- 2 files changed, 67 insertions(+), 38 deletions(-)
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, master has been updated via 6b7b2abac75f969a86c537d64adf003378e24113 (commit) via 2f9f0d182eb87bfab49534d4f9ac102d6c0c0469 (commit) from 318bad78b084cd510c7b672a1a0859c0df08dbb7 (commit) Those revisions listed above that are new to this repository have not appeared on any other notification email; so we list those revisions in full, below. - Log ----------------------------------------------------------------- https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=6b7b2abac75f969a86c537d64adf003378e24113 commit 6b7b2abac75f969a86c537d64adf003378e24113 Author: Florian Weimer <fweimer@redhat.com> Date: Mon Jun 25 16:05:46 2018 +0200 nscd: Switch to struct scratch_buffer in adhstaiX [BZ #18023] The pre-allocation of the three scratch buffers increased the initial stack size somewhat, but if retries are needed, the previous version used more stack space if extend_alloca could not merge allocations. Lack of alloca accounting also means could be problematic with extremely large NSS responses, too. [BZ #18023] * nscd/aicache.c (addhstaiX): Use struct scratch_buffer instead of extend_alloca. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=2f9f0d182eb87bfab49534d4f9ac102d6c0c0469 commit 2f9f0d182eb87bfab49534d4f9ac102d6c0c0469 Author: Florian Weimer <fweimer@redhat.com> Date: Mon Jun 25 16:04:29 2018 +0200 nscd: Use struct scratch_buffer, not extend_alloca in most caches [BZ #18023] This replaces the ERANGE retry loops with loops which have heap fallback. Heap allocation might actually be required for extremely large NSS results. ----------------------------------------------------------------------- Summary of changes: ChangeLog | 15 +++++++++ nscd/aicache.c | 79 ++++++++++++++++++++++++++++--------------------- nscd/grpcache.c | 57 ++++++++++++------------------------ nscd/hstcache.c | 58 ++++++++++++------------------------ nscd/pwdcache.c | 56 +++++++++++------------------------ nscd/servicescache.c | 56 +++++++++++------------------------ 6 files changed, 135 insertions(+), 186 deletions(-)
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, master has been updated via 43b1048ab9418e902aac8c834a7a9a88c501620a (commit) via 1599ed4e959e6e5b319d82389667f51d01d53da0 (commit) via a26fe1638bf2fea58ddd44cc771896ad0c36de8c (commit) via 90d9d9ce2fbeef0f24a957efa83f5a78367a84d4 (commit) from 6b7b2abac75f969a86c537d64adf003378e24113 (commit) Those revisions listed above that are new to this repository have not appeared on any other notification email; so we list those revisions in full, below. - Log ----------------------------------------------------------------- https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=43b1048ab9418e902aac8c834a7a9a88c501620a commit 43b1048ab9418e902aac8c834a7a9a88c501620a Author: Florian Weimer <fweimer@redhat.com> Date: Mon Jun 25 19:29:11 2018 +0200 nss_files: Use struct scratch_buffer instead of extend_alloca [BZ #18023] https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=1599ed4e959e6e5b319d82389667f51d01d53da0 commit 1599ed4e959e6e5b319d82389667f51d01d53da0 Author: Florian Weimer <fweimer@redhat.com> Date: Mon Jun 25 19:22:46 2018 +0200 getent: Use dynarray in initgroups_keys [BZ #18023] https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=a26fe1638bf2fea58ddd44cc771896ad0c36de8c commit a26fe1638bf2fea58ddd44cc771896ad0c36de8c Author: Florian Weimer <fweimer@redhat.com> Date: Mon Jun 25 19:14:09 2018 +0200 _nss_nis_initgroups_dyn: Use struct scratch_buffer [BZ #18023] Remove extend_alloca usage. Also adjusts the internal function get_uid. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=90d9d9ce2fbeef0f24a957efa83f5a78367a84d4 commit 90d9d9ce2fbeef0f24a957efa83f5a78367a84d4 Author: Florian Weimer <fweimer@redhat.com> Date: Mon Jun 25 18:56:42 2018 +0200 getgrent_next_nss (compat-initgroups): Remove alloca fallback [BZ #18023] If the caller-supplied buffer is not large enough, fall back directly malloc. The previous __libc_use_alloca check was incorrect because it did not take into account that extend_alloca may fail to merge allocations, so it would underestimate the stack space being used by roughly a factor of two. ----------------------------------------------------------------------- Summary of changes: ChangeLog | 24 ++++++++++++++++++ nis/nss_nis/nis-initgroups.c | 27 +++++++++++++-------- nss/getent.c | 40 +++++++++++++++++++++++-------- nss/nss_compat/compat-initgroups.c | 46 ++++++++++++++++------------------- nss/nss_files/files-initgroups.c | 32 ++++++++----------------- 5 files changed, 102 insertions(+), 67 deletions(-)
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, master has been updated via 92d6aa8528f2ddab2361bc160a96b9cd3c497a11 (commit) via 890c2ced35cfbf2de7d787fd37caf23d250da531 (commit) via 4272059de256fb20a7b19b5f8509e0c8d27beaf4 (commit) from 95f8ae8c83a049a100c7750d3496c59ba47626cd (commit) Those revisions listed above that are new to this repository have not appeared on any other notification email; so we list those revisions in full, below. - Log ----------------------------------------------------------------- https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=92d6aa8528f2ddab2361bc160a96b9cd3c497a11 commit 92d6aa8528f2ddab2361bc160a96b9cd3c497a11 Author: Florian Weimer <fweimer@redhat.com> Date: Wed Jun 27 17:55:55 2018 +0200 _dl_map_object_deps: Use struct scratch_buffer [BZ #18023] The function comment suggests that _dl_map_object_deps cannot use malloc, but it already allocates the l_initfini array on the heap, so the additional allocation should be acceptable. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=890c2ced35cfbf2de7d787fd37caf23d250da531 commit 890c2ced35cfbf2de7d787fd37caf23d250da531 Author: Florian Weimer <fweimer@redhat.com> Date: Wed Jun 27 17:55:38 2018 +0200 gethostid (Linux variant): Switch to struct scratch_buffer [BZ #18023] Previously, extend_alloca was used without alloca accounting, which could have been problematic with large NSS results. https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=4272059de256fb20a7b19b5f8509e0c8d27beaf4 commit 4272059de256fb20a7b19b5f8509e0c8d27beaf4 Author: Florian Weimer <fweimer@redhat.com> Date: Wed Jun 27 17:54:44 2018 +0200 wordexp: Rewrite parse_tilde to use struct scratch_buffer [BZ #18023] ----------------------------------------------------------------------- Summary of changes: ChangeLog | 18 +++++++++++++ elf/dl-deps.c | 28 +++++++++++-------- posix/wordexp.c | 46 +++++++++++++++++++++------------ sysdeps/unix/sysv/linux/gethostid.c | 48 ++++++++++++++++++++++------------ 4 files changed, 94 insertions(+), 46 deletions(-)
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, master has been updated via c49e18222e4c40f21586dabced8a49732d946917 (commit) from a833e627c3ef6a5d62ae3838e6838b24b8ffd1c6 (commit) Those revisions listed above that are new to this repository have not appeared on any other notification email; so we list those revisions in full, below. - Log ----------------------------------------------------------------- https://sourceware.org/git/gitweb.cgi?p=glibc.git;h=c49e18222e4c40f21586dabced8a49732d946917 commit c49e18222e4c40f21586dabced8a49732d946917 Author: Florian Weimer <fweimer@redhat.com> Date: Wed Jun 27 18:39:05 2018 +0200 Remove macros extend_alloca, extend_alloca_account [BZ #18023] The unused macro definition in posix/glob.c comes from gnulib and will have to be removed there. ----------------------------------------------------------------------- Summary of changes: ChangeLog | 7 +++++++ include/alloca.h | 40 ---------------------------------------- manual/stdio.texi | 1 - 3 files changed, 7 insertions(+), 41 deletions(-)
Fixed in 2.28.
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The branch, fw/extend_alloca has been deleted was a23008e93eaeeff0059e96ebfc81e23ca56d5bcf - Log ----------------------------------------------------------------- a23008e93eaeeff0059e96ebfc81e23ca56d5bcf Remove macros extend_alloca, extend_alloca_account [BZ #18023] -----------------------------------------------------------------------
This is an automated email from the git hooks/post-receive script. It was generated because a ref change was pushed to the repository containing the project "GNU C Library master sources". The annotated tag, glibc-2.28 has been created at 0774a9618b539692317d0950477e16a8c5074caf (tag) tagging 3c03baca37fdcb52c3881e653ca392bba7a99c2b (commit) replaces glibc-2.27.9000 tagged by Carlos O'Donell on Wed Aug 1 01:20:23 2018 -0400 - Log ----------------------------------------------------------------- The GNU C Library ================= The GNU C Library version 2.28 is now available. The GNU C Library is used as *the* C library in the GNU system and in GNU/Linux systems, as well as many other systems that use Linux as the kernel. The GNU C Library is primarily designed to be a portable and high performance C library. It follows all relevant standards including ISO C11 and POSIX.1-2008. It is also internationalized and has one of the most complete internationalization interfaces known. The GNU C Library webpage is at http://www.gnu.org/software/libc/ Packages for the 2.28 release may be downloaded from: http://ftpmirror.gnu.org/libc/ http://ftp.gnu.org/gnu/libc/ The mirror list is at http://www.gnu.org/order/ftp.html NEWS for version 2.28 ===================== Major new features: * The localization data for ISO 14651 is updated to match the 2016 Edition 4 release of the standard, this matches data provided by Unicode 9.0.0. This update introduces significant improvements to the collation of Unicode characters. This release deviates slightly from the standard in that the collation element ordering for lowercase and uppercase LATIN script characters is adjusted to ensure that regular expressions with ranges like [a-z] and [A-Z] don't interleave e.g. A is not matched by [a-z]. With the update many locales have been updated to take advantage of the new collation information. The new collation information has increased the size of the compiled locale archive or binary locales. * The GNU C Library can now be compiled with support for Intel CET, AKA Intel Control-flow Enforcement Technology. When the library is built with --enable-cet, the resulting glibc is protected with indirect branch tracking (IBT) and shadow stack (SHSTK). CET-enabled glibc is compatible with all existing executables and shared libraries. This feature is currently supported on i386, x86_64 and x32 with GCC 8 and binutils 2.29 or later. Note that CET-enabled glibc requires CPUs capable of multi-byte NOPs, like x86-64 processors as well as Intel Pentium Pro or newer. NOTE: --enable-cet has been tested for i686, x86_64 and x32 on non-CET processors. --enable-cet has been tested for x86_64 and x32 on CET SDVs, but Intel CET support hasn't been validated for i686. * The GNU C Library now has correct support for ABSOLUTE symbols (SHN_ABS-relative symbols). Previously such ABSOLUTE symbols were relocated incorrectly or in some cases discarded. The GNU linker can make use of the newer semantics, but it must communicate it to the dynamic loader by setting the ELF file's identification (EI_ABIVERSION field) to indicate such support is required. * Unicode 11.0.0 Support: Character encoding, character type info, and transliteration tables are all updated to Unicode 11.0.0, using generator scripts contributed by Mike FABIAN (Red Hat). * <math.h> functions that round their results to a narrower type are added from TS 18661-1:2014 and TS 18661-3:2015: - fadd, faddl, daddl and corresponding fMaddfN, fMaddfNx, fMxaddfN and fMxaddfNx functions. - fsub, fsubl, dsubl and corresponding fMsubfN, fMsubfNx, fMxsubfN and fMxsubfNx functions. - fmul, fmull, dmull and corresponding fMmulfN, fMmulfNx, fMxmulfN and fMxmulfNx functions. - fdiv, fdivl, ddivl and corresponding fMdivfN, fMdivfNx, fMxdivfN and fMxdivfNx functions. * Two grammatical forms of month names are now supported for the following languages: Armenian, Asturian, Catalan, Czech, Kashubian, Occitan, Ossetian, Scottish Gaelic, Upper Sorbian, and Walloon. The following languages now support two grammatical forms in abbreviated month names: Catalan, Greek, and Kashubian. * Newly added locales: Lower Sorbian (dsb_DE) and Yakut (sah_RU) also include the support for two grammatical forms of month names. * Building and running on GNU/Hurd systems now works without out-of-tree patches. * The renameat2 function has been added, a variant of the renameat function which has a flags argument. If the flags are zero, the renameat2 function acts like renameat. If the flag is not zero and there is no kernel support for renameat2, the function will fail with an errno value of EINVAL. This is different from the existing gnulib function renameatu, which performs a plain rename operation in case of a RENAME_NOREPLACE flags and a non-existing destination (and therefore has a race condition that can clobber the destination inadvertently). * The statx function has been added, a variant of the fstatat64 function with an additional flags argument. If there is no direct kernel support for statx, glibc provides basic stat support based on the fstatat64 function. * IDN domain names in getaddrinfo and getnameinfo now use the system libidn2 library if installed. libidn2 version 2.0.5 or later is recommended. If libidn2 is not available, internationalized domain names are not encoded or decoded even if the AI_IDN or NI_IDN flags are passed to getaddrinfo or getnameinfo. (getaddrinfo calls with non-ASCII names and AI_IDN will fail with an encoding error.) Flags which used to change the IDN encoding and decoding behavior (AI_IDN_ALLOW_UNASSIGNED, AI_IDN_USE_STD3_ASCII_RULES, NI_IDN_ALLOW_UNASSIGNED, NI_IDN_USE_STD3_ASCII_RULES) have been deprecated. They no longer have any effect. * Parsing of dynamic string tokens in DT_RPATH, DT_RUNPATH, DT_NEEDED, DT_AUXILIARY, and DT_FILTER has been expanded to support the full range of ELF gABI expressions including such constructs as '$ORIGIN$ORIGIN' (if valid). For SUID/GUID applications the rules have been further restricted, and where in the past a dynamic string token sequence may have been interpreted as a literal string it will now cause a load failure. These load failures were always considered unspecified behaviour from the perspective of the dynamic loader, and for safety are now load errors e.g. /foo/${ORIGIN}.so in DT_NEEDED results in a load failure now. * Support for ISO C threads (ISO/IEC 9899:2011) has been added. The implementation includes all the standard functions provided by <threads.h>: - thrd_current, thrd_equal, thrd_sleep, thrd_yield, thrd_create, thrd_detach, thrd_exit, and thrd_join for thread management. - mtx_init, mtx_lock, mtx_timedlock, mtx_trylock, mtx_unlock, and mtx_destroy for mutual exclusion. - call_once for function call synchronization. - cnd_broadcast, cnd_destroy, cnd_init, cnd_signal, cnd_timedwait, and cnd_wait for conditional variables. - tss_create, tss_delete, tss_get, and tss_set for thread-local storage. Application developers must link against libpthread to use ISO C threads. Deprecated and removed features, and other changes affecting compatibility: * The nonstandard header files <libio.h> and <_G_config.h> are no longer installed. Software that was using either header should be updated to use standard <stdio.h> interfaces instead. * The stdio functions 'getc' and 'putc' are no longer defined as macros. This was never required by the C standard, and the macros just expanded to call alternative names for the same functions. If you hoped getc and putc would provide performance improvements over fgetc and fputc, instead investigate using (f)getc_unlocked and (f)putc_unlocked, and, if necessary, flockfile and funlockfile. * All stdio functions now treat end-of-file as a sticky condition. If you read from a file until EOF, and then the file is enlarged by another process, you must call clearerr or another function with the same effect (e.g. fseek, rewind) before you can read the additional data. This corrects a longstanding C99 conformance bug. It is most likely to affect programs that use stdio to read interactive input from a terminal. (Bug #1190.) * The macros 'major', 'minor', and 'makedev' are now only available from the header <sys/sysmacros.h>; not from <sys/types.h> or various other headers that happen to include <sys/types.h>. These macros are rarely used, not part of POSIX nor XSI, and their names frequently collide with user code; see https://sourceware.org/bugzilla/show_bug.cgi?id=19239 for further explanation. <sys/sysmacros.h> is a GNU extension. Portable programs that require these macros should first include <sys/types.h>, and then include <sys/sysmacros.h> if __GNU_LIBRARY__ is defined. * The tilegx*-*-linux-gnu configurations are no longer supported. * The obsolete function ustat is no longer available to newly linked binaries; the headers <ustat.h> and <sys/ustat.h> have been removed. This function has been deprecated in favor of fstatfs and statfs. * The obsolete function nfsservctl is no longer available to newly linked binaries. This function was specific to systems using the Linux kernel and could not usefully be used with the GNU C Library on systems with version 3.1 or later of the Linux kernel. * The obsolete function name llseek is no longer available to newly linked binaries. This function was specific to systems using the Linux kernel and was not declared in a header. Programs should use the lseek64 name for this function instead. * The AI_IDN_ALLOW_UNASSIGNED and NI_IDN_ALLOW_UNASSIGNED flags for the getaddrinfo and getnameinfo functions have been deprecated. The behavior previously selected by them is now always enabled. * The AI_IDN_USE_STD3_ASCII_RULES and NI_IDN_USE_STD3_ASCII_RULES flags for the getaddrinfo and getnameinfo functions have been deprecated. The STD3 restriction (rejecting '_' in host names, among other things) has been removed, for increased compatibility with non-IDN name resolution. * The fcntl function now have a Long File Support variant named fcntl64. It is added to fix some Linux Open File Description (OFD) locks usage on non LFS mode. As for others *64 functions, fcntl64 semantics are analogous with fcntl and LFS support is handled transparently. Also for Linux, the OFD locks act as a cancellation entrypoint. * The obsolete functions encrypt, encrypt_r, setkey, setkey_r, cbc_crypt, ecb_crypt, and des_setparity are no longer available to newly linked binaries, and the headers <rpc/des_crypt.h> and <rpc/rpc_des.h> are no longer installed. These functions encrypted and decrypted data with the DES block cipher, which is no longer considered secure. Software that still uses these functions should switch to a modern cryptography library, such as libgcrypt. * Reflecting the removal of the encrypt and setkey functions above, the macro _XOPEN_CRYPT is no longer defined. As a consequence, the crypt function is no longer declared unless _DEFAULT_SOURCE or _GNU_SOURCE is enabled. * The obsolete function fcrypt is no longer available to newly linked binaries. It was just another name for the standard function crypt, and it has not appeared in any header file in many years. * We have tentative plans to hand off maintenance of the passphrase-hashing library, libcrypt, to a separate development project that will, we hope, keep up better with new passphrase-hashing algorithms. We will continue to declare 'crypt' in <unistd.h>, and programs that use 'crypt' or 'crypt_r' should not need to change at all; however, distributions will need to install <crypt.h> and libcrypt from a separate project. In this release, if the configure option --disable-crypt is used, glibc will not install <crypt.h> or libcrypt, making room for the separate project's versions of these files. The plan is to make this the default behavior in a future release. Changes to build and runtime requirements: GNU make 4.0 or later is now required to build glibc. Security related changes: CVE-2016-6261, CVE-2016-6263, CVE-2017-14062: Various vulnerabilities have been fixed by removing the glibc-internal IDNA implementation and using the system-provided libidn2 library instead. Originally reported by Hanno Böck and Christian Weisgerber. CVE-2017-18269: An SSE2-based memmove implementation for the i386 architecture could corrupt memory. Reported by Max Horn. CVE-2018-11236: Very long pathname arguments to realpath function could result in an integer overflow and buffer overflow. Reported by Alexey Izbyshev. CVE-2018-11237: The mempcpy implementation for the Intel Xeon Phi architecture could write beyond the target buffer, resulting in a buffer overflow. Reported by Andreas Schwab. The following bugs are resolved with this release: [1190] stdio: fgetc()/fread() behaviour is not POSIX compliant [6889] manual: 'PWD' mentioned but not specified [13575] libc: SSIZE_MAX defined as LONG_MAX is inconsistent with ssize_t, when __WORDSIZE != 64 [13762] regex: re_search etc. should return -2 on memory exhaustion [13888] build: /tmp usage during testing [13932] math: dbl-64 pow unexpectedly slow for some inputs [14092] nptl: Support C11 threads [14095] localedata: Review / update collation data from Unicode / ISO 14651 [14508] libc: -Wformat warnings [14553] libc: Namespace pollution loff_t in sys/types.h [14890] libc: Make NT_PRFPREG canonical. [15105] libc: Extra PLT references with -Os [15512] libc: __bswap_constant_16 not compiled when -Werror -Wsign- conversion is given [16335] manual: Feature test macro documentation incomplete and out of date [16552] libc: Unify umount implementations in terms of umount2 [17082] libc: htons et al.: statement-expressions prevent use on global scope with -O1 and higher [17343] libc: Signed integer overflow in /stdlib/random_r.c [17438] localedata: pt_BR: wrong d_fmt delimiter [17662] libc: please implement binding for the new renameat2 syscall [17721] libc: __restrict defined as /* Ignore */ even in c11 [17979] libc: inconsistency between uchar.h and stdint.h [18018] dynamic-link: Additional $ORIGIN handling issues (CVE-2011-0536) [18023] libc: extend_alloca is broken (questionable pointer comparison, horrible machine code) [18124] libc: hppa: setcontext erroneously returns -1 as exit code for last constant. [18471] libc: llseek should be a compat symbol [18473] soft-fp: [powerpc-nofpu] __sqrtsf2, __sqrtdf2 should be compat symbols [18991] nss: nss_files skips large entry in database [19239] libc: Including stdlib.h ends up with macros major and minor being defined [19463] libc: linknamespace failures when compiled with -Os [19485] localedata: csb_PL: Update month translations + add yesstr/nostr [19527] locale: Normalized charset name not recognized by setlocale [19667] string: Missing Sanity Check for malloc calls in file 'testcopy.c' [19668] libc: Missing Sanity Check for malloc() in file 'tst-setcontext- fpscr.c' [19728] network: out of bounds stack read in libidn function idna_to_ascii_4i (CVE-2016-6261) [19729] network: out of bounds heap read on invalid utf-8 inputs in stringprep_utf8_nfkc_normalize (CVE-2016-6263) [19818] dynamic-link: Absolute (SHN_ABS) symbols incorrectly relocated by the base address [20079] libc: Add SHT_X86_64_UNWIND to elf.h [20251] libc: 32bit programs pass garbage in struct flock for OFD locks [20419] dynamic-link: files with large allocated notes crash in open_verify [20530] libc: bswap_16 should use __builtin_bswap16() when available [20890] dynamic-link: ldconfig: fsync the files before atomic rename [20980] manual: CFLAGS environment variable replaces vital options [21163] regex: Assertion failure in pop_fail_stack when executing a malformed regexp (CVE-2015-8985) [21234] manual: use of CFLAGS makes glibc detect no optimization [21269] dynamic-link: i386 sigaction sa_restorer handling is wrong [21313] build: Compile Error GCC 5.4.0 MIPS with -0S [21314] build: Compile Error GCC 5.2.0 MIPS with -0s [21508] locale: intl/tst-gettext failure with latest msgfmt [21547] localedata: Tibetan script collation broken (Dzongkha and Tibetan) [21812] network: getifaddrs() returns entries with ifa_name == NULL [21895] libc: ppc64 setjmp/longjmp not fully interoperable with static dlopen [21942] dynamic-link: _dl_dst_substitute incorrectly handles $ORIGIN: with AT_SECURE=1 [22241] localedata: New locale: Yakut (Sakha) locale for Russia (sah_RU) [22247] network: Integer overflow in the decode_digit function in puny_decode.c in libidn (CVE-2017-14062) [22342] nscd: NSCD not properly caching netgroup [22391] nptl: Signal function clear NPTL internal symbols inconsistently [22550] localedata: es_ES locale (and other es_* locales): collation should treat ñ as a primary different character, sync the collation for Spanish with CLDR [22638] dynamic-link: sparc: static binaries are broken if glibc is built by gcc configured with --enable-default-pie [22639] time: year 2039 bug for localtime etc. on 64-bit platforms [22644] string: memmove-sse2-unaligned on 32bit x86 produces garbage when crossing 2GB threshold (CVE-2017-18269) [22646] localedata: redundant data (LC_TIME) for es_CL, es_CU, es_EC and es_BO [22735] time: Misleading typo in time.h source comment regarding CLOCKS_PER_SECOND [22753] libc: preadv2/pwritev2 fallback code should handle offset=-1 [22761] libc: No trailing `%n' conversion specifier in FMT passed from `__assert_perror_fail ()' to `__assert_fail_base ()' [22766] libc: all glibc internal dlopen should use RTLD_NOW for robust dlopen failures [22786] libc: Stack buffer overflow in realpath() if input size is close to SSIZE_MAX (CVE-2018-11236) [22787] dynamic-link: _dl_check_caller returns false when libc is linked through an absolute DT_NEEDED path [22792] build: tcb-offsets.h dependency dropped [22797] libc: pkey_get() uses non-reserved name of argument [22807] libc: PTRACE_* constants missing for powerpc [22818] glob: posix/tst-glob_lstat_compat failure on alpha [22827] dynamic-link: RISC-V ELF64 parser mis-reads flag in ldconfig [22830] malloc: malloc_stats doesn't restore cancellation state on stderr [22848] localedata: ca_ES: update date definitions from CLDR [22862] build: _DEFAULT_SOURCE is defined even when _ISOC11_SOURCE is [22884] math: RISCV fmax/fmin handle signalling NANs incorrectly [22896] localedata: Update locale data for an_ES [22902] math: float128 test failures with GCC 8 [22918] libc: multiple common of `__nss_shadow_database' [22919] libc: sparc32: backtrace yields infinite backtrace with makecontext [22926] libc: FTBFS on powerpcspe [22932] localedata: lt_LT: Update of abbreviated month names from CLDR required [22937] localedata: Greek (el_GR, el_CY) locales actually need ab_alt_mon [22947] libc: FAIL: misc/tst-preadvwritev2 [22963] localedata: cs_CZ: Add alternative month names [22987] math: [powerpc/sparc] fdim inlines errno, exceptions handling [22996] localedata: change LC_PAPER to en_US in es_BO locale [22998] dynamic-link: execstack tests are disabled when SELinux is disabled [23005] network: Crash in __res_context_send after memory allocation failure [23007] math: strtod cannot handle -nan [23024] nss: getlogin_r is performing NSS lookups when loginid isn't set [23036] regex: regex equivalence class regression [23037] libc: initialize msg_flags to zero for sendmmsg() calls [23069] libc: sigaction broken on riscv64-linux-gnu [23094] localedata: hr_HR: wrong thousands_sep and mon_thousands_sep [23102] dynamic-link: Incorrect parsing of multiple consecutive $variable patterns in runpath entries (e.g. $ORIGIN$ORIGIN) [23137] nptl: s390: pthread_join sometimes block indefinitely (on 31bit and libc build with -Os) [23140] localedata: More languages need two forms of month names [23145] libc: _init/_fini aren't marked as hidden [23152] localedata: gd_GB: Fix typo in "May" (abbreviated) [23171] math: C++ iseqsig for long double converts arguments to double [23178] nscd: sudo will fail when it is run in concurrent with commands that changes /etc/passwd [23196] string: __mempcpy_avx512_no_vzeroupper mishandles large copies (CVE-2018-11237) [23206] dynamic-link: static-pie + dlopen breaks debugger interaction [23208] localedata: New locale - Lower Sorbian (dsb) [23233] regex: Memory leak in build_charclass_op function in file posix/regcomp.c [23236] stdio: Harden function pointers in _IO_str_fields [23250] nptl: Offset of __private_ss differs from GCC [23253] math: tgamma test suite failures on i686 with -march=x86-64 -mtune=generic -mfpmath=sse [23259] dynamic-link: Unsubstituted ${ORIGIN} remains in DT_NEEDED for AT_SECURE [23264] libc: posix_spawnp wrongly executes ENOEXEC in non compat mode [23266] nis: stringop-truncation warning with new gcc8.1 in nisplus- parser.c [23272] math: fma(INFINITY,INFIITY,0.0) should be INFINITY [23277] math: nan function should not have const attribute [23279] math: scanf and strtod wrong for some hex floating-point [23280] math: wscanf rounds wrong; wcstod is ok for negative numbers and directed rounding [23290] localedata: IBM273 is not equivalent to ISO-8859-1 [23303] build: undefined reference to symbol '__parse_hwcap_and_convert_at_platform@@GLIBC_2.23' [23307] dynamic-link: Absolute symbols whose value is zero ignored in lookup [23313] stdio: libio vtables validation and standard file object interposition [23329] libc: The __libc_freeres infrastructure is not properly run across DSO boundaries. [23349] libc: Various glibc headers no longer compatible with <linux/time.h> [23351] malloc: Remove unused code related to heap dumps and malloc checking [23363] stdio: stdio-common/tst-printf.c has non-free license [23396] regex: Regex equivalence regression in single-byte locales [23422] localedata: oc_FR: More updates of locale data [23442] build: New warning with GCC 8 [23448] libc: Out of bounds access in IBM-1390 converter [23456] libc: Wrong index_cpu_LZCNT [23458] build: tst-get-cpu-features-static isn't added to tests [23459] libc: COMMON_CPUID_INDEX_80000001 isn't populated for Intel processors [23467] dynamic-link: x86/CET: A property note parser bug Release Notes ============= https://sourceware.org/glibc/wiki/Release/2.28 Contributors ============ This release was made possible by the contributions of many people. The maintainers are grateful to everyone who has contributed changes or bug reports. These include: Adhemerval Zanella Agustina Arzille Alan Modra Alexandre Oliva Amit Pawar Andreas Schwab Andrew Senkevich Andrew Waterman Aurelien Jarno Carlos O'Donell Chung-Lin Tang DJ Delorie Daniel Alvarez David Michael Dmitry V. Levin Dragan Stanojevic - Nevidljivi Florian Weimer Flávio Cruz Francois Goichon Gabriel F. T. Gomes H.J. Lu Herman ten Brugge Hongbo Zhang Igor Gnatenko Jesse Hathaway John David Anglin Joseph Myers Leonardo Sandoval Maciej W. Rozycki Mark Wielaard Martin Sebor Michael Wolf Mike FABIAN Patrick McGehearty Patsy Franklin Paul Pluzhnikov Quentin PAGÈS Rafal Luzynski Rajalakshmi Srinivasaraghavan Raymond Nicholson Rical Jasan Richard Braun Robert Buj Rogerio Alves Samuel Thibault Sean McKean Siddhesh Poyarekar Stefan Liebler Steve Ellcey Sylvain Lesage Szabolcs Nagy Thomas Schwinge Tulio Magno Quites Machado Filho Valery Timiriliyev Vincent Chen Wilco Dijkstra Zack Weinberg Zong Li -----BEGIN PGP SIGNATURE----- iQIcBAABAgAGBQJbYUMhAAoJEBZ5K06iU0D4LV8QAJDI+9To34wUWGmYUmV48NFx 9Mug7Yd7Y8kpo0Rxi/yPpBBAjQadz4zJftkvZJUlZsYL83jypgRhxlXaOvyBATqT COHK3+RRaKqTcnBgSQmR34tGJh1k9CSfvfmRWxs1SycQQMhTbkQ7bLEGJEWDava6 PYCsQloDAaZdjumHNCoyTbg9fObqUlyqw3OyRJYWx07Bbl2nQc6Y/WLb4pgdWz0Y yy7kNM6P70+uFbb/+9iPnXJ4avWbpXO68Y1WeuMFtiL7sQ/qr6sNQ1HHdqut94LB XF7tiQ3/vWkMoJT+GkQr0rhrlTXBv+h77NFTPuewRPviYWgIWMThk3T7D2+TM8Sn Y9hkKTpCA2qrDRK6IMMzxKAfo9+DyO66cSXM3cwCzKOtpMXdlZqRg9TlAFMjmXGr r1KFpZzdHdw5qqktYQnIa1JBh0+31JhWXB/XxvoJx5nSDuBbJ4x55M8IeG3PCy3x ejgCJ6bJODOChlGhE6FN4VJM+WSjd8ZY8K4T2XGdP+3zVc+zyNqLDTpdydR6t1nB H5Peqbg12g8IJD7kY/i4Jm2uFpxP32CD3lUhp2gEbACRlZTmcxc6Bl13jgEdgKrW AD1dxH7i9xI/Rff2hp23U5d1NAiJmWTfAgUU2939rYU+02UWUPnk/TvzMzIaTYGo MIRvKIvblBn6bCUxYTQP =dTj9 -----END PGP SIGNATURE----- Adhemerval Zanella (48): Update SH libm-tests-ulps Rename nptl-signals.h to internal-signals.h Refactor atfork handlers Update sparc ulps i386: Fix i386 sigaction sa_restorer initialization (BZ#21269) nptl: Fix tst-cancel4 sendto tests Define _DIRENT_MATCHES_DIRENT64 regardless Refactor Linux ARCH_FORK implementation powerpc: Fix TLE build for SPE (BZ #22926) sparc: Fix arch_fork definition Add Changelog reference to BZ#23024 Assume O_DIRECTORY for opendir Filter out NPTL internal signals (BZ #22391) linux: Consolidate sigaction implementation Update ARM libm-test-ulps. Update SPARC libm-test-ulps. Update i386 libm-test-ulps. Consolidate Linux readdir{64}{_r} implementation arm: Remove ununsed ARM code in optimized implementation Consolidate Linux getdents{64} implementation Fix mips64n32 getdents alias Consolidate scandir{at}{64} implementation Update hppa libm-test-ulps Consolidate alphasort{64} and versionsort{64} implementation Consolidate getdirentries{64} implementation Consolidate Linux readahead implementation Deprecate ustat syscall interface Fix ChangeLog from cf2478d53ad commit Fix concurrent changes on nscd aware files (BZ #23178) posix: Fix posix_spawnp to not execute invalid binaries in non compat mode (BZ#23264) Fix Linux fcntl OFD locks for non-LFS architectures (BZ#20251) Revert hurd errno.h changes Fix hurd expected fcntl version posix: Sync gnulib regex implementation posix: Fix bug-regex33 after regex sync Comment tst-ofdlocks-compat expected failure in some Linux releases nptl: Add C11 threads thrd_* functions nptl: Add C11 threads mtx_* functions nptl: Add C11 threads call_once functions nptl: Add C11 threads cnd_* functions nptl: Add C11 threads tss_* functions nptl: Add abilist symbols for C11 threads nptl: Add test cases for ISO C11 threads Mention ISO C threads addition Fix C11 conformance issues Fix ISO C threads installed header and HURD assumption Fix Linux fcntl OFD locks on unsupported kernels Update SH libm-tests-ulps Agustina Arzille (2): hurd: Rewrite __libc_cleanup_* hurd: Reimplement libc locks using mach's gsync Alan Modra (1): R_PARISC_TLS_DTPOFF32 reloc handling Alexandre Oliva (1): Revert: Amit Pawar (1): Use AVX_Fast_Unaligned_Load from Zen onwards. Andreas Schwab (11): Fix uninitialized variable in assert_perror (bug 22761) Fix multiple definitions of __nss_*_database (bug 22918) RISC-V: add remaining relocations Fix crash in resolver on memory allocation failure (bug 23005) Fix missing @ before texinfo command Add aliases to recognize normalized charset names (bug 19527) Fix comment typo Remove unneeded setting of errno after malloc failure Don't write beyond destination in __mempcpy_avx512_no_vzeroupper (bug 23196) Fix out-of-bounds access in IBM-1390 converter (bug 23448) Fix out of bounds access in findidxwc (bug 23442) Andrew Senkevich (1): Fix i386 memmove issue (bug 22644). Andrew Waterman (1): RISC-V: fmax/fmin: Handle signalling NaNs correctly. Aurelien Jarno (4): intl/tst-gettext: fix failure with newest msgfmt Fix posix/tst-glob_lstat_compat on alpha [BZ #22818] sparc32: Add nop before __startcontext to stop unwinding [BZ #22919] Add tst-sigaction.c to test BZ #23069 Carlos O'Donell (17): Fix -Os log1p, log1pf build (bug 21314). Improve DST handling (Bug 23102, Bug 21942, Bug 18018, Bug 23259). Fix fallback path in __pthread_mutex_timedlock (). Fix comments in _dl_dst_count and _dl_dst_substitute. libc: Extend __libc_freeres framework (Bug 23329). locale: XFAIL newlocale usage in static binary (Bug 23164) Keep expected behaviour for [a-z] and [A-z] (Bug 23393). Add missing localedata/en_US.UTF-8.in (Bug 23393). Update libc.pot. Update NEWS with ISO 14651 update information. Update translations for cs, pl, and uk. Update translations for bg, de, hr, pt_BR, sv, and vi. Update translation for be. Update contrib.texi contributions. Update tooling versions verified to work with glibc. Synchronize translation project PO files. Update NEWS, version.h, and features.h for glibc 2.28. Chung-Lin Tang (1): Update sysdeps/nios2/libm-test-ulps DJ Delorie (5): [RISC-V] Fix parsing flags in ELF64 files. RISC-V: Do not initialize $gp in TLS macros. Update ChangeLog for BZ 22884 - riscv fmax/fmin [BZ #22342] Fix netgroup cache keys. Update kernel version in syscall-names.list to 4.16. Daniel Alvarez (1): getifaddrs: Don't return ifa entries with NULL names [BZ #21812] David Michael (1): Lookup the startup server through /servers/startup Dmitry V. Levin (3): linux/aarch64: sync sys/ptrace.h with Linux 4.15 [BZ #22433] linux/powerpc: sync sys/ptrace.h with Linux 4.15 [BZ #22433, #22807] Update translations from the Translation Project Dragan Stanojevic - Nevidljivi (1): hr_HR locale: fix thousands_sep and mon_thousands_sep Florian Weimer (72): preadv2/pwritev2: Handle offset == -1 [BZ #22753] Record CVE-2018-6551 in NEWS and ChangeLog [BZ #22774] getlogin_r: switch Linux variant to struct scratch_buffer elf: Remove ad-hoc restrictions on dlopen callers [BZ #22787] ldconfig: Sync temporary files to disk before renaming them [BZ #20890] nptl: Move pthread_atfork to libc_nonshared.a nptl: Drop libpthread_nonshared.a from libpthread.so nptl: Turn libpthread.so into a symbolic link to the real DSO malloc: Revert sense of prev_inuse in comments Linux i386: tst-bz21269 triggers SIGBUS on some kernels support_format_addrinfo: Include unknown error number in result inet: Actually build and run tst-deadline manual: Move mbstouwcs to an example C file manual: Various fixes to the mbstouwcs example, and mbrtowc update resolv: Fully initialize struct mmsghdr in send_dg [BZ #23037] sunrpc: Remove stray exports without --enable-obsolete-rpc [BZ #23166] time: Use 64-bit time values for time zone parsing math: Merge strtod_nan_*.h into math-type-macros-*.h support: Add TEST_COMPARE_BLOB, support_quote_blob math: Reverse include order in <math-type-macros-*.h> i386: Drop -mpreferred-stack-boundary=4 Implement allocate_once for atomic initialization with allocation Switch IDNA implementation to libidn2 [BZ #19728] [BZ #19729] [BZ #22247] Add references to CVE-2017-18269, CVE-2018-11236, CVE-2018-11237 stdlib: Additional tests need generated locale dependencies support: Add wrappers for pthread_barrierattr_t libio: Avoid _allocate_buffer, _free_buffer function pointers [BZ #23236] Remove sysdeps/generic/libcidn.abilist math: Update i686 ulps math: Update i686 ulps (--disable-multi-arch configuration) x86: Make strncmp usable from rtld scripts/update-abilist.sh: Accept empty list of files to patch localedata: Make IBM273 compatible with ISO-8859-1 [BZ #23290] Linux: Create Netlink socket with SOCK_CLOEXEC in __check_pf [BZ #15722] libio: Avoid ptrdiff_t overflow in IO_validate_vtable math: Set 387 and SSE2 rounding mode for tgamma on i386 [BZ #23253] nscd restart: Use malloc instead of extend_alloca [BZ #18023] nscd: Use struct scratch_buffer, not extend_alloca in most caches [BZ #18023] nscd: Switch to struct scratch_buffer in adhstaiX [BZ #18023] getgrent_next_nss (compat-initgroups): Remove alloca fallback [BZ #18023] _nss_nis_initgroups_dyn: Use struct scratch_buffer [BZ #18023] getent: Use dynarray in initgroups_keys [BZ #18023] nss_files: Use struct scratch_buffer instead of extend_alloca [BZ #18023] libio: Disable vtable validation in case of interposition [BZ #23313] support: Add TEST_NO_SETVBUF libio: Add tst-vtables, tst-vtables-interposed sunrpc: Remove always-defined _RPC_THREAD_SAFE_ macro Run thread shutdown functions in an explicit order wordexp: Rewrite parse_tilde to use struct scratch_buffer [BZ #18023] gethostid (Linux variant): Switch to struct scratch_buffer [BZ #18023] _dl_map_object_deps: Use struct scratch_buffer [BZ #18023] Remove macros extend_alloca, extend_alloca_account [BZ #18023] Use _STRUCT_TIMESPEC as guard in <bits/types/struct_timespec.h> [BZ #23349] malloc: Update heap dumping/undumping comments [BZ #23351] stdio-common/tst-printf.c: Remove part under a non-free license [BZ #23363] testrun.sh: Implement --tool=strace, --tool=valgrind Add renameat2 function [BZ #17662] Compile debug/stack_chk_fail_local.c with stack protector Build csu/elf-init.c and csu/static-reloc.c with stack protector conform/conformtest.pl: Escape literal braces in regular expressions libio: Implement internal function __libc_readline_unlocked nss_files: Fix re-reading of long lines [BZ #18991] Fix copyright years in recent commits regexec: Fix off-by-one bug in weight comparison [BZ #23036] Add the statx function Install <bits/statx.h> header nptl: Use __mprotect consistently for _STACK_GROWS_UP regcomp: Fix off-by-one bug in build_equiv_class [BZ #23396] sh: Do not define __ASSUME_STATX alpha: mlock2, copy_file_range syscalls were introduced in kernel 4.13 C11 threads: Fix timeout and locking issues htl: Use weak aliases for public symbols Flávio Cruz (1): hurd: Define and pass UTIME_NOW and UTIME_OMIT to new file_utimens RPC Francois Goichon (1): malloc: harden removal from unsorted list Gabriel F. T. Gomes (3): powerpc64*: fix the order of implied sysdeps directories Fix parameter type in C++ version of iseqsig (bug 23171) ldbl-128ibm-compat: Add printf_size H.J. Lu (76): sparc: Check PIC instead of SHARED in start.S [BZ #22638] x86-64: Use __glibc_likely/__glibc_likely in dl-machine.h Add a missing ChangeLog item in commit 371b220f620 Fix a typo in ChangeLog entry i386: Use __glibc_likely/__glibc_likely in dl-machine.h Add DT_SYMTAB_SHNDX from gABI Use ADDRIDX with DT_GNU_HASH Define GEN_AS_CONST_HEADERS when generating header files [BZ #22792] Fix a typo in ChangeLog (bit_cpu_BIT -> bit_cpu_IBT) Fix a typo in ChangeLog: auch_fork -> arch_fork Remove hidden __libc_longjmp Add $(tests-execstack-$(have-z-execstack)) after defined [BZ #22998] Update RWF_SUPPORTED for Linux kernel 4.16 [BZ #22947] x86: Use pad in pthread_unwind_buf to preserve shadow stack register x86-64/setcontext: Pop the pointer into %rdx after syscall cl x86-64/swapcontext: Restore the pointer into %rdx after syscall x86-64/memset: Mark the debugger symbol as hidden x86-64: Remove the unnecessary testl in strlen-avx2.S x86: Add sysdeps/x86/ldsodefs.h i386: Replace PREINIT_FUNCTION@PLT with *%eax in call x86-64: Use IFUNC strncat inside libc.so nptl: Remove __ASSUME_PRIVATE_FUTEX Initial Fast Short REP MOVSB (FSRM) support x86-64: Check Prefer_FSRM in ifunc-memmove.h Add a test case for [BZ #23196] x86-64: Skip zero length in __mem[pcpy|move|set]_erms static-PIE: Update DT_DEBUG for debugger [BZ #23206] Mark _init and _fini as hidden [BZ #23145] i386: Change offset of __private_ss to 0x30 [BZ #23250] benchtests: Add -f/--functions argument x86: Rename __glibc_reserved1 to feature_1 in tcbhead_t [BZ #22563] x86: Support shadow stack pointer in setjmp/longjmp x86_64: Undef SHADOW_STACK_POINTER_OFFSET last x86: Support IBT and SHSTK in Intel CET [BZ #21598] x86: Always include <dl-cet.h>/cet-tunables.h> for --enable-cet x86: Add _CET_ENDBR to functions in crti.S x86: Add _CET_ENDBR to functions in dl-tlsdesc.S x86-64: Add _CET_ENDBR to STRCMP_SSE42 i386: Add _CET_ENDBR to indirect jump targets in add_n.S/sub_n.S x86_64: Use _CET_NOTRACK in strcmp.S x86-64: Use _CET_NOTRACK in strcpy-sse2-unaligned.S x86-64: Use _CET_NOTRACK in strcmp-sse42.S x86-64: Use _CET_NOTRACK in memcpy-ssse3-back.S x86-64: Use _CET_NOTRACK in memcpy-ssse3.S i386: Use _CET_NOTRACK in i686/memcmp.S i386: Use _CET_NOTRACK in memset-sse2.S i386: Use _CET_NOTRACK in memcmp-sse4.S i386: Use _CET_NOTRACK in memcpy-ssse3-rep.S i386: Use _CET_NOTRACK in memcpy-ssse3.S i386: Use _CET_NOTRACK in strcpy-sse2.S i386: Use _CET_NOTRACK in strcat-sse2.S i386: Use _CET_NOTRACK in memset-sse2-rep.S x86-64: Use _CET_NOTRACK in memcmp-sse4.S Intel CET: Document --enable-cet x86/CET: Document glibc.tune.x86_ibt and glibc.tune.x86_shstk INSTALL: Add a note for Intel CET status x86-64: Add endbr64 to tst-quadmod[12].S x86: Update vfork to pop shadow stack Add <bits/indirect-return.h> x86/CET: Extend arch_prctl syscall for CET control x86: Rename __glibc_reserved2 to ssp_base in tcbhead_t x86/CET: Add tests with legacy non-CET shared objects Add a test for multiple makecontext calls Add another test for setcontext Add a test for multiple setcontext calls Add tests for setcontext on the context from makecontext x86-64/CET: Extend ucontext_t to save shadow stack x86/CET: Add a setcontext test for CET ia64: Work around incorrect type of IA64 uc_sigmask x86: Correct index_cpu_LZCNT [BZ # 23456] x86: Populate COMMON_CPUID_INDEX_80000001 for Intel CPUs [BZ #23459] Add the missing ChangeLog entry for commit be525a69a66 x86/CET: Don't parse beyond the note end x86: Add tst-get-cpu-features-static to $(tests) [BZ #23458] x86/CET: Fix property note parser [BZ #23467] Herman ten Brugge (1): Fix sign of NaN returned by strtod (bug 23007). Hongbo Zhang (1): aarch64: add HXT Phecda core memory operation ifuncs Igor Gnatenko (1): Linux: use reserved name __key in pkey_get [BZ #22797] Jesse Hathaway (1): getlogin_r: return early when linux sentinel value is set John David Anglin (2): Fix ulps for pow on hppa. The hppa-linux target still requires an executable stack for kernel Joseph Myers (110): Do not use packed structures in soft-fp. Fix m68k bits/fenv.h for no-FPU ColdFire. Add ColdFire math-tests.h. Move some fenv.h override macros to generic math_private.h. Move fenv.h override inline functions to generic math_private.h. Add feholdexcept inline in generic math_private.h. Remove some math_private.h libc_fe* overrides. Remove some math_private.h libc_feholdexcept_setround overrides. Move LDBL_CLASSIFY_COMPAT to its own header. Update syscall-names.list for 4.15. Add MAP_SHARED_VALIDATE from Linux 4.15. Add MAP_SYNC from Linux 4.15. Add elf.h NT_* macros from Linux 4.15 (bug 14890). Add IPV6_FREEBIND from Linux 4.15. Add TCP_FASTOPEN_KEY, TCP_FASTOPEN_NO_COOKIE from Linux 4.15. Only define loff_t for __USE_MISC (bug 14553). Use xmalloc in tst-setcontext-fpscr.c (bug 19668). Correct type of SSIZE_MAX for 32-bit (bug 13575). Move string/testcopy.c to test-driver.c and xmalloc (bug 19667). Fix non-__GNUC__ definitions of __inline and __restrict (bug 17721). Unify and simplify bits/byteswap.h, bits/byteswap-16.h headers (bug 14508, bug 15512, bug 17082, bug 20530). Fix -Os strcoll, wcscoll, build (bug 21313). Fix -Os gnu_dev_* linknamespace, localplt issues (bug 15105, bug 19463). Use MPFR 4.0.1 in build-many-glibcs.py. Define char16_t, char32_t consistently with uint_least16_t, uint_least32_t (bug 17979). Remove unused math/Makefile variable libm-test-incs. Add build infrastructure for narrowing libm functions. Add test infrastructure for narrowing libm functions. Handle narrowing function sNaN test disabling based on argument format. Fix narrowing function tests build for powerpc64le. Add narrowing add functions. Fix -Os feof_unlocked linknamespace, localplt issues (bug 15105, bug 19463). Use libc_hidden_* for fputs (bug 15105). Use libc_hidden_* for __cmsg_nxthdr (bug 15105). Use libc_hidden_* for argz_next, __argz_next (bug 15105). Fix hppa local PLT entries for sigprocmask (bug 18124). Document use of CC and CFLAGS in more detail (bug 20980, bug 21234). Fix -Os ferror_unlocked linknamespace, localplt issues (bug 15105, bug 19463). Fix -Os getc_unlocked linknamespace, localplt issues (bug 15105, bug 19463). Fix -Os putc_unlocked, fputc_unlocked linknamespace, localplt issues (bug 15105, bug 19463). Use libc_hidden_* for tolower, toupper (bug 15105). Use libc_hidden_* for atoi (bug 15105). Fix another -Os strcoll build issue. Fix two more -Os strcoll / wcscoll build failures. Use libc_hidden_* for strtoumax (bug 15105). Fix i386 fenv_private.h float128 for 32-bit --with-fpmath=sse (bug 22902). Fix powerpc ifunc-sel.h build for -Os. Fix s390 -Os iconv build. Remove old-GCC parts of x86 bits/mathinline.h. Remove more old-compilers parts of sysdeps/x86/fpu/bits/mathinline.h. Update i386 libm-test-ulps. Remove sysdeps/x86/fpu/bits/mathinline.h __finite inline. Add SHT_X86_64_UNWIND to elf.h (bug 20079). Add narrowing subtract functions. Fix signed integer overflow in random_r (bug 17343). Remove powerpc, sparc fdim inlines (bug 22987). Use x86_64 backtrace as generic version. Remove unused frame.h header, sigcontextinfo.h macros. Unify umount function implementations (bug 16552). Use Linux 4.16 in build-many-glibcs.py. Make build-many-glibcs.py build GCC for powerpcspe with --enable-obsolete. Update aarch64 bits/hwcap.h, dl-procinfo.c for Linux 4.16 HWCAP_ASIMDFHM. Define XTABS to TAB3 on alpha to match Linux 4.16. Add NT_PPC_PKEY from Linux 4.16 to elf.h. Add PTRACE_SECCOMP_GET_METADATA from Linux 4.16 to sys/ptrace.h. Fix Hurd glibc build with GCC 8. Use GCC 8 in build-many-glibcs.py by default. Remove tilegx port. Ignore absolute symbols in ABI tests. Move math_narrow_eval to separate math-narrow-eval.h. Move math_opt_barrier, math_force_eval to separate math-barriers.h. Move math_check_force_underflow macros to separate math-underflow.h. Do not include math-barriers.h in math_private.h. Add narrowing multiply functions. Update MIPS libm-test-ulps. Add narrowing divide functions. Fix year 2039 bug for localtime with 64-bit time_t (bug 22639). Obsolete nfsservctl. Split test-tgmath3 by function. Make llseek a compat symbol (bug 18471). Fix i686-linux-gnu build with GCC mainline. Remove sysdeps/aarch64/soft-fp directory. Remove sysdeps/alpha/soft-fp directory. Remove sysdeps/sh/soft-fp directory. Remove sysdeps/powerpc/soft-fp directory. Remove sysdeps/sparc/sparc32/soft-fp directory. Remove sysdeps/sparc/sparc64/soft-fp directory. Make powerpc-nofpu __sqrtsf2, __sqrtdf2 compat symbols (bug 18473). Use Linux 4.17 in build-many-glibcs.py. Update kernel version in syscall-names.list to 4.17. Add MAP_FIXED_NOREPLACE from Linux 4.17 to bits/mman.h. Add AArch64 hwcap values from Linux 4.17. Fix ldbl-96 fma (Inf, Inf, finite) (bug 23272). Do not use const attribute for nan functions (bug 23277). Fix strtod overflow detection (bug 23279). Ignore -Wrestrict for one strncat test. Add tests for sign of NaN returned by strtod (bug 23007). Fix powerpc64le build of nan-sign tests (bug 23303). Update MAP_TYPE value for hppa from Linux 4.17. Add MSG_STAT_ANY from Linux 4.17 to bits/msq.h. Add SEM_STAT_ANY from Linux 4.17 to bits/sem.h. Add SHM_STAT_ANY from Linux 4.17 to bits/shm.h. Fix scanf rounding of negative floating-point numbers (bug 23280). Fix bug-strspn1.c, bug-strpbrk1.c build with GCC mainline. Fix tst-cmp.c build with GCC mainline. Fix hardcoded /tmp paths in testing (bug 13888). Remove nptl/sockperf.c. Avoid insecure usage of tmpnam in tests. Use binutils 2.31 branch in build-many-glibcs.py. Update powerpc-nofpu ulps. Leonardo Sandoval (6): x86-64: remove duplicate line on PREFETCH_ONE_SET macro Add missing changelog from previous commit x86-64: Optimize strcmp/wcscmp and strncmp/wcsncmp with AVX2 benchtests: Add --no-diff and --no-header options benchtests: Catch exceptions in input arguments benchtests: improve argument parsing through argparse library Maciej W. Rozycki (6): nptl_db: Remove stale `match_pid' parameter from `iterate_thread_list' elf: Unify symbol address run-time calculation [BZ #19818] elf: Correct absolute (SHN_ABS) symbol run-time calculation [BZ #19818] nisplus: Correct pwent parsing issue and resulting build error [BZ #23266] elf: Accept absolute (SHN_ABS) symbols whose value is zero [BZ #23307] libc-abis: Define ABSOLUTE ABI [BZ #19818][BZ #23307] Mark Wielaard (1): elf.h: Add BPF relocation types. Martin Sebor (1): Document interaction with GCC built-ins in the Customizing Printf Michael Wolf (1): New locale: Lower Sorbian (dsb_DE) [BZ #23208] Mike FABIAN (23): Add missing “reorder-end” in LC_COLLATE of et_EE [BZ #22517] Use “copy "es_BO"” in LC_TIME of es_CU, es_CL, and es_EC Use / instead of - in d_fmt for pt_BR and pt_PT [BZ #17438] Remove --quiet argument when installing locales Update iso14651_t1_common file to ISO14651_2016_TABLE1_en.txt [BZ #14095] Necessary changes after updating the iso14651_t1_common file iso14651_t1_common: <U\([0-9A-F][0-9A-F][0-9A-F][0-9A-F][0-9A-F]\)> → <U000\1> Fixing syntax errors after updating the iso14651_t1_common file Add convenience symbols like <AFTER-A>, <BEFORE-A> to iso14651_t1_common iso14651_t1_common: make the fourth level the codepoint for characters which are ignorable on all 4 levels Add sections for various scripts to the iso14651_t1_common file Collation order of ȥ has changed in new iso14651_t1_common file, adapt test files Collation order of @-. and space has changed in new iso14651_t1_common file, adapt test files Fix posix/bug-regex5.c test case, adapt to iso14651_t1_common upate Fix test cases tst-fnmatch and tst-regexloc for the new iso14651_t1_common file. Improve gen-locales.mk and gen-locale.sh to make test files with @ options work Adapt collation in several locales to the new iso14651_t1_common file Remove the lines from cmn_TW.UTF-8.in which cannot work at the moment. bg_BG locale: Fix a typo in a comment an_ES locale: update some locale data [BZ #22896] Fix tst-strfmon_l test for hr_HR locale Bug 23308: Update to Unicode 11.0.0 Put the correct Unicode version number 11.0.0 into the generated files Patrick McGehearty (1): Improves __ieee754_exp(x) performance by 18-37% when |x| < 1.0397 Patsy Franklin (1): In sem_open.c, pad was not initialized when __HAVE_64B_ATOMICS was Paul Pluzhnikov (3): Fix BZ 20419. A PT_NOTE in a binary could be arbitratily large, so using Fix BZ 22786: integer addition overflow may cause stack buffer overflow Update ulps with "make regen-ulps" on AMD Ryzen 7 1800X. Quentin PAGÈS (1): oc_FR locale: Multiple updates (bug 23140, bug 23422). Rafal Luzynski (13): lt_LT locale: Update abbreviated month names (bug 22932). Greek (el_CY, el_GR) locales: Introduce ab_alt_mon (bug 22937). cs_CZ locale: Add alternative month names (bug 22963). NEWS: Mention the locale data changes (bug 22848, 22937, 22963). gd_GB: Fix typo in abbreviated "May" (bug 23152). gd_GB, hsb_DE, wa_BE: Add alternative month names (bug 23140). csb_PL: Update month translations + add yesstr/nostr (bug 19485). csb_PL: Add alternative month names (bug 23140). ast_ES: Add alternative month names (bug 23140). hy_AM: Add alternative month names (bug 23140). dsb_DE locale: Fix syntax error and add tests (bug 23208). os_RU: Add alternative month names (bug 23140). NEWS: Avoid the words "nominative" and "genitive". Rajalakshmi Srinivasaraghavan (3): powerpc: Add multiarch sqrtf128 for ppc64le ldbl-128ibm-compat: Introduce ieee128 symbols Add long double input for strfmon test Raymond Nicholson (1): manual/startup.texi (Aborting a Program): Remove inappropriate joke. Rical Jasan (9): manual: Fix Texinfo warnings about improper node names. manual: Fix a syntax error. manual: Improve documentation of get_current_dir_name. [BZ #6889] manual: Document missing feature test macros. manual: Update the _ISOC99_SOURCE description. manual: Update _DEFAULT_SOURCE. [BZ #22862] Fix a typo in a comment. Add [BZ #16335] annotation to ChangeLog entry. Add manual documentation for threads.h Richard Braun (1): Hurd: fix port leak in TLS Robert Buj (1): ca_ES locale: Update LC_TIME (bug 22848). Rogerio Alves (1): powerpc64: Always restore TOC on longjmp [BZ #21895] Samuel Thibault (131): hurd: Fix build nscd: don't unconditionally use PTHREAD_RWLOCK_WRITER_NONRECURSIVE_INITIALIZER_NP hurd: Define EXEC_PAGESIZE hurd: Fix build on missing __ptsname_internal function hurd: fix build hurd: Add sysdep-cancel.h Move NPTL-specific code to NPTL-specific header hurd: fix timer_routines.c build hurd: fix gai_misc build hurd: fix timer_routines.c build hurd: do not check Mach and Hurd headers hurd: Add missing includes hurd: Add missing includes hurd: Move mach/param.h to bits/mach/param.h hurd: avoid including hurd/signal.h when not needed hurd: fix header conformity hurd: Add missing include hurd: Avoid using ino64_t and loff_t in headers hurd: Fix inclusion of mach headers in all standards hurd: Make almost all hurd headers includable in all standards Separate out error_t definition hurd: Add futimens support hurd: Fix includability of <hurd/signal.h> in all standards hurd: Add futimesat and utimensat support Add missing start-of-file descriptive comment. hurd: add gscope support hurd: add TLS support hurd: Fix getting signal thread stack layout for fork hurd: Replace threadvars with TLS hurd: Fix link cthread/pthread symbol exposition. hurd: Fix coding style x86_64: Fix build with RTLD_PRIVATE_ERRNO defined to 1 hurd: Add missing include hurd: Fix copyright years hurd: Fix O_NOFOLLOW hurd: Fix O_DIRECTORY | O_NOFOLLOW hurd: Fix boot with statically-linked exec server hurd: Add mlockall support hurd: fix build hurd: Fix build with latest htl hurd: Code style fixes Fix errno values hurd: Fix accessing errno from rtld hurd: Initialize TLS and libpthread before signal thread start Add missing changelog from previous commit hurd: Fix calling __pthread_initialize_minimal in shared case hurd: Regenerate errno.h header hurd: advertise process memory locking option hurd: avoid letting signals go to thread created by timer_create hurd: Add hurd thread library hurd libpthread: add function missing in ABI list hurd: Advertise libpthread hurd: Remove bogus net/if_ppp.h hurd: Bump remaining LGPL2+ htl licences to LGPL 2.1+ hurd: Announce that glibc now builds unpatched hurd: Fix exposition of UTIME_NOW, UTIME_OMIT hurd: Avoid local PLTs in libpthread. hurd: Avoid some PLTs in libc and librt Revert __dirfd PLT avoidance for now hurd: whitelist rtld symbols expected to be overridable hurd: Add __errno_location to overridable ld.so symbols hurd: Update localplt.data hurd: whitelist ld.so PLTs supposed to be avoided by rtld_hidden hurd: Avoid some libc.so PLTs hurd: Avoid more libc.so PLTs hurd: Fix typo hurd: Avoid more libc.so local PLTs hurd: Avoid local PLT in libpthread s390x: Fix hidden aliases hurd: Fix buffer overrun in __if_nametoindex Revert "s390x: Fix hidden aliases" Revert parts of "hurd: Avoid more libc.so local PLTs" hurd: Make __if_nametoindex return ENODEV if ifname is too long hurd: Fix missing trailing NUL in __if_nametoindex hurd: Silence warning hurd: Add missing symbols hurd: fix build hurd: Fix typo hurd: Avoid PLTs for longjmp & siglongjmp hurd: Avoid PLT for dirfd Revert "hurd: Avoid PLTs for longjmp & siglongjmp" hurd: fix conformity test for sys/un.h hurd: Fix spurious installation of headers defining hidden prototypes Fix sched_param conform sys/un.h: Allow sun_ prefix, not only sun_len Revert "Fix sched_param" hurd: Fix mach installed headers test hurd: xfail some structure fields ABI incompatibility with standards hurd: Fix standard compliance of some statvfs fields hurd: Update struct statfs according to struct statvfs hurd: Fix symbols exposition hurd: Avoid exposing all <sched.h> symbols from sys/types.h hurd: fix sigevent's sigev_notify_attributes field type hurd: remove non-standard siginfo symbol hurd: Fix termios.h symbols hurd: Add missing RLIM_SAVED_MAX/CUR hurd: Fix hurd installed headers test Drop fpregset unused symbol exposition Revert "hurd: Fix mach installed headers test" hurd: XFAIL appearance of sched_param and sched_priority from <sys/types.h> hurd: XFAIL tests for signal features not implemented yet hurd xfails: Add missing bug references hurd: Fix shmid_ds's shm_segsz field type hurd: xfail missing abilist for libmachuser and libhurduser hurd: update localplt.data hurd: Avoid PLTs for _hurd_port_locked_get/set hurd: Avoid PLTs for __mach_thread_self and __mach_reply_port hurd: Avoid a PLT reference hurd: Fix htl link failure hurd: avoid PLT ref between sendfile and sendfile64 hurd: Detect 32bit overflow in value returned by lseek hurd: Avoid PLT ref for __pthread_get_cleanup_stack hurd: Avoid missing PLT ref from ld.so requirement hurd: Avoid PLT references to shortcuts hurd: Avoid PLT ref to __mach_msg hurd: Avoid PLT references to syscalls hurd: Whitelist PLT refs which are difficult to avoid hurd: Fix missing __pthread_get_cleanup_stack symbol hurd: Fix reference to _hurd_self_sigstate hurd: Fix "Missing required PLT reference" hurd: fix localplt.data format hurd: Enable thread-safe i386 atomic instructions Fix new file header hurd: Fix installed-headers tests check-execstack: Permit sysdeps to xfail some libs hurd: Fix some ld.so symbol override from libc hurd: Fix some ld.so symbol override from libc hurd: Fix some ld.so symbol override from libc hurd: Fix startup of static binaries linked against libpthread hurd: Add missing ChangeLog entry hurd: Fix exec usage of mach_setup_thread Sean McKean (1): time: Reference CLOCKS_PER_SEC in clock comment [BZ #22735] Siddhesh Poyarekar (18): benchtests: Reallocate buffers for every test run benchtests: Make bench-memcmp print json aarch64: Use the L() macro for labels in memcmp aarch64/strcmp: fix misaligned loop jump target benchtests: Convert strncmp benchmark output to json benchtests: Reallocate buffers for every strncmp implementation benchtests: Don't benchmark 0 length calls for strncmp Add ChangeLog entry for last 3 commits aarch64: Optimized memcmp for medium to large sizes aarch64: Fix branch target to loop16 aarch64: Improve strncmp for mutually misaligned inputs aarch64/strncmp: Unbreak builds with old binutils aarch64/strncmp: Use lsr instead of mov+lsr benchtests: Move iterator declaration into loop header aarch64,falkor: Ignore prefetcher hints for memmove tail aarch64,falkor: Ignore prefetcher tagging for smaller copies aarch64,falkor: Use vector registers for memmove aarch64,falkor: Use vector registers for memcpy Stefan Liebler (9): S390: Regenerate ULPs. Add runtime check if mutex will be elided in tst-mutex8 testcases. S390: Regenerate ULPs. S390: Regenerate ULPs. S390: Fix struct sigaction for 31bit in kernel_sigaction.h. Use volatile global counters in test-tgmath.c. Disable lock elision for mutex pretty printer tests. Fix blocking pthread_join. [BZ #23137] Fix string/tst-xbzero-opt if build with gcc head. Steve Ellcey (2): IFUNC for Cavium ThunderX2 aarch64: Use an ifunc/VDSO to implement gettimeofday in shared glibc. Sylvain Lesage (1): es_BO locale: Change LC_PAPER to en_US (bug 22996). Szabolcs Nagy (5): Remove slow paths from exp Fix documentation build with old makeinfo Use uint32_t sign in single precision math error handling functions aarch64: Remove HWCAP_CPUID from HWCAP_IMPORTANT aarch64: add HWCAP_ATOMICS to HWCAP_IMPORTANT Thomas Schwinge (3): hurd: SOCK_CLOEXEC and SOCK_NONBLOCK for socket hurd: SOCK_CLOEXEC and SOCK_NONBLOCK for socketpair hurd: Implement pipe2 Tulio Magno Quites Machado Filho (14): powerpc: Update pow() ULPs powerpc: Undefine Linux ptrace macros that conflict with __ptrace_request powerpc: Update sin, cos and sincos ULPs Increase robustness of internal dlopen() by using RTLD_NOW [BZ #22766] Replace M_SUF (fabs) with M_FABS Replace M_SUF (M_LN2) with M_MLIT (M_LN2) Replace hidden_def with libm_hidden_def in math powerpc: Fix the compiler type used with C++ when -mabi=ieeelongdouble powerpc: Move around math-related Implies powerpc64le: Fix TFtype in sqrtf128 when using -mabi=ieeelongdouble Move declare_mgen_finite_alias definition Add a generic significand implementation ldbl-128ibm-compat: Create libm-alias-float128.h m68k: Reorganize log1p and significand implementations Valery Timiriliyev (1): New locale: Yakut (Sakha) for Russia (sah_RU) [BZ #22241] Vincent Chen (1): Add Andes nds32 dynamic relocations to elf.h Wilco Dijkstra (20): Remove slow paths from log [AArch64] Use builtins for fpcr/fpsr [AArch64] Fix testsuite error due to fpsr/fscr change Remove slow paths from pow Remove mplog and mpexp [AArch64] Fix include. Use correct includes in benchtests Add support for sqrt asm redirects Rename all __ieee754_sqrt(f/l) calls to sqrt(f/l) Remove all target specific __ieee754_sqrt(f/l) inlines Revert m68k __ieee754_sqrt change Undefine attribute_hidden to fix benchtests sin/cos slow paths: avoid slow paths for small inputs sin/cos slow paths: remove large range reduction sin/cos slow paths: remove slow paths from small range reduction sin/cos slow paths: remove slow paths from huge range reduction sin/cos slow paths: remove unused slowpath functions sin/cos slow paths: refactor duplicated code into dosin sin/cos slow paths: refactor sincos implementation Improve strstr performance Zack Weinberg (23): Remove some unnecessary redefinitions of std symbols. Remove getc and putc macros from the public stdio.h. Don't install libio.h or _G_config.h. Post-cleanup 1: move libio.h back out of bits/. Post-cleanup 2: minimize _G_config.h. [BZ #22830] malloc_stats: restore cancellation for stderr correctly. [BZ #19239] Don't include sys/sysmacros.h from sys/types.h. Remove vestiges of external build support from libio headers. Mechanically remove _IO_ name aliases for types and constants. Remove legacy configuration knobs from libio. Remove _IO_file_flags define. Remove miscellaneous debris from libio. alpha/clone.S: Invoke .set noat/.set at around explicit uses of $at Don't include math.h/math_private.h in math_ldbl_opt.h. nldbl-compat.c: Include math.h before nldbl-compat.h. [BZ 1190] Make EOF sticky in stdio. Make sysdeps/generic/internal-signals.h less stubby. NEWS: Reindent and copyedit Avoid cancellable I/O primitives in ld.so. Disallow use of DES encryption functions in new programs. manual: Reorganize crypt.texi. manual: Revise crypt.texi. New configure option --disable-crypt. Zong Li (1): Change URL of gcc's tarball -----------------------------------------------------------------------