기본 코드 (main.dart)
1
2
3
4
5
6
7
8
9
10
11
12
|
import 'package:flutter/material.dart';
void main() {
runApp(
Center(
child: Text(
'Hello, world!',
textDirection: TextDirection.ltr,
),
),
);
}
|
cs |
Flutter 위젯 종류
- Text: 텍스트 위젯을 사용하면 응용 프로그램 내에서 스타일이 지정된 텍스트를 만들 수 있습니다.
- Row, Column:이 플렉스 위젯을 사용하면 가로(Row) 및 세로(Column) 방향으로 유연한 레이아웃을 만들 수 있습니다 . 디자인은 웹의 flexbox 레이아웃 모델을 기반으로합니다.
- Stack: Stack 위젯을 사용하면 직선형 (수평 또는 수직)으로 배치하는 대신 위젯을 페인트 순서대로 쌓을 수 있습니다. 그런 다음 Stack의 하위 요소에 대해 Positioned 위젯 을 사용하여 스택 의 위쪽, 오른쪽, 아래쪽 또는 왼쪽 가장자리를 기준으로 배치 할 수 있습니다. 스택은 웹의 절대 위치 레이아웃 모델을 기반으로합니다.
- Container: 컨테이너 위젯을 사용하여 사각형의 시각적 요소를 만들 수 있습니다. 컨테이너는 배경, 테두리 또는 그림자와 같은 BoxDecoration 으로 장식 될 수 있습니다 . 컨테이너 도 크기에 적용 마진, 패딩, 및 제약 조건을 가질 수 있습니다. 또한, 컨테이너 는 행렬을 사용하여 3 차원 공간에서 변형 될 수 있습니다.
위젯 결합 예제
(pubspec.yaml에 flutter: uses-material-design: true 를 추가 해야 기본 아이콘을 사용 할 수 있다)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
|
import 'package:flutter/material.dart';
class MyAppBar extends StatelessWidget {
MyAppBar({this.title});
// Fields in a Widget subclass are always marked "final".
final Widget title;
@override
Widget build(BuildContext context) {
return Container(
height: 56.0, // in logical pixels
padding: const EdgeInsets.symmetric(horizontal: 8.0),
decoration: BoxDecoration(color: Colors.blue[500]),
// Row is a horizontal, linear layout.
child: Row(
// <Widget> is the type of items in the list.
children: <Widget>[
IconButton(
icon: Icon(Icons.menu),
tooltip: 'Navigation menu',
onPressed: null, // null disables the button
),
// Expanded expands its child to fill the available space.
Expanded(
child: title,
),
IconButton(
icon: Icon(Icons.search),
tooltip: 'Search',
onPressed: null,
),
],
),
);
}
}
class MyScaffold extends StatelessWidget {
@override
Widget build(BuildContext context) {
// Material is a conceptual piece of paper on which the UI appears.
return Material(
// Column is a vertical, linear layout.
child: Column(
children: <Widget>[
MyAppBar(
title: Text(
'Example title',
style: Theme.of(context).primaryTextTheme.title,
),
),
Expanded(
child: Center(
child: Text('Hello, world!'),
),
),
],
),
);
}
}
void main() {
runApp(MaterialApp(
title: 'My app', // used by the OS task switcher
home: MyScaffold(),
));
}
|
cs |
MyAppBar위젯은 생성된 컨테이너 좌우에 8 픽셀 내부 패딩, 56 픽셀의 높이를, 컨테이너 내부에서 MyAppBar를 사용하여 자식을 구성합니다.
중간의 위젯은 Expended로 표시 됩니다. 다른 자식이 사용하지 않은 남은 사용 가능한 공간을 채우도록 확장됩니다. Expended는 자식을 여러개 가질 수 있으며, flex인수로 Expended이 차지하는 비율을 결정 할 수 있습니다.
MyScaffold 위젯은 수직으로 자식을 구성합니다.
Column 상단에 인스턴스를 배치 하고 제목으로 사용할 텍스트 위젯을 MyAppBar앱 바에 전달합니다.