Ruby 4.1.0dev (2026-03-01 revision 19b636d3ecc8a824437e0d6abd7fe0c24b594ce0)
struct.c (19b636d3ecc8a824437e0d6abd7fe0c24b594ce0)
1/**********************************************************************
2
3 struct.c -
4
5 $Author$
6 created at: Tue Mar 22 18:44:30 JST 1995
7
8 Copyright (C) 1993-2007 Yukihiro Matsumoto
9
10**********************************************************************/
11
12#include "id.h"
13#include "internal.h"
14#include "internal/class.h"
15#include "internal/error.h"
16#include "internal/hash.h"
17#include "internal/object.h"
18#include "internal/proc.h"
19#include "internal/struct.h"
20#include "internal/symbol.h"
21#include "vm_core.h"
22#include "builtin.h"
23
24/* only for struct[:field] access */
25enum {
26 AREF_HASH_UNIT = 5,
27 AREF_HASH_THRESHOLD = 10
28};
29
30/* Note: Data is a stricter version of the Struct: no attr writers & no
31 hash-alike/array-alike behavior. It shares most of the implementation
32 on the C level, but is unrelated on the Ruby level. */
34static VALUE rb_cData;
35static ID id_members, id_back_members, id_keyword_init;
36
37static VALUE struct_alloc(VALUE);
38
39static inline VALUE
40struct_ivar_get(VALUE c, ID id)
41{
42 VALUE orig = c;
43 VALUE ivar = rb_attr_get(c, id);
44
45 if (!NIL_P(ivar))
46 return ivar;
47
48 for (;;) {
50 if (c == rb_cStruct || c == rb_cData || !RTEST(c))
51 return Qnil;
53 ivar = rb_attr_get(c, id);
54 if (!NIL_P(ivar)) {
55 if (!OBJ_FROZEN(orig)) rb_ivar_set(orig, id, ivar);
56 return ivar;
57 }
58 }
59}
60
62rb_struct_s_keyword_init(VALUE klass)
63{
64 return struct_ivar_get(klass, id_keyword_init);
65}
66
69{
70 VALUE members = struct_ivar_get(klass, id_members);
71
72 if (NIL_P(members)) {
73 rb_raise(rb_eTypeError, "uninitialized struct");
74 }
75 if (!RB_TYPE_P(members, T_ARRAY)) {
76 rb_raise(rb_eTypeError, "corrupted struct");
77 }
78 return members;
79}
80
83{
85
86 if (RSTRUCT_LEN_RAW(s) != RARRAY_LEN(members)) {
87 rb_raise(rb_eTypeError, "struct size differs (%ld required %ld given)",
88 RARRAY_LEN(members), RSTRUCT_LEN_RAW(s));
89 }
90 return members;
91}
92
93static long
94struct_member_pos_ideal(VALUE name, long mask)
95{
96 /* (id & (mask/2)) * 2 */
97 return (SYM2ID(name) >> (ID_SCOPE_SHIFT - 1)) & mask;
98}
99
100static long
101struct_member_pos_probe(long prev, long mask)
102{
103 /* (((prev/2) * AREF_HASH_UNIT + 1) & (mask/2)) * 2 */
104 return (prev * AREF_HASH_UNIT + 2) & mask;
105}
106
107static VALUE
108struct_set_members(VALUE klass, VALUE /* frozen hidden array */ members)
109{
110 VALUE back;
111 const long members_length = RARRAY_LEN(members);
112
113 if (members_length <= AREF_HASH_THRESHOLD) {
114 back = members;
115 }
116 else {
117 long i, j, mask = 64;
118 VALUE name;
119
120 while (mask < members_length * AREF_HASH_UNIT) mask *= 2;
121
122 back = rb_ary_hidden_new(mask + 1);
123 rb_ary_store(back, mask, INT2FIX(members_length));
124 mask -= 2; /* mask = (2**k-1)*2 */
125
126 for (i=0; i < members_length; i++) {
127 name = RARRAY_AREF(members, i);
128
129 j = struct_member_pos_ideal(name, mask);
130
131 for (;;) {
132 if (!RTEST(RARRAY_AREF(back, j))) {
133 rb_ary_store(back, j, name);
134 rb_ary_store(back, j + 1, INT2FIX(i));
135 break;
136 }
137 j = struct_member_pos_probe(j, mask);
138 }
139 }
140 OBJ_FREEZE(back);
141 }
142 rb_ivar_set(klass, id_members, members);
143 rb_ivar_set(klass, id_back_members, back);
144
145 return members;
146}
147
148static inline int
149struct_member_pos(VALUE s, VALUE name)
150{
151 VALUE back = struct_ivar_get(rb_obj_class(s), id_back_members);
152 long j, mask;
153
154 if (UNLIKELY(NIL_P(back))) {
155 rb_raise(rb_eTypeError, "uninitialized struct");
156 }
157 if (UNLIKELY(!RB_TYPE_P(back, T_ARRAY))) {
158 rb_raise(rb_eTypeError, "corrupted struct");
159 }
160
161 mask = RARRAY_LEN(back);
162
163 if (mask <= AREF_HASH_THRESHOLD) {
164 if (UNLIKELY(RSTRUCT_LEN_RAW(s) != mask)) {
165 rb_raise(rb_eTypeError,
166 "struct size differs (%ld required %ld given)",
167 mask, RSTRUCT_LEN_RAW(s));
168 }
169 for (j = 0; j < mask; j++) {
170 if (RARRAY_AREF(back, j) == name)
171 return (int)j;
172 }
173 return -1;
174 }
175
176 if (UNLIKELY(RSTRUCT_LEN_RAW(s) != FIX2INT(RARRAY_AREF(back, mask-1)))) {
177 rb_raise(rb_eTypeError, "struct size differs (%d required %ld given)",
178 FIX2INT(RARRAY_AREF(back, mask-1)), RSTRUCT_LEN_RAW(s));
179 }
180
181 mask -= 3;
182 j = struct_member_pos_ideal(name, mask);
183
184 for (;;) {
185 VALUE e = RARRAY_AREF(back, j);
186 if (e == name)
187 return FIX2INT(RARRAY_AREF(back, j + 1));
188 if (!RTEST(e)) {
189 return -1;
190 }
191 j = struct_member_pos_probe(j, mask);
192 }
193}
194
195/*
196 * call-seq:
197 * StructClass::members -> array_of_symbols
198 *
199 * Returns the member names of the Struct descendant as an array:
200 *
201 * Customer = Struct.new(:name, :address, :zip)
202 * Customer.members # => [:name, :address, :zip]
203 *
204 */
205
206static VALUE
207rb_struct_s_members_m(VALUE klass)
208{
209 VALUE members = rb_struct_s_members(klass);
210
211 return rb_ary_dup(members);
212}
213
214/*
215 * call-seq:
216 * members -> array_of_symbols
217 *
218 * Returns the member names from +self+ as an array:
219 *
220 * Customer = Struct.new(:name, :address, :zip)
221 * Customer.new.members # => [:name, :address, :zip]
222 *
223 * Related: #to_a.
224 */
225
226static VALUE
227rb_struct_members_m(VALUE obj)
228{
229 return rb_struct_s_members_m(rb_obj_class(obj));
230}
231
232VALUE
234{
235 VALUE slot = ID2SYM(id);
236 int i = struct_member_pos(obj, slot);
237 if (i != -1) {
238 return RSTRUCT_GET_RAW(obj, i);
239 }
240 rb_name_err_raise("'%1$s' is not a struct member", obj, ID2SYM(id));
241
243}
244
245static void
246rb_struct_modify(VALUE s)
247{
248 rb_check_frozen(s);
249}
250
251static VALUE
252anonymous_struct(VALUE klass)
253{
254 VALUE nstr;
255
256 nstr = rb_class_new(klass);
257 rb_make_metaclass(nstr, RBASIC(klass)->klass);
258 rb_class_inherited(klass, nstr);
259 return nstr;
260}
261
262static VALUE
263new_struct(VALUE name, VALUE super)
264{
265 /* old style: should we warn? */
266 ID id;
267 name = rb_str_to_str(name);
268 if (!rb_is_const_name(name)) {
269 rb_name_err_raise("identifier %1$s needs to be constant",
270 super, name);
271 }
272 id = rb_to_id(name);
273 if (rb_const_defined_at(super, id)) {
274 rb_warn("redefining constant %"PRIsVALUE"::%"PRIsVALUE, super, name);
275 rb_mod_remove_const(super, ID2SYM(id));
276 }
277 return rb_define_class_id_under_no_pin(super, id, super);
278}
279
280NORETURN(static void invalid_struct_pos(VALUE s, VALUE idx));
281
282static void
283define_aref_method(VALUE nstr, VALUE name, VALUE off)
284{
285 rb_add_method_optimized(nstr, SYM2ID(name), OPTIMIZED_METHOD_TYPE_STRUCT_AREF, FIX2UINT(off), METHOD_VISI_PUBLIC);
286}
287
288static void
289define_aset_method(VALUE nstr, VALUE name, VALUE off)
290{
291 rb_add_method_optimized(nstr, SYM2ID(name), OPTIMIZED_METHOD_TYPE_STRUCT_ASET, FIX2UINT(off), METHOD_VISI_PUBLIC);
292}
293
294static VALUE
295rb_struct_s_inspect(VALUE klass)
296{
297 VALUE inspect = rb_class_name(klass);
298 if (RTEST(rb_struct_s_keyword_init(klass))) {
299 rb_str_cat_cstr(inspect, "(keyword_init: true)");
300 }
301 return inspect;
302}
303
304static VALUE
305rb_data_s_new(int argc, const VALUE *argv, VALUE klass)
306{
307 if (rb_keyword_given_p()) {
308 if (argc > 1 || !RB_TYPE_P(argv[0], T_HASH)) {
309 rb_error_arity(argc, 0, 0);
310 }
311 return rb_class_new_instance_pass_kw(argc, argv, klass);
312 }
313 else {
314 VALUE members = struct_ivar_get(klass, id_members);
315 int num_members = RARRAY_LENINT(members);
316
317 rb_check_arity(argc, 0, num_members);
318 VALUE arg_hash = rb_hash_new_with_size(argc);
319 for (long i=0; i<argc; i++) {
320 VALUE k = rb_ary_entry(members, i), v = argv[i];
321 rb_hash_aset(arg_hash, k, v);
322 }
323 return rb_class_new_instance_kw(1, &arg_hash, klass, RB_PASS_KEYWORDS);
324 }
325}
326
327#if 0 /* for RDoc */
328
329/*
330 * call-seq:
331 * StructClass::keyword_init? -> true or falsy value
332 *
333 * Returns +true+ if the class was initialized with <tt>keyword_init: true</tt>.
334 * Otherwise returns +nil+ or +false+.
335 *
336 * Examples:
337 * Foo = Struct.new(:a)
338 * Foo.keyword_init? # => nil
339 * Bar = Struct.new(:a, keyword_init: true)
340 * Bar.keyword_init? # => true
341 * Baz = Struct.new(:a, keyword_init: false)
342 * Baz.keyword_init? # => false
343 */
344static VALUE
345rb_struct_s_keyword_init_p(VALUE obj)
346{
347}
348#endif
349
350#define rb_struct_s_keyword_init_p rb_struct_s_keyword_init
351
352static VALUE
353setup_struct(VALUE nstr, VALUE members)
354{
355 long i, len;
356
357 members = struct_set_members(nstr, members);
358
359 rb_define_alloc_func(nstr, struct_alloc);
362 rb_define_singleton_method(nstr, "members", rb_struct_s_members_m, 0);
363 rb_define_singleton_method(nstr, "inspect", rb_struct_s_inspect, 0);
364 rb_define_singleton_method(nstr, "keyword_init?", rb_struct_s_keyword_init_p, 0);
365
366 len = RARRAY_LEN(members);
367 for (i=0; i< len; i++) {
368 VALUE sym = RARRAY_AREF(members, i);
369 ID id = SYM2ID(sym);
370 VALUE off = LONG2NUM(i);
371
372 define_aref_method(nstr, sym, off);
373 define_aset_method(nstr, ID2SYM(rb_id_attrset(id)), off);
374 }
375
376 return nstr;
377}
378
379static VALUE
380setup_data(VALUE subclass, VALUE members)
381{
382 long i, len;
383
384 members = struct_set_members(subclass, members);
385
386 rb_define_alloc_func(subclass, struct_alloc);
387 VALUE sclass = rb_singleton_class(subclass);
388 rb_undef_method(sclass, "define");
389 rb_define_method(sclass, "new", rb_data_s_new, -1);
390 rb_define_method(sclass, "[]", rb_data_s_new, -1);
391 rb_define_method(sclass, "members", rb_struct_s_members_m, 0);
392 rb_define_method(sclass, "inspect", rb_struct_s_inspect, 0); // FIXME: just a separate method?..
393
394 len = RARRAY_LEN(members);
395 for (i=0; i< len; i++) {
396 VALUE sym = RARRAY_AREF(members, i);
397 VALUE off = LONG2NUM(i);
398
399 define_aref_method(subclass, sym, off);
400 }
401
402 return subclass;
403}
404
405VALUE
407{
408 return struct_alloc(klass);
409}
410
411static VALUE
412struct_make_members_list(va_list ar)
413{
414 char *mem;
415 VALUE ary, list = rb_ident_hash_new();
416 RBASIC_CLEAR_CLASS(list);
417 while ((mem = va_arg(ar, char*)) != 0) {
418 VALUE sym = rb_sym_intern_ascii_cstr(mem);
419 if (RTEST(rb_hash_has_key(list, sym))) {
420 rb_raise(rb_eArgError, "duplicate member: %s", mem);
421 }
422 rb_hash_aset(list, sym, Qtrue);
423 }
424 ary = rb_hash_keys(list);
425 RBASIC_CLEAR_CLASS(ary);
426 OBJ_FREEZE(ary);
427 return ary;
428}
429
430static VALUE
431struct_define_without_accessor(VALUE outer, const char *class_name, VALUE super, rb_alloc_func_t alloc, VALUE members)
432{
433 VALUE klass;
434
435 if (class_name) {
436 if (outer) {
437 klass = rb_define_class_under(outer, class_name, super);
438 }
439 else {
440 klass = rb_define_class(class_name, super);
441 }
442 }
443 else {
444 klass = anonymous_struct(super);
445 }
446
447 struct_set_members(klass, members);
448
449 if (alloc) {
450 rb_define_alloc_func(klass, alloc);
451 }
452 else {
453 rb_define_alloc_func(klass, struct_alloc);
454 }
455
456 return klass;
457}
458
459VALUE
460rb_struct_define_without_accessor_under(VALUE outer, const char *class_name, VALUE super, rb_alloc_func_t alloc, ...)
461{
462 va_list ar;
463 VALUE members;
464
465 va_start(ar, alloc);
466 members = struct_make_members_list(ar);
467 va_end(ar);
468
469 return struct_define_without_accessor(outer, class_name, super, alloc, members);
470}
471
472VALUE
473rb_struct_define_without_accessor(const char *class_name, VALUE super, rb_alloc_func_t alloc, ...)
474{
475 va_list ar;
476 VALUE members;
477
478 va_start(ar, alloc);
479 members = struct_make_members_list(ar);
480 va_end(ar);
481
482 return struct_define_without_accessor(0, class_name, super, alloc, members);
483}
484
485VALUE
486rb_struct_define(const char *name, ...)
487{
488 va_list ar;
489 VALUE st, ary;
490
491 va_start(ar, name);
492 ary = struct_make_members_list(ar);
493 va_end(ar);
494
495 if (!name) {
496 st = anonymous_struct(rb_cStruct);
497 }
498 else {
499 st = new_struct(rb_str_new2(name), rb_cStruct);
500 rb_vm_register_global_object(st);
501 }
502 return setup_struct(st, ary);
503}
504
505VALUE
506rb_struct_define_under(VALUE outer, const char *name, ...)
507{
508 va_list ar;
509 VALUE ary;
510
511 va_start(ar, name);
512 ary = struct_make_members_list(ar);
513 va_end(ar);
514
515 return setup_struct(rb_define_class_id_under(outer, rb_intern(name), rb_cStruct), ary);
516}
517
518/*
519 * call-seq:
520 * Struct.new(*member_names, keyword_init: nil){|Struct_subclass| ... } -> Struct_subclass
521 * Struct.new(class_name, *member_names, keyword_init: nil){|Struct_subclass| ... } -> Struct_subclass
522 * Struct_subclass.new(*member_names) -> Struct_subclass_instance
523 * Struct_subclass.new(**member_names) -> Struct_subclass_instance
524 *
525 * <tt>Struct.new</tt> returns a new subclass of +Struct+. The new subclass:
526 *
527 * - May be anonymous, or may have the name given by +class_name+.
528 * - May have members as given by +member_names+.
529 * - May have initialization via ordinary arguments, or via keyword arguments
530 *
531 * The new subclass has its own method <tt>::new</tt>; thus:
532 *
533 * Foo = Struct.new('Foo', :foo, :bar) # => Struct::Foo
534 * f = Foo.new(0, 1) # => #<struct Struct::Foo foo=0, bar=1>
535 *
536 * <b>Class Name</b>
537 *
538 * With string argument +class_name+,
539 * returns a new subclass of +Struct+ named <tt>Struct::<em>class_name</em></tt>:
540 *
541 * Foo = Struct.new('Foo', :foo, :bar) # => Struct::Foo
542 * Foo.name # => "Struct::Foo"
543 * Foo.superclass # => Struct
544 *
545 * Without string argument +class_name+,
546 * returns a new anonymous subclass of +Struct+:
547 *
548 * Struct.new(:foo, :bar).name # => nil
549 *
550 * <b>Block</b>
551 *
552 * With a block given, the created subclass is yielded to the block:
553 *
554 * Customer = Struct.new('Customer', :name, :address) do |new_class|
555 * p "The new subclass is #{new_class}"
556 * def greeting
557 * "Hello #{name} at #{address}"
558 * end
559 * end # => Struct::Customer
560 * dave = Customer.new('Dave', '123 Main')
561 * dave # => #<struct Struct::Customer name="Dave", address="123 Main">
562 * dave.greeting # => "Hello Dave at 123 Main"
563 *
564 * Output, from <tt>Struct.new</tt>:
565 *
566 * "The new subclass is Struct::Customer"
567 *
568 * <b>Member Names</b>
569 *
570 * Symbol arguments +member_names+
571 * determines the members of the new subclass:
572 *
573 * Struct.new(:foo, :bar).members # => [:foo, :bar]
574 * Struct.new('Foo', :foo, :bar).members # => [:foo, :bar]
575 *
576 * The new subclass has instance methods corresponding to +member_names+:
577 *
578 * Foo = Struct.new('Foo', :foo, :bar)
579 * Foo.instance_methods(false) # => [:foo, :bar, :foo=, :bar=]
580 * f = Foo.new # => #<struct Struct::Foo foo=nil, bar=nil>
581 * f.foo # => nil
582 * f.foo = 0 # => 0
583 * f.bar # => nil
584 * f.bar = 1 # => 1
585 * f # => #<struct Struct::Foo foo=0, bar=1>
586 *
587 * <b>Singleton Methods</b>
588 *
589 * A subclass returned by Struct.new has these singleton methods:
590 *
591 * - Method <tt>::new </tt> creates an instance of the subclass:
592 *
593 * Foo.new # => #<struct Struct::Foo foo=nil, bar=nil>
594 * Foo.new(0) # => #<struct Struct::Foo foo=0, bar=nil>
595 * Foo.new(0, 1) # => #<struct Struct::Foo foo=0, bar=1>
596 * Foo.new(0, 1, 2) # Raises ArgumentError: struct size differs
597 *
598 * # Initialization with keyword arguments:
599 * Foo.new(foo: 0) # => #<struct Struct::Foo foo=0, bar=nil>
600 * Foo.new(foo: 0, bar: 1) # => #<struct Struct::Foo foo=0, bar=1>
601 * Foo.new(foo: 0, bar: 1, baz: 2)
602 * # Raises ArgumentError: unknown keywords: baz
603 *
604 * - Method <tt>:inspect</tt> returns a string representation of the subclass:
605 *
606 * Foo.inspect
607 * # => "Struct::Foo"
608 *
609 * - Method <tt>::members</tt> returns an array of the member names:
610 *
611 * Foo.members # => [:foo, :bar]
612 *
613 * <b>Keyword Argument</b>
614 *
615 * By default, the arguments for initializing an instance of the new subclass
616 * can be both positional and keyword arguments.
617 *
618 * Optional keyword argument <tt>keyword_init:</tt> allows to force only one
619 * type of arguments to be accepted:
620 *
621 * KeywordsOnly = Struct.new(:foo, :bar, keyword_init: true)
622 * KeywordsOnly.new(bar: 1, foo: 0)
623 * # => #<struct KeywordsOnly foo=0, bar=1>
624 * KeywordsOnly.new(0, 1)
625 * # Raises ArgumentError: wrong number of arguments
626 *
627 * PositionalOnly = Struct.new(:foo, :bar, keyword_init: false)
628 * PositionalOnly.new(0, 1)
629 * # => #<struct PositionalOnly foo=0, bar=1>
630 * PositionalOnly.new(bar: 1, foo: 0)
631 * # => #<struct PositionalOnly foo={:foo=>1, :bar=>2}, bar=nil>
632 * # Note that no error is raised, but arguments treated as one hash value
633 *
634 * # Same as not providing keyword_init:
635 * Any = Struct.new(:foo, :bar, keyword_init: nil)
636 * Any.new(foo: 1, bar: 2)
637 * # => #<struct Any foo=1, bar=2>
638 * Any.new(1, 2)
639 * # => #<struct Any foo=1, bar=2>
640 */
641
642static VALUE
643rb_struct_s_def(int argc, VALUE *argv, VALUE klass)
644{
645 VALUE name = Qnil, rest, keyword_init = Qnil;
646 long i;
647 VALUE st;
648 VALUE opt;
649
650 argc = rb_scan_args(argc, argv, "0*:", NULL, &opt);
651 if (argc >= 1 && !SYMBOL_P(argv[0])) {
652 name = argv[0];
653 --argc;
654 ++argv;
655 }
656
657 if (!NIL_P(opt)) {
658 static ID keyword_ids[1];
659
660 if (!keyword_ids[0]) {
661 keyword_ids[0] = rb_intern("keyword_init");
662 }
663 rb_get_kwargs(opt, keyword_ids, 0, 1, &keyword_init);
664 if (UNDEF_P(keyword_init)) {
665 keyword_init = Qnil;
666 }
667 else if (RTEST(keyword_init)) {
668 keyword_init = Qtrue;
669 }
670 }
671
672 rest = rb_ident_hash_new();
673 RBASIC_CLEAR_CLASS(rest);
674 for (i=0; i<argc; i++) {
675 VALUE mem = rb_to_symbol(argv[i]);
676 if (rb_is_attrset_sym(mem)) {
677 rb_raise(rb_eArgError, "invalid struct member: %"PRIsVALUE, mem);
678 }
679 if (RTEST(rb_hash_has_key(rest, mem))) {
680 rb_raise(rb_eArgError, "duplicate member: %"PRIsVALUE, mem);
681 }
682 rb_hash_aset(rest, mem, Qtrue);
683 }
684 rest = rb_hash_keys(rest);
685 RBASIC_CLEAR_CLASS(rest);
686 OBJ_FREEZE(rest);
687 if (NIL_P(name)) {
688 st = anonymous_struct(klass);
689 }
690 else {
691 st = new_struct(name, klass);
692 }
693 setup_struct(st, rest);
694 rb_ivar_set(st, id_keyword_init, keyword_init);
695 if (rb_block_given_p()) {
696 rb_mod_module_eval(0, 0, st);
697 }
698
699 return st;
700}
701
702static long
703num_members(VALUE klass)
704{
705 VALUE members;
706 members = struct_ivar_get(klass, id_members);
707 if (!RB_TYPE_P(members, T_ARRAY)) {
708 rb_raise(rb_eTypeError, "broken members");
709 }
710 return RARRAY_LEN(members);
711}
712
713/*
714 */
715
717 VALUE self;
718 VALUE unknown_keywords;
719};
720
721static int rb_struct_pos(VALUE s, VALUE *name);
722
723static int
724struct_hash_set_i(VALUE key, VALUE val, VALUE arg)
725{
726 struct struct_hash_set_arg *args = (struct struct_hash_set_arg *)arg;
727 int i = rb_struct_pos(args->self, &key);
728 if (i < 0) {
729 if (NIL_P(args->unknown_keywords)) {
730 args->unknown_keywords = rb_ary_new();
731 }
732 rb_ary_push(args->unknown_keywords, key);
733 }
734 else {
735 rb_struct_modify(args->self);
736 RSTRUCT_SET_RAW(args->self, i, val);
737 }
738 return ST_CONTINUE;
739}
740
741static VALUE
742rb_struct_initialize_m(int argc, const VALUE *argv, VALUE self)
743{
744 VALUE klass = rb_obj_class(self);
745 rb_struct_modify(self);
746 long n = num_members(klass);
747 if (argc == 0) {
748 rb_mem_clear((VALUE *)RSTRUCT_CONST_PTR(self), n);
749 return Qnil;
750 }
751
752 bool keyword_init = false;
753 switch (rb_struct_s_keyword_init(klass)) {
754 default:
755 if (argc > 1 || !RB_TYPE_P(argv[0], T_HASH)) {
756 rb_error_arity(argc, 0, 0);
757 }
758 keyword_init = true;
759 break;
760 case Qfalse:
761 break;
762 case Qnil:
763 if (argc > 1 || !RB_TYPE_P(argv[0], T_HASH)) {
764 break;
765 }
766 keyword_init = rb_keyword_given_p();
767 break;
768 }
769 if (keyword_init) {
770 struct struct_hash_set_arg arg;
771 rb_mem_clear((VALUE *)RSTRUCT_CONST_PTR(self), n);
772 arg.self = self;
773 arg.unknown_keywords = Qnil;
774 rb_hash_foreach(argv[0], struct_hash_set_i, (VALUE)&arg);
775 if (arg.unknown_keywords != Qnil) {
776 rb_raise(rb_eArgError, "unknown keywords: %s",
777 RSTRING_PTR(rb_ary_join(arg.unknown_keywords, rb_str_new2(", "))));
778 }
779 }
780 else {
781 if (n < argc) {
782 rb_raise(rb_eArgError, "struct size differs");
783 }
784 for (long i=0; i<argc; i++) {
785 RSTRUCT_SET_RAW(self, i, argv[i]);
786 }
787 if (n > argc) {
788 rb_mem_clear((VALUE *)RSTRUCT_CONST_PTR(self)+argc, n-argc);
789 }
790 }
791 return Qnil;
792}
793
794VALUE
796{
797 rb_struct_initialize_m(RARRAY_LENINT(values), RARRAY_CONST_PTR(values), self);
798 if (rb_obj_is_kind_of(self, rb_cData)) OBJ_FREEZE(self);
799 RB_GC_GUARD(values);
800 return Qnil;
801}
802
803static VALUE *
804struct_heap_alloc(VALUE st, size_t len)
805{
806 return ALLOC_N(VALUE, len);
807}
808
809static VALUE
810struct_alloc(VALUE klass)
811{
812 long n = num_members(klass);
813 size_t embedded_size = offsetof(struct RStruct, as.ary) + (sizeof(VALUE) * n);
814 if (RCLASS_MAX_IV_COUNT(klass) > 0) {
815 embedded_size += sizeof(VALUE);
816 }
817
819
820 if (n > 0 && rb_gc_size_allocatable_p(embedded_size)) {
821 flags |= n << RSTRUCT_EMBED_LEN_SHIFT;
822 if (RCLASS_MAX_IV_COUNT(klass) == 0) {
823 // We set the flag before calling `NEWOBJ_OF` in case a NEWOBJ tracepoint does
824 // attempt to write fields. We'll remove it later if no fields was written to.
825 flags |= RSTRUCT_GEN_FIELDS;
826 }
827
828 NEWOBJ_OF(st, struct RStruct, klass, flags, embedded_size, 0);
829 if (RCLASS_MAX_IV_COUNT(klass) == 0) {
830 if (!rb_shape_obj_has_fields((VALUE)st)
831 && embedded_size < rb_gc_obj_slot_size((VALUE)st)) {
832 FL_UNSET_RAW((VALUE)st, RSTRUCT_GEN_FIELDS);
833 RSTRUCT_SET_FIELDS_OBJ((VALUE)st, 0);
834 }
835 }
836 else {
837 RSTRUCT_SET_FIELDS_OBJ((VALUE)st, 0);
838 }
839
840 rb_mem_clear((VALUE *)st->as.ary, n);
841
842 return (VALUE)st;
843 }
844 else {
845 NEWOBJ_OF(st, struct RStruct, klass, flags, sizeof(struct RStruct), 0);
846
847 st->as.heap.ptr = NULL;
848 st->as.heap.fields_obj = 0;
849 st->as.heap.len = 0;
850
851 st->as.heap.ptr = struct_heap_alloc((VALUE)st, n);
852 rb_mem_clear((VALUE *)st->as.heap.ptr, n);
853 st->as.heap.len = n;
854
855 return (VALUE)st;
856 }
857}
858
859VALUE
861{
862 return rb_class_new_instance(RARRAY_LENINT(values), RARRAY_CONST_PTR(values), klass);
863}
864
865VALUE
867{
868 VALUE tmpargs[16], *mem = tmpargs;
869 int size, i;
870 va_list args;
871
872 size = rb_long2int(num_members(klass));
873 if (size > numberof(tmpargs)) {
874 tmpargs[0] = rb_ary_hidden_new(size);
875 mem = RARRAY_PTR(tmpargs[0]);
876 }
877 va_start(args, klass);
878 for (i=0; i<size; i++) {
879 mem[i] = va_arg(args, VALUE);
880 }
881 va_end(args);
882
883 return rb_class_new_instance(size, mem, klass);
884}
885
886static VALUE
887struct_enum_size(VALUE s, VALUE args, VALUE eobj)
888{
889 return rb_struct_size(s);
890}
891
892/*
893 * call-seq:
894 * each {|value| ... } -> self
895 * each -> enumerator
896 *
897 * Calls the given block with the value of each member; returns +self+:
898 *
899 * Customer = Struct.new(:name, :address, :zip)
900 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
901 * joe.each {|value| p value }
902 *
903 * Output:
904 *
905 * "Joe Smith"
906 * "123 Maple, Anytown NC"
907 * 12345
908 *
909 * Returns an Enumerator if no block is given.
910 *
911 * Related: #each_pair.
912 */
913
914static VALUE
915rb_struct_each(VALUE s)
916{
917 long i;
918
919 RETURN_SIZED_ENUMERATOR(s, 0, 0, struct_enum_size);
920 for (i=0; i<RSTRUCT_LEN_RAW(s); i++) {
921 rb_yield(RSTRUCT_GET_RAW(s, i));
922 }
923 return s;
924}
925
926/*
927 * call-seq:
928 * each_pair {|(name, value)| ... } -> self
929 * each_pair -> enumerator
930 *
931 * Calls the given block with each member name/value pair; returns +self+:
932 *
933 * Customer = Struct.new(:name, :address, :zip) # => Customer
934 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
935 * joe.each_pair {|(name, value)| p "#{name} => #{value}" }
936 *
937 * Output:
938 *
939 * "name => Joe Smith"
940 * "address => 123 Maple, Anytown NC"
941 * "zip => 12345"
942 *
943 * Returns an Enumerator if no block is given.
944 *
945 * Related: #each.
946 *
947 */
948
949static VALUE
950rb_struct_each_pair(VALUE s)
951{
952 VALUE members;
953 long i;
954
955 RETURN_SIZED_ENUMERATOR(s, 0, 0, struct_enum_size);
956 members = rb_struct_members(s);
957 if (rb_block_pair_yield_optimizable()) {
958 for (i=0; i<RSTRUCT_LEN_RAW(s); i++) {
959 VALUE key = rb_ary_entry(members, i);
960 VALUE value = RSTRUCT_GET_RAW(s, i);
961 rb_yield_values(2, key, value);
962 }
963 }
964 else {
965 for (i=0; i<RSTRUCT_LEN_RAW(s); i++) {
966 VALUE key = rb_ary_entry(members, i);
967 VALUE value = RSTRUCT_GET_RAW(s, i);
968 rb_yield(rb_assoc_new(key, value));
969 }
970 }
971 return s;
972}
973
974static VALUE
975inspect_struct(VALUE s, VALUE prefix, int recur)
976{
977 VALUE cname = rb_class_path(rb_obj_class(s));
978 VALUE members;
979 VALUE str = prefix;
980 long i, len;
981 char first = RSTRING_PTR(cname)[0];
982
983 if (recur || first != '#') {
984 rb_str_cat2(str, " ");
985 rb_str_append(str, cname);
986 }
987 if (recur) {
988 return rb_str_cat2(str, ":...>");
989 }
990
991 members = rb_struct_members(s);
992 len = RSTRUCT_LEN_RAW(s);
993
994 for (i=0; i<len; i++) {
995 VALUE slot;
996 ID id;
997
998 if (i > 0) {
999 rb_str_cat2(str, ", ");
1000 }
1001 else {
1002 rb_str_cat2(str, " ");
1003 }
1004 slot = RARRAY_AREF(members, i);
1005 id = SYM2ID(slot);
1006 if (rb_is_local_id(id) || rb_is_const_id(id)) {
1007 rb_str_append(str, rb_id2str(id));
1008 }
1009 else {
1010 rb_str_append(str, rb_inspect(slot));
1011 }
1012 rb_str_cat2(str, "=");
1013 rb_str_append(str, rb_inspect(RSTRUCT_GET_RAW(s, i)));
1014 }
1015 rb_str_cat2(str, ">");
1016
1017 return str;
1018}
1019
1020/*
1021 * call-seq:
1022 * inspect -> string
1023 *
1024 * Returns a string representation of +self+:
1025 *
1026 * Customer = Struct.new(:name, :address, :zip) # => Customer
1027 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1028 * joe.inspect # => "#<struct Customer name=\"Joe Smith\", address=\"123 Maple, Anytown NC\", zip=12345>"
1029 *
1030 */
1031
1032static VALUE
1033rb_struct_inspect(VALUE s)
1034{
1035 return rb_exec_recursive(inspect_struct, s, rb_str_new2("#<struct"));
1036}
1037
1038/*
1039 * call-seq:
1040 * to_a -> array
1041 *
1042 * Returns the values in +self+ as an array:
1043 *
1044 * Customer = Struct.new(:name, :address, :zip)
1045 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1046 * joe.to_a # => ["Joe Smith", "123 Maple, Anytown NC", 12345]
1047 *
1048 * Related: #members.
1049 */
1050
1051static VALUE
1052rb_struct_to_a(VALUE s)
1053{
1054 return rb_ary_new4(RSTRUCT_LEN_RAW(s), RSTRUCT_CONST_PTR(s));
1055}
1056
1057/*
1058 * call-seq:
1059 * to_h -> hash
1060 * to_h {|name, value| ... } -> hash
1061 *
1062 * Returns a hash containing the name and value for each member:
1063 *
1064 * Customer = Struct.new(:name, :address, :zip)
1065 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1066 * h = joe.to_h
1067 * h # => {:name=>"Joe Smith", :address=>"123 Maple, Anytown NC", :zip=>12345}
1068 *
1069 * If a block is given, it is called with each name/value pair;
1070 * the block should return a 2-element array whose elements will become
1071 * a key/value pair in the returned hash:
1072 *
1073 * h = joe.to_h{|name, value| [name.upcase, value.to_s.upcase]}
1074 * h # => {:NAME=>"JOE SMITH", :ADDRESS=>"123 MAPLE, ANYTOWN NC", :ZIP=>"12345"}
1075 *
1076 * Raises ArgumentError if the block returns an inappropriate value.
1077 *
1078 */
1079
1080static VALUE
1081rb_struct_to_h(VALUE s)
1082{
1083 VALUE h = rb_hash_new_with_size(RSTRUCT_LEN_RAW(s));
1084 VALUE members = rb_struct_members(s);
1085 long i;
1086 int block_given = rb_block_given_p();
1087
1088 for (i=0; i<RSTRUCT_LEN_RAW(s); i++) {
1089 VALUE k = rb_ary_entry(members, i), v = RSTRUCT_GET_RAW(s, i);
1090 if (block_given)
1091 rb_hash_set_pair(h, rb_yield_values(2, k, v));
1092 else
1093 rb_hash_aset(h, k, v);
1094 }
1095 return h;
1096}
1097
1098/*
1099 * call-seq:
1100 * deconstruct_keys(array_of_names) -> hash
1101 *
1102 * Returns a hash of the name/value pairs for the given member names.
1103 *
1104 * Customer = Struct.new(:name, :address, :zip)
1105 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1106 * h = joe.deconstruct_keys([:zip, :address])
1107 * h # => {:zip=>12345, :address=>"123 Maple, Anytown NC"}
1108 *
1109 * Returns all names and values if +array_of_names+ is +nil+:
1110 *
1111 * h = joe.deconstruct_keys(nil)
1112 * h # => {:name=>"Joseph Smith, Jr.", :address=>"123 Maple, Anytown NC", :zip=>12345}
1113 *
1114 */
1115static VALUE
1116rb_struct_deconstruct_keys(VALUE s, VALUE keys)
1117{
1118 VALUE h;
1119 long i;
1120
1121 if (NIL_P(keys)) {
1122 return rb_struct_to_h(s);
1123 }
1124 if (UNLIKELY(!RB_TYPE_P(keys, T_ARRAY))) {
1125 rb_raise(rb_eTypeError,
1126 "wrong argument type %"PRIsVALUE" (expected Array or nil)",
1127 rb_obj_class(keys));
1128
1129 }
1130 if (RSTRUCT_LEN_RAW(s) < RARRAY_LEN(keys)) {
1131 return rb_hash_new_with_size(0);
1132 }
1133 h = rb_hash_new_with_size(RARRAY_LEN(keys));
1134 for (i=0; i<RARRAY_LEN(keys); i++) {
1135 VALUE key = RARRAY_AREF(keys, i);
1136 int i = rb_struct_pos(s, &key);
1137 if (i < 0) {
1138 return h;
1139 }
1140 rb_hash_aset(h, key, RSTRUCT_GET_RAW(s, i));
1141 }
1142 return h;
1143}
1144
1145/* :nodoc: */
1146VALUE
1147rb_struct_init_copy(VALUE copy, VALUE s)
1148{
1149 long i, len;
1150
1151 if (!OBJ_INIT_COPY(copy, s)) return copy;
1152 if (RSTRUCT_LEN_RAW(copy) != RSTRUCT_LEN_RAW(s)) {
1153 rb_raise(rb_eTypeError, "struct size mismatch");
1154 }
1155
1156 for (i=0, len=RSTRUCT_LEN_RAW(copy); i<len; i++) {
1157 RSTRUCT_SET_RAW(copy, i, RSTRUCT_GET_RAW(s, i));
1158 }
1159
1160 return copy;
1161}
1162
1163static int
1164rb_struct_pos(VALUE s, VALUE *name)
1165{
1166 long i;
1167 VALUE idx = *name;
1168
1169 if (SYMBOL_P(idx)) {
1170 return struct_member_pos(s, idx);
1171 }
1172 else if (RB_TYPE_P(idx, T_STRING)) {
1173 idx = rb_check_symbol(name);
1174 if (NIL_P(idx)) return -1;
1175 return struct_member_pos(s, idx);
1176 }
1177 else {
1178 long len;
1179 i = NUM2LONG(idx);
1180 len = RSTRUCT_LEN_RAW(s);
1181 if (i < 0) {
1182 if (i + len < 0) {
1183 *name = LONG2FIX(i);
1184 return -1;
1185 }
1186 i += len;
1187 }
1188 else if (len <= i) {
1189 *name = LONG2FIX(i);
1190 return -1;
1191 }
1192 return (int)i;
1193 }
1194}
1195
1196static void
1197invalid_struct_pos(VALUE s, VALUE idx)
1198{
1199 if (FIXNUM_P(idx)) {
1200 long i = FIX2INT(idx), len = RSTRUCT_LEN_RAW(s);
1201 if (i < 0) {
1202 rb_raise(rb_eIndexError, "offset %ld too small for struct(size:%ld)",
1203 i, len);
1204 }
1205 else {
1206 rb_raise(rb_eIndexError, "offset %ld too large for struct(size:%ld)",
1207 i, len);
1208 }
1209 }
1210 else {
1211 rb_name_err_raise("no member '%1$s' in struct", s, idx);
1212 }
1213}
1214
1215/*
1216 * call-seq:
1217 * struct[name] -> object
1218 * struct[n] -> object
1219 *
1220 * Returns a value from +self+.
1221 *
1222 * With symbol or string argument +name+ given, returns the value for the named member:
1223 *
1224 * Customer = Struct.new(:name, :address, :zip)
1225 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1226 * joe[:zip] # => 12345
1227 *
1228 * Raises NameError if +name+ is not the name of a member.
1229 *
1230 * With integer argument +n+ given, returns <tt>self.values[n]</tt>
1231 * if +n+ is in range;
1232 * see Array@Array+Indexes:
1233 *
1234 * joe[2] # => 12345
1235 * joe[-2] # => "123 Maple, Anytown NC"
1236 *
1237 * Raises IndexError if +n+ is out of range.
1238 *
1239 */
1240
1241VALUE
1243{
1244 int i = rb_struct_pos(s, &idx);
1245 if (i < 0) invalid_struct_pos(s, idx);
1246 return RSTRUCT_GET_RAW(s, i);
1247}
1248
1249/*
1250 * call-seq:
1251 * struct[name] = value -> value
1252 * struct[n] = value -> value
1253 *
1254 * Assigns a value to a member.
1255 *
1256 * With symbol or string argument +name+ given, assigns the given +value+
1257 * to the named member; returns +value+:
1258 *
1259 * Customer = Struct.new(:name, :address, :zip)
1260 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1261 * joe[:zip] = 54321 # => 54321
1262 * joe # => #<struct Customer name="Joe Smith", address="123 Maple, Anytown NC", zip=54321>
1263 *
1264 * Raises NameError if +name+ is not the name of a member.
1265 *
1266 * With integer argument +n+ given, assigns the given +value+
1267 * to the +n+-th member if +n+ is in range;
1268 * see Array@Array+Indexes:
1269 *
1270 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1271 * joe[2] = 54321 # => 54321
1272 * joe[-3] = 'Joseph Smith' # => "Joseph Smith"
1273 * joe # => #<struct Customer name="Joseph Smith", address="123 Maple, Anytown NC", zip=54321>
1274 *
1275 * Raises IndexError if +n+ is out of range.
1276 *
1277 */
1278
1279VALUE
1281{
1282 int i = rb_struct_pos(s, &idx);
1283 if (i < 0) invalid_struct_pos(s, idx);
1284 rb_struct_modify(s);
1285 RSTRUCT_SET_RAW(s, i, val);
1286 return val;
1287}
1288
1289FUNC_MINIMIZED(VALUE rb_struct_lookup(VALUE s, VALUE idx));
1290NOINLINE(static VALUE rb_struct_lookup_default(VALUE s, VALUE idx, VALUE notfound));
1291
1292VALUE
1293rb_struct_lookup(VALUE s, VALUE idx)
1294{
1295 return rb_struct_lookup_default(s, idx, Qnil);
1296}
1297
1298static VALUE
1299rb_struct_lookup_default(VALUE s, VALUE idx, VALUE notfound)
1300{
1301 int i = rb_struct_pos(s, &idx);
1302 if (i < 0) return notfound;
1303 return RSTRUCT_GET_RAW(s, i);
1304}
1305
1306static VALUE
1307struct_entry(VALUE s, long n)
1308{
1309 return rb_struct_aref(s, LONG2NUM(n));
1310}
1311
1312/*
1313 * call-seq:
1314 * values_at(*integers) -> array
1315 * values_at(integer_range) -> array
1316 *
1317 * Returns an array of values from +self+.
1318 *
1319 * With integer arguments +integers+ given,
1320 * returns an array containing each value given by one of +integers+:
1321 *
1322 * Customer = Struct.new(:name, :address, :zip)
1323 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1324 * joe.values_at(0, 2) # => ["Joe Smith", 12345]
1325 * joe.values_at(2, 0) # => [12345, "Joe Smith"]
1326 * joe.values_at(2, 1, 0) # => [12345, "123 Maple, Anytown NC", "Joe Smith"]
1327 * joe.values_at(0, -3) # => ["Joe Smith", "Joe Smith"]
1328 *
1329 * Raises IndexError if any of +integers+ is out of range;
1330 * see Array@Array+Indexes.
1331 *
1332 * With integer range argument +integer_range+ given,
1333 * returns an array containing each value given by the elements of the range;
1334 * fills with +nil+ values for range elements larger than the structure:
1335 *
1336 * joe.values_at(0..2)
1337 * # => ["Joe Smith", "123 Maple, Anytown NC", 12345]
1338 * joe.values_at(-3..-1)
1339 * # => ["Joe Smith", "123 Maple, Anytown NC", 12345]
1340 * joe.values_at(1..4) # => ["123 Maple, Anytown NC", 12345, nil, nil]
1341 *
1342 * Raises RangeError if any element of the range is negative and out of range;
1343 * see Array@Array+Indexes.
1344 *
1345 */
1346
1347static VALUE
1348rb_struct_values_at(int argc, VALUE *argv, VALUE s)
1349{
1350 return rb_get_values_at(s, RSTRUCT_LEN_RAW(s), argc, argv, struct_entry);
1351}
1352
1353/*
1354 * call-seq:
1355 * select {|value| ... } -> array
1356 * select -> enumerator
1357 *
1358 * With a block given, returns an array of values from +self+
1359 * for which the block returns a truthy value:
1360 *
1361 * Customer = Struct.new(:name, :address, :zip)
1362 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1363 * a = joe.select {|value| value.is_a?(String) }
1364 * a # => ["Joe Smith", "123 Maple, Anytown NC"]
1365 * a = joe.select {|value| value.is_a?(Integer) }
1366 * a # => [12345]
1367 *
1368 * With no block given, returns an Enumerator.
1369 */
1370
1371static VALUE
1372rb_struct_select(int argc, VALUE *argv, VALUE s)
1373{
1374 VALUE result;
1375 long i;
1376
1377 rb_check_arity(argc, 0, 0);
1378 RETURN_SIZED_ENUMERATOR(s, 0, 0, struct_enum_size);
1379 result = rb_ary_new();
1380 for (i = 0; i < RSTRUCT_LEN_RAW(s); i++) {
1381 if (RTEST(rb_yield(RSTRUCT_GET_RAW(s, i)))) {
1382 rb_ary_push(result, RSTRUCT_GET_RAW(s, i));
1383 }
1384 }
1385
1386 return result;
1387}
1388
1389static VALUE
1390recursive_equal(VALUE s, VALUE s2, int recur)
1391{
1392 long i, len;
1393
1394 if (recur) return Qtrue; /* Subtle! */
1395 len = RSTRUCT_LEN_RAW(s);
1396 for (i=0; i<len; i++) {
1397 if (!rb_equal(RSTRUCT_GET_RAW(s, i), RSTRUCT_GET_RAW(s2, i))) return Qfalse;
1398 }
1399 return Qtrue;
1400}
1401
1402
1403/*
1404 * call-seq:
1405 * self == other -> true or false
1406 *
1407 * Returns whether both the following are true:
1408 *
1409 * - <tt>other.class == self.class</tt>.
1410 * - For each member name +name+, <tt>other.name == self.name</tt>.
1411 *
1412 * Examples:
1413 *
1414 * Customer = Struct.new(:name, :address, :zip)
1415 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1416 * joe_jr = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1417 * joe_jr == joe # => true
1418 * joe_jr[:name] = 'Joe Smith, Jr.'
1419 * # => "Joe Smith, Jr."
1420 * joe_jr == joe # => false
1421 */
1422
1423static VALUE
1424rb_struct_equal(VALUE s, VALUE s2)
1425{
1426 if (s == s2) return Qtrue;
1427 if (!RB_TYPE_P(s2, T_STRUCT)) return Qfalse;
1428 if (rb_obj_class(s) != rb_obj_class(s2)) return Qfalse;
1429 if (RSTRUCT_LEN_RAW(s) != RSTRUCT_LEN_RAW(s2)) {
1430 rb_bug("inconsistent struct"); /* should never happen */
1431 }
1432
1433 return rb_exec_recursive_paired(recursive_equal, s, s2, s2);
1434}
1435
1436/*
1437 * call-seq:
1438 * hash -> integer
1439 *
1440 * Returns the integer hash value for +self+.
1441 *
1442 * Two structs of the same class and with the same content
1443 * will have the same hash code (and will compare using Struct#eql?):
1444 *
1445 * Customer = Struct.new(:name, :address, :zip)
1446 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1447 * joe_jr = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1448 * joe.hash == joe_jr.hash # => true
1449 * joe_jr[:name] = 'Joe Smith, Jr.'
1450 * joe.hash == joe_jr.hash # => false
1451 *
1452 * Related: Object#hash.
1453 */
1454
1455static VALUE
1456rb_struct_hash(VALUE s)
1457{
1458 long i, len;
1459 st_index_t h;
1460 VALUE n;
1461
1462 h = rb_hash_start(rb_hash(rb_obj_class(s)));
1463 len = RSTRUCT_LEN_RAW(s);
1464 for (i = 0; i < len; i++) {
1465 n = rb_hash(RSTRUCT_GET_RAW(s, i));
1466 h = rb_hash_uint(h, NUM2LONG(n));
1467 }
1468 h = rb_hash_end(h);
1469 return ST2FIX(h);
1470}
1471
1472static VALUE
1473recursive_eql(VALUE s, VALUE s2, int recur)
1474{
1475 long i, len;
1476
1477 if (recur) return Qtrue; /* Subtle! */
1478 len = RSTRUCT_LEN_RAW(s);
1479 for (i=0; i<len; i++) {
1480 if (!rb_eql(RSTRUCT_GET_RAW(s, i), RSTRUCT_GET_RAW(s2, i))) return Qfalse;
1481 }
1482 return Qtrue;
1483}
1484
1485/*
1486 * call-seq:
1487 * eql?(other) -> true or false
1488 *
1489 * Returns +true+ if and only if the following are true; otherwise returns +false+:
1490 *
1491 * - <tt>other.class == self.class</tt>.
1492 * - For each member name +name+, <tt>other.name.eql?(self.name)</tt>.
1493 *
1494 * Customer = Struct.new(:name, :address, :zip)
1495 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1496 * joe_jr = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1497 * joe_jr.eql?(joe) # => true
1498 * joe_jr[:name] = 'Joe Smith, Jr.'
1499 * joe_jr.eql?(joe) # => false
1500 *
1501 * Related: Object#==.
1502 */
1503
1504static VALUE
1505rb_struct_eql(VALUE s, VALUE s2)
1506{
1507 if (s == s2) return Qtrue;
1508 if (!RB_TYPE_P(s2, T_STRUCT)) return Qfalse;
1509 if (rb_obj_class(s) != rb_obj_class(s2)) return Qfalse;
1510 if (RSTRUCT_LEN_RAW(s) != RSTRUCT_LEN_RAW(s2)) {
1511 rb_bug("inconsistent struct"); /* should never happen */
1512 }
1513
1514 return rb_exec_recursive_paired(recursive_eql, s, s2, s2);
1515}
1516
1517/*
1518 * call-seq:
1519 * size -> integer
1520 *
1521 * Returns the number of members.
1522 *
1523 * Customer = Struct.new(:name, :address, :zip)
1524 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
1525 * joe.size #=> 3
1526 *
1527 */
1528
1529VALUE
1531{
1532 return LONG2FIX(RSTRUCT_LEN_RAW(s));
1533}
1534
1535/*
1536 * call-seq:
1537 * dig(name, *identifiers) -> object
1538 * dig(n, *identifiers) -> object
1539 *
1540 * Finds and returns an object among nested objects.
1541 * The nested objects may be instances of various classes.
1542 * See {Dig Methods}[rdoc-ref:dig_methods.rdoc].
1543 *
1544 *
1545 * Given symbol or string argument +name+,
1546 * returns the object that is specified by +name+ and +identifiers+:
1547 *
1548 * Foo = Struct.new(:a)
1549 * f = Foo.new(Foo.new({b: [1, 2, 3]}))
1550 * f.dig(:a) # => #<struct Foo a={:b=>[1, 2, 3]}>
1551 * f.dig(:a, :a) # => {:b=>[1, 2, 3]}
1552 * f.dig(:a, :a, :b) # => [1, 2, 3]
1553 * f.dig(:a, :a, :b, 0) # => 1
1554 * f.dig(:b, 0) # => nil
1555 *
1556 * Given integer argument +n+,
1557 * returns the object that is specified by +n+ and +identifiers+:
1558 *
1559 * f.dig(0) # => #<struct Foo a={:b=>[1, 2, 3]}>
1560 * f.dig(0, 0) # => {:b=>[1, 2, 3]}
1561 * f.dig(0, 0, :b) # => [1, 2, 3]
1562 * f.dig(0, 0, :b, 0) # => 1
1563 * f.dig(:b, 0) # => nil
1564 *
1565 */
1566
1567static VALUE
1568rb_struct_dig(int argc, VALUE *argv, VALUE self)
1569{
1571 self = rb_struct_lookup(self, *argv);
1572 if (!--argc) return self;
1573 ++argv;
1574 return rb_obj_dig(argc, argv, self, Qnil);
1575}
1576
1577/*
1578 * Document-class: Data
1579 *
1580 * Class \Data provides a convenient way to define simple classes
1581 * for value-alike objects.
1582 *
1583 * The simplest example of usage:
1584 *
1585 * Measure = Data.define(:amount, :unit)
1586 *
1587 * # Positional arguments constructor is provided
1588 * distance = Measure.new(100, 'km')
1589 * #=> #<data Measure amount=100, unit="km">
1590 *
1591 * # Keyword arguments constructor is provided
1592 * weight = Measure.new(amount: 50, unit: 'kg')
1593 * #=> #<data Measure amount=50, unit="kg">
1594 *
1595 * # Alternative form to construct an object:
1596 * speed = Measure[10, 'mPh']
1597 * #=> #<data Measure amount=10, unit="mPh">
1598 *
1599 * # Works with keyword arguments, too:
1600 * area = Measure[amount: 1.5, unit: 'm^2']
1601 * #=> #<data Measure amount=1.5, unit="m^2">
1602 *
1603 * # Argument accessors are provided:
1604 * distance.amount #=> 100
1605 * distance.unit #=> "km"
1606 *
1607 * Constructed object also has a reasonable definitions of #==
1608 * operator, #to_h hash conversion, and #deconstruct / #deconstruct_keys
1609 * to be used in pattern matching.
1610 *
1611 * ::define method accepts an optional block and evaluates it in
1612 * the context of the newly defined class. That allows to define
1613 * additional methods:
1614 *
1615 * Measure = Data.define(:amount, :unit) do
1616 * def <=>(other)
1617 * return unless other.is_a?(self.class) && other.unit == unit
1618 * amount <=> other.amount
1619 * end
1620 *
1621 * include Comparable
1622 * end
1623 *
1624 * Measure[3, 'm'] < Measure[5, 'm'] #=> true
1625 * Measure[3, 'm'] < Measure[5, 'kg']
1626 * # comparison of Measure with Measure failed (ArgumentError)
1627 *
1628 * Data provides no member writers, or enumerators: it is meant
1629 * to be a storage for immutable atomic values. But note that
1630 * if some of data members is of a mutable class, Data does no additional
1631 * immutability enforcement:
1632 *
1633 * Event = Data.define(:time, :weekdays)
1634 * event = Event.new('18:00', %w[Tue Wed Fri])
1635 * #=> #<data Event time="18:00", weekdays=["Tue", "Wed", "Fri"]>
1636 *
1637 * # There is no #time= or #weekdays= accessors, but changes are
1638 * # still possible:
1639 * event.weekdays << 'Sat'
1640 * event
1641 * #=> #<data Event time="18:00", weekdays=["Tue", "Wed", "Fri", "Sat"]>
1642 *
1643 * See also Struct, which is a similar concept, but has more
1644 * container-alike API, allowing to change contents of the object
1645 * and enumerate it.
1646 */
1647
1648/*
1649 * call-seq:
1650 * define(*symbols) -> class
1651 *
1652 * Defines a new \Data class.
1653 *
1654 * measure = Data.define(:amount, :unit)
1655 * #=> #<Class:0x00007f70c6868498>
1656 * measure.new(1, 'km')
1657 * #=> #<data amount=1, unit="km">
1658 *
1659 * # It you store the new class in the constant, it will
1660 * # affect #inspect and will be more natural to use:
1661 * Measure = Data.define(:amount, :unit)
1662 * #=> Measure
1663 * Measure.new(1, 'km')
1664 * #=> #<data Measure amount=1, unit="km">
1665 *
1666 *
1667 * Note that member-less \Data is acceptable and might be a useful technique
1668 * for defining several homogeneous data classes, like
1669 *
1670 * class HTTPFetcher
1671 * Response = Data.define(:body)
1672 * NotFound = Data.define
1673 * # ... implementation
1674 * end
1675 *
1676 * Now, different kinds of responses from +HTTPFetcher+ would have consistent
1677 * representation:
1678 *
1679 * #<data HTTPFetcher::Response body="<html...">
1680 * #<data HTTPFetcher::NotFound>
1681 *
1682 * And are convenient to use in pattern matching:
1683 *
1684 * case fetcher.get(url)
1685 * in HTTPFetcher::Response(body)
1686 * # process body variable
1687 * in HTTPFetcher::NotFound
1688 * # handle not found case
1689 * end
1690 */
1691
1692static VALUE
1693rb_data_s_def(int argc, VALUE *argv, VALUE klass)
1694{
1695 VALUE rest;
1696 long i;
1697 VALUE data_class;
1698
1699 rest = rb_ident_hash_new();
1700 RBASIC_CLEAR_CLASS(rest);
1701 for (i=0; i<argc; i++) {
1702 VALUE mem = rb_to_symbol(argv[i]);
1703 if (rb_is_attrset_sym(mem)) {
1704 rb_raise(rb_eArgError, "invalid data member: %"PRIsVALUE, mem);
1705 }
1706 if (RTEST(rb_hash_has_key(rest, mem))) {
1707 rb_raise(rb_eArgError, "duplicate member: %"PRIsVALUE, mem);
1708 }
1709 rb_hash_aset(rest, mem, Qtrue);
1710 }
1711 rest = rb_hash_keys(rest);
1712 RBASIC_CLEAR_CLASS(rest);
1713 OBJ_FREEZE(rest);
1714 data_class = anonymous_struct(klass);
1715 setup_data(data_class, rest);
1716 if (rb_block_given_p()) {
1717 rb_mod_module_eval(0, 0, data_class);
1718 }
1719
1720 return data_class;
1721}
1722
1723VALUE
1725{
1726 va_list ar;
1727 VALUE ary;
1728 va_start(ar, super);
1729 ary = struct_make_members_list(ar);
1730 va_end(ar);
1731 if (!super) super = rb_cData;
1732 VALUE klass = setup_data(anonymous_struct(super), ary);
1733 rb_vm_register_global_object(klass);
1734 return klass;
1735}
1736
1737/*
1738 * call-seq:
1739 * DataClass::members -> array_of_symbols
1740 *
1741 * Returns an array of member names of the data class:
1742 *
1743 * Measure = Data.define(:amount, :unit)
1744 * Measure.members # => [:amount, :unit]
1745 *
1746 */
1747
1748#define rb_data_s_members_m rb_struct_s_members_m
1749
1750
1751/*
1752 * call-seq:
1753 * new(*args) -> instance
1754 * new(**kwargs) -> instance
1755 * ::[](*args) -> instance
1756 * ::[](**kwargs) -> instance
1757 *
1758 * Constructors for classes defined with ::define accept both positional and
1759 * keyword arguments.
1760 *
1761 * Measure = Data.define(:amount, :unit)
1762 *
1763 * Measure.new(1, 'km')
1764 * #=> #<data Measure amount=1, unit="km">
1765 * Measure.new(amount: 1, unit: 'km')
1766 * #=> #<data Measure amount=1, unit="km">
1767 *
1768 * # Alternative shorter initialization with []
1769 * Measure[1, 'km']
1770 * #=> #<data Measure amount=1, unit="km">
1771 * Measure[amount: 1, unit: 'km']
1772 * #=> #<data Measure amount=1, unit="km">
1773 *
1774 * All arguments are mandatory (unlike Struct), and converted to keyword arguments:
1775 *
1776 * Measure.new(amount: 1)
1777 * # in `initialize': missing keyword: :unit (ArgumentError)
1778 *
1779 * Measure.new(1)
1780 * # in `initialize': missing keyword: :unit (ArgumentError)
1781 *
1782 * Note that <tt>Measure#initialize</tt> always receives keyword arguments, and that
1783 * mandatory arguments are checked in +initialize+, not in +new+. This can be
1784 * important for redefining initialize in order to convert arguments or provide
1785 * defaults:
1786 *
1787 * Measure = Data.define(:amount, :unit)
1788 * class Measure
1789 * NONE = Data.define
1790 *
1791 * def initialize(amount:, unit: NONE.new)
1792 * super(amount: Float(amount), unit:)
1793 * end
1794 * end
1795 *
1796 * Measure.new('10', 'km') # => #<data Measure amount=10.0, unit="km">
1797 * Measure.new(10_000) # => #<data Measure amount=10000.0, unit=#<data Measure::NONE>>
1798 *
1799 */
1800
1801static VALUE
1802rb_data_initialize_m(int argc, const VALUE *argv, VALUE self)
1803{
1804 VALUE klass = rb_obj_class(self);
1805 rb_struct_modify(self);
1806 VALUE members = struct_ivar_get(klass, id_members);
1807 size_t num_members = RARRAY_LEN(members);
1808
1809 if (argc == 0) {
1810 if (num_members > 0) {
1811 rb_exc_raise(rb_keyword_error_new("missing", members));
1812 }
1813 OBJ_FREEZE(self);
1814 return Qnil;
1815 }
1816 if (argc > 1 || !RB_TYPE_P(argv[0], T_HASH)) {
1817 rb_error_arity(argc, 0, 0);
1818 }
1819
1820 if (RHASH_SIZE(argv[0]) < num_members) {
1821 VALUE missing = rb_ary_diff(members, rb_hash_keys(argv[0]));
1822 rb_exc_raise(rb_keyword_error_new("missing", missing));
1823 }
1824
1825 struct struct_hash_set_arg arg;
1826 rb_mem_clear((VALUE *)RSTRUCT_CONST_PTR(self), num_members);
1827 arg.self = self;
1828 arg.unknown_keywords = Qnil;
1829 rb_hash_foreach(argv[0], struct_hash_set_i, (VALUE)&arg);
1830 // Freeze early before potentially raising, so that we don't leave an
1831 // unfrozen copy on the heap, which could get exposed via ObjectSpace.
1832 OBJ_FREEZE(self);
1833 if (arg.unknown_keywords != Qnil) {
1834 rb_exc_raise(rb_keyword_error_new("unknown", arg.unknown_keywords));
1835 }
1836 return Qnil;
1837}
1838
1839/* :nodoc: */
1840static VALUE
1841rb_data_init_copy(VALUE copy, VALUE s)
1842{
1843 copy = rb_struct_init_copy(copy, s);
1844 RB_OBJ_FREEZE(copy);
1845 return copy;
1846}
1847
1848/*
1849 * call-seq:
1850 * with(**kwargs) -> instance
1851 *
1852 * Returns a shallow copy of +self+ --- the instance variables of
1853 * +self+ are copied, but not the objects they reference.
1854 *
1855 * If the method is supplied any keyword arguments, the copy will
1856 * be created with the respective field values updated to use the
1857 * supplied keyword argument values. Note that it is an error to
1858 * supply a keyword that the Data class does not have as a member.
1859 *
1860 * Point = Data.define(:x, :y)
1861 *
1862 * origin = Point.new(x: 0, y: 0)
1863 *
1864 * up = origin.with(x: 1)
1865 * right = origin.with(y: 1)
1866 * up_and_right = up.with(y: 1)
1867 *
1868 * p origin # #<data Point x=0, y=0>
1869 * p up # #<data Point x=1, y=0>
1870 * p right # #<data Point x=0, y=1>
1871 * p up_and_right # #<data Point x=1, y=1>
1872 *
1873 * out = origin.with(z: 1) # ArgumentError: unknown keyword: :z
1874 * some_point = origin.with(1, 2) # ArgumentError: expected keyword arguments, got positional arguments
1875 *
1876 */
1877
1878static VALUE
1879rb_data_with(int argc, const VALUE *argv, VALUE self)
1880{
1881 VALUE kwargs;
1882 rb_scan_args(argc, argv, "0:", &kwargs);
1883 if (NIL_P(kwargs)) {
1884 return self;
1885 }
1886
1887 VALUE h = rb_struct_to_h(self);
1888 rb_hash_update_by(h, kwargs, 0);
1889 return rb_class_new_instance_kw(1, &h, rb_obj_class(self), TRUE);
1890}
1891
1892/*
1893 * call-seq:
1894 * inspect -> string
1895 * to_s -> string
1896 *
1897 * Returns a string representation of +self+:
1898 *
1899 * Measure = Data.define(:amount, :unit)
1900 *
1901 * distance = Measure[10, 'km']
1902 *
1903 * p distance # uses #inspect underneath
1904 * #<data Measure amount=10, unit="km">
1905 *
1906 * puts distance # uses #to_s underneath, same representation
1907 * #<data Measure amount=10, unit="km">
1908 *
1909 */
1910
1911static VALUE
1912rb_data_inspect(VALUE s)
1913{
1914 return rb_exec_recursive(inspect_struct, s, rb_str_new2("#<data"));
1915}
1916
1917/*
1918 * call-seq:
1919 * self == other -> true or false
1920 *
1921 * Returns whether +other+ is the same class as +self+, and all members are
1922 * equal.
1923 *
1924 * Examples:
1925 *
1926 * Measure = Data.define(:amount, :unit)
1927 *
1928 * Measure[1, 'km'] == Measure[1, 'km'] #=> true
1929 * Measure[1, 'km'] == Measure[2, 'km'] #=> false
1930 * Measure[1, 'km'] == Measure[1, 'm'] #=> false
1931 *
1932 * Measurement = Data.define(:amount, :unit)
1933 * # Even though Measurement and Measure have the same "shape"
1934 * # their instances are never equal
1935 * Measure[1, 'km'] == Measurement[1, 'km'] #=> false
1936 */
1937
1938#define rb_data_equal rb_struct_equal
1939
1940/*
1941 * call-seq:
1942 * self.eql?(other) -> true or false
1943 *
1944 * Equality check that is used when two items of data are keys of a Hash.
1945 *
1946 * The subtle difference with #== is that members are also compared with their
1947 * #eql? method, which might be important in some cases:
1948 *
1949 * Measure = Data.define(:amount, :unit)
1950 *
1951 * Measure[1, 'km'] == Measure[1.0, 'km'] #=> true, they are equal as values
1952 * # ...but...
1953 * Measure[1, 'km'].eql? Measure[1.0, 'km'] #=> false, they represent different hash keys
1954 *
1955 * See also Object#eql? for further explanations of the method usage.
1956 */
1957
1958#define rb_data_eql rb_struct_eql
1959
1960/*
1961 * call-seq:
1962 * hash -> integer
1963 *
1964 * Redefines Object#hash (used to distinguish objects as Hash keys) so that
1965 * data objects of the same class with same content would have the same +hash+
1966 * value, and represented the same Hash key.
1967 *
1968 * Measure = Data.define(:amount, :unit)
1969 *
1970 * Measure[1, 'km'].hash == Measure[1, 'km'].hash #=> true
1971 * Measure[1, 'km'].hash == Measure[10, 'km'].hash #=> false
1972 * Measure[1, 'km'].hash == Measure[1, 'm'].hash #=> false
1973 * Measure[1, 'km'].hash == Measure[1.0, 'km'].hash #=> false
1974 *
1975 * # Structurally similar data class, but shouldn't be considered
1976 * # the same hash key
1977 * Measurement = Data.define(:amount, :unit)
1978 *
1979 * Measure[1, 'km'].hash == Measurement[1, 'km'].hash #=> false
1980 */
1981
1982#define rb_data_hash rb_struct_hash
1983
1984/*
1985 * call-seq:
1986 * to_h -> hash
1987 * to_h {|name, value| ... } -> hash
1988 *
1989 * Returns Hash representation of the data object.
1990 *
1991 * Measure = Data.define(:amount, :unit)
1992 * distance = Measure[10, 'km']
1993 *
1994 * distance.to_h
1995 * #=> {:amount=>10, :unit=>"km"}
1996 *
1997 * Like Enumerable#to_h, if the block is provided, it is expected to
1998 * produce key-value pairs to construct a hash:
1999 *
2000 *
2001 * distance.to_h { |name, val| [name.to_s, val.to_s] }
2002 * #=> {"amount"=>"10", "unit"=>"km"}
2003 *
2004 * Note that there is a useful symmetry between #to_h and #initialize:
2005 *
2006 * distance2 = Measure.new(**distance.to_h)
2007 * #=> #<data Measure amount=10, unit="km">
2008 * distance2 == distance
2009 * #=> true
2010 */
2011
2012#define rb_data_to_h rb_struct_to_h
2013
2014/*
2015 * call-seq:
2016 * members -> array_of_symbols
2017 *
2018 * Returns the member names from +self+ as an array:
2019 *
2020 * Measure = Data.define(:amount, :unit)
2021 * distance = Measure[10, 'km']
2022 *
2023 * distance.members #=> [:amount, :unit]
2024 *
2025 */
2026
2027#define rb_data_members_m rb_struct_members_m
2028
2029/*
2030 * call-seq:
2031 * deconstruct -> array
2032 *
2033 * Returns the values in +self+ as an array, to use in pattern matching:
2034 *
2035 * Measure = Data.define(:amount, :unit)
2036 *
2037 * distance = Measure[10, 'km']
2038 * distance.deconstruct #=> [10, "km"]
2039 *
2040 * # usage
2041 * case distance
2042 * in n, 'km' # calls #deconstruct underneath
2043 * puts "It is #{n} kilometers away"
2044 * else
2045 * puts "Don't know how to handle it"
2046 * end
2047 * # prints "It is 10 kilometers away"
2048 *
2049 * Or, with checking the class, too:
2050 *
2051 * case distance
2052 * in Measure(n, 'km')
2053 * puts "It is #{n} kilometers away"
2054 * # ...
2055 * end
2056 */
2057
2058#define rb_data_deconstruct rb_struct_to_a
2059
2060/*
2061 * call-seq:
2062 * deconstruct_keys(array_of_names_or_nil) -> hash
2063 *
2064 * Returns a hash of the name/value pairs, to use in pattern matching.
2065 *
2066 * Measure = Data.define(:amount, :unit)
2067 *
2068 * distance = Measure[10, 'km']
2069 * distance.deconstruct_keys(nil) #=> {:amount=>10, :unit=>"km"}
2070 * distance.deconstruct_keys([:amount]) #=> {:amount=>10}
2071 *
2072 * # usage
2073 * case distance
2074 * in amount:, unit: 'km' # calls #deconstruct_keys underneath
2075 * puts "It is #{amount} kilometers away"
2076 * else
2077 * puts "Don't know how to handle it"
2078 * end
2079 * # prints "It is 10 kilometers away"
2080 *
2081 * Or, with checking the class, too:
2082 *
2083 * case distance
2084 * in Measure(amount:, unit: 'km')
2085 * puts "It is #{amount} kilometers away"
2086 * # ...
2087 * end
2088 */
2089
2090#define rb_data_deconstruct_keys rb_struct_deconstruct_keys
2091
2092/*
2093 * Document-class: Struct
2094 *
2095 * Class \Struct provides a convenient way to create a simple class
2096 * that can store and fetch values.
2097 *
2098 * This example creates a subclass of +Struct+, <tt>Struct::Customer</tt>;
2099 * the first argument, a string, is the name of the subclass;
2100 * the other arguments, symbols, determine the _members_ of the new subclass.
2101 *
2102 * Customer = Struct.new('Customer', :name, :address, :zip)
2103 * Customer.name # => "Struct::Customer"
2104 * Customer.class # => Class
2105 * Customer.superclass # => Struct
2106 *
2107 * Corresponding to each member are two methods, a writer and a reader,
2108 * that store and fetch values:
2109 *
2110 * methods = Customer.instance_methods false
2111 * methods # => [:zip, :address=, :zip=, :address, :name, :name=]
2112 *
2113 * An instance of the subclass may be created,
2114 * and its members assigned values, via method <tt>::new</tt>:
2115 *
2116 * joe = Customer.new("Joe Smith", "123 Maple, Anytown NC", 12345)
2117 * joe # => #<struct Struct::Customer name="Joe Smith", address="123 Maple, Anytown NC", zip=12345>
2118 *
2119 * The member values may be managed thus:
2120 *
2121 * joe.name # => "Joe Smith"
2122 * joe.name = 'Joseph Smith'
2123 * joe.name # => "Joseph Smith"
2124 *
2125 * And thus; note that member name may be expressed as either a string or a symbol:
2126 *
2127 * joe[:name] # => "Joseph Smith"
2128 * joe[:name] = 'Joseph Smith, Jr.'
2129 * joe['name'] # => "Joseph Smith, Jr."
2130 *
2131 * See Struct::new.
2132 *
2133 * == What's Here
2134 *
2135 * First, what's elsewhere. Class \Struct:
2136 *
2137 * - Inherits from {class Object}[rdoc-ref:Object@Whats+Here].
2138 * - Includes {module Enumerable}[rdoc-ref:Enumerable@Whats+Here],
2139 * which provides dozens of additional methods.
2140 *
2141 * See also Data, which is a somewhat similar, but stricter concept for defining immutable
2142 * value objects.
2143 *
2144 * Here, class \Struct provides methods that are useful for:
2145 *
2146 * - {Creating a Struct Subclass}[rdoc-ref:Struct@Methods+for+Creating+a+Struct+Subclass]
2147 * - {Querying}[rdoc-ref:Struct@Methods+for+Querying]
2148 * - {Comparing}[rdoc-ref:Struct@Methods+for+Comparing]
2149 * - {Fetching}[rdoc-ref:Struct@Methods+for+Fetching]
2150 * - {Assigning}[rdoc-ref:Struct@Methods+for+Assigning]
2151 * - {Iterating}[rdoc-ref:Struct@Methods+for+Iterating]
2152 * - {Converting}[rdoc-ref:Struct@Methods+for+Converting]
2153 *
2154 * === Methods for Creating a Struct Subclass
2155 *
2156 * - ::new: Returns a new subclass of \Struct.
2157 *
2158 * === Methods for Querying
2159 *
2160 * - #hash: Returns the integer hash code.
2161 * - #size (aliased as #length): Returns the number of members.
2162 *
2163 * === Methods for Comparing
2164 *
2165 * - #==: Returns whether a given object is equal to +self+, using <tt>==</tt>
2166 * to compare member values.
2167 * - #eql?: Returns whether a given object is equal to +self+,
2168 * using <tt>eql?</tt> to compare member values.
2169 *
2170 * === Methods for Fetching
2171 *
2172 * - #[]: Returns the value associated with a given member name.
2173 * - #to_a (aliased as #values, #deconstruct): Returns the member values in +self+ as an array.
2174 * - #deconstruct_keys: Returns a hash of the name/value pairs
2175 * for given member names.
2176 * - #dig: Returns the object in nested objects that is specified
2177 * by a given member name and additional arguments.
2178 * - #members: Returns an array of the member names.
2179 * - #select (aliased as #filter): Returns an array of member values from +self+,
2180 * as selected by the given block.
2181 * - #values_at: Returns an array containing values for given member names.
2182 *
2183 * === Methods for Assigning
2184 *
2185 * - #[]=: Assigns a given value to a given member name.
2186 *
2187 * === Methods for Iterating
2188 *
2189 * - #each: Calls a given block with each member name.
2190 * - #each_pair: Calls a given block with each member name/value pair.
2191 *
2192 * === Methods for Converting
2193 *
2194 * - #inspect (aliased as #to_s): Returns a string representation of +self+.
2195 * - #to_h: Returns a hash of the member name/value pairs in +self+.
2196 *
2197 */
2198void
2199InitVM_Struct(void)
2200{
2203
2205 rb_define_singleton_method(rb_cStruct, "new", rb_struct_s_def, -1);
2206#if 0 /* for RDoc */
2207 rb_define_singleton_method(rb_cStruct, "keyword_init?", rb_struct_s_keyword_init_p, 0);
2208 rb_define_singleton_method(rb_cStruct, "members", rb_struct_s_members_m, 0);
2209#endif
2210
2211 rb_define_method(rb_cStruct, "initialize", rb_struct_initialize_m, -1);
2212 rb_define_method(rb_cStruct, "initialize_copy", rb_struct_init_copy, 1);
2213
2214 rb_define_method(rb_cStruct, "==", rb_struct_equal, 1);
2215 rb_define_method(rb_cStruct, "eql?", rb_struct_eql, 1);
2216 rb_define_method(rb_cStruct, "hash", rb_struct_hash, 0);
2217
2218 rb_define_method(rb_cStruct, "inspect", rb_struct_inspect, 0);
2219 rb_define_alias(rb_cStruct, "to_s", "inspect");
2220 rb_define_method(rb_cStruct, "to_a", rb_struct_to_a, 0);
2221 rb_define_method(rb_cStruct, "to_h", rb_struct_to_h, 0);
2222 rb_define_method(rb_cStruct, "values", rb_struct_to_a, 0);
2223 rb_define_method(rb_cStruct, "size", rb_struct_size, 0);
2224 rb_define_method(rb_cStruct, "length", rb_struct_size, 0);
2225
2226 rb_define_method(rb_cStruct, "each", rb_struct_each, 0);
2227 rb_define_method(rb_cStruct, "each_pair", rb_struct_each_pair, 0);
2228 rb_define_method(rb_cStruct, "[]", rb_struct_aref, 1);
2229 rb_define_method(rb_cStruct, "[]=", rb_struct_aset, 2);
2230 rb_define_method(rb_cStruct, "select", rb_struct_select, -1);
2231 rb_define_method(rb_cStruct, "filter", rb_struct_select, -1);
2232 rb_define_method(rb_cStruct, "values_at", rb_struct_values_at, -1);
2233
2234 rb_define_method(rb_cStruct, "members", rb_struct_members_m, 0);
2235 rb_define_method(rb_cStruct, "dig", rb_struct_dig, -1);
2236
2237 rb_define_method(rb_cStruct, "deconstruct", rb_struct_to_a, 0);
2238 rb_define_method(rb_cStruct, "deconstruct_keys", rb_struct_deconstruct_keys, 1);
2239
2240 rb_cData = rb_define_class("Data", rb_cObject);
2241
2242 rb_undef_method(CLASS_OF(rb_cData), "new");
2243 rb_undef_alloc_func(rb_cData);
2244 rb_define_singleton_method(rb_cData, "define", rb_data_s_def, -1);
2245
2246#if 0 /* for RDoc */
2247 rb_define_singleton_method(rb_cData, "members", rb_data_s_members_m, 0);
2248#endif
2249
2250 rb_define_method(rb_cData, "initialize", rb_data_initialize_m, -1);
2251 rb_define_method(rb_cData, "initialize_copy", rb_data_init_copy, 1);
2252
2253 rb_define_method(rb_cData, "==", rb_data_equal, 1);
2254 rb_define_method(rb_cData, "eql?", rb_data_eql, 1);
2255 rb_define_method(rb_cData, "hash", rb_data_hash, 0);
2256
2257 rb_define_method(rb_cData, "inspect", rb_data_inspect, 0);
2258 rb_define_alias(rb_cData, "to_s", "inspect");
2259 rb_define_method(rb_cData, "to_h", rb_data_to_h, 0);
2260
2261 rb_define_method(rb_cData, "members", rb_data_members_m, 0);
2262
2263 rb_define_method(rb_cData, "deconstruct", rb_data_deconstruct, 0);
2264 rb_define_method(rb_cData, "deconstruct_keys", rb_data_deconstruct_keys, 1);
2265
2266 rb_define_method(rb_cData, "with", rb_data_with, -1);
2267}
2268
2269#undef rb_intern
2270void
2271Init_Struct(void)
2272{
2273 id_members = rb_intern("__members__");
2274 id_back_members = rb_intern("__members_back__");
2275 id_keyword_init = rb_intern("__keyword_init__");
2276
2277 InitVM(Struct);
2278}
#define RUBY_ASSERT(...)
Asserts that the given expression is truthy if and only if RUBY_DEBUG is truthy.
Definition assert.h:219
#define rb_define_method(klass, mid, func, arity)
Defines klass#mid.
#define rb_define_singleton_method(klass, mid, func, arity)
Defines klass.mid.
#define RB_OBJ_FREEZE
Just another name of rb_obj_freeze_inline.
Definition fl_type.h:91
void rb_include_module(VALUE klass, VALUE module)
Includes a module to a class.
Definition class.c:1803
VALUE rb_define_class(const char *name, VALUE super)
Defines a top-level class.
Definition class.c:1596
VALUE rb_class_new(VALUE super)
Creates a new, anonymous class.
Definition class.c:976
VALUE rb_singleton_class(VALUE obj)
Finds or creates the singleton class of the passed object.
Definition class.c:2922
VALUE rb_define_class_under(VALUE outer, const char *name, VALUE super)
Defines a class under the namespace of outer.
Definition class.c:1627
VALUE rb_define_class_id_under(VALUE outer, ID id, VALUE super)
Identical to rb_define_class_under(), except it takes the name in ID instead of C's string.
Definition class.c:1666
VALUE rb_class_inherited(VALUE super, VALUE klass)
Calls Class::inherited.
Definition class.c:1587
void rb_define_alias(VALUE klass, const char *name1, const char *name2)
Defines an alias of a method.
Definition class.c:2965
void rb_undef_method(VALUE klass, const char *name)
Defines an undef of a method.
Definition class.c:2775
int rb_scan_args(int argc, const VALUE *argv, const char *fmt,...)
Retrieves argument from argc and argv to given VALUE references according to the format string.
Definition class.c:3255
int rb_keyword_given_p(void)
Determines if the current method is given a keyword argument.
Definition eval.c:1030
int rb_block_given_p(void)
Determines if the current method is given a block.
Definition eval.c:1017
int rb_get_kwargs(VALUE keyword_hash, const ID *table, int required, int optional, VALUE *values)
Keyword argument deconstructor.
Definition class.c:3044
#define rb_str_new2
Old name of rb_str_new_cstr.
Definition string.h:1676
#define FL_UNSET_RAW
Old name of RB_FL_UNSET_RAW.
Definition fl_type.h:130
#define OBJ_INIT_COPY(obj, orig)
Old name of RB_OBJ_INIT_COPY.
Definition object.h:41
#define T_STRING
Old name of RUBY_T_STRING.
Definition value_type.h:78
#define INT2FIX
Old name of RB_INT2FIX.
Definition long.h:48
#define OBJ_FROZEN
Old name of RB_OBJ_FROZEN.
Definition fl_type.h:133
#define rb_str_cat2
Old name of rb_str_cat_cstr.
Definition string.h:1684
#define ID2SYM
Old name of RB_ID2SYM.
Definition symbol.h:44
#define T_STRUCT
Old name of RUBY_T_STRUCT.
Definition value_type.h:79
#define OBJ_FREEZE
Old name of RB_OBJ_FREEZE.
Definition fl_type.h:131
#define UNREACHABLE_RETURN
Old name of RBIMPL_UNREACHABLE_RETURN.
Definition assume.h:29
#define SYM2ID
Old name of RB_SYM2ID.
Definition symbol.h:45
#define FIX2UINT
Old name of RB_FIX2UINT.
Definition int.h:42
#define CLASS_OF
Old name of rb_class_of.
Definition globals.h:205
#define rb_ary_new4
Old name of rb_ary_new_from_values.
Definition array.h:659
#define LONG2FIX
Old name of RB_INT2FIX.
Definition long.h:49
#define FIX2INT
Old name of RB_FIX2INT.
Definition int.h:41
#define T_HASH
Old name of RUBY_T_HASH.
Definition value_type.h:65
#define ALLOC_N
Old name of RB_ALLOC_N.
Definition memory.h:399
#define LONG2NUM
Old name of RB_LONG2NUM.
Definition long.h:50
#define Qtrue
Old name of RUBY_Qtrue.
#define ST2FIX
Old name of RB_ST2FIX.
Definition st_data_t.h:33
#define Qnil
Old name of RUBY_Qnil.
#define Qfalse
Old name of RUBY_Qfalse.
#define T_ARRAY
Old name of RUBY_T_ARRAY.
Definition value_type.h:56
#define NIL_P
Old name of RB_NIL_P.
#define FL_WB_PROTECTED
Old name of RUBY_FL_WB_PROTECTED.
Definition fl_type.h:59
#define T_CLASS
Old name of RUBY_T_CLASS.
Definition value_type.h:58
#define NUM2LONG
Old name of RB_NUM2LONG.
Definition long.h:51
#define FIXNUM_P
Old name of RB_FIXNUM_P.
#define SYMBOL_P
Old name of RB_SYMBOL_P.
Definition value_type.h:88
void rb_exc_raise(VALUE mesg)
Raises an exception in the current thread.
Definition eval.c:660
VALUE rb_eTypeError
TypeError exception.
Definition error.c:1418
void rb_warn(const char *fmt,...)
Identical to rb_warning(), except it reports unless $VERBOSE is nil.
Definition error.c:466
VALUE rb_eIndexError
IndexError exception.
Definition error.c:1420
VALUE rb_class_superclass(VALUE klass)
Queries the parent of the given class.
Definition object.c:2341
VALUE rb_cObject
Object class.
Definition object.c:61
VALUE rb_class_new_instance(int argc, const VALUE *argv, VALUE klass)
Allocates, then initialises an instance of the given class.
Definition object.c:2326
VALUE rb_class_new_instance_kw(int argc, const VALUE *argv, VALUE klass, int kw_splat)
Identical to rb_class_new_instance(), except you can specify how to handle the last element of the gi...
Definition object.c:2314
VALUE rb_mEnumerable
Enumerable module.
Definition enum.c:27
VALUE rb_cStruct
Struct class.
Definition struct.c:33
VALUE rb_class_new_instance_pass_kw(int argc, const VALUE *argv, VALUE klass)
Identical to rb_class_new_instance(), except it passes the passed keywords if any to the #initialize ...
Definition object.c:2303
int rb_eql(VALUE lhs, VALUE rhs)
Checks for equality of the passed objects, in terms of Object#eql?.
Definition object.c:189
VALUE rb_obj_class(VALUE obj)
Queries the class of an object.
Definition object.c:264
VALUE rb_inspect(VALUE obj)
Generates a human-readable textual representation of the given object.
Definition object.c:686
VALUE rb_equal(VALUE lhs, VALUE rhs)
This function is an optimised version of calling #==.
Definition object.c:176
VALUE rb_obj_is_kind_of(VALUE obj, VALUE klass)
Queries if the given object is an instance (of possibly descendants) of the given class.
Definition object.c:923
#define RGENGC_WB_PROTECTED_STRUCT
This is a compile-time flag to enable/disable write barrier for struct RStruct.
Definition gc.h:468
Defines RBIMPL_HAS_BUILTIN.
VALUE rb_ary_dup(VALUE ary)
Duplicates an array.
VALUE rb_get_values_at(VALUE obj, long olen, int argc, const VALUE *argv, VALUE(*func)(VALUE obj, long oidx))
This was a generalisation of Array#values_at, Struct#values_at, and MatchData#values_at.
VALUE rb_ary_new(void)
Allocates a new, empty array.
VALUE rb_ary_hidden_new(long capa)
Allocates a hidden (no class) empty array.
VALUE rb_ary_push(VALUE ary, VALUE elem)
Special case of rb_ary_cat() that it adds only one element.
VALUE rb_ary_entry(VALUE ary, long off)
Queries an element of an array.
VALUE rb_assoc_new(VALUE car, VALUE cdr)
Identical to rb_ary_new_from_values(), except it expects exactly two parameters.
void rb_mem_clear(VALUE *buf, long len)
Fills the memory region with a series of RUBY_Qnil.
VALUE rb_ary_join(VALUE ary, VALUE sep)
Recursively stringises the elements of the passed array, flattens that result, then joins the sequenc...
void rb_ary_store(VALUE ary, long key, VALUE val)
Destructively stores the passed value to the passed array's passed index.
#define RETURN_SIZED_ENUMERATOR(obj, argc, argv, size_fn)
This roughly resembles return enum_for(__callee__) unless block_given?.
Definition enumerator.h:208
#define UNLIMITED_ARGUMENTS
This macro is used in conjunction with rb_check_arity().
Definition error.h:35
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
int rb_is_const_id(ID id)
Classifies the given ID, then sees if it is a constant.
Definition symbol.c:1117
int rb_is_local_id(ID id)
Classifies the given ID, then sees if it is a local variable.
Definition symbol.c:1147
#define rb_hash_uint(h, i)
Just another name of st_hash_uint.
Definition string.h:943
#define rb_hash_end(h)
Just another name of st_hash_end.
Definition string.h:946
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:3816
st_index_t rb_hash_start(st_index_t i)
Starts a series of hashing.
Definition random.c:1777
#define rb_str_cat_cstr(buf, str)
Identical to rb_str_cat(), except it assumes the passed pointer is a pointer to a C string.
Definition string.h:1657
VALUE rb_struct_define_without_accessor_under(VALUE outer, const char *class_name, VALUE super, rb_alloc_func_t alloc,...)
Identical to rb_struct_define_without_accessor(), except it defines the class under the specified nam...
Definition struct.c:460
VALUE rb_struct_define_under(VALUE space, const char *name,...)
Identical to rb_struct_define(), except it defines the class under the specified namespace instead of...
Definition struct.c:506
VALUE rb_struct_new(VALUE klass,...)
Creates an instance of the given struct.
Definition struct.c:866
VALUE rb_struct_initialize(VALUE self, VALUE values)
Mass-assigns a struct's fields.
Definition struct.c:795
VALUE rb_struct_define_without_accessor(const char *name, VALUE super, rb_alloc_func_t func,...)
Identical to rb_struct_define(), except it does not define accessor methods.
Definition struct.c:473
VALUE rb_struct_define(const char *name,...)
Defines a struct class.
Definition struct.c:486
VALUE rb_struct_alloc(VALUE klass, VALUE values)
Identical to rb_struct_new(), except it takes the field values as a Ruby array.
Definition struct.c:860
VALUE rb_data_define(VALUE super,...)
Defines an anonymous data class.
Definition struct.c:1724
VALUE rb_struct_alloc_noinit(VALUE klass)
Allocates an instance of the given class.
Definition struct.c:406
VALUE rb_struct_s_members(VALUE klass)
Queries the list of the names of the fields of the given struct class.
Definition struct.c:68
VALUE rb_struct_members(VALUE self)
Queries the list of the names of the fields of the class of the given struct object.
Definition struct.c:82
VALUE rb_struct_getmember(VALUE self, ID key)
Identical to rb_struct_aref(), except it takes ID instead of VALUE.
Definition struct.c:233
VALUE rb_exec_recursive(VALUE(*f)(VALUE g, VALUE h, int r), VALUE g, VALUE h)
"Recursion" API entry point.
VALUE rb_exec_recursive_paired(VALUE(*f)(VALUE g, VALUE h, int r), VALUE g, VALUE p, VALUE h)
Identical to rb_exec_recursive(), except it checks for the recursion on the ordered pair of { g,...
VALUE rb_ivar_set(VALUE obj, ID name, VALUE val)
Identical to rb_iv_set(), except it accepts the name as an ID instead of a C string.
Definition variable.c:2024
VALUE rb_mod_remove_const(VALUE space, VALUE name)
Resembles Module#remove_const.
Definition variable.c:3560
VALUE rb_class_name(VALUE obj)
Queries the name of the given object's class.
Definition variable.c:500
int rb_const_defined_at(VALUE space, ID name)
Identical to rb_const_defined(), except it doesn't look for parent classes.
Definition variable.c:3793
VALUE rb_class_path(VALUE mod)
Identical to rb_mod_name(), except it returns #<Class: ...> style inspection for anonymous modules.
Definition variable.c:380
VALUE(* rb_alloc_func_t)(VALUE klass)
This is the type of functions that ruby calls when trying to allocate an object.
Definition vm.h:219
void rb_undef_alloc_func(VALUE klass)
Deletes the allocator function of a class.
Definition vm_method.c:1705
VALUE rb_mod_module_eval(int argc, const VALUE *argv, VALUE mod)
Identical to rb_obj_instance_eval(), except it evaluates within the context of module.
Definition vm_eval.c:2424
void rb_define_alloc_func(VALUE klass, rb_alloc_func_t func)
Sets the allocator function of a class.
VALUE rb_check_symbol(volatile VALUE *namep)
Identical to rb_check_id(), except it returns an instance of rb_cSymbol instead.
Definition symbol.c:1228
VALUE rb_to_symbol(VALUE name)
Identical to rb_intern_str(), except it generates a dynamic symbol if necessary.
Definition string.c:12701
ID rb_to_id(VALUE str)
Identical to rb_intern_str(), except it tries to convert the parameter object to an instance of rb_cS...
Definition string.c:12691
int off
Offset inside of ptr.
Definition io.h:5
int len
Length of the buffer.
Definition io.h:8
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:1395
VALUE rb_yield(VALUE val)
Yields the block.
Definition vm_eval.c:1372
#define rb_long2int
Just another name of rb_long2int_inline.
Definition long.h:62
#define RB_GC_GUARD(v)
Prevents premature destruction of local objects.
Definition memory.h:167
void rb_hash_foreach(VALUE q, int_type *w, VALUE e)
Iteration over the given hash.
#define RARRAY_LEN
Just another name of rb_array_len.
Definition rarray.h:51
static int RARRAY_LENINT(VALUE ary)
Identical to rb_array_len(), except it differs for the return type.
Definition rarray.h:281
static VALUE * RARRAY_PTR(VALUE ary)
Wild use of a C pointer.
Definition rarray.h:366
#define RARRAY_AREF(a, i)
Definition rarray.h:403
#define RARRAY_CONST_PTR
Just another name of rb_array_const_ptr.
Definition rarray.h:52
#define RBASIC(obj)
Convenient casting macro.
Definition rbasic.h:40
#define RHASH_SIZE(h)
Queries the size of the hash.
Definition rhash.h:69
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:1762
VALUE rb_struct_aset(VALUE st, VALUE k, VALUE v)
Resembles Struct#[]=.
Definition struct.c:1280
VALUE rb_struct_size(VALUE st)
Returns the number of struct members.
Definition struct.c:1530
VALUE rb_struct_aref(VALUE st, VALUE k)
Resembles Struct#[].
Definition struct.c:1242
#define InitVM(ext)
This macro is for internal use.
Definition ruby.h:231
#define RB_PASS_KEYWORDS
Pass keywords, final argument must be a hash of keywords.
Definition scan_args.h:72
#define RTEST
This is an old name of RB_TEST.
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