Ruby 3.5.0dev (2025-04-04 revision 6b5e187d0eb07994fee7b5f0336da388a793dcbb)
io_buffer.c (6b5e187d0eb07994fee7b5f0336da388a793dcbb)
1/**********************************************************************
2
3 io_buffer.c
4
5 Copyright (C) 2021 Samuel Grant Dawson Williams
6
7**********************************************************************/
8
9#include "ruby/io/buffer.h"
11
12// For `rb_nogvl`.
13#include "ruby/thread.h"
14
15#include "internal.h"
16#include "internal/array.h"
17#include "internal/bits.h"
18#include "internal/error.h"
19#include "internal/gc.h"
20#include "internal/numeric.h"
21#include "internal/string.h"
22#include "internal/io.h"
23
24VALUE rb_cIOBuffer;
25VALUE rb_eIOBufferLockedError;
26VALUE rb_eIOBufferAllocationError;
27VALUE rb_eIOBufferAccessError;
28VALUE rb_eIOBufferInvalidatedError;
29VALUE rb_eIOBufferMaskError;
30
31size_t RUBY_IO_BUFFER_PAGE_SIZE;
32size_t RUBY_IO_BUFFER_DEFAULT_SIZE;
33
34#ifdef _WIN32
35#else
36#include <unistd.h>
37#include <sys/mman.h>
38#endif
39
40enum {
41 RB_IO_BUFFER_HEXDUMP_DEFAULT_WIDTH = 16,
42
43 RB_IO_BUFFER_INSPECT_HEXDUMP_MAXIMUM_SIZE = 256,
44 RB_IO_BUFFER_INSPECT_HEXDUMP_WIDTH = 16,
45
46 // This is used to validate the flags given by the user.
47 RB_IO_BUFFER_FLAGS_MASK = RB_IO_BUFFER_EXTERNAL | RB_IO_BUFFER_INTERNAL | RB_IO_BUFFER_MAPPED | RB_IO_BUFFER_SHARED | RB_IO_BUFFER_LOCKED | RB_IO_BUFFER_PRIVATE | RB_IO_BUFFER_READONLY,
48
49 RB_IO_BUFFER_DEBUG = 0,
50};
51
53 void *base;
54 size_t size;
55 enum rb_io_buffer_flags flags;
56
57#if defined(_WIN32)
58 HANDLE mapping;
59#endif
60
61 VALUE source;
62};
63
64static inline void *
65io_buffer_map_memory(size_t size, int flags)
66{
67#if defined(_WIN32)
68 void * base = VirtualAlloc(0, size, MEM_COMMIT, PAGE_READWRITE);
69
70 if (!base) {
71 rb_sys_fail("io_buffer_map_memory:VirtualAlloc");
72 }
73#else
74 int mmap_flags = MAP_ANONYMOUS;
75 if (flags & RB_IO_BUFFER_SHARED) {
76 mmap_flags |= MAP_SHARED;
77 }
78 else {
79 mmap_flags |= MAP_PRIVATE;
80 }
81
82 void * base = mmap(NULL, size, PROT_READ | PROT_WRITE, mmap_flags, -1, 0);
83
84 if (base == MAP_FAILED) {
85 rb_sys_fail("io_buffer_map_memory:mmap");
86 }
87
88 ruby_annotate_mmap(base, size, "Ruby:io_buffer_map_memory");
89#endif
90
91 return base;
92}
93
94static void
95io_buffer_map_file(struct rb_io_buffer *buffer, int descriptor, size_t size, rb_off_t offset, enum rb_io_buffer_flags flags)
96{
97#if defined(_WIN32)
98 HANDLE file = (HANDLE)_get_osfhandle(descriptor);
99 if (!file) rb_sys_fail("io_buffer_map_descriptor:_get_osfhandle");
100
101 DWORD protect = PAGE_READONLY, access = FILE_MAP_READ;
102
103 if (flags & RB_IO_BUFFER_READONLY) {
104 buffer->flags |= RB_IO_BUFFER_READONLY;
105 }
106 else {
107 protect = PAGE_READWRITE;
108 access = FILE_MAP_WRITE;
109 }
110
111 if (flags & RB_IO_BUFFER_PRIVATE) {
112 protect = PAGE_WRITECOPY;
113 access = FILE_MAP_COPY;
114 buffer->flags |= RB_IO_BUFFER_PRIVATE;
115 }
116 else {
117 // This buffer refers to external buffer.
118 buffer->flags |= RB_IO_BUFFER_EXTERNAL;
119 buffer->flags |= RB_IO_BUFFER_SHARED;
120 }
121
122 HANDLE mapping = CreateFileMapping(file, NULL, protect, 0, 0, NULL);
123 if (RB_IO_BUFFER_DEBUG) fprintf(stderr, "io_buffer_map_file:CreateFileMapping -> %p\n", mapping);
124 if (!mapping) rb_sys_fail("io_buffer_map_descriptor:CreateFileMapping");
125
126 void *base = MapViewOfFile(mapping, access, (DWORD)(offset >> 32), (DWORD)(offset & 0xFFFFFFFF), size);
127
128 if (!base) {
129 CloseHandle(mapping);
130 rb_sys_fail("io_buffer_map_file:MapViewOfFile");
131 }
132
133 buffer->mapping = mapping;
134#else
135 int protect = PROT_READ, access = 0;
136
137 if (flags & RB_IO_BUFFER_READONLY) {
138 buffer->flags |= RB_IO_BUFFER_READONLY;
139 }
140 else {
141 protect |= PROT_WRITE;
142 }
143
144 if (flags & RB_IO_BUFFER_PRIVATE) {
145 buffer->flags |= RB_IO_BUFFER_PRIVATE;
146 access |= MAP_PRIVATE;
147 }
148 else {
149 // This buffer refers to external buffer.
150 buffer->flags |= RB_IO_BUFFER_EXTERNAL;
151 buffer->flags |= RB_IO_BUFFER_SHARED;
152 access |= MAP_SHARED;
153 }
154
155 void *base = mmap(NULL, size, protect, access, descriptor, offset);
156
157 if (base == MAP_FAILED) {
158 rb_sys_fail("io_buffer_map_file:mmap");
159 }
160#endif
161
162 buffer->base = base;
163 buffer->size = size;
164
165 buffer->flags |= RB_IO_BUFFER_MAPPED;
166 buffer->flags |= RB_IO_BUFFER_FILE;
167}
168
169static void
170io_buffer_experimental(void)
171{
172 static int warned = 0;
173
174 if (warned) return;
175
176 warned = 1;
177
178 if (rb_warning_category_enabled_p(RB_WARN_CATEGORY_EXPERIMENTAL)) {
180 "IO::Buffer is experimental and both the Ruby and C interface may change in the future!"
181 );
182 }
183}
184
185static void
186io_buffer_zero(struct rb_io_buffer *buffer)
187{
188 buffer->base = NULL;
189 buffer->size = 0;
190#if defined(_WIN32)
191 buffer->mapping = NULL;
192#endif
193 buffer->source = Qnil;
194}
195
196static void
197io_buffer_initialize(VALUE self, struct rb_io_buffer *buffer, void *base, size_t size, enum rb_io_buffer_flags flags, VALUE source)
198{
199 if (base) {
200 // If we are provided a pointer, we use it.
201 }
202 else if (size) {
203 // If we are provided a non-zero size, we allocate it:
204 if (flags & RB_IO_BUFFER_INTERNAL) {
205 base = calloc(size, 1);
206 }
207 else if (flags & RB_IO_BUFFER_MAPPED) {
208 base = io_buffer_map_memory(size, flags);
209 }
210
211 if (!base) {
212 rb_raise(rb_eIOBufferAllocationError, "Could not allocate buffer!");
213 }
214 }
215 else {
216 // Otherwise we don't do anything.
217 return;
218 }
219
220 buffer->base = base;
221 buffer->size = size;
222 buffer->flags = flags;
223 RB_OBJ_WRITE(self, &buffer->source, source);
224
225#if defined(_WIN32)
226 buffer->mapping = NULL;
227#endif
228}
229
230static void
231io_buffer_free(struct rb_io_buffer *buffer)
232{
233 if (buffer->base) {
234 if (buffer->flags & RB_IO_BUFFER_INTERNAL) {
235 free(buffer->base);
236 }
237
238 if (buffer->flags & RB_IO_BUFFER_MAPPED) {
239#ifdef _WIN32
240 if (buffer->flags & RB_IO_BUFFER_FILE) {
241 UnmapViewOfFile(buffer->base);
242 }
243 else {
244 VirtualFree(buffer->base, 0, MEM_RELEASE);
245 }
246#else
247 munmap(buffer->base, buffer->size);
248#endif
249 }
250
251 // Previously we had this, but we found out due to the way GC works, we
252 // can't refer to any other Ruby objects here.
253 // if (RB_TYPE_P(buffer->source, T_STRING)) {
254 // rb_str_unlocktmp(buffer->source);
255 // }
256
257 buffer->base = NULL;
258
259 buffer->size = 0;
260 buffer->flags = 0;
261 buffer->source = Qnil;
262 }
263
264#if defined(_WIN32)
265 if (buffer->mapping) {
266 if (RB_IO_BUFFER_DEBUG) fprintf(stderr, "io_buffer_free:CloseHandle -> %p\n", buffer->mapping);
267 if (!CloseHandle(buffer->mapping)) {
268 fprintf(stderr, "io_buffer_free:GetLastError -> %lu\n", GetLastError());
269 }
270 buffer->mapping = NULL;
271 }
272#endif
273}
274
275static void
276rb_io_buffer_type_free(void *_buffer)
277{
278 struct rb_io_buffer *buffer = _buffer;
279
280 io_buffer_free(buffer);
281}
282
283static size_t
284rb_io_buffer_type_size(const void *_buffer)
285{
286 const struct rb_io_buffer *buffer = _buffer;
287 size_t total = sizeof(struct rb_io_buffer);
288
289 if (buffer->flags) {
290 total += buffer->size;
291 }
292
293 return total;
294}
295
296RUBY_REFERENCES(io_buffer_refs) = {
297 RUBY_REF_EDGE(struct rb_io_buffer, source),
298 RUBY_REF_END
299};
300
301static const rb_data_type_t rb_io_buffer_type = {
302 .wrap_struct_name = "IO::Buffer",
303 .function = {
304 .dmark = RUBY_REFS_LIST_PTR(io_buffer_refs),
305 .dfree = rb_io_buffer_type_free,
306 .dsize = rb_io_buffer_type_size,
307 },
308 .data = NULL,
309 .flags = RUBY_TYPED_FREE_IMMEDIATELY | RUBY_TYPED_WB_PROTECTED | RUBY_TYPED_EMBEDDABLE | RUBY_TYPED_DECL_MARKING,
310};
311
312static inline enum rb_io_buffer_flags
313io_buffer_extract_flags(VALUE argument)
314{
315 if (rb_int_negative_p(argument)) {
316 rb_raise(rb_eArgError, "Flags can't be negative!");
317 }
318
319 enum rb_io_buffer_flags flags = RB_NUM2UINT(argument);
320
321 // We deliberately ignore unknown flags. Any future flags which are exposed this way should be safe to ignore.
322 return flags & RB_IO_BUFFER_FLAGS_MASK;
323}
324
325// Extract an offset argument, which must be a non-negative integer.
326static inline size_t
327io_buffer_extract_offset(VALUE argument)
328{
329 if (rb_int_negative_p(argument)) {
330 rb_raise(rb_eArgError, "Offset can't be negative!");
331 }
332
333 return NUM2SIZET(argument);
334}
335
336// Extract a length argument, which must be a non-negative integer.
337// Length is generally considered a mutable property of an object and
338// semantically should be considered a subset of "size" as a concept.
339static inline size_t
340io_buffer_extract_length(VALUE argument)
341{
342 if (rb_int_negative_p(argument)) {
343 rb_raise(rb_eArgError, "Length can't be negative!");
344 }
345
346 return NUM2SIZET(argument);
347}
348
349// Extract a size argument, which must be a non-negative integer.
350// Size is generally considered an immutable property of an object.
351static inline size_t
352io_buffer_extract_size(VALUE argument)
353{
354 if (rb_int_negative_p(argument)) {
355 rb_raise(rb_eArgError, "Size can't be negative!");
356 }
357
358 return NUM2SIZET(argument);
359}
360
361// Extract a width argument, which must be a non-negative integer, and must be
362// at least the given minimum.
363static inline size_t
364io_buffer_extract_width(VALUE argument, size_t minimum)
365{
366 if (rb_int_negative_p(argument)) {
367 rb_raise(rb_eArgError, "Width can't be negative!");
368 }
369
370 size_t width = NUM2SIZET(argument);
371
372 if (width < minimum) {
373 rb_raise(rb_eArgError, "Width must be at least %" PRIuSIZE "!", minimum);
374 }
375
376 return width;
377}
378
379// Compute the default length for a buffer, given an offset into that buffer.
380// The default length is the size of the buffer minus the offset. The offset
381// must be less than the size of the buffer otherwise the length will be
382// invalid; in that case, an ArgumentError exception will be raised.
383static inline size_t
384io_buffer_default_length(const struct rb_io_buffer *buffer, size_t offset)
385{
386 if (offset > buffer->size) {
387 rb_raise(rb_eArgError, "The given offset is bigger than the buffer size!");
388 }
389
390 // Note that the "length" is computed by the size the offset.
391 return buffer->size - offset;
392}
393
394// Extract the optional length and offset arguments, returning the buffer.
395// The length and offset are optional, but if they are provided, they must be
396// positive integers. If the length is not provided, the default length is
397// computed from the buffer size and offset. If the offset is not provided, it
398// defaults to zero.
399static inline struct rb_io_buffer *
400io_buffer_extract_length_offset(VALUE self, int argc, VALUE argv[], size_t *length, size_t *offset)
401{
402 struct rb_io_buffer *buffer = NULL;
403 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
404
405 if (argc >= 2 && !NIL_P(argv[1])) {
406 *offset = io_buffer_extract_offset(argv[1]);
407 }
408 else {
409 *offset = 0;
410 }
411
412 if (argc >= 1 && !NIL_P(argv[0])) {
413 *length = io_buffer_extract_length(argv[0]);
414 }
415 else {
416 *length = io_buffer_default_length(buffer, *offset);
417 }
418
419 return buffer;
420}
421
422// Extract the optional offset and length arguments, returning the buffer.
423// Similar to `io_buffer_extract_length_offset` but with the order of arguments
424// reversed.
425//
426// After much consideration, I decided to accept both forms.
427// The `(offset, length)` order is more natural when referring about data,
428// while the `(length, offset)` order is more natural when referring to
429// read/write operations. In many cases, with the latter form, `offset`
430// is usually not supplied.
431static inline struct rb_io_buffer *
432io_buffer_extract_offset_length(VALUE self, int argc, VALUE argv[], size_t *offset, size_t *length)
433{
434 struct rb_io_buffer *buffer = NULL;
435 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
436
437 if (argc >= 1 && !NIL_P(argv[0])) {
438 *offset = io_buffer_extract_offset(argv[0]);
439 }
440 else {
441 *offset = 0;
442 }
443
444 if (argc >= 2 && !NIL_P(argv[1])) {
445 *length = io_buffer_extract_length(argv[1]);
446 }
447 else {
448 *length = io_buffer_default_length(buffer, *offset);
449 }
450
451 return buffer;
452}
453
454VALUE
455rb_io_buffer_type_allocate(VALUE self)
456{
457 struct rb_io_buffer *buffer = NULL;
458 VALUE instance = TypedData_Make_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
459
460 io_buffer_zero(buffer);
461
462 return instance;
463}
464
465static VALUE io_buffer_for_make_instance(VALUE klass, VALUE string, enum rb_io_buffer_flags flags)
466{
467 VALUE instance = rb_io_buffer_type_allocate(klass);
468
469 struct rb_io_buffer *buffer = NULL;
470 TypedData_Get_Struct(instance, struct rb_io_buffer, &rb_io_buffer_type, buffer);
471
472 flags |= RB_IO_BUFFER_EXTERNAL;
473
474 if (RB_OBJ_FROZEN(string))
475 flags |= RB_IO_BUFFER_READONLY;
476
477 if (!(flags & RB_IO_BUFFER_READONLY))
478 rb_str_modify(string);
479
480 io_buffer_initialize(instance, buffer, RSTRING_PTR(string), RSTRING_LEN(string), flags, string);
481
482 return instance;
483}
484
486 VALUE klass;
487 VALUE string;
488 VALUE instance;
489 enum rb_io_buffer_flags flags;
490};
491
492static VALUE
493io_buffer_for_yield_instance(VALUE _arguments)
494{
496
497 arguments->instance = io_buffer_for_make_instance(arguments->klass, arguments->string, arguments->flags);
498
499 rb_str_locktmp(arguments->string);
500
501 return rb_yield(arguments->instance);
502}
503
504static VALUE
505io_buffer_for_yield_instance_ensure(VALUE _arguments)
506{
508
509 if (arguments->instance != Qnil) {
510 rb_io_buffer_free(arguments->instance);
511 }
512
513 rb_str_unlocktmp(arguments->string);
514
515 return Qnil;
516}
517
518/*
519 * call-seq:
520 * IO::Buffer.for(string) -> readonly io_buffer
521 * IO::Buffer.for(string) {|io_buffer| ... read/write io_buffer ...}
522 *
523 * Creates a zero-copy IO::Buffer from the given string's memory. Without a
524 * block a frozen internal copy of the string is created efficiently and used
525 * as the buffer source. When a block is provided, the buffer is associated
526 * directly with the string's internal buffer and updating the buffer will
527 * update the string.
528 *
529 * Until #free is invoked on the buffer, either explicitly or via the garbage
530 * collector, the source string will be locked and cannot be modified.
531 *
532 * If the string is frozen, it will create a read-only buffer which cannot be
533 * modified. If the string is shared, it may trigger a copy-on-write when
534 * using the block form.
535 *
536 * string = 'test'
537 * buffer = IO::Buffer.for(string)
538 * buffer.external? #=> true
539 *
540 * buffer.get_string(0, 1)
541 * # => "t"
542 * string
543 * # => "best"
544 *
545 * buffer.resize(100)
546 * # in `resize': Cannot resize external buffer! (IO::Buffer::AccessError)
547 *
548 * IO::Buffer.for(string) do |buffer|
549 * buffer.set_string("T")
550 * string
551 * # => "Test"
552 * end
553 */
554VALUE
555rb_io_buffer_type_for(VALUE klass, VALUE string)
556{
557 StringValue(string);
558
559 // If the string is frozen, both code paths are okay.
560 // If the string is not frozen, if a block is not given, it must be frozen.
561 if (rb_block_given_p()) {
562 struct io_buffer_for_yield_instance_arguments arguments = {
563 .klass = klass,
564 .string = string,
565 .instance = Qnil,
566 .flags = 0,
567 };
568
569 return rb_ensure(io_buffer_for_yield_instance, (VALUE)&arguments, io_buffer_for_yield_instance_ensure, (VALUE)&arguments);
570 }
571 else {
572 // This internally returns the source string if it's already frozen.
573 string = rb_str_tmp_frozen_acquire(string);
574 return io_buffer_for_make_instance(klass, string, RB_IO_BUFFER_READONLY);
575 }
576}
577
578/*
579 * call-seq:
580 * IO::Buffer.string(length) {|io_buffer| ... read/write io_buffer ...} -> string
581 *
582 * Creates a new string of the given length and yields a zero-copy IO::Buffer
583 * instance to the block which uses the string as a source. The block is
584 * expected to write to the buffer and the string will be returned.
585 *
586 * IO::Buffer.string(4) do |buffer|
587 * buffer.set_string("Ruby")
588 * end
589 * # => "Ruby"
590 */
591VALUE
592rb_io_buffer_type_string(VALUE klass, VALUE length)
593{
594 VALUE string = rb_str_new(NULL, RB_NUM2LONG(length));
595
596 struct io_buffer_for_yield_instance_arguments arguments = {
597 .klass = klass,
598 .string = string,
599 .instance = Qnil,
600 };
601
602 rb_ensure(io_buffer_for_yield_instance, (VALUE)&arguments, io_buffer_for_yield_instance_ensure, (VALUE)&arguments);
603
604 return string;
605}
606
607VALUE
608rb_io_buffer_new(void *base, size_t size, enum rb_io_buffer_flags flags)
609{
610 VALUE instance = rb_io_buffer_type_allocate(rb_cIOBuffer);
611
612 struct rb_io_buffer *buffer = NULL;
613 TypedData_Get_Struct(instance, struct rb_io_buffer, &rb_io_buffer_type, buffer);
614
615 io_buffer_initialize(instance, buffer, base, size, flags, Qnil);
616
617 return instance;
618}
619
620VALUE
621rb_io_buffer_map(VALUE io, size_t size, rb_off_t offset, enum rb_io_buffer_flags flags)
622{
623 io_buffer_experimental();
624
625 VALUE instance = rb_io_buffer_type_allocate(rb_cIOBuffer);
626
627 struct rb_io_buffer *buffer = NULL;
628 TypedData_Get_Struct(instance, struct rb_io_buffer, &rb_io_buffer_type, buffer);
629
630 int descriptor = rb_io_descriptor(io);
631
632 io_buffer_map_file(buffer, descriptor, size, offset, flags);
633
634 return instance;
635}
636
637/*
638 * call-seq: IO::Buffer.map(file, [size, [offset, [flags]]]) -> io_buffer
639 *
640 * Create an IO::Buffer for reading from +file+ by memory-mapping the file.
641 * +file_io+ should be a +File+ instance, opened for reading.
642 *
643 * Optional +size+ and +offset+ of mapping can be specified.
644 *
645 * By default, the buffer would be immutable (read only); to create a writable
646 * mapping, you need to open a file in read-write mode, and explicitly pass
647 * +flags+ argument without IO::Buffer::IMMUTABLE.
648 *
649 * File.write('test.txt', 'test')
650 *
651 * buffer = IO::Buffer.map(File.open('test.txt'), nil, 0, IO::Buffer::READONLY)
652 * # => #<IO::Buffer 0x00000001014a0000+4 MAPPED READONLY>
653 *
654 * buffer.readonly? # => true
655 *
656 * buffer.get_string
657 * # => "test"
658 *
659 * buffer.set_string('b', 0)
660 * # `set_string': Buffer is not writable! (IO::Buffer::AccessError)
661 *
662 * # create read/write mapping: length 4 bytes, offset 0, flags 0
663 * buffer = IO::Buffer.map(File.open('test.txt', 'r+'), 4, 0)
664 * buffer.set_string('b', 0)
665 * # => 1
666 *
667 * # Check it
668 * File.read('test.txt')
669 * # => "best"
670 *
671 * Note that some operating systems may not have cache coherency between mapped
672 * buffers and file reads.
673 */
674static VALUE
675io_buffer_map(int argc, VALUE *argv, VALUE klass)
676{
677 rb_check_arity(argc, 1, 4);
678
679 // We might like to handle a string path?
680 VALUE io = argv[0];
681
682 size_t size;
683 if (argc >= 2 && !RB_NIL_P(argv[1])) {
684 size = io_buffer_extract_size(argv[1]);
685 }
686 else {
687 rb_off_t file_size = rb_file_size(io);
688
689 // Compiler can confirm that we handled file_size < 0 case:
690 if (file_size < 0) {
691 rb_raise(rb_eArgError, "Invalid negative file size!");
692 }
693 // Here, we assume that file_size is positive:
694 else if ((uintmax_t)file_size > SIZE_MAX) {
695 rb_raise(rb_eArgError, "File larger than address space!");
696 }
697 else {
698 // This conversion should be safe:
699 size = (size_t)file_size;
700 }
701 }
702
703 // This is the file offset, not the buffer offset:
704 rb_off_t offset = 0;
705 if (argc >= 3) {
706 offset = NUM2OFFT(argv[2]);
707 }
708
709 enum rb_io_buffer_flags flags = 0;
710 if (argc >= 4) {
711 flags = io_buffer_extract_flags(argv[3]);
712 }
713
714 return rb_io_buffer_map(io, size, offset, flags);
715}
716
717// Compute the optimal allocation flags for a buffer of the given size.
718static inline enum rb_io_buffer_flags
719io_flags_for_size(size_t size)
720{
721 if (size >= RUBY_IO_BUFFER_PAGE_SIZE) {
722 return RB_IO_BUFFER_MAPPED;
723 }
724
725 return RB_IO_BUFFER_INTERNAL;
726}
727
728/*
729 * call-seq: IO::Buffer.new([size = DEFAULT_SIZE, [flags = 0]]) -> io_buffer
730 *
731 * Create a new zero-filled IO::Buffer of +size+ bytes.
732 * By default, the buffer will be _internal_: directly allocated chunk
733 * of the memory. But if the requested +size+ is more than OS-specific
734 * IO::Buffer::PAGE_SIZE, the buffer would be allocated using the
735 * virtual memory mechanism (anonymous +mmap+ on Unix, +VirtualAlloc+
736 * on Windows). The behavior can be forced by passing IO::Buffer::MAPPED
737 * as a second parameter.
738 *
739 * buffer = IO::Buffer.new(4)
740 * # =>
741 * # #<IO::Buffer 0x000055b34497ea10+4 INTERNAL>
742 * # 0x00000000 00 00 00 00 ....
743 *
744 * buffer.get_string(0, 1) # => "\x00"
745 *
746 * buffer.set_string("test")
747 * buffer
748 * # =>
749 * # #<IO::Buffer 0x000055b34497ea10+4 INTERNAL>
750 * # 0x00000000 74 65 73 74 test
751 */
752VALUE
753rb_io_buffer_initialize(int argc, VALUE *argv, VALUE self)
754{
755 io_buffer_experimental();
756
757 rb_check_arity(argc, 0, 2);
758
759 struct rb_io_buffer *buffer = NULL;
760 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
761
762 size_t size;
763 if (argc > 0) {
764 size = io_buffer_extract_size(argv[0]);
765 }
766 else {
767 size = RUBY_IO_BUFFER_DEFAULT_SIZE;
768 }
769
770 enum rb_io_buffer_flags flags = 0;
771 if (argc >= 2) {
772 flags = io_buffer_extract_flags(argv[1]);
773 }
774 else {
775 flags |= io_flags_for_size(size);
776 }
777
778 io_buffer_initialize(self, buffer, NULL, size, flags, Qnil);
779
780 return self;
781}
782
783static int
784io_buffer_validate_slice(VALUE source, void *base, size_t size)
785{
786 void *source_base = NULL;
787 size_t source_size = 0;
788
789 if (RB_TYPE_P(source, T_STRING)) {
790 RSTRING_GETMEM(source, source_base, source_size);
791 }
792 else {
793 rb_io_buffer_get_bytes(source, &source_base, &source_size);
794 }
795
796 // Source is invalid:
797 if (source_base == NULL) return 0;
798
799 // Base is out of range:
800 if (base < source_base) return 0;
801
802 const void *source_end = (char*)source_base + source_size;
803 const void *end = (char*)base + size;
804
805 // End is out of range:
806 if (end > source_end) return 0;
807
808 // It seems okay:
809 return 1;
810}
811
812static int
813io_buffer_validate(struct rb_io_buffer *buffer)
814{
815 if (buffer->source != Qnil) {
816 // Only slices incur this overhead, unfortunately... better safe than sorry!
817 return io_buffer_validate_slice(buffer->source, buffer->base, buffer->size);
818 }
819 else {
820 return 1;
821 }
822}
823
824enum rb_io_buffer_flags
825rb_io_buffer_get_bytes(VALUE self, void **base, size_t *size)
826{
827 struct rb_io_buffer *buffer = NULL;
828 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
829
830 if (io_buffer_validate(buffer)) {
831 if (buffer->base) {
832 *base = buffer->base;
833 *size = buffer->size;
834
835 return buffer->flags;
836 }
837 }
838
839 *base = NULL;
840 *size = 0;
841
842 return 0;
843}
844
845// Internal function for accessing bytes for writing, wil
846static inline void
847io_buffer_get_bytes_for_writing(struct rb_io_buffer *buffer, void **base, size_t *size)
848{
849 if (buffer->flags & RB_IO_BUFFER_READONLY ||
850 (!NIL_P(buffer->source) && OBJ_FROZEN(buffer->source))) {
851 rb_raise(rb_eIOBufferAccessError, "Buffer is not writable!");
852 }
853
854 if (!io_buffer_validate(buffer)) {
855 rb_raise(rb_eIOBufferInvalidatedError, "Buffer is invalid!");
856 }
857
858 if (buffer->base) {
859 *base = buffer->base;
860 *size = buffer->size;
861 } else {
862 *base = NULL;
863 *size = 0;
864 }
865}
866
867void
868rb_io_buffer_get_bytes_for_writing(VALUE self, void **base, size_t *size)
869{
870 struct rb_io_buffer *buffer = NULL;
871 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
872
873 io_buffer_get_bytes_for_writing(buffer, base, size);
874}
875
876static void
877io_buffer_get_bytes_for_reading(struct rb_io_buffer *buffer, const void **base, size_t *size)
878{
879 if (!io_buffer_validate(buffer)) {
880 rb_raise(rb_eIOBufferInvalidatedError, "Buffer has been invalidated!");
881 }
882
883 if (buffer->base) {
884 *base = buffer->base;
885 *size = buffer->size;
886 } else {
887 *base = NULL;
888 *size = 0;
889 }
890}
891
892void
893rb_io_buffer_get_bytes_for_reading(VALUE self, const void **base, size_t *size)
894{
895 struct rb_io_buffer *buffer = NULL;
896 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
897
898 io_buffer_get_bytes_for_reading(buffer, base, size);
899}
900
901/*
902 * call-seq: to_s -> string
903 *
904 * Short representation of the buffer. It includes the address, size and
905 * symbolic flags. This format is subject to change.
906 *
907 * puts IO::Buffer.new(4) # uses to_s internally
908 * # #<IO::Buffer 0x000055769f41b1a0+4 INTERNAL>
909 */
910VALUE
911rb_io_buffer_to_s(VALUE self)
912{
913 struct rb_io_buffer *buffer = NULL;
914 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
915
916 VALUE result = rb_str_new_cstr("#<");
917
918 rb_str_append(result, rb_class_name(CLASS_OF(self)));
919 rb_str_catf(result, " %p+%"PRIdSIZE, buffer->base, buffer->size);
920
921 if (buffer->base == NULL) {
922 rb_str_cat2(result, " NULL");
923 }
924
925 if (buffer->flags & RB_IO_BUFFER_EXTERNAL) {
926 rb_str_cat2(result, " EXTERNAL");
927 }
928
929 if (buffer->flags & RB_IO_BUFFER_INTERNAL) {
930 rb_str_cat2(result, " INTERNAL");
931 }
932
933 if (buffer->flags & RB_IO_BUFFER_MAPPED) {
934 rb_str_cat2(result, " MAPPED");
935 }
936
937 if (buffer->flags & RB_IO_BUFFER_FILE) {
938 rb_str_cat2(result, " FILE");
939 }
940
941 if (buffer->flags & RB_IO_BUFFER_SHARED) {
942 rb_str_cat2(result, " SHARED");
943 }
944
945 if (buffer->flags & RB_IO_BUFFER_LOCKED) {
946 rb_str_cat2(result, " LOCKED");
947 }
948
949 if (buffer->flags & RB_IO_BUFFER_PRIVATE) {
950 rb_str_cat2(result, " PRIVATE");
951 }
952
953 if (buffer->flags & RB_IO_BUFFER_READONLY) {
954 rb_str_cat2(result, " READONLY");
955 }
956
957 if (buffer->source != Qnil) {
958 rb_str_cat2(result, " SLICE");
959 }
960
961 if (!io_buffer_validate(buffer)) {
962 rb_str_cat2(result, " INVALID");
963 }
964
965 return rb_str_cat2(result, ">");
966}
967
968// Compute the output size of a hexdump of the given width (bytes per line), total size, and whether it is the first line in the output.
969// This is used to preallocate the output string.
970inline static size_t
971io_buffer_hexdump_output_size(size_t width, size_t size, int first)
972{
973 // The preview on the right hand side is 1:1:
974 size_t total = size;
975
976 size_t whole_lines = (size / width);
977 size_t partial_line = (size % width) ? 1 : 0;
978
979 // For each line:
980 // 1 byte 10 bytes 1 byte width*3 bytes 1 byte size bytes
981 // (newline) (address) (space) (hexdump ) (space) (preview)
982 total += (whole_lines + partial_line) * (1 + 10 + width*3 + 1 + 1);
983
984 // If the hexdump is the first line, one less newline will be emitted:
985 if (size && first) total -= 1;
986
987 return total;
988}
989
990// Append a hexdump of the given width (bytes per line), base address, size, and whether it is the first line in the output.
991// If the hexdump is not the first line, it will prepend a newline if there is any output at all.
992// If formatting here is adjusted, please update io_buffer_hexdump_output_size accordingly.
993static VALUE
994io_buffer_hexdump(VALUE string, size_t width, const char *base, size_t length, size_t offset, int first)
995{
996 char *text = alloca(width+1);
997 text[width] = '\0';
998
999 for (; offset < length; offset += width) {
1000 memset(text, '\0', width);
1001 if (first) {
1002 rb_str_catf(string, "0x%08" PRIxSIZE " ", offset);
1003 first = 0;
1004 }
1005 else {
1006 rb_str_catf(string, "\n0x%08" PRIxSIZE " ", offset);
1007 }
1008
1009 for (size_t i = 0; i < width; i += 1) {
1010 if (offset+i < length) {
1011 unsigned char value = ((unsigned char*)base)[offset+i];
1012
1013 if (value < 127 && isprint(value)) {
1014 text[i] = (char)value;
1015 }
1016 else {
1017 text[i] = '.';
1018 }
1019
1020 rb_str_catf(string, " %02x", value);
1021 }
1022 else {
1023 rb_str_cat2(string, " ");
1024 }
1025 }
1026
1027 rb_str_catf(string, " %s", text);
1028 }
1029
1030 return string;
1031}
1032
1033/*
1034 * call-seq: inspect -> string
1035 *
1036 * Inspect the buffer and report useful information about it's internal state.
1037 * Only a limited portion of the buffer will be displayed in a hexdump style
1038 * format.
1039 *
1040 * buffer = IO::Buffer.for("Hello World")
1041 * puts buffer.inspect
1042 * # #<IO::Buffer 0x000000010198ccd8+11 EXTERNAL READONLY SLICE>
1043 * # 0x00000000 48 65 6c 6c 6f 20 57 6f 72 6c 64 Hello World
1044 */
1045VALUE
1046rb_io_buffer_inspect(VALUE self)
1047{
1048 struct rb_io_buffer *buffer = NULL;
1049 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1050
1051 VALUE result = rb_io_buffer_to_s(self);
1052
1053 if (io_buffer_validate(buffer)) {
1054 // Limit the maximum size generated by inspect:
1055 size_t size = buffer->size;
1056 int clamped = 0;
1057
1058 if (size > RB_IO_BUFFER_INSPECT_HEXDUMP_MAXIMUM_SIZE) {
1059 size = RB_IO_BUFFER_INSPECT_HEXDUMP_MAXIMUM_SIZE;
1060 clamped = 1;
1061 }
1062
1063 io_buffer_hexdump(result, RB_IO_BUFFER_INSPECT_HEXDUMP_WIDTH, buffer->base, size, 0, 0);
1064
1065 if (clamped) {
1066 rb_str_catf(result, "\n(and %" PRIuSIZE " more bytes not printed)", buffer->size - size);
1067 }
1068 }
1069
1070 return result;
1071}
1072
1073/*
1074 * call-seq: size -> integer
1075 *
1076 * Returns the size of the buffer that was explicitly set (on creation with ::new
1077 * or on #resize), or deduced on buffer's creation from string or file.
1078 */
1079VALUE
1080rb_io_buffer_size(VALUE self)
1081{
1082 struct rb_io_buffer *buffer = NULL;
1083 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1084
1085 return SIZET2NUM(buffer->size);
1086}
1087
1088/*
1089 * call-seq: valid? -> true or false
1090 *
1091 * Returns whether the buffer buffer is accessible.
1092 *
1093 * A buffer becomes invalid if it is a slice of another buffer (or string)
1094 * which has been freed or re-allocated at a different address.
1095 */
1096static VALUE
1097rb_io_buffer_valid_p(VALUE self)
1098{
1099 struct rb_io_buffer *buffer = NULL;
1100 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1101
1102 return RBOOL(io_buffer_validate(buffer));
1103}
1104
1105/*
1106 * call-seq: null? -> true or false
1107 *
1108 * If the buffer was freed with #free, transferred with #transfer, or was
1109 * never allocated in the first place.
1110 *
1111 * buffer = IO::Buffer.new(0)
1112 * buffer.null? #=> true
1113 *
1114 * buffer = IO::Buffer.new(4)
1115 * buffer.null? #=> false
1116 * buffer.free
1117 * buffer.null? #=> true
1118 */
1119static VALUE
1120rb_io_buffer_null_p(VALUE self)
1121{
1122 struct rb_io_buffer *buffer = NULL;
1123 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1124
1125 return RBOOL(buffer->base == NULL);
1126}
1127
1128/*
1129 * call-seq: empty? -> true or false
1130 *
1131 * If the buffer has 0 size: it is created by ::new with size 0, or with ::for
1132 * from an empty string. (Note that empty files can't be mapped, so the buffer
1133 * created with ::map will never be empty.)
1134 */
1135static VALUE
1136rb_io_buffer_empty_p(VALUE self)
1137{
1138 struct rb_io_buffer *buffer = NULL;
1139 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1140
1141 return RBOOL(buffer->size == 0);
1142}
1143
1144/*
1145 * call-seq: external? -> true or false
1146 *
1147 * The buffer is _external_ if it references the memory which is not
1148 * allocated or mapped by the buffer itself.
1149 *
1150 * A buffer created using ::for has an external reference to the string's
1151 * memory.
1152 *
1153 * External buffer can't be resized.
1154 */
1155static VALUE
1156rb_io_buffer_external_p(VALUE self)
1157{
1158 struct rb_io_buffer *buffer = NULL;
1159 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1160
1161 return RBOOL(buffer->flags & RB_IO_BUFFER_EXTERNAL);
1162}
1163
1164/*
1165 * call-seq: internal? -> true or false
1166 *
1167 * If the buffer is _internal_, meaning it references memory allocated by the
1168 * buffer itself.
1169 *
1170 * An internal buffer is not associated with any external memory (e.g. string)
1171 * or file mapping.
1172 *
1173 * Internal buffers are created using ::new and is the default when the
1174 * requested size is less than the IO::Buffer::PAGE_SIZE and it was not
1175 * requested to be mapped on creation.
1176 *
1177 * Internal buffers can be resized, and such an operation will typically
1178 * invalidate all slices, but not always.
1179 */
1180static VALUE
1181rb_io_buffer_internal_p(VALUE self)
1182{
1183 struct rb_io_buffer *buffer = NULL;
1184 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1185
1186 return RBOOL(buffer->flags & RB_IO_BUFFER_INTERNAL);
1187}
1188
1189/*
1190 * call-seq: mapped? -> true or false
1191 *
1192 * If the buffer is _mapped_, meaning it references memory mapped by the
1193 * buffer.
1194 *
1195 * Mapped buffers are either anonymous, if created by ::new with the
1196 * IO::Buffer::MAPPED flag or if the size was at least IO::Buffer::PAGE_SIZE,
1197 * or backed by a file if created with ::map.
1198 *
1199 * Mapped buffers can usually be resized, and such an operation will typically
1200 * invalidate all slices, but not always.
1201 */
1202static VALUE
1203rb_io_buffer_mapped_p(VALUE self)
1204{
1205 struct rb_io_buffer *buffer = NULL;
1206 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1207
1208 return RBOOL(buffer->flags & RB_IO_BUFFER_MAPPED);
1209}
1210
1211/*
1212 * call-seq: shared? -> true or false
1213 *
1214 * If the buffer is _shared_, meaning it references memory that can be shared
1215 * with other processes (and thus might change without being modified
1216 * locally).
1217 *
1218 * # Create a test file:
1219 * File.write('test.txt', 'test')
1220 *
1221 * # Create a shared mapping from the given file, the file must be opened in
1222 * # read-write mode unless we also specify IO::Buffer::READONLY:
1223 * buffer = IO::Buffer.map(File.open('test.txt', 'r+'), nil, 0)
1224 * # => #<IO::Buffer 0x00007f1bffd5e000+4 EXTERNAL MAPPED SHARED>
1225 *
1226 * # Write to the buffer, which will modify the mapped file:
1227 * buffer.set_string('b', 0)
1228 * # => 1
1229 *
1230 * # The file itself is modified:
1231 * File.read('test.txt')
1232 * # => "best"
1233 */
1234static VALUE
1235rb_io_buffer_shared_p(VALUE self)
1236{
1237 struct rb_io_buffer *buffer = NULL;
1238 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1239
1240 return RBOOL(buffer->flags & RB_IO_BUFFER_SHARED);
1241}
1242
1243/*
1244 * call-seq: locked? -> true or false
1245 *
1246 * If the buffer is _locked_, meaning it is inside #locked block execution.
1247 * Locked buffer can't be resized or freed, and another lock can't be acquired
1248 * on it.
1249 *
1250 * Locking is not thread safe, but is a semantic used to ensure buffers don't
1251 * move while being used by a system call.
1252 *
1253 * buffer.locked do
1254 * buffer.write(io) # theoretical system call interface
1255 * end
1256 */
1257static VALUE
1258rb_io_buffer_locked_p(VALUE self)
1259{
1260 struct rb_io_buffer *buffer = NULL;
1261 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1262
1263 return RBOOL(buffer->flags & RB_IO_BUFFER_LOCKED);
1264}
1265
1266/* call-seq: private? -> true or false
1267 *
1268 * If the buffer is _private_, meaning modifications to the buffer will not
1269 * be replicated to the underlying file mapping.
1270 *
1271 * # Create a test file:
1272 * File.write('test.txt', 'test')
1273 *
1274 * # Create a private mapping from the given file. Note that the file here
1275 * # is opened in read-only mode, but it doesn't matter due to the private
1276 * # mapping:
1277 * buffer = IO::Buffer.map(File.open('test.txt'), nil, 0, IO::Buffer::PRIVATE)
1278 * # => #<IO::Buffer 0x00007fce63f11000+4 MAPPED PRIVATE>
1279 *
1280 * # Write to the buffer (invoking CoW of the underlying file buffer):
1281 * buffer.set_string('b', 0)
1282 * # => 1
1283 *
1284 * # The file itself is not modified:
1285 * File.read('test.txt')
1286 * # => "test"
1287 */
1288static VALUE
1289rb_io_buffer_private_p(VALUE self)
1290{
1291 struct rb_io_buffer *buffer = NULL;
1292 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1293
1294 return RBOOL(buffer->flags & RB_IO_BUFFER_PRIVATE);
1295}
1296
1297int
1298rb_io_buffer_readonly_p(VALUE self)
1299{
1300 struct rb_io_buffer *buffer = NULL;
1301 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1302
1303 return buffer->flags & RB_IO_BUFFER_READONLY;
1304}
1305
1306/*
1307 * call-seq: readonly? -> true or false
1308 *
1309 * If the buffer is <i>read only</i>, meaning the buffer cannot be modified using
1310 * #set_value, #set_string or #copy and similar.
1311 *
1312 * Frozen strings and read-only files create read-only buffers.
1313 */
1314static VALUE
1315io_buffer_readonly_p(VALUE self)
1316{
1317 return RBOOL(rb_io_buffer_readonly_p(self));
1318}
1319
1320static void
1321io_buffer_lock(struct rb_io_buffer *buffer)
1322{
1323 if (buffer->flags & RB_IO_BUFFER_LOCKED) {
1324 rb_raise(rb_eIOBufferLockedError, "Buffer already locked!");
1325 }
1326
1327 buffer->flags |= RB_IO_BUFFER_LOCKED;
1328}
1329
1330VALUE
1331rb_io_buffer_lock(VALUE self)
1332{
1333 struct rb_io_buffer *buffer = NULL;
1334 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1335
1336 io_buffer_lock(buffer);
1337
1338 return self;
1339}
1340
1341static void
1342io_buffer_unlock(struct rb_io_buffer *buffer)
1343{
1344 if (!(buffer->flags & RB_IO_BUFFER_LOCKED)) {
1345 rb_raise(rb_eIOBufferLockedError, "Buffer not locked!");
1346 }
1347
1348 buffer->flags &= ~RB_IO_BUFFER_LOCKED;
1349}
1350
1351VALUE
1352rb_io_buffer_unlock(VALUE self)
1353{
1354 struct rb_io_buffer *buffer = NULL;
1355 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1356
1357 io_buffer_unlock(buffer);
1358
1359 return self;
1360}
1361
1362int
1363rb_io_buffer_try_unlock(VALUE self)
1364{
1365 struct rb_io_buffer *buffer = NULL;
1366 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1367
1368 if (buffer->flags & RB_IO_BUFFER_LOCKED) {
1369 buffer->flags &= ~RB_IO_BUFFER_LOCKED;
1370 return 1;
1371 }
1372
1373 return 0;
1374}
1375
1376/*
1377 * call-seq: locked { ... }
1378 *
1379 * Allows to process a buffer in exclusive way, for concurrency-safety. While
1380 * the block is performed, the buffer is considered locked, and no other code
1381 * can enter the lock. Also, locked buffer can't be changed with #resize or
1382 * #free.
1383 *
1384 * The following operations acquire a lock: #resize, #free.
1385 *
1386 * Locking is not thread safe. It is designed as a safety net around
1387 * non-blocking system calls. You can only share a buffer between threads with
1388 * appropriate synchronisation techniques.
1389 *
1390 * buffer = IO::Buffer.new(4)
1391 * buffer.locked? #=> false
1392 *
1393 * Fiber.schedule do
1394 * buffer.locked do
1395 * buffer.write(io) # theoretical system call interface
1396 * end
1397 * end
1398 *
1399 * Fiber.schedule do
1400 * # in `locked': Buffer already locked! (IO::Buffer::LockedError)
1401 * buffer.locked do
1402 * buffer.set_string("test", 0)
1403 * end
1404 * end
1405 */
1406VALUE
1407rb_io_buffer_locked(VALUE self)
1408{
1409 struct rb_io_buffer *buffer = NULL;
1410 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1411
1412 if (buffer->flags & RB_IO_BUFFER_LOCKED) {
1413 rb_raise(rb_eIOBufferLockedError, "Buffer already locked!");
1414 }
1415
1416 buffer->flags |= RB_IO_BUFFER_LOCKED;
1417
1418 VALUE result = rb_yield(self);
1419
1420 buffer->flags &= ~RB_IO_BUFFER_LOCKED;
1421
1422 return result;
1423}
1424
1425/*
1426 * call-seq: free -> self
1427 *
1428 * If the buffer references memory, release it back to the operating system.
1429 * * for a _mapped_ buffer (e.g. from file): unmap.
1430 * * for a buffer created from scratch: free memory.
1431 * * for a buffer created from string: undo the association.
1432 *
1433 * After the buffer is freed, no further operations can't be performed on it.
1434 *
1435 * You can resize a freed buffer to re-allocate it.
1436 *
1437 * buffer = IO::Buffer.for('test')
1438 * buffer.free
1439 * # => #<IO::Buffer 0x0000000000000000+0 NULL>
1440 *
1441 * buffer.get_value(:U8, 0)
1442 * # in `get_value': The buffer is not allocated! (IO::Buffer::AllocationError)
1443 *
1444 * buffer.get_string
1445 * # in `get_string': The buffer is not allocated! (IO::Buffer::AllocationError)
1446 *
1447 * buffer.null?
1448 * # => true
1449 */
1450VALUE
1451rb_io_buffer_free(VALUE self)
1452{
1453 struct rb_io_buffer *buffer = NULL;
1454 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1455
1456 if (buffer->flags & RB_IO_BUFFER_LOCKED) {
1457 rb_raise(rb_eIOBufferLockedError, "Buffer is locked!");
1458 }
1459
1460 io_buffer_free(buffer);
1461
1462 return self;
1463}
1464
1465VALUE rb_io_buffer_free_locked(VALUE self)
1466{
1467 struct rb_io_buffer *buffer = NULL;
1468 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1469
1470 io_buffer_unlock(buffer);
1471 io_buffer_free(buffer);
1472
1473 return self;
1474}
1475
1476// Validate that access to the buffer is within bounds, assuming you want to
1477// access length bytes from the specified offset.
1478static inline void
1479io_buffer_validate_range(struct rb_io_buffer *buffer, size_t offset, size_t length)
1480{
1481 // We assume here that offset + length won't overflow:
1482 if (offset + length > buffer->size) {
1483 rb_raise(rb_eArgError, "Specified offset+length is bigger than the buffer size!");
1484 }
1485}
1486
1487/*
1488 * call-seq: hexdump([offset, [length, [width]]]) -> string
1489 *
1490 * Returns a human-readable string representation of the buffer. The exact
1491 * format is subject to change.
1492 *
1493 * buffer = IO::Buffer.for("Hello World")
1494 * puts buffer.hexdump
1495 * # 0x00000000 48 65 6c 6c 6f 20 57 6f 72 6c 64 Hello World
1496 *
1497 * As buffers are usually fairly big, you may want to limit the output by
1498 * specifying the offset and length:
1499 *
1500 * puts buffer.hexdump(6, 5)
1501 * # 0x00000006 57 6f 72 6c 64 World
1502 */
1503static VALUE
1504rb_io_buffer_hexdump(int argc, VALUE *argv, VALUE self)
1505{
1506 rb_check_arity(argc, 0, 3);
1507
1508 size_t offset, length;
1509 struct rb_io_buffer *buffer = io_buffer_extract_offset_length(self, argc, argv, &offset, &length);
1510
1511 size_t width = RB_IO_BUFFER_HEXDUMP_DEFAULT_WIDTH;
1512 if (argc >= 3) {
1513 width = io_buffer_extract_width(argv[2], 1);
1514 }
1515
1516 // This may raise an exception if the offset/length is invalid:
1517 io_buffer_validate_range(buffer, offset, length);
1518
1519 VALUE result = Qnil;
1520
1521 if (io_buffer_validate(buffer) && buffer->base) {
1522 result = rb_str_buf_new(io_buffer_hexdump_output_size(width, length, 1));
1523
1524 io_buffer_hexdump(result, width, buffer->base, offset+length, offset, 1);
1525 }
1526
1527 return result;
1528}
1529
1530static VALUE
1531rb_io_buffer_slice(struct rb_io_buffer *buffer, VALUE self, size_t offset, size_t length)
1532{
1533 io_buffer_validate_range(buffer, offset, length);
1534
1535 VALUE instance = rb_io_buffer_type_allocate(rb_class_of(self));
1536 struct rb_io_buffer *slice = NULL;
1537 TypedData_Get_Struct(instance, struct rb_io_buffer, &rb_io_buffer_type, slice);
1538
1539 slice->flags |= (buffer->flags & RB_IO_BUFFER_READONLY);
1540 slice->base = (char*)buffer->base + offset;
1541 slice->size = length;
1542
1543 // The source should be the root buffer:
1544 if (buffer->source != Qnil) {
1545 RB_OBJ_WRITE(instance, &slice->source, buffer->source);
1546 }
1547 else {
1548 RB_OBJ_WRITE(instance, &slice->source, self);
1549 }
1550
1551 return instance;
1552}
1553
1554/*
1555 * call-seq: slice([offset, [length]]) -> io_buffer
1556 *
1557 * Produce another IO::Buffer which is a slice (or view into) the current one
1558 * starting at +offset+ bytes and going for +length+ bytes.
1559 *
1560 * The slicing happens without copying of memory, and the slice keeps being
1561 * associated with the original buffer's source (string, or file), if any.
1562 *
1563 * If the offset is not given, it will be zero. If the offset is negative, it
1564 * will raise an ArgumentError.
1565 *
1566 * If the length is not given, the slice will be as long as the original
1567 * buffer minus the specified offset. If the length is negative, it will raise
1568 * an ArgumentError.
1569 *
1570 * Raises RuntimeError if the <tt>offset+length</tt> is out of the current
1571 * buffer's bounds.
1572 *
1573 * string = 'test'
1574 * buffer = IO::Buffer.for(string).dup
1575 *
1576 * slice = buffer.slice
1577 * # =>
1578 * # #<IO::Buffer 0x0000000108338e68+4 SLICE>
1579 * # 0x00000000 74 65 73 74 test
1580 *
1581 * buffer.slice(2)
1582 * # =>
1583 * # #<IO::Buffer 0x0000000108338e6a+2 SLICE>
1584 * # 0x00000000 73 74 st
1585 *
1586 * slice = buffer.slice(1, 2)
1587 * # =>
1588 * # #<IO::Buffer 0x00007fc3d34ebc49+2 SLICE>
1589 * # 0x00000000 65 73 es
1590 *
1591 * # Put "o" into 0s position of the slice
1592 * slice.set_string('o', 0)
1593 * slice
1594 * # =>
1595 * # #<IO::Buffer 0x00007fc3d34ebc49+2 SLICE>
1596 * # 0x00000000 6f 73 os
1597 *
1598 * # it is also visible at position 1 of the original buffer
1599 * buffer
1600 * # =>
1601 * # #<IO::Buffer 0x00007fc3d31e2d80+4 INTERNAL>
1602 * # 0x00000000 74 6f 73 74 tost
1603 */
1604static VALUE
1605io_buffer_slice(int argc, VALUE *argv, VALUE self)
1606{
1607 rb_check_arity(argc, 0, 2);
1608
1609 size_t offset, length;
1610 struct rb_io_buffer *buffer = io_buffer_extract_offset_length(self, argc, argv, &offset, &length);
1611
1612 return rb_io_buffer_slice(buffer, self, offset, length);
1613}
1614
1615/*
1616 * call-seq: transfer -> new_io_buffer
1617 *
1618 * Transfers ownership of the underlying memory to a new buffer, causing the
1619 * current buffer to become uninitialized.
1620 *
1621 * buffer = IO::Buffer.new('test')
1622 * other = buffer.transfer
1623 * other
1624 * # =>
1625 * # #<IO::Buffer 0x00007f136a15f7b0+4 SLICE>
1626 * # 0x00000000 74 65 73 74 test
1627 * buffer
1628 * # =>
1629 * # #<IO::Buffer 0x0000000000000000+0 NULL>
1630 * buffer.null?
1631 * # => true
1632 */
1633VALUE
1634rb_io_buffer_transfer(VALUE self)
1635{
1636 struct rb_io_buffer *buffer = NULL;
1637 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1638
1639 if (buffer->flags & RB_IO_BUFFER_LOCKED) {
1640 rb_raise(rb_eIOBufferLockedError, "Cannot transfer ownership of locked buffer!");
1641 }
1642
1643 VALUE instance = rb_io_buffer_type_allocate(rb_class_of(self));
1644 struct rb_io_buffer *transferred;
1645 TypedData_Get_Struct(instance, struct rb_io_buffer, &rb_io_buffer_type, transferred);
1646
1647 *transferred = *buffer;
1648 io_buffer_zero(buffer);
1649
1650 return instance;
1651}
1652
1653static void
1654io_buffer_resize_clear(struct rb_io_buffer *buffer, void* base, size_t size)
1655{
1656 if (size > buffer->size) {
1657 memset((unsigned char*)base+buffer->size, 0, size - buffer->size);
1658 }
1659}
1660
1661static void
1662io_buffer_resize_copy(VALUE self, struct rb_io_buffer *buffer, size_t size)
1663{
1664 // Slow path:
1665 struct rb_io_buffer resized;
1666 io_buffer_initialize(self, &resized, NULL, size, io_flags_for_size(size), Qnil);
1667
1668 if (buffer->base) {
1669 size_t preserve = buffer->size;
1670 if (preserve > size) preserve = size;
1671 memcpy(resized.base, buffer->base, preserve);
1672
1673 io_buffer_resize_clear(buffer, resized.base, size);
1674 }
1675
1676 io_buffer_free(buffer);
1677 *buffer = resized;
1678}
1679
1680void
1681rb_io_buffer_resize(VALUE self, size_t size)
1682{
1683 struct rb_io_buffer *buffer = NULL;
1684 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
1685
1686 if (buffer->flags & RB_IO_BUFFER_LOCKED) {
1687 rb_raise(rb_eIOBufferLockedError, "Cannot resize locked buffer!");
1688 }
1689
1690 if (buffer->base == NULL) {
1691 io_buffer_initialize(self, buffer, NULL, size, io_flags_for_size(size), Qnil);
1692 return;
1693 }
1694
1695 if (buffer->flags & RB_IO_BUFFER_EXTERNAL) {
1696 rb_raise(rb_eIOBufferAccessError, "Cannot resize external buffer!");
1697 }
1698
1699#if defined(HAVE_MREMAP) && defined(MREMAP_MAYMOVE)
1700 if (buffer->flags & RB_IO_BUFFER_MAPPED) {
1701 void *base = mremap(buffer->base, buffer->size, size, MREMAP_MAYMOVE);
1702
1703 if (base == MAP_FAILED) {
1704 rb_sys_fail("rb_io_buffer_resize:mremap");
1705 }
1706
1707 io_buffer_resize_clear(buffer, base, size);
1708
1709 buffer->base = base;
1710 buffer->size = size;
1711
1712 return;
1713 }
1714#endif
1715
1716 if (buffer->flags & RB_IO_BUFFER_INTERNAL) {
1717 if (size == 0) {
1718 io_buffer_free(buffer);
1719 return;
1720 }
1721
1722 void *base = realloc(buffer->base, size);
1723
1724 if (!base) {
1725 rb_sys_fail("rb_io_buffer_resize:realloc");
1726 }
1727
1728 io_buffer_resize_clear(buffer, base, size);
1729
1730 buffer->base = base;
1731 buffer->size = size;
1732
1733 return;
1734 }
1735
1736 io_buffer_resize_copy(self, buffer, size);
1737}
1738
1739/*
1740 * call-seq: resize(new_size) -> self
1741 *
1742 * Resizes a buffer to a +new_size+ bytes, preserving its content.
1743 * Depending on the old and new size, the memory area associated with
1744 * the buffer might be either extended, or rellocated at different
1745 * address with content being copied.
1746 *
1747 * buffer = IO::Buffer.new(4)
1748 * buffer.set_string("test", 0)
1749 * buffer.resize(8) # resize to 8 bytes
1750 * # =>
1751 * # #<IO::Buffer 0x0000555f5d1a1630+8 INTERNAL>
1752 * # 0x00000000 74 65 73 74 00 00 00 00 test....
1753 *
1754 * External buffer (created with ::for), and locked buffer
1755 * can not be resized.
1756 */
1757static VALUE
1758io_buffer_resize(VALUE self, VALUE size)
1759{
1760 rb_io_buffer_resize(self, io_buffer_extract_size(size));
1761
1762 return self;
1763}
1764
1765/*
1766 * call-seq: <=>(other) -> true or false
1767 *
1768 * Buffers are compared by size and exact contents of the memory they are
1769 * referencing using +memcmp+.
1770 */
1771static VALUE
1772rb_io_buffer_compare(VALUE self, VALUE other)
1773{
1774 const void *ptr1, *ptr2;
1775 size_t size1, size2;
1776
1777 rb_io_buffer_get_bytes_for_reading(self, &ptr1, &size1);
1778 rb_io_buffer_get_bytes_for_reading(other, &ptr2, &size2);
1779
1780 if (size1 < size2) {
1781 return RB_INT2NUM(-1);
1782 }
1783
1784 if (size1 > size2) {
1785 return RB_INT2NUM(1);
1786 }
1787
1788 return RB_INT2NUM(memcmp(ptr1, ptr2, size1));
1789}
1790
1791static void
1792io_buffer_validate_type(size_t size, size_t offset)
1793{
1794 if (offset > size) {
1795 rb_raise(rb_eArgError, "Type extends beyond end of buffer! (offset=%"PRIdSIZE" > size=%"PRIdSIZE")", offset, size);
1796 }
1797}
1798
1799// Lower case: little endian.
1800// Upper case: big endian (network endian).
1801//
1802// :U8 | unsigned 8-bit integer.
1803// :S8 | signed 8-bit integer.
1804//
1805// :u16, :U16 | unsigned 16-bit integer.
1806// :s16, :S16 | signed 16-bit integer.
1807//
1808// :u32, :U32 | unsigned 32-bit integer.
1809// :s32, :S32 | signed 32-bit integer.
1810//
1811// :u64, :U64 | unsigned 64-bit integer.
1812// :s64, :S64 | signed 64-bit integer.
1813//
1814// :f32, :F32 | 32-bit floating point number.
1815// :f64, :F64 | 64-bit floating point number.
1816
1817#define ruby_swap8(value) value
1818
1819union swapf32 {
1820 uint32_t integral;
1821 float value;
1822};
1823
1824static float
1825ruby_swapf32(float value)
1826{
1827 union swapf32 swap = {.value = value};
1828 swap.integral = ruby_swap32(swap.integral);
1829 return swap.value;
1830}
1831
1832union swapf64 {
1833 uint64_t integral;
1834 double value;
1835};
1836
1837static double
1838ruby_swapf64(double value)
1839{
1840 union swapf64 swap = {.value = value};
1841 swap.integral = ruby_swap64(swap.integral);
1842 return swap.value;
1843}
1844
1845#define IO_BUFFER_DECLARE_TYPE(name, type, endian, wrap, unwrap, swap) \
1846static ID RB_IO_BUFFER_DATA_TYPE_##name; \
1847\
1848static VALUE \
1849io_buffer_read_##name(const void* base, size_t size, size_t *offset) \
1850{ \
1851 io_buffer_validate_type(size, *offset + sizeof(type)); \
1852 type value; \
1853 memcpy(&value, (char*)base + *offset, sizeof(type)); \
1854 if (endian != RB_IO_BUFFER_HOST_ENDIAN) value = swap(value); \
1855 *offset += sizeof(type); \
1856 return wrap(value); \
1857} \
1858\
1859static void \
1860io_buffer_write_##name(const void* base, size_t size, size_t *offset, VALUE _value) \
1861{ \
1862 io_buffer_validate_type(size, *offset + sizeof(type)); \
1863 type value = unwrap(_value); \
1864 if (endian != RB_IO_BUFFER_HOST_ENDIAN) value = swap(value); \
1865 memcpy((char*)base + *offset, &value, sizeof(type)); \
1866 *offset += sizeof(type); \
1867} \
1868\
1869enum { \
1870 RB_IO_BUFFER_DATA_TYPE_##name##_SIZE = sizeof(type) \
1871};
1872
1873IO_BUFFER_DECLARE_TYPE(U8, uint8_t, RB_IO_BUFFER_BIG_ENDIAN, RB_UINT2NUM, RB_NUM2UINT, ruby_swap8)
1874IO_BUFFER_DECLARE_TYPE(S8, int8_t, RB_IO_BUFFER_BIG_ENDIAN, RB_INT2NUM, RB_NUM2INT, ruby_swap8)
1875
1876IO_BUFFER_DECLARE_TYPE(u16, uint16_t, RB_IO_BUFFER_LITTLE_ENDIAN, RB_UINT2NUM, RB_NUM2UINT, ruby_swap16)
1877IO_BUFFER_DECLARE_TYPE(U16, uint16_t, RB_IO_BUFFER_BIG_ENDIAN, RB_UINT2NUM, RB_NUM2UINT, ruby_swap16)
1878IO_BUFFER_DECLARE_TYPE(s16, int16_t, RB_IO_BUFFER_LITTLE_ENDIAN, RB_INT2NUM, RB_NUM2INT, ruby_swap16)
1879IO_BUFFER_DECLARE_TYPE(S16, int16_t, RB_IO_BUFFER_BIG_ENDIAN, RB_INT2NUM, RB_NUM2INT, ruby_swap16)
1880
1881IO_BUFFER_DECLARE_TYPE(u32, uint32_t, RB_IO_BUFFER_LITTLE_ENDIAN, RB_UINT2NUM, RB_NUM2UINT, ruby_swap32)
1882IO_BUFFER_DECLARE_TYPE(U32, uint32_t, RB_IO_BUFFER_BIG_ENDIAN, RB_UINT2NUM, RB_NUM2UINT, ruby_swap32)
1883IO_BUFFER_DECLARE_TYPE(s32, int32_t, RB_IO_BUFFER_LITTLE_ENDIAN, RB_INT2NUM, RB_NUM2INT, ruby_swap32)
1884IO_BUFFER_DECLARE_TYPE(S32, int32_t, RB_IO_BUFFER_BIG_ENDIAN, RB_INT2NUM, RB_NUM2INT, ruby_swap32)
1885
1886IO_BUFFER_DECLARE_TYPE(u64, uint64_t, RB_IO_BUFFER_LITTLE_ENDIAN, RB_ULL2NUM, RB_NUM2ULL, ruby_swap64)
1887IO_BUFFER_DECLARE_TYPE(U64, uint64_t, RB_IO_BUFFER_BIG_ENDIAN, RB_ULL2NUM, RB_NUM2ULL, ruby_swap64)
1888IO_BUFFER_DECLARE_TYPE(s64, int64_t, RB_IO_BUFFER_LITTLE_ENDIAN, RB_LL2NUM, RB_NUM2LL, ruby_swap64)
1889IO_BUFFER_DECLARE_TYPE(S64, int64_t, RB_IO_BUFFER_BIG_ENDIAN, RB_LL2NUM, RB_NUM2LL, ruby_swap64)
1890
1891IO_BUFFER_DECLARE_TYPE(f32, float, RB_IO_BUFFER_LITTLE_ENDIAN, DBL2NUM, NUM2DBL, ruby_swapf32)
1892IO_BUFFER_DECLARE_TYPE(F32, float, RB_IO_BUFFER_BIG_ENDIAN, DBL2NUM, NUM2DBL, ruby_swapf32)
1893IO_BUFFER_DECLARE_TYPE(f64, double, RB_IO_BUFFER_LITTLE_ENDIAN, DBL2NUM, NUM2DBL, ruby_swapf64)
1894IO_BUFFER_DECLARE_TYPE(F64, double, RB_IO_BUFFER_BIG_ENDIAN, DBL2NUM, NUM2DBL, ruby_swapf64)
1895#undef IO_BUFFER_DECLARE_TYPE
1896
1897static inline size_t
1898io_buffer_buffer_type_size(ID buffer_type)
1899{
1900#define IO_BUFFER_DATA_TYPE_SIZE(name) if (buffer_type == RB_IO_BUFFER_DATA_TYPE_##name) return RB_IO_BUFFER_DATA_TYPE_##name##_SIZE;
1901 IO_BUFFER_DATA_TYPE_SIZE(U8)
1902 IO_BUFFER_DATA_TYPE_SIZE(S8)
1903 IO_BUFFER_DATA_TYPE_SIZE(u16)
1904 IO_BUFFER_DATA_TYPE_SIZE(U16)
1905 IO_BUFFER_DATA_TYPE_SIZE(s16)
1906 IO_BUFFER_DATA_TYPE_SIZE(S16)
1907 IO_BUFFER_DATA_TYPE_SIZE(u32)
1908 IO_BUFFER_DATA_TYPE_SIZE(U32)
1909 IO_BUFFER_DATA_TYPE_SIZE(s32)
1910 IO_BUFFER_DATA_TYPE_SIZE(S32)
1911 IO_BUFFER_DATA_TYPE_SIZE(u64)
1912 IO_BUFFER_DATA_TYPE_SIZE(U64)
1913 IO_BUFFER_DATA_TYPE_SIZE(s64)
1914 IO_BUFFER_DATA_TYPE_SIZE(S64)
1915 IO_BUFFER_DATA_TYPE_SIZE(f32)
1916 IO_BUFFER_DATA_TYPE_SIZE(F32)
1917 IO_BUFFER_DATA_TYPE_SIZE(f64)
1918 IO_BUFFER_DATA_TYPE_SIZE(F64)
1919#undef IO_BUFFER_DATA_TYPE_SIZE
1920
1921 rb_raise(rb_eArgError, "Invalid type name!");
1922}
1923
1924/*
1925 * call-seq:
1926 * size_of(buffer_type) -> byte size
1927 * size_of(array of buffer_type) -> byte size
1928 *
1929 * Returns the size of the given buffer type(s) in bytes.
1930 *
1931 * IO::Buffer.size_of(:u32) # => 4
1932 * IO::Buffer.size_of([:u32, :u32]) # => 8
1933 */
1934static VALUE
1935io_buffer_size_of(VALUE klass, VALUE buffer_type)
1936{
1937 if (RB_TYPE_P(buffer_type, T_ARRAY)) {
1938 size_t total = 0;
1939 for (long i = 0; i < RARRAY_LEN(buffer_type); i++) {
1940 total += io_buffer_buffer_type_size(RB_SYM2ID(RARRAY_AREF(buffer_type, i)));
1941 }
1942 return SIZET2NUM(total);
1943 }
1944 else {
1945 return SIZET2NUM(io_buffer_buffer_type_size(RB_SYM2ID(buffer_type)));
1946 }
1947}
1948
1949static inline VALUE
1950rb_io_buffer_get_value(const void* base, size_t size, ID buffer_type, size_t *offset)
1951{
1952#define IO_BUFFER_GET_VALUE(name) if (buffer_type == RB_IO_BUFFER_DATA_TYPE_##name) return io_buffer_read_##name(base, size, offset);
1953 IO_BUFFER_GET_VALUE(U8)
1954 IO_BUFFER_GET_VALUE(S8)
1955
1956 IO_BUFFER_GET_VALUE(u16)
1957 IO_BUFFER_GET_VALUE(U16)
1958 IO_BUFFER_GET_VALUE(s16)
1959 IO_BUFFER_GET_VALUE(S16)
1960
1961 IO_BUFFER_GET_VALUE(u32)
1962 IO_BUFFER_GET_VALUE(U32)
1963 IO_BUFFER_GET_VALUE(s32)
1964 IO_BUFFER_GET_VALUE(S32)
1965
1966 IO_BUFFER_GET_VALUE(u64)
1967 IO_BUFFER_GET_VALUE(U64)
1968 IO_BUFFER_GET_VALUE(s64)
1969 IO_BUFFER_GET_VALUE(S64)
1970
1971 IO_BUFFER_GET_VALUE(f32)
1972 IO_BUFFER_GET_VALUE(F32)
1973 IO_BUFFER_GET_VALUE(f64)
1974 IO_BUFFER_GET_VALUE(F64)
1975#undef IO_BUFFER_GET_VALUE
1976
1977 rb_raise(rb_eArgError, "Invalid type name!");
1978}
1979
1980/*
1981 * call-seq: get_value(buffer_type, offset) -> numeric
1982 *
1983 * Read from buffer a value of +type+ at +offset+. +buffer_type+ should be one
1984 * of symbols:
1985 *
1986 * * +:U8+: unsigned integer, 1 byte
1987 * * +:S8+: signed integer, 1 byte
1988 * * +:u16+: unsigned integer, 2 bytes, little-endian
1989 * * +:U16+: unsigned integer, 2 bytes, big-endian
1990 * * +:s16+: signed integer, 2 bytes, little-endian
1991 * * +:S16+: signed integer, 2 bytes, big-endian
1992 * * +:u32+: unsigned integer, 4 bytes, little-endian
1993 * * +:U32+: unsigned integer, 4 bytes, big-endian
1994 * * +:s32+: signed integer, 4 bytes, little-endian
1995 * * +:S32+: signed integer, 4 bytes, big-endian
1996 * * +:u64+: unsigned integer, 8 bytes, little-endian
1997 * * +:U64+: unsigned integer, 8 bytes, big-endian
1998 * * +:s64+: signed integer, 8 bytes, little-endian
1999 * * +:S64+: signed integer, 8 bytes, big-endian
2000 * * +:f32+: float, 4 bytes, little-endian
2001 * * +:F32+: float, 4 bytes, big-endian
2002 * * +:f64+: double, 8 bytes, little-endian
2003 * * +:F64+: double, 8 bytes, big-endian
2004 *
2005 * A buffer type refers specifically to the type of binary buffer that is stored
2006 * in the buffer. For example, a +:u32+ buffer type is a 32-bit unsigned
2007 * integer in little-endian format.
2008 *
2009 * string = [1.5].pack('f')
2010 * # => "\x00\x00\xC0?"
2011 * IO::Buffer.for(string).get_value(:f32, 0)
2012 * # => 1.5
2013 */
2014static VALUE
2015io_buffer_get_value(VALUE self, VALUE type, VALUE _offset)
2016{
2017 const void *base;
2018 size_t size;
2019 size_t offset = io_buffer_extract_offset(_offset);
2020
2021 rb_io_buffer_get_bytes_for_reading(self, &base, &size);
2022
2023 return rb_io_buffer_get_value(base, size, RB_SYM2ID(type), &offset);
2024}
2025
2026/*
2027 * call-seq: get_values(buffer_types, offset) -> array
2028 *
2029 * Similar to #get_value, except that it can handle multiple buffer types and
2030 * returns an array of values.
2031 *
2032 * string = [1.5, 2.5].pack('ff')
2033 * IO::Buffer.for(string).get_values([:f32, :f32], 0)
2034 * # => [1.5, 2.5]
2035 */
2036static VALUE
2037io_buffer_get_values(VALUE self, VALUE buffer_types, VALUE _offset)
2038{
2039 size_t offset = io_buffer_extract_offset(_offset);
2040
2041 const void *base;
2042 size_t size;
2043 rb_io_buffer_get_bytes_for_reading(self, &base, &size);
2044
2045 if (!RB_TYPE_P(buffer_types, T_ARRAY)) {
2046 rb_raise(rb_eArgError, "Argument buffer_types should be an array!");
2047 }
2048
2049 VALUE array = rb_ary_new_capa(RARRAY_LEN(buffer_types));
2050
2051 for (long i = 0; i < RARRAY_LEN(buffer_types); i++) {
2052 VALUE type = rb_ary_entry(buffer_types, i);
2053 VALUE value = rb_io_buffer_get_value(base, size, RB_SYM2ID(type), &offset);
2054 rb_ary_push(array, value);
2055 }
2056
2057 return array;
2058}
2059
2060// Extract a count argument, which must be a positive integer.
2061// Count is generally considered relative to the number of things.
2062static inline size_t
2063io_buffer_extract_count(VALUE argument)
2064{
2065 if (rb_int_negative_p(argument)) {
2066 rb_raise(rb_eArgError, "Count can't be negative!");
2067 }
2068
2069 return NUM2SIZET(argument);
2070}
2071
2072static inline void
2073io_buffer_extract_offset_count(ID buffer_type, size_t size, int argc, VALUE *argv, size_t *offset, size_t *count)
2074{
2075 if (argc >= 1) {
2076 *offset = io_buffer_extract_offset(argv[0]);
2077 }
2078 else {
2079 *offset = 0;
2080 }
2081
2082 if (argc >= 2) {
2083 *count = io_buffer_extract_count(argv[1]);
2084 }
2085 else {
2086 if (*offset > size) {
2087 rb_raise(rb_eArgError, "The given offset is bigger than the buffer size!");
2088 }
2089
2090 *count = (size - *offset) / io_buffer_buffer_type_size(buffer_type);
2091 }
2092}
2093
2094/*
2095 * call-seq:
2096 * each(buffer_type, [offset, [count]]) {|offset, value| ...} -> self
2097 * each(buffer_type, [offset, [count]]) -> enumerator
2098 *
2099 * Iterates over the buffer, yielding each +value+ of +buffer_type+ starting
2100 * from +offset+.
2101 *
2102 * If +count+ is given, only +count+ values will be yielded.
2103 *
2104 * IO::Buffer.for("Hello World").each(:U8, 2, 2) do |offset, value|
2105 * puts "#{offset}: #{value}"
2106 * end
2107 * # 2: 108
2108 * # 3: 108
2109 */
2110static VALUE
2111io_buffer_each(int argc, VALUE *argv, VALUE self)
2112{
2113 RETURN_ENUMERATOR_KW(self, argc, argv, RB_NO_KEYWORDS);
2114
2115 const void *base;
2116 size_t size;
2117
2118 rb_io_buffer_get_bytes_for_reading(self, &base, &size);
2119
2120 ID buffer_type;
2121 if (argc >= 1) {
2122 buffer_type = RB_SYM2ID(argv[0]);
2123 }
2124 else {
2125 buffer_type = RB_IO_BUFFER_DATA_TYPE_U8;
2126 }
2127
2128 size_t offset, count;
2129 io_buffer_extract_offset_count(buffer_type, size, argc-1, argv+1, &offset, &count);
2130
2131 for (size_t i = 0; i < count; i++) {
2132 size_t current_offset = offset;
2133 VALUE value = rb_io_buffer_get_value(base, size, buffer_type, &offset);
2134 rb_yield_values(2, SIZET2NUM(current_offset), value);
2135 }
2136
2137 return self;
2138}
2139
2140/*
2141 * call-seq: values(buffer_type, [offset, [count]]) -> array
2142 *
2143 * Returns an array of values of +buffer_type+ starting from +offset+.
2144 *
2145 * If +count+ is given, only +count+ values will be returned.
2146 *
2147 * IO::Buffer.for("Hello World").values(:U8, 2, 2)
2148 * # => [108, 108]
2149 */
2150static VALUE
2151io_buffer_values(int argc, VALUE *argv, VALUE self)
2152{
2153 const void *base;
2154 size_t size;
2155
2156 rb_io_buffer_get_bytes_for_reading(self, &base, &size);
2157
2158 ID buffer_type;
2159 if (argc >= 1) {
2160 buffer_type = RB_SYM2ID(argv[0]);
2161 }
2162 else {
2163 buffer_type = RB_IO_BUFFER_DATA_TYPE_U8;
2164 }
2165
2166 size_t offset, count;
2167 io_buffer_extract_offset_count(buffer_type, size, argc-1, argv+1, &offset, &count);
2168
2169 VALUE array = rb_ary_new_capa(count);
2170
2171 for (size_t i = 0; i < count; i++) {
2172 VALUE value = rb_io_buffer_get_value(base, size, buffer_type, &offset);
2173 rb_ary_push(array, value);
2174 }
2175
2176 return array;
2177}
2178
2179/*
2180 * call-seq:
2181 * each_byte([offset, [count]]) {|offset, byte| ...} -> self
2182 * each_byte([offset, [count]]) -> enumerator
2183 *
2184 * Iterates over the buffer, yielding each byte starting from +offset+.
2185 *
2186 * If +count+ is given, only +count+ bytes will be yielded.
2187 *
2188 * IO::Buffer.for("Hello World").each_byte(2, 2) do |offset, byte|
2189 * puts "#{offset}: #{byte}"
2190 * end
2191 * # 2: 108
2192 * # 3: 108
2193 */
2194static VALUE
2195io_buffer_each_byte(int argc, VALUE *argv, VALUE self)
2196{
2197 RETURN_ENUMERATOR_KW(self, argc, argv, RB_NO_KEYWORDS);
2198
2199 const void *base;
2200 size_t size;
2201
2202 rb_io_buffer_get_bytes_for_reading(self, &base, &size);
2203
2204 size_t offset, count;
2205 io_buffer_extract_offset_count(RB_IO_BUFFER_DATA_TYPE_U8, size, argc-1, argv+1, &offset, &count);
2206
2207 for (size_t i = 0; i < count; i++) {
2208 unsigned char *value = (unsigned char *)base + i + offset;
2209 rb_yield(RB_INT2FIX(*value));
2210 }
2211
2212 return self;
2213}
2214
2215static inline void
2216rb_io_buffer_set_value(const void* base, size_t size, ID buffer_type, size_t *offset, VALUE value)
2217{
2218#define IO_BUFFER_SET_VALUE(name) if (buffer_type == RB_IO_BUFFER_DATA_TYPE_##name) {io_buffer_write_##name(base, size, offset, value); return;}
2219 IO_BUFFER_SET_VALUE(U8);
2220 IO_BUFFER_SET_VALUE(S8);
2221
2222 IO_BUFFER_SET_VALUE(u16);
2223 IO_BUFFER_SET_VALUE(U16);
2224 IO_BUFFER_SET_VALUE(s16);
2225 IO_BUFFER_SET_VALUE(S16);
2226
2227 IO_BUFFER_SET_VALUE(u32);
2228 IO_BUFFER_SET_VALUE(U32);
2229 IO_BUFFER_SET_VALUE(s32);
2230 IO_BUFFER_SET_VALUE(S32);
2231
2232 IO_BUFFER_SET_VALUE(u64);
2233 IO_BUFFER_SET_VALUE(U64);
2234 IO_BUFFER_SET_VALUE(s64);
2235 IO_BUFFER_SET_VALUE(S64);
2236
2237 IO_BUFFER_SET_VALUE(f32);
2238 IO_BUFFER_SET_VALUE(F32);
2239 IO_BUFFER_SET_VALUE(f64);
2240 IO_BUFFER_SET_VALUE(F64);
2241#undef IO_BUFFER_SET_VALUE
2242
2243 rb_raise(rb_eArgError, "Invalid type name!");
2244}
2245
2246/*
2247 * call-seq: set_value(type, offset, value) -> offset
2248 *
2249 * Write to a buffer a +value+ of +type+ at +offset+. +type+ should be one of
2250 * symbols described in #get_value.
2251 *
2252 * buffer = IO::Buffer.new(8)
2253 * # =>
2254 * # #<IO::Buffer 0x0000555f5c9a2d50+8 INTERNAL>
2255 * # 0x00000000 00 00 00 00 00 00 00 00
2256 *
2257 * buffer.set_value(:U8, 1, 111)
2258 * # => 1
2259 *
2260 * buffer
2261 * # =>
2262 * # #<IO::Buffer 0x0000555f5c9a2d50+8 INTERNAL>
2263 * # 0x00000000 00 6f 00 00 00 00 00 00 .o......
2264 *
2265 * Note that if the +type+ is integer and +value+ is Float, the implicit truncation is performed:
2266 *
2267 * buffer = IO::Buffer.new(8)
2268 * buffer.set_value(:U32, 0, 2.5)
2269 *
2270 * buffer
2271 * # =>
2272 * # #<IO::Buffer 0x0000555f5c9a2d50+8 INTERNAL>
2273 * # 0x00000000 00 00 00 02 00 00 00 00
2274 * # ^^ the same as if we'd pass just integer 2
2275 */
2276static VALUE
2277io_buffer_set_value(VALUE self, VALUE type, VALUE _offset, VALUE value)
2278{
2279 void *base;
2280 size_t size;
2281 size_t offset = io_buffer_extract_offset(_offset);
2282
2283 rb_io_buffer_get_bytes_for_writing(self, &base, &size);
2284
2285 rb_io_buffer_set_value(base, size, RB_SYM2ID(type), &offset, value);
2286
2287 return SIZET2NUM(offset);
2288}
2289
2290/*
2291 * call-seq: set_values(buffer_types, offset, values) -> offset
2292 *
2293 * Write +values+ of +buffer_types+ at +offset+ to the buffer. +buffer_types+
2294 * should be an array of symbols as described in #get_value. +values+ should
2295 * be an array of values to write.
2296 *
2297 * buffer = IO::Buffer.new(8)
2298 * buffer.set_values([:U8, :U16], 0, [1, 2])
2299 * buffer
2300 * # =>
2301 * # #<IO::Buffer 0x696f717561746978+8 INTERNAL>
2302 * # 0x00000000 01 00 02 00 00 00 00 00 ........
2303 */
2304static VALUE
2305io_buffer_set_values(VALUE self, VALUE buffer_types, VALUE _offset, VALUE values)
2306{
2307 if (!RB_TYPE_P(buffer_types, T_ARRAY)) {
2308 rb_raise(rb_eArgError, "Argument buffer_types should be an array!");
2309 }
2310
2311 if (!RB_TYPE_P(values, T_ARRAY)) {
2312 rb_raise(rb_eArgError, "Argument values should be an array!");
2313 }
2314
2315 if (RARRAY_LEN(buffer_types) != RARRAY_LEN(values)) {
2316 rb_raise(rb_eArgError, "Argument buffer_types and values should have the same length!");
2317 }
2318
2319 size_t offset = io_buffer_extract_offset(_offset);
2320
2321 void *base;
2322 size_t size;
2323 rb_io_buffer_get_bytes_for_writing(self, &base, &size);
2324
2325 for (long i = 0; i < RARRAY_LEN(buffer_types); i++) {
2326 VALUE type = rb_ary_entry(buffer_types, i);
2327 VALUE value = rb_ary_entry(values, i);
2328 rb_io_buffer_set_value(base, size, RB_SYM2ID(type), &offset, value);
2329 }
2330
2331 return SIZET2NUM(offset);
2332}
2333
2334static size_t IO_BUFFER_BLOCKING_SIZE = 1024*1024;
2335
2337 unsigned char * destination;
2338 const unsigned char * source;
2339 size_t length;
2340};
2341
2342static void *
2343io_buffer_memmove_blocking(void *data)
2344{
2345 struct io_buffer_memmove_arguments *arguments = (struct io_buffer_memmove_arguments *)data;
2346
2347 memmove(arguments->destination, arguments->source, arguments->length);
2348
2349 return NULL;
2350}
2351
2352static void
2353io_buffer_memmove_unblock(void *data)
2354{
2355 // No safe way to interrupt.
2356}
2357
2358static void
2359io_buffer_memmove(struct rb_io_buffer *buffer, size_t offset, const void *source_base, size_t source_offset, size_t source_size, size_t length)
2360{
2361 void *base;
2362 size_t size;
2363 io_buffer_get_bytes_for_writing(buffer, &base, &size);
2364
2365 io_buffer_validate_range(buffer, offset, length);
2366
2367 if (source_offset + length > source_size) {
2368 rb_raise(rb_eArgError, "The computed source range exceeds the size of the source buffer!");
2369 }
2370
2371 struct io_buffer_memmove_arguments arguments = {
2372 .destination = (unsigned char*)base+offset,
2373 .source = (unsigned char*)source_base+source_offset,
2374 .length = length
2375 };
2376
2377 if (arguments.length >= IO_BUFFER_BLOCKING_SIZE) {
2378 rb_nogvl(io_buffer_memmove_blocking, &arguments, io_buffer_memmove_unblock, &arguments, RB_NOGVL_OFFLOAD_SAFE);
2379 } else if (arguments.length != 0) {
2380 memmove(arguments.destination, arguments.source, arguments.length);
2381 }
2382}
2383
2384// (offset, length, source_offset) -> length
2385static VALUE
2386io_buffer_copy_from(struct rb_io_buffer *buffer, const void *source_base, size_t source_size, int argc, VALUE *argv)
2387{
2388 size_t offset = 0;
2389 size_t length;
2390 size_t source_offset;
2391
2392 // The offset we copy into the buffer:
2393 if (argc >= 1) {
2394 offset = io_buffer_extract_offset(argv[0]);
2395 }
2396
2397 // The offset we start from within the string:
2398 if (argc >= 3) {
2399 source_offset = io_buffer_extract_offset(argv[2]);
2400
2401 if (source_offset > source_size) {
2402 rb_raise(rb_eArgError, "The given source offset is bigger than the source itself!");
2403 }
2404 }
2405 else {
2406 source_offset = 0;
2407 }
2408
2409 // The length we are going to copy:
2410 if (argc >= 2 && !RB_NIL_P(argv[1])) {
2411 length = io_buffer_extract_length(argv[1]);
2412 }
2413 else {
2414 // Default to the source offset -> source size:
2415 length = source_size - source_offset;
2416 }
2417
2418 io_buffer_memmove(buffer, offset, source_base, source_offset, source_size, length);
2419
2420 return SIZET2NUM(length);
2421}
2422
2423/*
2424 * call-seq:
2425 * dup -> io_buffer
2426 * clone -> io_buffer
2427 *
2428 * Make an internal copy of the source buffer. Updates to the copy will not
2429 * affect the source buffer.
2430 *
2431 * source = IO::Buffer.for("Hello World")
2432 * # =>
2433 * # #<IO::Buffer 0x00007fd598466830+11 EXTERNAL READONLY SLICE>
2434 * # 0x00000000 48 65 6c 6c 6f 20 57 6f 72 6c 64 Hello World
2435 * buffer = source.dup
2436 * # =>
2437 * # #<IO::Buffer 0x0000558cbec03320+11 INTERNAL>
2438 * # 0x00000000 48 65 6c 6c 6f 20 57 6f 72 6c 64 Hello World
2439 */
2440static VALUE
2441rb_io_buffer_initialize_copy(VALUE self, VALUE source)
2442{
2443 struct rb_io_buffer *buffer = NULL;
2444 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
2445
2446 const void *source_base;
2447 size_t source_size;
2448
2449 rb_io_buffer_get_bytes_for_reading(source, &source_base, &source_size);
2450
2451 io_buffer_initialize(self, buffer, NULL, source_size, io_flags_for_size(source_size), Qnil);
2452
2453 return io_buffer_copy_from(buffer, source_base, source_size, 0, NULL);
2454}
2455
2456/*
2457 * call-seq:
2458 * copy(source, [offset, [length, [source_offset]]]) -> size
2459 *
2460 * Efficiently copy from a source IO::Buffer into the buffer, at +offset+
2461 * using +memmove+. For copying String instances, see #set_string.
2462 *
2463 * buffer = IO::Buffer.new(32)
2464 * # =>
2465 * # #<IO::Buffer 0x0000555f5ca22520+32 INTERNAL>
2466 * # 0x00000000 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 ................
2467 * # 0x00000010 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 ................ *
2468 *
2469 * buffer.copy(IO::Buffer.for("test"), 8)
2470 * # => 4 -- size of buffer copied
2471 * buffer
2472 * # =>
2473 * # #<IO::Buffer 0x0000555f5cf8fe40+32 INTERNAL>
2474 * # 0x00000000 00 00 00 00 00 00 00 00 74 65 73 74 00 00 00 00 ........test....
2475 * # 0x00000010 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 ................ *
2476 *
2477 * #copy can be used to put buffer into strings associated with buffer:
2478 *
2479 * string = "data: "
2480 * # => "data: "
2481 * buffer = IO::Buffer.for(string) do |buffer|
2482 * buffer.copy(IO::Buffer.for("test"), 5)
2483 * end
2484 * # => 4
2485 * string
2486 * # => "data:test"
2487 *
2488 * Attempt to copy into a read-only buffer will fail:
2489 *
2490 * File.write('test.txt', 'test')
2491 * buffer = IO::Buffer.map(File.open('test.txt'), nil, 0, IO::Buffer::READONLY)
2492 * buffer.copy(IO::Buffer.for("test"), 8)
2493 * # in `copy': Buffer is not writable! (IO::Buffer::AccessError)
2494 *
2495 * See ::map for details of creation of mutable file mappings, this will
2496 * work:
2497 *
2498 * buffer = IO::Buffer.map(File.open('test.txt', 'r+'))
2499 * buffer.copy(IO::Buffer.for("boom"), 0)
2500 * # => 4
2501 * File.read('test.txt')
2502 * # => "boom"
2503 *
2504 * Attempt to copy the buffer which will need place outside of buffer's
2505 * bounds will fail:
2506 *
2507 * buffer = IO::Buffer.new(2)
2508 * buffer.copy(IO::Buffer.for('test'), 0)
2509 * # in `copy': Specified offset+length is bigger than the buffer size! (ArgumentError)
2510 *
2511 * It is safe to copy between memory regions that overlaps each other.
2512 * In such case, the data is copied as if the data was first copied from the source buffer to
2513 * a temporary buffer, and then copied from the temporary buffer to the destination buffer.
2514 *
2515 * buffer = IO::Buffer.new(10)
2516 * buffer.set_string("0123456789")
2517 * buffer.copy(buffer, 3, 7)
2518 * # => 7
2519 * buffer
2520 * # =>
2521 * # #<IO::Buffer 0x000056494f8ce440+10 INTERNAL>
2522 * # 0x00000000 30 31 32 30 31 32 33 34 35 36 0120123456
2523 */
2524static VALUE
2525io_buffer_copy(int argc, VALUE *argv, VALUE self)
2526{
2527 rb_check_arity(argc, 1, 4);
2528
2529 struct rb_io_buffer *buffer = NULL;
2530 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
2531
2532 VALUE source = argv[0];
2533 const void *source_base;
2534 size_t source_size;
2535
2536 rb_io_buffer_get_bytes_for_reading(source, &source_base, &source_size);
2537
2538 return io_buffer_copy_from(buffer, source_base, source_size, argc-1, argv+1);
2539}
2540
2541/*
2542 * call-seq: get_string([offset, [length, [encoding]]]) -> string
2543 *
2544 * Read a chunk or all of the buffer into a string, in the specified
2545 * +encoding+. If no encoding is provided +Encoding::BINARY+ is used.
2546 *
2547 * buffer = IO::Buffer.for('test')
2548 * buffer.get_string
2549 * # => "test"
2550 * buffer.get_string(2)
2551 * # => "st"
2552 * buffer.get_string(2, 1)
2553 * # => "s"
2554 */
2555static VALUE
2556io_buffer_get_string(int argc, VALUE *argv, VALUE self)
2557{
2558 rb_check_arity(argc, 0, 3);
2559
2560 size_t offset, length;
2561 struct rb_io_buffer *buffer = io_buffer_extract_offset_length(self, argc, argv, &offset, &length);
2562
2563 const void *base;
2564 size_t size;
2565 io_buffer_get_bytes_for_reading(buffer, &base, &size);
2566
2567 rb_encoding *encoding;
2568 if (argc >= 3) {
2569 encoding = rb_find_encoding(argv[2]);
2570 }
2571 else {
2572 encoding = rb_ascii8bit_encoding();
2573 }
2574
2575 io_buffer_validate_range(buffer, offset, length);
2576
2577 return rb_enc_str_new((const char*)base + offset, length, encoding);
2578}
2579
2580/*
2581 * call-seq: set_string(string, [offset, [length, [source_offset]]]) -> size
2582 *
2583 * Efficiently copy from a source String into the buffer, at +offset+ using
2584 * +memmove+.
2585 *
2586 * buf = IO::Buffer.new(8)
2587 * # =>
2588 * # #<IO::Buffer 0x0000557412714a20+8 INTERNAL>
2589 * # 0x00000000 00 00 00 00 00 00 00 00 ........
2590 *
2591 * # set buffer starting from offset 1, take 2 bytes starting from string's
2592 * # second
2593 * buf.set_string('test', 1, 2, 1)
2594 * # => 2
2595 * buf
2596 * # =>
2597 * # #<IO::Buffer 0x0000557412714a20+8 INTERNAL>
2598 * # 0x00000000 00 65 73 00 00 00 00 00 .es.....
2599 *
2600 * See also #copy for examples of how buffer writing might be used for changing
2601 * associated strings and files.
2602 */
2603static VALUE
2604io_buffer_set_string(int argc, VALUE *argv, VALUE self)
2605{
2606 rb_check_arity(argc, 1, 4);
2607
2608 struct rb_io_buffer *buffer = NULL;
2609 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
2610
2611 VALUE string = rb_str_to_str(argv[0]);
2612
2613 const void *source_base = RSTRING_PTR(string);
2614 size_t source_size = RSTRING_LEN(string);
2615
2616 return io_buffer_copy_from(buffer, source_base, source_size, argc-1, argv+1);
2617}
2618
2619void
2620rb_io_buffer_clear(VALUE self, uint8_t value, size_t offset, size_t length)
2621{
2622 struct rb_io_buffer *buffer = NULL;
2623 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
2624
2625 void *base;
2626 size_t size;
2627 io_buffer_get_bytes_for_writing(buffer, &base, &size);
2628
2629 io_buffer_validate_range(buffer, offset, length);
2630
2631 memset((char*)base + offset, value, length);
2632}
2633
2634/*
2635 * call-seq: clear(value = 0, [offset, [length]]) -> self
2636 *
2637 * Fill buffer with +value+, starting with +offset+ and going for +length+
2638 * bytes.
2639 *
2640 * buffer = IO::Buffer.for('test').dup
2641 * # =>
2642 * # <IO::Buffer 0x00007fca40087c38+4 INTERNAL>
2643 * # 0x00000000 74 65 73 74 test
2644 *
2645 * buffer.clear
2646 * # =>
2647 * # <IO::Buffer 0x00007fca40087c38+4 INTERNAL>
2648 * # 0x00000000 00 00 00 00 ....
2649 *
2650 * buf.clear(1) # fill with 1
2651 * # =>
2652 * # <IO::Buffer 0x00007fca40087c38+4 INTERNAL>
2653 * # 0x00000000 01 01 01 01 ....
2654 *
2655 * buffer.clear(2, 1, 2) # fill with 2, starting from offset 1, for 2 bytes
2656 * # =>
2657 * # <IO::Buffer 0x00007fca40087c38+4 INTERNAL>
2658 * # 0x00000000 01 02 02 01 ....
2659 *
2660 * buffer.clear(2, 1) # fill with 2, starting from offset 1
2661 * # =>
2662 * # <IO::Buffer 0x00007fca40087c38+4 INTERNAL>
2663 * # 0x00000000 01 02 02 02 ....
2664 */
2665static VALUE
2666io_buffer_clear(int argc, VALUE *argv, VALUE self)
2667{
2668 rb_check_arity(argc, 0, 3);
2669
2670 uint8_t value = 0;
2671 if (argc >= 1) {
2672 value = NUM2UINT(argv[0]);
2673 }
2674
2675 size_t offset, length;
2676 io_buffer_extract_offset_length(self, argc-1, argv+1, &offset, &length);
2677
2678 rb_io_buffer_clear(self, value, offset, length);
2679
2680 return self;
2681}
2682
2683static size_t
2684io_buffer_default_size(size_t page_size)
2685{
2686 // Platform agnostic default size, based on empirical performance observation:
2687 const size_t platform_agnostic_default_size = 64*1024;
2688
2689 // Allow user to specify custom default buffer size:
2690 const char *default_size = getenv("RUBY_IO_BUFFER_DEFAULT_SIZE");
2691 if (default_size) {
2692 // For the purpose of setting a default size, 2^31 is an acceptable maximum:
2693 int value = atoi(default_size);
2694
2695 // assuming sizeof(int) <= sizeof(size_t)
2696 if (value > 0) {
2697 return value;
2698 }
2699 }
2700
2701 if (platform_agnostic_default_size < page_size) {
2702 return page_size;
2703 }
2704
2705 return platform_agnostic_default_size;
2706}
2707
2709 struct rb_io *io;
2710 struct rb_io_buffer *buffer;
2711 rb_blocking_function_t *function;
2712 void *data;
2713};
2714
2715static VALUE
2716io_buffer_blocking_region_begin(VALUE _argument)
2717{
2718 struct io_buffer_blocking_region_argument *argument = (void*)_argument;
2719
2720 return rb_io_blocking_region(argument->io, argument->function, argument->data);
2721}
2722
2723static VALUE
2724io_buffer_blocking_region_ensure(VALUE _argument)
2725{
2726 struct io_buffer_blocking_region_argument *argument = (void*)_argument;
2727
2728 io_buffer_unlock(argument->buffer);
2729
2730 return Qnil;
2731}
2732
2733static VALUE
2734io_buffer_blocking_region(VALUE io, struct rb_io_buffer *buffer, rb_blocking_function_t *function, void *data)
2735{
2736 io = rb_io_get_io(io);
2737 struct rb_io *ioptr;
2738 RB_IO_POINTER(io, ioptr);
2739
2740 struct io_buffer_blocking_region_argument argument = {
2741 .io = ioptr,
2742 .buffer = buffer,
2743 .function = function,
2744 .data = data,
2745 };
2746
2747 // If the buffer is already locked, we can skip the ensure (unlock):
2748 if (buffer->flags & RB_IO_BUFFER_LOCKED) {
2749 return io_buffer_blocking_region_begin((VALUE)&argument);
2750 }
2751 else {
2752 // The buffer should be locked for the duration of the blocking region:
2753 io_buffer_lock(buffer);
2754
2755 return rb_ensure(io_buffer_blocking_region_begin, (VALUE)&argument, io_buffer_blocking_region_ensure, (VALUE)&argument);
2756 }
2757}
2758
2760 // The file descriptor to read from:
2761 int descriptor;
2762 // The base pointer to read from:
2763 char *base;
2764 // The size of the buffer:
2765 size_t size;
2766 // The minimum number of bytes to read:
2767 size_t length;
2768};
2769
2770static VALUE
2771io_buffer_read_internal(void *_argument)
2772{
2773 size_t total = 0;
2774 struct io_buffer_read_internal_argument *argument = _argument;
2775
2776 while (true) {
2777 ssize_t result = read(argument->descriptor, argument->base, argument->size);
2778
2779 if (result < 0) {
2780 return rb_fiber_scheduler_io_result(result, errno);
2781 }
2782 else if (result == 0) {
2783 return rb_fiber_scheduler_io_result(total, 0);
2784 }
2785 else {
2786 total += result;
2787
2788 if (total >= argument->length) {
2789 return rb_fiber_scheduler_io_result(total, 0);
2790 }
2791
2792 argument->base = argument->base + result;
2793 argument->size = argument->size - result;
2794 }
2795 }
2796}
2797
2798VALUE
2799rb_io_buffer_read(VALUE self, VALUE io, size_t length, size_t offset)
2800{
2801 VALUE scheduler = rb_fiber_scheduler_current();
2802 if (scheduler != Qnil) {
2803 VALUE result = rb_fiber_scheduler_io_read(scheduler, io, self, length, offset);
2804
2805 if (!UNDEF_P(result)) {
2806 return result;
2807 }
2808 }
2809
2810 struct rb_io_buffer *buffer = NULL;
2811 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
2812
2813 io_buffer_validate_range(buffer, offset, length);
2814
2815 int descriptor = rb_io_descriptor(io);
2816
2817 void * base;
2818 size_t size;
2819 io_buffer_get_bytes_for_writing(buffer, &base, &size);
2820
2821 base = (unsigned char*)base + offset;
2822 size = size - offset;
2823
2824 struct io_buffer_read_internal_argument argument = {
2825 .descriptor = descriptor,
2826 .base = base,
2827 .size = size,
2828 .length = length,
2829 };
2830
2831 return io_buffer_blocking_region(io, buffer, io_buffer_read_internal, &argument);
2832}
2833
2834/*
2835 * call-seq: read(io, [length, [offset]]) -> read length or -errno
2836 *
2837 * Read at least +length+ bytes from the +io+, into the buffer starting at
2838 * +offset+. If an error occurs, return <tt>-errno</tt>.
2839 *
2840 * If +length+ is not given or +nil+, it defaults to the size of the buffer
2841 * minus the offset, i.e. the entire buffer.
2842 *
2843 * If +length+ is zero, exactly one <tt>read</tt> operation will occur.
2844 *
2845 * If +offset+ is not given, it defaults to zero, i.e. the beginning of the
2846 * buffer.
2847 *
2848 * IO::Buffer.for('test') do |buffer|
2849 * p buffer
2850 * # =>
2851 * # <IO::Buffer 0x00007fca40087c38+4 SLICE>
2852 * # 0x00000000 74 65 73 74 test
2853 * buffer.read(File.open('/dev/urandom', 'rb'), 2)
2854 * p buffer
2855 * # =>
2856 * # <IO::Buffer 0x00007f3bc65f2a58+4 EXTERNAL SLICE>
2857 * # 0x00000000 05 35 73 74 .5st
2858 * end
2859 */
2860static VALUE
2861io_buffer_read(int argc, VALUE *argv, VALUE self)
2862{
2863 rb_check_arity(argc, 1, 3);
2864
2865 VALUE io = argv[0];
2866
2867 size_t length, offset;
2868 io_buffer_extract_length_offset(self, argc-1, argv+1, &length, &offset);
2869
2870 return rb_io_buffer_read(self, io, length, offset);
2871}
2872
2874 // The file descriptor to read from:
2875 int descriptor;
2876 // The base pointer to read from:
2877 char *base;
2878 // The size of the buffer:
2879 size_t size;
2880 // The minimum number of bytes to read:
2881 size_t length;
2882 // The offset to read from:
2883 off_t offset;
2884};
2885
2886static VALUE
2887io_buffer_pread_internal(void *_argument)
2888{
2889 size_t total = 0;
2890 struct io_buffer_pread_internal_argument *argument = _argument;
2891
2892 while (true) {
2893 ssize_t result = pread(argument->descriptor, argument->base, argument->size, argument->offset);
2894
2895 if (result < 0) {
2896 return rb_fiber_scheduler_io_result(result, errno);
2897 }
2898 else if (result == 0) {
2899 return rb_fiber_scheduler_io_result(total, 0);
2900 }
2901 else {
2902 total += result;
2903
2904 if (total >= argument->length) {
2905 return rb_fiber_scheduler_io_result(total, 0);
2906 }
2907
2908 argument->base = argument->base + result;
2909 argument->size = argument->size - result;
2910 argument->offset = argument->offset + result;
2911 }
2912 }
2913}
2914
2915VALUE
2916rb_io_buffer_pread(VALUE self, VALUE io, rb_off_t from, size_t length, size_t offset)
2917{
2918 VALUE scheduler = rb_fiber_scheduler_current();
2919 if (scheduler != Qnil) {
2920 VALUE result = rb_fiber_scheduler_io_pread(scheduler, io, from, self, length, offset);
2921
2922 if (!UNDEF_P(result)) {
2923 return result;
2924 }
2925 }
2926
2927 struct rb_io_buffer *buffer = NULL;
2928 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
2929
2930 io_buffer_validate_range(buffer, offset, length);
2931
2932 int descriptor = rb_io_descriptor(io);
2933
2934 void * base;
2935 size_t size;
2936 io_buffer_get_bytes_for_writing(buffer, &base, &size);
2937
2938 base = (unsigned char*)base + offset;
2939 size = size - offset;
2940
2941 struct io_buffer_pread_internal_argument argument = {
2942 .descriptor = descriptor,
2943 .base = base,
2944 .size = size,
2945 .length = length,
2946 .offset = from,
2947 };
2948
2949 return io_buffer_blocking_region(io, buffer, io_buffer_pread_internal, &argument);
2950}
2951
2952/*
2953 * call-seq: pread(io, from, [length, [offset]]) -> read length or -errno
2954 *
2955 * Read at least +length+ bytes from the +io+ starting at the specified +from+
2956 * position, into the buffer starting at +offset+. If an error occurs,
2957 * return <tt>-errno</tt>.
2958 *
2959 * If +length+ is not given or +nil+, it defaults to the size of the buffer
2960 * minus the offset, i.e. the entire buffer.
2961 *
2962 * If +length+ is zero, exactly one <tt>pread</tt> operation will occur.
2963 *
2964 * If +offset+ is not given, it defaults to zero, i.e. the beginning of the
2965 * buffer.
2966 *
2967 * IO::Buffer.for('test') do |buffer|
2968 * p buffer
2969 * # =>
2970 * # <IO::Buffer 0x00007fca40087c38+4 SLICE>
2971 * # 0x00000000 74 65 73 74 test
2972 *
2973 * # take 2 bytes from the beginning of urandom,
2974 * # put them in buffer starting from position 2
2975 * buffer.pread(File.open('/dev/urandom', 'rb'), 0, 2, 2)
2976 * p buffer
2977 * # =>
2978 * # <IO::Buffer 0x00007f3bc65f2a58+4 EXTERNAL SLICE>
2979 * # 0x00000000 05 35 73 74 te.5
2980 * end
2981 */
2982static VALUE
2983io_buffer_pread(int argc, VALUE *argv, VALUE self)
2984{
2985 rb_check_arity(argc, 2, 4);
2986
2987 VALUE io = argv[0];
2988 rb_off_t from = NUM2OFFT(argv[1]);
2989
2990 size_t length, offset;
2991 io_buffer_extract_length_offset(self, argc-2, argv+2, &length, &offset);
2992
2993 return rb_io_buffer_pread(self, io, from, length, offset);
2994}
2995
2997 // The file descriptor to write to:
2998 int descriptor;
2999 // The base pointer to write from:
3000 const char *base;
3001 // The size of the buffer:
3002 size_t size;
3003 // The minimum length to write:
3004 size_t length;
3005};
3006
3007static VALUE
3008io_buffer_write_internal(void *_argument)
3009{
3010 size_t total = 0;
3011 struct io_buffer_write_internal_argument *argument = _argument;
3012
3013 while (true) {
3014 ssize_t result = write(argument->descriptor, argument->base, argument->size);
3015
3016 if (result < 0) {
3017 return rb_fiber_scheduler_io_result(result, errno);
3018 }
3019 else if (result == 0) {
3020 return rb_fiber_scheduler_io_result(total, 0);
3021 }
3022 else {
3023 total += result;
3024
3025 if (total >= argument->length) {
3026 return rb_fiber_scheduler_io_result(total, 0);
3027 }
3028
3029 argument->base = argument->base + result;
3030 argument->size = argument->size - result;
3031 }
3032 }
3033}
3034
3035VALUE
3036rb_io_buffer_write(VALUE self, VALUE io, size_t length, size_t offset)
3037{
3038 VALUE scheduler = rb_fiber_scheduler_current();
3039 if (scheduler != Qnil) {
3040 VALUE result = rb_fiber_scheduler_io_write(scheduler, io, self, length, offset);
3041
3042 if (!UNDEF_P(result)) {
3043 return result;
3044 }
3045 }
3046
3047 struct rb_io_buffer *buffer = NULL;
3048 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
3049
3050 io_buffer_validate_range(buffer, offset, length);
3051
3052 int descriptor = rb_io_descriptor(io);
3053
3054 const void * base;
3055 size_t size;
3056 io_buffer_get_bytes_for_reading(buffer, &base, &size);
3057
3058 base = (unsigned char*)base + offset;
3059 size = size - offset;
3060
3061 struct io_buffer_write_internal_argument argument = {
3062 .descriptor = descriptor,
3063 .base = base,
3064 .size = size,
3065 .length = length,
3066 };
3067
3068 return io_buffer_blocking_region(io, buffer, io_buffer_write_internal, &argument);
3069}
3070
3071/*
3072 * call-seq: write(io, [length, [offset]]) -> written length or -errno
3073 *
3074 * Write at least +length+ bytes from the buffer starting at +offset+, into the +io+.
3075 * If an error occurs, return <tt>-errno</tt>.
3076 *
3077 * If +length+ is not given or +nil+, it defaults to the size of the buffer
3078 * minus the offset, i.e. the entire buffer.
3079 *
3080 * If +length+ is zero, exactly one <tt>write</tt> operation will occur.
3081 *
3082 * If +offset+ is not given, it defaults to zero, i.e. the beginning of the
3083 * buffer.
3084 *
3085 * out = File.open('output.txt', 'wb')
3086 * IO::Buffer.for('1234567').write(out, 3)
3087 *
3088 * This leads to +123+ being written into <tt>output.txt</tt>
3089 */
3090static VALUE
3091io_buffer_write(int argc, VALUE *argv, VALUE self)
3092{
3093 rb_check_arity(argc, 1, 3);
3094
3095 VALUE io = argv[0];
3096
3097 size_t length, offset;
3098 io_buffer_extract_length_offset(self, argc-1, argv+1, &length, &offset);
3099
3100 return rb_io_buffer_write(self, io, length, offset);
3101}
3103 // The file descriptor to write to:
3104 int descriptor;
3105 // The base pointer to write from:
3106 const char *base;
3107 // The size of the buffer:
3108 size_t size;
3109 // The minimum length to write:
3110 size_t length;
3111 // The offset to write to:
3112 off_t offset;
3113};
3114
3115static VALUE
3116io_buffer_pwrite_internal(void *_argument)
3117{
3118 size_t total = 0;
3119 struct io_buffer_pwrite_internal_argument *argument = _argument;
3120
3121 while (true) {
3122 ssize_t result = pwrite(argument->descriptor, argument->base, argument->size, argument->offset);
3123
3124 if (result < 0) {
3125 return rb_fiber_scheduler_io_result(result, errno);
3126 }
3127 else if (result == 0) {
3128 return rb_fiber_scheduler_io_result(total, 0);
3129 }
3130 else {
3131 total += result;
3132
3133 if (total >= argument->length) {
3134 return rb_fiber_scheduler_io_result(total, 0);
3135 }
3136
3137 argument->base = argument->base + result;
3138 argument->size = argument->size - result;
3139 argument->offset = argument->offset + result;
3140 }
3141 }
3142}
3143
3144VALUE
3145rb_io_buffer_pwrite(VALUE self, VALUE io, rb_off_t from, size_t length, size_t offset)
3146{
3147 VALUE scheduler = rb_fiber_scheduler_current();
3148 if (scheduler != Qnil) {
3149 VALUE result = rb_fiber_scheduler_io_pwrite(scheduler, io, from, self, length, offset);
3150
3151 if (!UNDEF_P(result)) {
3152 return result;
3153 }
3154 }
3155
3156 struct rb_io_buffer *buffer = NULL;
3157 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
3158
3159 io_buffer_validate_range(buffer, offset, length);
3160
3161 int descriptor = rb_io_descriptor(io);
3162
3163 const void * base;
3164 size_t size;
3165 io_buffer_get_bytes_for_reading(buffer, &base, &size);
3166
3167 base = (unsigned char*)base + offset;
3168 size = size - offset;
3169
3170 struct io_buffer_pwrite_internal_argument argument = {
3171 .descriptor = descriptor,
3172
3173 // Move the base pointer to the offset:
3174 .base = base,
3175
3176 // And the size to the length of buffer we want to read:
3177 .size = size,
3178
3179 // And the length of the buffer we want to write:
3180 .length = length,
3181
3182 // And the offset in the file we want to write from:
3183 .offset = from,
3184 };
3185
3186 return io_buffer_blocking_region(io, buffer, io_buffer_pwrite_internal, &argument);
3187}
3188
3189/*
3190 * call-seq: pwrite(io, from, [length, [offset]]) -> written length or -errno
3191 *
3192 * Write at least +length+ bytes from the buffer starting at +offset+, into
3193 * the +io+ starting at the specified +from+ position. If an error occurs,
3194 * return <tt>-errno</tt>.
3195 *
3196 * If +length+ is not given or +nil+, it defaults to the size of the buffer
3197 * minus the offset, i.e. the entire buffer.
3198 *
3199 * If +length+ is zero, exactly one <tt>pwrite</tt> operation will occur.
3200 *
3201 * If +offset+ is not given, it defaults to zero, i.e. the beginning of the
3202 * buffer.
3203 *
3204 * If the +from+ position is beyond the end of the file, the gap will be
3205 * filled with null (0 value) bytes.
3206 *
3207 * out = File.open('output.txt', File::RDWR) # open for read/write, no truncation
3208 * IO::Buffer.for('1234567').pwrite(out, 2, 3, 1)
3209 *
3210 * This leads to +234+ (3 bytes, starting from position 1) being written into
3211 * <tt>output.txt</tt>, starting from file position 2.
3212 */
3213static VALUE
3214io_buffer_pwrite(int argc, VALUE *argv, VALUE self)
3215{
3216 rb_check_arity(argc, 2, 4);
3217
3218 VALUE io = argv[0];
3219 rb_off_t from = NUM2OFFT(argv[1]);
3220
3221 size_t length, offset;
3222 io_buffer_extract_length_offset(self, argc-2, argv+2, &length, &offset);
3223
3224 return rb_io_buffer_pwrite(self, io, from, length, offset);
3225}
3226
3227static inline void
3228io_buffer_check_mask(const struct rb_io_buffer *buffer)
3229{
3230 if (buffer->size == 0)
3231 rb_raise(rb_eIOBufferMaskError, "Zero-length mask given!");
3232}
3233
3234static void
3235memory_and(unsigned char * restrict output, unsigned char * restrict base, size_t size, unsigned char * restrict mask, size_t mask_size)
3236{
3237 for (size_t offset = 0; offset < size; offset += 1) {
3238 output[offset] = base[offset] & mask[offset % mask_size];
3239 }
3240}
3241
3242/*
3243 * call-seq:
3244 * source & mask -> io_buffer
3245 *
3246 * Generate a new buffer the same size as the source by applying the binary AND
3247 * operation to the source, using the mask, repeating as necessary.
3248 *
3249 * IO::Buffer.for("1234567890") & IO::Buffer.for("\xFF\x00\x00\xFF")
3250 * # =>
3251 * # #<IO::Buffer 0x00005589b2758480+4 INTERNAL>
3252 * # 0x00000000 31 00 00 34 35 00 00 38 39 00 1..45..89.
3253 */
3254static VALUE
3255io_buffer_and(VALUE self, VALUE mask)
3256{
3257 struct rb_io_buffer *buffer = NULL;
3258 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
3259
3260 struct rb_io_buffer *mask_buffer = NULL;
3261 TypedData_Get_Struct(mask, struct rb_io_buffer, &rb_io_buffer_type, mask_buffer);
3262
3263 io_buffer_check_mask(mask_buffer);
3264
3265 VALUE output = rb_io_buffer_new(NULL, buffer->size, io_flags_for_size(buffer->size));
3266 struct rb_io_buffer *output_buffer = NULL;
3267 TypedData_Get_Struct(output, struct rb_io_buffer, &rb_io_buffer_type, output_buffer);
3268
3269 memory_and(output_buffer->base, buffer->base, buffer->size, mask_buffer->base, mask_buffer->size);
3270
3271 return output;
3272}
3273
3274static void
3275memory_or(unsigned char * restrict output, unsigned char * restrict base, size_t size, unsigned char * restrict mask, size_t mask_size)
3276{
3277 for (size_t offset = 0; offset < size; offset += 1) {
3278 output[offset] = base[offset] | mask[offset % mask_size];
3279 }
3280}
3281
3282/*
3283 * call-seq:
3284 * source | mask -> io_buffer
3285 *
3286 * Generate a new buffer the same size as the source by applying the binary OR
3287 * operation to the source, using the mask, repeating as necessary.
3288 *
3289 * IO::Buffer.for("1234567890") | IO::Buffer.for("\xFF\x00\x00\xFF")
3290 * # =>
3291 * # #<IO::Buffer 0x0000561785ae3480+10 INTERNAL>
3292 * # 0x00000000 ff 32 33 ff ff 36 37 ff ff 30 .23..67..0
3293 */
3294static VALUE
3295io_buffer_or(VALUE self, VALUE mask)
3296{
3297 struct rb_io_buffer *buffer = NULL;
3298 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
3299
3300 struct rb_io_buffer *mask_buffer = NULL;
3301 TypedData_Get_Struct(mask, struct rb_io_buffer, &rb_io_buffer_type, mask_buffer);
3302
3303 io_buffer_check_mask(mask_buffer);
3304
3305 VALUE output = rb_io_buffer_new(NULL, buffer->size, io_flags_for_size(buffer->size));
3306 struct rb_io_buffer *output_buffer = NULL;
3307 TypedData_Get_Struct(output, struct rb_io_buffer, &rb_io_buffer_type, output_buffer);
3308
3309 memory_or(output_buffer->base, buffer->base, buffer->size, mask_buffer->base, mask_buffer->size);
3310
3311 return output;
3312}
3313
3314static void
3315memory_xor(unsigned char * restrict output, unsigned char * restrict base, size_t size, unsigned char * restrict mask, size_t mask_size)
3316{
3317 for (size_t offset = 0; offset < size; offset += 1) {
3318 output[offset] = base[offset] ^ mask[offset % mask_size];
3319 }
3320}
3321
3322/*
3323 * call-seq:
3324 * source ^ mask -> io_buffer
3325 *
3326 * Generate a new buffer the same size as the source by applying the binary XOR
3327 * operation to the source, using the mask, repeating as necessary.
3328 *
3329 * IO::Buffer.for("1234567890") ^ IO::Buffer.for("\xFF\x00\x00\xFF")
3330 * # =>
3331 * # #<IO::Buffer 0x000055a2d5d10480+10 INTERNAL>
3332 * # 0x00000000 ce 32 33 cb ca 36 37 c7 c6 30 .23..67..0
3333 */
3334static VALUE
3335io_buffer_xor(VALUE self, VALUE mask)
3336{
3337 struct rb_io_buffer *buffer = NULL;
3338 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
3339
3340 struct rb_io_buffer *mask_buffer = NULL;
3341 TypedData_Get_Struct(mask, struct rb_io_buffer, &rb_io_buffer_type, mask_buffer);
3342
3343 io_buffer_check_mask(mask_buffer);
3344
3345 VALUE output = rb_io_buffer_new(NULL, buffer->size, io_flags_for_size(buffer->size));
3346 struct rb_io_buffer *output_buffer = NULL;
3347 TypedData_Get_Struct(output, struct rb_io_buffer, &rb_io_buffer_type, output_buffer);
3348
3349 memory_xor(output_buffer->base, buffer->base, buffer->size, mask_buffer->base, mask_buffer->size);
3350
3351 return output;
3352}
3353
3354static void
3355memory_not(unsigned char * restrict output, unsigned char * restrict base, size_t size)
3356{
3357 for (size_t offset = 0; offset < size; offset += 1) {
3358 output[offset] = ~base[offset];
3359 }
3360}
3361
3362/*
3363 * call-seq:
3364 * ~source -> io_buffer
3365 *
3366 * Generate a new buffer the same size as the source by applying the binary NOT
3367 * operation to the source.
3368 *
3369 * ~IO::Buffer.for("1234567890")
3370 * # =>
3371 * # #<IO::Buffer 0x000055a5ac42f120+10 INTERNAL>
3372 * # 0x00000000 ce cd cc cb ca c9 c8 c7 c6 cf ..........
3373 */
3374static VALUE
3375io_buffer_not(VALUE self)
3376{
3377 struct rb_io_buffer *buffer = NULL;
3378 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
3379
3380 VALUE output = rb_io_buffer_new(NULL, buffer->size, io_flags_for_size(buffer->size));
3381 struct rb_io_buffer *output_buffer = NULL;
3382 TypedData_Get_Struct(output, struct rb_io_buffer, &rb_io_buffer_type, output_buffer);
3383
3384 memory_not(output_buffer->base, buffer->base, buffer->size);
3385
3386 return output;
3387}
3388
3389static inline int
3390io_buffer_overlaps(const struct rb_io_buffer *a, const struct rb_io_buffer *b)
3391{
3392 if (a->base > b->base) {
3393 return io_buffer_overlaps(b, a);
3394 }
3395
3396 return (b->base >= a->base) && (b->base < (void*)((unsigned char *)a->base + a->size));
3397}
3398
3399static inline void
3400io_buffer_check_overlaps(struct rb_io_buffer *a, struct rb_io_buffer *b)
3401{
3402 if (io_buffer_overlaps(a, b))
3403 rb_raise(rb_eIOBufferMaskError, "Mask overlaps source buffer!");
3404}
3405
3406static void
3407memory_and_inplace(unsigned char * restrict base, size_t size, unsigned char * restrict mask, size_t mask_size)
3408{
3409 for (size_t offset = 0; offset < size; offset += 1) {
3410 base[offset] &= mask[offset % mask_size];
3411 }
3412}
3413
3414/*
3415 * call-seq:
3416 * source.and!(mask) -> io_buffer
3417 *
3418 * Modify the source buffer in place by applying the binary AND
3419 * operation to the source, using the mask, repeating as necessary.
3420 *
3421 * source = IO::Buffer.for("1234567890").dup # Make a read/write copy.
3422 * # =>
3423 * # #<IO::Buffer 0x000056307a0d0c20+10 INTERNAL>
3424 * # 0x00000000 31 32 33 34 35 36 37 38 39 30 1234567890
3425 *
3426 * source.and!(IO::Buffer.for("\xFF\x00\x00\xFF"))
3427 * # =>
3428 * # #<IO::Buffer 0x000056307a0d0c20+10 INTERNAL>
3429 * # 0x00000000 31 00 00 34 35 00 00 38 39 00 1..45..89.
3430 */
3431static VALUE
3432io_buffer_and_inplace(VALUE self, VALUE mask)
3433{
3434 struct rb_io_buffer *buffer = NULL;
3435 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
3436
3437 struct rb_io_buffer *mask_buffer = NULL;
3438 TypedData_Get_Struct(mask, struct rb_io_buffer, &rb_io_buffer_type, mask_buffer);
3439
3440 io_buffer_check_mask(mask_buffer);
3441 io_buffer_check_overlaps(buffer, mask_buffer);
3442
3443 void *base;
3444 size_t size;
3445 io_buffer_get_bytes_for_writing(buffer, &base, &size);
3446
3447 memory_and_inplace(base, size, mask_buffer->base, mask_buffer->size);
3448
3449 return self;
3450}
3451
3452static void
3453memory_or_inplace(unsigned char * restrict base, size_t size, unsigned char * restrict mask, size_t mask_size)
3454{
3455 for (size_t offset = 0; offset < size; offset += 1) {
3456 base[offset] |= mask[offset % mask_size];
3457 }
3458}
3459
3460/*
3461 * call-seq:
3462 * source.or!(mask) -> io_buffer
3463 *
3464 * Modify the source buffer in place by applying the binary OR
3465 * operation to the source, using the mask, repeating as necessary.
3466 *
3467 * source = IO::Buffer.for("1234567890").dup # Make a read/write copy.
3468 * # =>
3469 * # #<IO::Buffer 0x000056307a272350+10 INTERNAL>
3470 * # 0x00000000 31 32 33 34 35 36 37 38 39 30 1234567890
3471 *
3472 * source.or!(IO::Buffer.for("\xFF\x00\x00\xFF"))
3473 * # =>
3474 * # #<IO::Buffer 0x000056307a272350+10 INTERNAL>
3475 * # 0x00000000 ff 32 33 ff ff 36 37 ff ff 30 .23..67..0
3476 */
3477static VALUE
3478io_buffer_or_inplace(VALUE self, VALUE mask)
3479{
3480 struct rb_io_buffer *buffer = NULL;
3481 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
3482
3483 struct rb_io_buffer *mask_buffer = NULL;
3484 TypedData_Get_Struct(mask, struct rb_io_buffer, &rb_io_buffer_type, mask_buffer);
3485
3486 io_buffer_check_mask(mask_buffer);
3487 io_buffer_check_overlaps(buffer, mask_buffer);
3488
3489 void *base;
3490 size_t size;
3491 io_buffer_get_bytes_for_writing(buffer, &base, &size);
3492
3493 memory_or_inplace(base, size, mask_buffer->base, mask_buffer->size);
3494
3495 return self;
3496}
3497
3498static void
3499memory_xor_inplace(unsigned char * restrict base, size_t size, unsigned char * restrict mask, size_t mask_size)
3500{
3501 for (size_t offset = 0; offset < size; offset += 1) {
3502 base[offset] ^= mask[offset % mask_size];
3503 }
3504}
3505
3506/*
3507 * call-seq:
3508 * source.xor!(mask) -> io_buffer
3509 *
3510 * Modify the source buffer in place by applying the binary XOR
3511 * operation to the source, using the mask, repeating as necessary.
3512 *
3513 * source = IO::Buffer.for("1234567890").dup # Make a read/write copy.
3514 * # =>
3515 * # #<IO::Buffer 0x000056307a25b3e0+10 INTERNAL>
3516 * # 0x00000000 31 32 33 34 35 36 37 38 39 30 1234567890
3517 *
3518 * source.xor!(IO::Buffer.for("\xFF\x00\x00\xFF"))
3519 * # =>
3520 * # #<IO::Buffer 0x000056307a25b3e0+10 INTERNAL>
3521 * # 0x00000000 ce 32 33 cb ca 36 37 c7 c6 30 .23..67..0
3522 */
3523static VALUE
3524io_buffer_xor_inplace(VALUE self, VALUE mask)
3525{
3526 struct rb_io_buffer *buffer = NULL;
3527 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
3528
3529 struct rb_io_buffer *mask_buffer = NULL;
3530 TypedData_Get_Struct(mask, struct rb_io_buffer, &rb_io_buffer_type, mask_buffer);
3531
3532 io_buffer_check_mask(mask_buffer);
3533 io_buffer_check_overlaps(buffer, mask_buffer);
3534
3535 void *base;
3536 size_t size;
3537 io_buffer_get_bytes_for_writing(buffer, &base, &size);
3538
3539 memory_xor_inplace(base, size, mask_buffer->base, mask_buffer->size);
3540
3541 return self;
3542}
3543
3544static void
3545memory_not_inplace(unsigned char * restrict base, size_t size)
3546{
3547 for (size_t offset = 0; offset < size; offset += 1) {
3548 base[offset] = ~base[offset];
3549 }
3550}
3551
3552/*
3553 * call-seq:
3554 * source.not! -> io_buffer
3555 *
3556 * Modify the source buffer in place by applying the binary NOT
3557 * operation to the source.
3558 *
3559 * source = IO::Buffer.for("1234567890").dup # Make a read/write copy.
3560 * # =>
3561 * # #<IO::Buffer 0x000056307a33a450+10 INTERNAL>
3562 * # 0x00000000 31 32 33 34 35 36 37 38 39 30 1234567890
3563 *
3564 * source.not!
3565 * # =>
3566 * # #<IO::Buffer 0x000056307a33a450+10 INTERNAL>
3567 * # 0x00000000 ce cd cc cb ca c9 c8 c7 c6 cf ..........
3568 */
3569static VALUE
3570io_buffer_not_inplace(VALUE self)
3571{
3572 struct rb_io_buffer *buffer = NULL;
3573 TypedData_Get_Struct(self, struct rb_io_buffer, &rb_io_buffer_type, buffer);
3574
3575 void *base;
3576 size_t size;
3577 io_buffer_get_bytes_for_writing(buffer, &base, &size);
3578
3579 memory_not_inplace(base, size);
3580
3581 return self;
3582}
3583
3584/*
3585 * Document-class: IO::Buffer
3586 *
3587 * IO::Buffer is a efficient zero-copy buffer for input/output. There are
3588 * typical use cases:
3589 *
3590 * * Create an empty buffer with ::new, fill it with buffer using #copy or
3591 * #set_value, #set_string, get buffer with #get_string or write it directly
3592 * to some file with #write.
3593 * * Create a buffer mapped to some string with ::for, then it could be used
3594 * both for reading with #get_string or #get_value, and writing (writing will
3595 * change the source string, too).
3596 * * Create a buffer mapped to some file with ::map, then it could be used for
3597 * reading and writing the underlying file.
3598 * * Create a string of a fixed size with ::string, then #read into it, or
3599 * modify it using #set_value.
3600 *
3601 * Interaction with string and file memory is performed by efficient low-level
3602 * C mechanisms like `memcpy`.
3603 *
3604 * The class is meant to be an utility for implementing more high-level mechanisms
3605 * like Fiber::Scheduler#io_read and Fiber::Scheduler#io_write and parsing binary
3606 * protocols.
3607 *
3608 * == Examples of Usage
3609 *
3610 * Empty buffer:
3611 *
3612 * buffer = IO::Buffer.new(8) # create empty 8-byte buffer
3613 * # =>
3614 * # #<IO::Buffer 0x0000555f5d1a5c50+8 INTERNAL>
3615 * # ...
3616 * buffer
3617 * # =>
3618 * # <IO::Buffer 0x0000555f5d156ab0+8 INTERNAL>
3619 * # 0x00000000 00 00 00 00 00 00 00 00
3620 * buffer.set_string('test', 2) # put there bytes of the "test" string, starting from offset 2
3621 * # => 4
3622 * buffer.get_string # get the result
3623 * # => "\x00\x00test\x00\x00"
3624 *
3625 * \Buffer from string:
3626 *
3627 * string = 'data'
3628 * IO::Buffer.for(string) do |buffer|
3629 * buffer
3630 * # =>
3631 * # #<IO::Buffer 0x00007f3f02be9b18+4 SLICE>
3632 * # 0x00000000 64 61 74 61 data
3633 *
3634 * buffer.get_string(2) # read content starting from offset 2
3635 * # => "ta"
3636 * buffer.set_string('---', 1) # write content, starting from offset 1
3637 * # => 3
3638 * buffer
3639 * # =>
3640 * # #<IO::Buffer 0x00007f3f02be9b18+4 SLICE>
3641 * # 0x00000000 64 2d 2d 2d d---
3642 * string # original string changed, too
3643 * # => "d---"
3644 * end
3645 *
3646 * \Buffer from file:
3647 *
3648 * File.write('test.txt', 'test data')
3649 * # => 9
3650 * buffer = IO::Buffer.map(File.open('test.txt'))
3651 * # =>
3652 * # #<IO::Buffer 0x00007f3f0768c000+9 MAPPED IMMUTABLE>
3653 * # ...
3654 * buffer.get_string(5, 2) # read 2 bytes, starting from offset 5
3655 * # => "da"
3656 * buffer.set_string('---', 1) # attempt to write
3657 * # in `set_string': Buffer is not writable! (IO::Buffer::AccessError)
3658 *
3659 * # To create writable file-mapped buffer
3660 * # Open file for read-write, pass size, offset, and flags=0
3661 * buffer = IO::Buffer.map(File.open('test.txt', 'r+'), 9, 0, 0)
3662 * buffer.set_string('---', 1)
3663 * # => 3 -- bytes written
3664 * File.read('test.txt')
3665 * # => "t--- data"
3666 *
3667 * <b>The class is experimental and the interface is subject to change, this
3668 * is especially true of file mappings which may be removed entirely in
3669 * the future.</b>
3670 */
3671void
3672Init_IO_Buffer(void)
3673{
3674 rb_cIOBuffer = rb_define_class_under(rb_cIO, "Buffer", rb_cObject);
3675
3676 /* Raised when an operation would resize or re-allocate a locked buffer. */
3677 rb_eIOBufferLockedError = rb_define_class_under(rb_cIOBuffer, "LockedError", rb_eRuntimeError);
3678
3679 /* Raised when the buffer cannot be allocated for some reason, or you try to use a buffer that's not allocated. */
3680 rb_eIOBufferAllocationError = rb_define_class_under(rb_cIOBuffer, "AllocationError", rb_eRuntimeError);
3681
3682 /* Raised when you try to write to a read-only buffer, or resize an external buffer. */
3683 rb_eIOBufferAccessError = rb_define_class_under(rb_cIOBuffer, "AccessError", rb_eRuntimeError);
3684
3685 /* Raised if you try to access a buffer slice which no longer references a valid memory range of the underlying source. */
3686 rb_eIOBufferInvalidatedError = rb_define_class_under(rb_cIOBuffer, "InvalidatedError", rb_eRuntimeError);
3687
3688 /* Raised if the mask given to a binary operation is invalid, e.g. zero length or overlaps the target buffer. */
3689 rb_eIOBufferMaskError = rb_define_class_under(rb_cIOBuffer, "MaskError", rb_eArgError);
3690
3691 rb_define_alloc_func(rb_cIOBuffer, rb_io_buffer_type_allocate);
3692 rb_define_singleton_method(rb_cIOBuffer, "for", rb_io_buffer_type_for, 1);
3693 rb_define_singleton_method(rb_cIOBuffer, "string", rb_io_buffer_type_string, 1);
3694
3695#ifdef _WIN32
3696 SYSTEM_INFO info;
3697 GetSystemInfo(&info);
3698 RUBY_IO_BUFFER_PAGE_SIZE = info.dwPageSize;
3699#else /* not WIN32 */
3700 RUBY_IO_BUFFER_PAGE_SIZE = sysconf(_SC_PAGESIZE);
3701#endif
3702
3703 RUBY_IO_BUFFER_DEFAULT_SIZE = io_buffer_default_size(RUBY_IO_BUFFER_PAGE_SIZE);
3704
3705 /* The operating system page size. Used for efficient page-aligned memory allocations. */
3706 rb_define_const(rb_cIOBuffer, "PAGE_SIZE", SIZET2NUM(RUBY_IO_BUFFER_PAGE_SIZE));
3707
3708 /* The default buffer size, typically a (small) multiple of the PAGE_SIZE.
3709 Can be explicitly specified by setting the RUBY_IO_BUFFER_DEFAULT_SIZE
3710 environment variable. */
3711 rb_define_const(rb_cIOBuffer, "DEFAULT_SIZE", SIZET2NUM(RUBY_IO_BUFFER_DEFAULT_SIZE));
3712
3713 rb_define_singleton_method(rb_cIOBuffer, "map", io_buffer_map, -1);
3714
3715 rb_define_method(rb_cIOBuffer, "initialize", rb_io_buffer_initialize, -1);
3716 rb_define_method(rb_cIOBuffer, "initialize_copy", rb_io_buffer_initialize_copy, 1);
3717 rb_define_method(rb_cIOBuffer, "inspect", rb_io_buffer_inspect, 0);
3718 rb_define_method(rb_cIOBuffer, "hexdump", rb_io_buffer_hexdump, -1);
3719 rb_define_method(rb_cIOBuffer, "to_s", rb_io_buffer_to_s, 0);
3720 rb_define_method(rb_cIOBuffer, "size", rb_io_buffer_size, 0);
3721 rb_define_method(rb_cIOBuffer, "valid?", rb_io_buffer_valid_p, 0);
3722
3723 rb_define_method(rb_cIOBuffer, "transfer", rb_io_buffer_transfer, 0);
3724
3725 /* Indicates that the memory in the buffer is owned by someone else. See #external? for more details. */
3726 rb_define_const(rb_cIOBuffer, "EXTERNAL", RB_INT2NUM(RB_IO_BUFFER_EXTERNAL));
3727
3728 /* Indicates that the memory in the buffer is owned by the buffer. See #internal? for more details. */
3729 rb_define_const(rb_cIOBuffer, "INTERNAL", RB_INT2NUM(RB_IO_BUFFER_INTERNAL));
3730
3731 /* Indicates that the memory in the buffer is mapped by the operating system. See #mapped? for more details. */
3732 rb_define_const(rb_cIOBuffer, "MAPPED", RB_INT2NUM(RB_IO_BUFFER_MAPPED));
3733
3734 /* Indicates that the memory in the buffer is also mapped such that it can be shared with other processes. See #shared? for more details. */
3735 rb_define_const(rb_cIOBuffer, "SHARED", RB_INT2NUM(RB_IO_BUFFER_SHARED));
3736
3737 /* Indicates that the memory in the buffer is locked and cannot be resized or freed. See #locked? and #locked for more details. */
3738 rb_define_const(rb_cIOBuffer, "LOCKED", RB_INT2NUM(RB_IO_BUFFER_LOCKED));
3739
3740 /* Indicates that the memory in the buffer is mapped privately and changes won't be replicated to the underlying file. See #private? for more details. */
3741 rb_define_const(rb_cIOBuffer, "PRIVATE", RB_INT2NUM(RB_IO_BUFFER_PRIVATE));
3742
3743 /* Indicates that the memory in the buffer is read only, and attempts to modify it will fail. See #readonly? for more details.*/
3744 rb_define_const(rb_cIOBuffer, "READONLY", RB_INT2NUM(RB_IO_BUFFER_READONLY));
3745
3746 /* Refers to little endian byte order, where the least significant byte is stored first. See #get_value for more details. */
3747 rb_define_const(rb_cIOBuffer, "LITTLE_ENDIAN", RB_INT2NUM(RB_IO_BUFFER_LITTLE_ENDIAN));
3748
3749 /* Refers to big endian byte order, where the most significant byte is stored first. See #get_value for more details. */
3750 rb_define_const(rb_cIOBuffer, "BIG_ENDIAN", RB_INT2NUM(RB_IO_BUFFER_BIG_ENDIAN));
3751
3752 /* Refers to the byte order of the host machine. See #get_value for more details. */
3753 rb_define_const(rb_cIOBuffer, "HOST_ENDIAN", RB_INT2NUM(RB_IO_BUFFER_HOST_ENDIAN));
3754
3755 /* Refers to network byte order, which is the same as big endian. See #get_value for more details. */
3756 rb_define_const(rb_cIOBuffer, "NETWORK_ENDIAN", RB_INT2NUM(RB_IO_BUFFER_NETWORK_ENDIAN));
3757
3758 rb_define_method(rb_cIOBuffer, "null?", rb_io_buffer_null_p, 0);
3759 rb_define_method(rb_cIOBuffer, "empty?", rb_io_buffer_empty_p, 0);
3760 rb_define_method(rb_cIOBuffer, "external?", rb_io_buffer_external_p, 0);
3761 rb_define_method(rb_cIOBuffer, "internal?", rb_io_buffer_internal_p, 0);
3762 rb_define_method(rb_cIOBuffer, "mapped?", rb_io_buffer_mapped_p, 0);
3763 rb_define_method(rb_cIOBuffer, "shared?", rb_io_buffer_shared_p, 0);
3764 rb_define_method(rb_cIOBuffer, "locked?", rb_io_buffer_locked_p, 0);
3765 rb_define_method(rb_cIOBuffer, "private?", rb_io_buffer_private_p, 0);
3766 rb_define_method(rb_cIOBuffer, "readonly?", io_buffer_readonly_p, 0);
3767
3768 // Locking to prevent changes while using pointer:
3769 // rb_define_method(rb_cIOBuffer, "lock", rb_io_buffer_lock, 0);
3770 // rb_define_method(rb_cIOBuffer, "unlock", rb_io_buffer_unlock, 0);
3771 rb_define_method(rb_cIOBuffer, "locked", rb_io_buffer_locked, 0);
3772
3773 // Manipulation:
3774 rb_define_method(rb_cIOBuffer, "slice", io_buffer_slice, -1);
3775 rb_define_method(rb_cIOBuffer, "<=>", rb_io_buffer_compare, 1);
3776 rb_define_method(rb_cIOBuffer, "resize", io_buffer_resize, 1);
3777 rb_define_method(rb_cIOBuffer, "clear", io_buffer_clear, -1);
3778 rb_define_method(rb_cIOBuffer, "free", rb_io_buffer_free, 0);
3779
3780 rb_include_module(rb_cIOBuffer, rb_mComparable);
3781
3782#define IO_BUFFER_DEFINE_DATA_TYPE(name) RB_IO_BUFFER_DATA_TYPE_##name = rb_intern_const(#name)
3783 IO_BUFFER_DEFINE_DATA_TYPE(U8);
3784 IO_BUFFER_DEFINE_DATA_TYPE(S8);
3785
3786 IO_BUFFER_DEFINE_DATA_TYPE(u16);
3787 IO_BUFFER_DEFINE_DATA_TYPE(U16);
3788 IO_BUFFER_DEFINE_DATA_TYPE(s16);
3789 IO_BUFFER_DEFINE_DATA_TYPE(S16);
3790
3791 IO_BUFFER_DEFINE_DATA_TYPE(u32);
3792 IO_BUFFER_DEFINE_DATA_TYPE(U32);
3793 IO_BUFFER_DEFINE_DATA_TYPE(s32);
3794 IO_BUFFER_DEFINE_DATA_TYPE(S32);
3795
3796 IO_BUFFER_DEFINE_DATA_TYPE(u64);
3797 IO_BUFFER_DEFINE_DATA_TYPE(U64);
3798 IO_BUFFER_DEFINE_DATA_TYPE(s64);
3799 IO_BUFFER_DEFINE_DATA_TYPE(S64);
3800
3801 IO_BUFFER_DEFINE_DATA_TYPE(f32);
3802 IO_BUFFER_DEFINE_DATA_TYPE(F32);
3803 IO_BUFFER_DEFINE_DATA_TYPE(f64);
3804 IO_BUFFER_DEFINE_DATA_TYPE(F64);
3805#undef IO_BUFFER_DEFINE_DATA_TYPE
3806
3807 rb_define_singleton_method(rb_cIOBuffer, "size_of", io_buffer_size_of, 1);
3808
3809 // Data access:
3810 rb_define_method(rb_cIOBuffer, "get_value", io_buffer_get_value, 2);
3811 rb_define_method(rb_cIOBuffer, "get_values", io_buffer_get_values, 2);
3812 rb_define_method(rb_cIOBuffer, "each", io_buffer_each, -1);
3813 rb_define_method(rb_cIOBuffer, "values", io_buffer_values, -1);
3814 rb_define_method(rb_cIOBuffer, "each_byte", io_buffer_each_byte, -1);
3815 rb_define_method(rb_cIOBuffer, "set_value", io_buffer_set_value, 3);
3816 rb_define_method(rb_cIOBuffer, "set_values", io_buffer_set_values, 3);
3817
3818 rb_define_method(rb_cIOBuffer, "copy", io_buffer_copy, -1);
3819
3820 rb_define_method(rb_cIOBuffer, "get_string", io_buffer_get_string, -1);
3821 rb_define_method(rb_cIOBuffer, "set_string", io_buffer_set_string, -1);
3822
3823 // Binary buffer manipulations:
3824 rb_define_method(rb_cIOBuffer, "&", io_buffer_and, 1);
3825 rb_define_method(rb_cIOBuffer, "|", io_buffer_or, 1);
3826 rb_define_method(rb_cIOBuffer, "^", io_buffer_xor, 1);
3827 rb_define_method(rb_cIOBuffer, "~", io_buffer_not, 0);
3828
3829 rb_define_method(rb_cIOBuffer, "and!", io_buffer_and_inplace, 1);
3830 rb_define_method(rb_cIOBuffer, "or!", io_buffer_or_inplace, 1);
3831 rb_define_method(rb_cIOBuffer, "xor!", io_buffer_xor_inplace, 1);
3832 rb_define_method(rb_cIOBuffer, "not!", io_buffer_not_inplace, 0);
3833
3834 // IO operations:
3835 rb_define_method(rb_cIOBuffer, "read", io_buffer_read, -1);
3836 rb_define_method(rb_cIOBuffer, "pread", io_buffer_pread, -1);
3837 rb_define_method(rb_cIOBuffer, "write", io_buffer_write, -1);
3838 rb_define_method(rb_cIOBuffer, "pwrite", io_buffer_pwrite, -1);
3839}
#define rb_define_method(klass, mid, func, arity)
Defines klass#mid.
#define rb_define_singleton_method(klass, mid, func, arity)
Defines klass.mid.
static bool RB_OBJ_FROZEN(VALUE obj)
Checks if an object is frozen.
Definition fl_type.h:898
void rb_include_module(VALUE klass, VALUE module)
Includes a module to a class.
Definition class.c:1190
VALUE rb_define_class_under(VALUE outer, const char *name, VALUE super)
Defines a class under the namespace of outer.
Definition class.c:1013
int rb_block_given_p(void)
Determines if the current method is given a block.
Definition eval.c:936
#define T_STRING
Old name of RUBY_T_STRING.
Definition value_type.h:78
#define OBJ_FROZEN
Old name of RB_OBJ_FROZEN.
Definition fl_type.h:137
#define rb_str_cat2
Old name of rb_str_cat_cstr.
Definition string.h:1683
#define CLASS_OF
Old name of rb_class_of.
Definition globals.h:203
#define SIZET2NUM
Old name of RB_SIZE2NUM.
Definition size_t.h:62
#define NUM2UINT
Old name of RB_NUM2UINT.
Definition int.h:45
#define NUM2DBL
Old name of rb_num2dbl.
Definition double.h:27
#define Qnil
Old name of RUBY_Qnil.
#define T_ARRAY
Old name of RUBY_T_ARRAY.
Definition value_type.h:56
#define NIL_P
Old name of RB_NIL_P.
#define DBL2NUM
Old name of rb_float_new.
Definition double.h:29
#define NUM2SIZET
Old name of RB_NUM2SIZE.
Definition size_t.h:61
void rb_category_warn(rb_warning_category_t category, const char *fmt,...)
Identical to rb_category_warning(), except it reports unless $VERBOSE is nil.
Definition error.c:476
VALUE rb_eRuntimeError
RuntimeError exception.
Definition error.c:1428
@ RB_WARN_CATEGORY_EXPERIMENTAL
Warning is for experimental features.
Definition error.h:51
VALUE rb_cIO
IO class.
Definition io.c:187
static VALUE rb_class_of(VALUE obj)
Object to class mapping function.
Definition globals.h:172
VALUE rb_mComparable
Comparable module.
Definition compar.c:19
#define RB_OBJ_WRITE(old, slot, young)
Declaration of a "back" pointer.
Definition gc.h:603
#define RETURN_ENUMERATOR_KW(obj, argc, argv, kw_splat)
Identical to RETURN_SIZED_ENUMERATOR_KW(), except its size is unknown.
Definition enumerator.h:256
static int rb_check_arity(int argc, int min, int max)
Ensures that the passed integer is in the passed range.
Definition error.h:284
VALUE rb_str_append(VALUE dst, VALUE src)
Identical to rb_str_buf_append(), except it converts the right hand side before concatenating.
Definition string.c:3695
#define rb_str_new(str, len)
Allocates an instance of rb_cString.
Definition string.h:1498
VALUE rb_str_locktmp(VALUE str)
Obtains a "temporary lock" of the string.
VALUE rb_str_unlocktmp(VALUE str)
Releases a lock formerly obtained by rb_str_locktmp().
Definition string.c:3270
VALUE rb_str_buf_new(long capa)
Allocates a "string buffer".
Definition string.c:1660
#define rb_str_new_cstr(str)
Identical to rb_str_new, except it assumes the passed pointer is a pointer to a C string.
Definition string.h:1514
VALUE rb_class_name(VALUE obj)
Queries the name of the given object's class.
Definition variable.c:492
void rb_define_alloc_func(VALUE klass, rb_alloc_func_t func)
Sets the allocator function of a class.
#define RB_SYM2ID
Just another name of rb_sym2id.
Definition symbol.h:43
VALUE rb_io_get_io(VALUE io)
Identical to rb_io_check_io(), except it raises exceptions on conversion failures.
Definition io.c:811
int rb_io_descriptor(VALUE io)
Returns an integer representing the numeric file descriptor for io.
Definition io.c:2898
#define RB_IO_POINTER(obj, fp)
Queries the underlying IO pointer.
Definition io.h:396
void * rb_nogvl(void *(*func)(void *), void *data1, rb_unblock_function_t *ubf, void *data2, int flags)
Identical to rb_thread_call_without_gvl(), except it additionally takes "flags" that change the behav...
Definition thread.c:1537
#define RB_NOGVL_OFFLOAD_SAFE
Passing this flag to rb_nogvl() indicates that the passed function is safe to offload to a background...
Definition thread.h:73
#define RB_NUM2INT
Just another name of rb_num2int_inline.
Definition int.h:38
#define RB_UINT2NUM
Just another name of rb_uint2num_inline.
Definition int.h:39
#define RB_INT2NUM
Just another name of rb_int2num_inline.
Definition int.h:37
static unsigned int RB_NUM2UINT(VALUE x)
Converts an instance of rb_cNumeric into C's unsigned int.
Definition int.h:185
#define RB_LL2NUM
Just another name of rb_ll2num_inline.
Definition long_long.h:28
#define RB_ULL2NUM
Just another name of rb_ull2num_inline.
Definition long_long.h:29
#define RB_NUM2ULL
Just another name of rb_num2ull_inline.
Definition long_long.h:33
#define RB_NUM2LL
Just another name of rb_num2ll_inline.
Definition long_long.h:32
VALUE rb_yield_values(int n,...)
Identical to rb_yield(), except it takes variadic number of parameters and pass them to the block.
Definition vm_eval.c:1366
VALUE rb_yield(VALUE val)
Yields the block.
Definition vm_eval.c:1354
static VALUE RB_INT2FIX(long i)
Converts a C's long into an instance of rb_cInteger.
Definition long.h:111
#define RB_NUM2LONG
Just another name of rb_num2long_inline.
Definition long.h:57
VALUE type(ANYARGS)
ANYARGS-ed function type.
VALUE rb_ensure(type *q, VALUE w, type *e, VALUE r)
An equivalent of ensure clause.
#define NUM2OFFT
Converts an instance of rb_cNumeric into C's off_t.
Definition off_t.h:44
#define RARRAY_LEN
Just another name of rb_array_len.
Definition rarray.h:51
#define RARRAY_AREF(a, i)
Definition rarray.h:403
#define StringValue(v)
Ensures that the parameter object is a String.
Definition rstring.h:66
#define RSTRING_GETMEM(str, ptrvar, lenvar)
Convenient macro to obtain the contents and length at once.
Definition rstring.h:488
VALUE rb_str_to_str(VALUE obj)
Identical to rb_check_string_type(), except it raises exceptions in case of conversion failures.
Definition string.c:1721
#define TypedData_Get_Struct(obj, type, data_type, sval)
Obtains a C struct from inside of a wrapper Ruby object.
Definition rtypeddata.h:515
#define TypedData_Make_Struct(klass, type, data_type, sval)
Identical to TypedData_Wrap_Struct, except it allocates a new data region internally instead of takin...
Definition rtypeddata.h:497
#define errno
Ractor-aware version of errno.
Definition ruby.h:388
#define RB_NO_KEYWORDS
Do not pass keywords.
Definition scan_args.h:69
Scheduler APIs.
VALUE rb_fiber_scheduler_current(void)
Identical to rb_fiber_scheduler_get(), except it also returns RUBY_Qnil in case of a blocking fiber.
Definition scheduler.c:228
VALUE rb_fiber_scheduler_io_pwrite(VALUE scheduler, VALUE io, rb_off_t from, VALUE buffer, size_t length, size_t offset)
Non-blocking write to the passed IO at the specified offset.
Definition scheduler.c:606
VALUE rb_fiber_scheduler_io_read(VALUE scheduler, VALUE io, VALUE buffer, size_t length, size_t offset)
Non-blocking read from the passed IO.
Definition scheduler.c:519
static VALUE rb_fiber_scheduler_io_result(ssize_t result, int error)
Wrap a ssize_t and int errno into a single VALUE.
Definition scheduler.h:48
VALUE rb_fiber_scheduler_io_pread(VALUE scheduler, VALUE io, rb_off_t from, VALUE buffer, size_t length, size_t offset)
Non-blocking read from the passed IO at the specified offset.
Definition scheduler.c:543
VALUE rb_fiber_scheduler_io_write(VALUE scheduler, VALUE io, VALUE buffer, size_t length, size_t offset)
Non-blocking write to the passed IO.
Definition scheduler.c:581
static bool RB_NIL_P(VALUE obj)
Checks if the given object is nil.
This is the struct that holds necessary info for a struct.
Definition rtypeddata.h:200
const char * wrap_struct_name
Name of structs of this kind.
Definition rtypeddata.h:207
Ruby's IO, metadata and buffers.
Definition io.h:143
uintptr_t ID
Type that represents a Ruby identifier such as a variable name.
Definition value.h:52
uintptr_t VALUE
Type that represents a Ruby object.
Definition value.h:40
static bool RB_TYPE_P(VALUE obj, enum ruby_value_type t)
Queries if the given object is of given type.
Definition value_type.h:376