GetX
: Flutter 상태관리, 라우팅, 의존성 주입 라이브러리
GetX는 Flutter에서 상태관리, 라우팅, 의존성 주입(DI) 을 한 번에 해결할 수 있는 강력하고 가벼운 라이브러리입니다.
GetX의 주요 특징
GetX 설치
flutter pub add get
Shell
복사
또는
dependencies:
get: latest_version
YAML
복사
GetX 상태관리 사용법
간단한 상태관리 (obs 사용)
import 'package:flutter/material.dart';
import 'package:get/get.dart';
class CounterController extends GetxController {
var count = 0.obs; // Observable 변수
void increment() => count++;
}
void main() {
runApp(GetMaterialApp(home: CounterScreen())); // GetMaterialApp 사용
}
class CounterScreen extends StatelessWidget {
final CounterController controller = Get.put(CounterController()); // 의존성 주입
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(title: Text('GetX Counter')),
body: Center(
child: Obx(() => Text('Count: ${controller.count}', style: TextStyle(fontSize: 24))),
),
floatingActionButton: FloatingActionButton(
onPressed: controller.increment,
child: Icon(Icons.add),
),
);
}
}
Dart
복사
GetBuilder 사용 (성능 최적화 가능)
class CounterController extends GetxController {
int count = 0;
void increment() {
count++;
update(); // UI 업데이트
}
}
class CounterScreen extends StatelessWidget {
Widget build(BuildContext context) {
return GetBuilder<CounterController>(
init: CounterController(),
builder: (controller) => Scaffold(
body: Center(child: Text('Count: ${controller.count}')),
floatingActionButton: FloatingActionButton(
onPressed: controller.increment,
child: Icon(Icons.add),
),
),
);
}
}
Dart
복사
GetX 라우팅 (페이지 이동)
GetX 라우팅 설정
void main() {
runApp(GetMaterialApp(
initialRoute: '/',
getPages: [
GetPage(name: '/', page: () => HomeScreen()),
GetPage(name: '/second', page: () => SecondScreen()),
],
));
}
Dart
복사
페이지 이동 (Get.to(), Get.off())
class HomeScreen extends StatelessWidget {
Widget build(BuildContext context) {
return Scaffold(
body: Center(child: ElevatedButton(
onPressed: () => Get.to(SecondScreen()), // 다음 페이지로 이동
child: Text('Go to Second Page'),
)),
);
}
}
class SecondScreen extends StatelessWidget {
Widget build(BuildContext context) {
return Scaffold(
body: Center(child: ElevatedButton(
onPressed: () => Get.off(HomeScreen()), // 뒤로가기 없이 이동
child: Text('Back to Home'),
)),
);
}
}
Dart
복사
GetX 의존성 주입 (DI)
즉시 주입 (Get.put())
final CounterController controller = Get.put(CounterController());
Dart
복사
•
앱이 실행되면 객체가 메모리에 즉시 생성됨
지연 주입 (Get.lazyPut())
Get.lazyPut<CounterController>(() => CounterController());
Dart
복사
•
필요할 때만 객체 생성 (메모리 절약)
영구적인 객체 (Get.putAsync())
Get.putAsync<CounterController>(() async => CounterController());
Dart
복사
•
비동기 초기화가 필요한 경우 사용
GetX vs Bloc vs Provider vs Riverpod 비교
기능 | GetX | Bloc | Provider | Riverpod |
상태 관리 | ||||
비동기 상태 관리 | ||||
의존성 주입 (DI) | ||||
라우팅 관리 | ||||
전역 상태 관리 | ||||
반응형 프로그래밍 지원 | ||||
코드 복잡도 | ||||
성능 최적화 | ||||
메모리 효율성 | ||||
테스트 용이성 | ||||
앱 크기 영향 | ||||
Flutter 공식 지원 | ||||
대규모 앱 적합성 |