Dart Records

MJ·2023년 5월 22일
0

Dart Basic

목록 보기
2/12

Records

  • 익명성, 불변셩, 종합 타입
  • 여러 객체를 하나의 객체로 묶을 수 있음

Record syntax

var record = ('first', a: 2, b: true, 'last');

(int, int) swap((int, int) record) {
  var (a, b) = record;
  return (b, a);
}

// Record type annotation in a variable declaration:
(String, int) record;

// Initialize it with a record expression:
record = ('A string', 123);

// Record type annotation in a variable declaration:
({int a, bool b}) record;

// Initialize it with a record expression:
record = (a: 123, b: true);

({int a, int b}) recordAB = (a: 1, b: 2);
({int x, int y}) recordXY = (x: 3, y: 4);

// Compile error! These records don't have the same type.
// recordAB = recordXY;

(int a, int b) recordAB = (1, 2);
(int x, int y) recordXY = (3, 4);

recordAB = recordXY; // OK.

Record fields

  • 필드 이름이 명시된 것은 명시된 이름으로 접근하고 명시되지 않은것을 $으로 접근한다

    position을 계산할 땐 명시된 것은 건너뛰고 계산함

var record = ('first', a: 2, b: true, 'last');

print(record.$1); // Prints 'first'
print(record.a); // Prints 2
print(record.b); // Prints true
print(record.$2); // Prints 'last'

Record equality

  • 두개의 레코드가 동일한 타입을 가지고 있으면 동일함
  • 필드 순서가 레코드 모양의 일부가 아니므로 명명된 필드 순서는 동일성에 영향을 주지 않음
(int x, int y, int z) point = (1, 2, 3);
(int r, int g, int b) color = (1, 2, 3);

print(point == color); // Prints 'true'.
  
({int x, int y, int z}) point = (x: 1, y: 2, z: 3);
({int r, int g, int b}) color = (r: 1, g: 2, b: 3);

print(point == color); // Prints 'false'. Lint: Equals on unrelated types.

Multiple returns

  • 레코드를 이용해 여러개의 값을 함께 번들로 리턴할 수 있다
// Returns multiple values in a record:
(String, int) userInfo(Map<String, dynamic> json) {
  return (json['name'] as String, json['age'] as int);
}

final json = <String, dynamic>{
  'name': 'Dash',
  'age': 10,
  'color': 'blue',
};

// Destructures using a record pattern:
var (name, age) = userInfo(json);

/* Equivalent to:
  var info = userInfo(json);
  var name = info.$1;
  var age  = info.$2;
*/
profile
느긋하게 살자!

0개의 댓글