Operator table
연산자 우선순위 예제
- Operator table에서 위에 있을수록 우선순위가 높음
- 예를들면 아래 코드에서 연산자 우선 순위가 % -> == -> && 순이여서 아래 두 줄의 코드는 똑같이 동작한다
// Parentheses improve readability.
if ((n % i == 0) && (d % i == 0)) ...
// Harder to read, but equivalent.
if (n % i == 0 && d % i == 0) ...
산술 연산자
assert(2 + 3 == 5);
assert(2 - 3 == -1);
assert(2 * 3 == 6);
assert(5 / 2 == 2.5); // Result is a double
assert(5 ~/ 2 == 2); // Result is an int
assert(5 % 2 == 1); // Remainder
assert('5/2 = ${5 ~/ 2} r ${5 % 2}' == '5/2 = 2 r 1');
int a;
int b;
a = 0;
b = ++a; // Increment a before b gets its value.
assert(a == b); // 1 == 1
a = 0;
b = a++; // Increment a after b gets its value.
assert(a != b); // 1 != 0
a = 0;
b = --a; // Decrement a before b gets its value.
assert(a == b); // -1 == -1
a = 0;
b = a--; // Decrement a after b gets its value.
assert(a != b); // -1 != 0
형식 체크 연산자
- as : 타입 지정
- is : 저장된 타입이 있으면 true
- is! : 지정된 타입이 없으면 true
(employee as Person).firstName = 'Bob';
if (employee is Person) {
// Type check
employee.firstName = 'Bob';
}
확정 연산자
// Assign value to a
a = value;
// Assign value to b if b is null; otherwise, b stays the same
b ??= value;
var a = 2; // Assign using =
a *= 3; // Assign and multiply: a = a * 3
assert(a == 6);
논리 연산자
조건 표현
- condition ? expr1 : expr2
-> 조건이 참이면 expr1을 거짓이면 expr2를 반환함
var visibility = isPublic ? 'public' : 'private';
- expr1 ?? expr2
-> expr1이 null이 아니면 expr1을 반환 null이면 expr2를 반환
String playerName(String? name) => name ?? 'Guest';
Cascade 표현
var paint = Paint()
..color = Colors.black
..strokeCap = StrokeCap.round
..strokeWidth = 5.0;
querySelector('#confirm') // Get an object.
?..text = 'Confirm' // Use its members.
..classes.add('important')
..onClick.listen((e) => window.alert('Confirmed!'))
..scrollIntoView();