가상 에뮬레이터로 실행하거나 안드로이드 폰을 연결시켜 빌드해서 실행하는 법이 있습니다
저는 에뮬레이터가 너무 실행이 느려서 핸드폰을 연결하여 실행하는 방식을 사용합니다.
LM V500N은 저의 핸드폰이 연결되서 뜨는거고 빨간 동그라미(Run)를 눌러서 main.dart를 실행합니다.
이 app은 오른쪽 하단에 floating 버튼을 누르면 가운대 숫자가 1씩 증가하는 app입니다.
import 'package:flutter/material.dart';
void main() {
runApp(MyApp());
}
class MyApp extends StatelessWidget {
Widget build(BuildContext context) {
return MaterialApp(
title: 'Flutter Demo',
theme: ThemeData(
primarySwatch: Colors.blue,
visualDensity: VisualDensity.adaptivePlatformDensity,
),
home: MyHomePage(title: 'Flutter Demo Home Page'),
);
}
}
import 'package:flutter/material.dart';
import문으로 flutter 패키지의 안드로이드 UI인 머티리얼 UI를 의미합니다.
iOS UI를 뭔하시면 material이 아닌 cupertino를 사용합니다.
runApp(MyApp());
아래에 있는 MyApp 클래스를 실행시킨다는 구문
home: MyHomePage(title: 'Flutter Demo Home Page')
home 속성은 위젯의 몸체이고 몸체는 MyHomePage 클래스로 지정했습니다. 이 말은 위에서 MyApp을 실행하면 MyHomePage가 실행됩니다
class MyHomePage extends StatefulWidget {
MyHomePage({Key key, this.title}) : super(key: key);
final String title;
_MyHomePageState createState() => _MyHomePageState();
}
MyHomePage 위젯은 Stateful위젯으로 createState() 메서드를 통해 상태를 담당하는 클래스를 지정할 수 있습니다.
실제 상태 값은 _MyHomePageState 클래스입니다
class _MyHomePageState extends State<MyHomePage> {
int _counter = 0;
void _incrementCounter() {
setState(() {
_counter++;
});
}
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text(widget.title),
),
body: Center(
child: Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
Text(
'You have pushed the button this many times:',
),
Text(
'$_counter',
style: Theme.of(context).textTheme.headline4,
),
],
),
),
floatingActionButton: FloatingActionButton(
onPressed: _incrementCounter,
tooltip: 'Increment',
child: Icon(Icons.add),
),
);
}
}